String.Format Same Code Different View

為{幸葍}努か 提交于 2019-12-13 14:20:02

问题


I have a code like this;

GridView1.FooterRow.Cells[11].Text = String.Format("{0:c}", sumKV)

In my computer this code gives a result like that;

But when I upload this code to my virtual machine it looks like this;

TL means Turkish Liras. But I don't want to show the currency. I just want numbers.

I also don't want to change the formating of numbers. (Like 257.579,02)

How can I only delete TL in this code?


回答1:


I would use this:

var cultureWithoutCurrencySymbol = 
    (CultureInfo)CultureInfo.CurrentCulture.Clone();
cultureWithoutCurrencySymbol.NumberFormat.CurrencySymbol = "";
GridView1.FooterRow.Cells[11].Text = 
            String.Format(cultureWithoutCurrencySymbol, "{0:c}", sumKV).Trim();

Background:
This will still keep the currency formatting for the current culture, it just removes the currency symbol.
You can save this special culture somewhere, so you don't have to create it every time you need to format your values.

UPDATE:

  • Now it even compiles... ;-)
  • Added a Trim(), because there is still a space after the formated number.



回答2:


Another option is to turn off the currency symbol entirely for the current thread:

private static NumberFormatInfo SetNoCurrencySymbol()
{
    CultureInfo culture = (CultureInfo)CultureInfo.CurrentCulture.Clone();
    NumberFormatInfo LocalFormat = (NumberFormatInfo)NumberFormatInfo.CurrentInfo.Clone();

    NumberFormatInfo ret = culture.NumberFormat;

    LocalFormat.CurrencySymbol = "";
    culture.NumberFormat = LocalFormat;

    // Add the culture to the current thread
    Thread.CurrentThread.CurrentCulture = culture;

    return ret;
} 

That way you will change less code. You can always change it back afterwards:

 NumberFormatInfo origNumberFormat  = SetNoCurrencySymbol();

 string x = String.Format("{0:c}", 55);

 CultureInfo.CurrentCulture.NumberFormat = origNumberFormat;

 string y = String.Format("{0:c}", 55);



回答3:


Because you are using String.Format with a format string only, sumKV is formatted according to the UI Culture actually used in your application.

GridView1.FooterRow.Cells[11].Text = String.Format("{0:c}", sumKV),

To get rid with currency symbol, use InvariantCulture in String.Format this way :

String.Format(CultureInfo.InvariantCulture, "{0:c}", sumKV);



回答4:


If you don't want to show currency then don't use the currency formatting code - {0:c}. Perhaps try something like the following:

GridView1.FooterRow.Cells[11].Text = String.Format("{0:G}", sumKV);

See this article - String.Format doubles



来源:https://stackoverflow.com/questions/5562939/string-format-same-code-different-view

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!