8

我一直在寻找这个,但似乎找不到答案。我有以下小数以及我想要的 String.Format 的相应输出

100.00 -> 100
100.50 -> 100.50
100.51 -> 100.51

我的问题是我似乎找不到一种格式,它可以在 100.50 的末尾保留 0 并从 100 中删除 2 个零。

任何帮助深表感谢。

编辑 为了更清楚。我有十进制类型的变量,它们只会是小数点后 2 位。基本上我想显示 2 个小数位(如果它们存在或没有),我不想在 100.50 变为 100.5 的情况下显示一个小数位

4

5 回答 5

15

据我所知,没有这种格式。您将不得不手动执行此操作,例如:

String formatString = Math.Round(myNumber) == myNumber ? 
                      "0" :     // no decimal places
                      "0.00";   // two decimal places
于 2012-07-27T07:45:21.037 回答
14

你可以使用这个:

string s = number.ToString("0.00");
if (s.EndsWith("00"))
{
    s = number.ToString("0");
}
于 2012-07-27T07:45:14.473 回答
5

测试您的数字是否为整数,并根据格式使用:

string.Format((number % 1) == 0 ? "{0}": "{0:0.00}", number)
于 2012-07-27T07:45:58.510 回答
2

好的,这伤害了我的眼睛,但应该给你你想要的:

string output = string.Format("{0:N2}", amount).Replace(".00", "");

更新:我更喜欢 Heinzi 的回答。

于 2012-07-27T07:45:36.937 回答
1

这种方法将在应用指定的文化时达到预期的结果:

decimal a = 100.05m;
decimal b = 100.50m;
decimal c = 100.00m;

CultureInfo ci = CultureInfo.GetCultureInfo("de-DE");

string sa = String.Format(new CustomFormatter(ci), "{0}", a); // Will output 100,05
string sb = String.Format(new CustomFormatter(ci), "{0}", b); // Will output 100,50
string sc = String.Format(new CustomFormatter(ci), "{0}", c); // Will output 100

您可以将文化替换为 CultureInfo.CurrentCulture 或任何其他文化以满足您的需求。

CustomFormatter 类是:

public class CustomFormatter : IFormatProvider, ICustomFormatter
{
    public CultureInfo Culture { get; private set; }

    public CustomFormatter()
        : this(CultureInfo.CurrentCulture)
    { }

    public CustomFormatter(CultureInfo culture)            
    {
        this.Culture = culture;
    }

    public object GetFormat(Type formatType)
    {
        if (formatType == typeof(ICustomFormatter))
            return this;

        return null;
    }

    public string Format(string format, object arg, IFormatProvider formatProvider)
    {
        if (formatProvider.GetType() == this.GetType())
        {
            return string.Format(this.Culture, "{0:0.00}", arg).Replace(this.Culture.NumberFormat.NumberDecimalSeparator + "00", "");
        }
        else
        {
            if (arg is IFormattable)
                return ((IFormattable)arg).ToString(format, this.Culture);
            else if (arg != null)
                return arg.ToString();
            else
                return String.Empty;
        }
    }
}
于 2012-07-27T13:55:00.347 回答