我目前正在为客户网站构建销售模块。到目前为止,我已经得到了完美计算的销售价格,但我遇到的问题是将输出格式化为2位小数。
我目前正在变量中调用它,以便我可以将数据绑定到listview。
Sale = float.Parse(((x.Sale_Price - (x.Sale_Price * (x.Discount_Price / 100))).ToString())),
有谁能告诉我如何将输出格式化为2位小数?非常感谢!
答案 0 :(得分:427)
您可以将格式传递给ToString
方法,例如:
myFloatVariable.ToString("0.00"); //2dp Number
myFloatVariable.ToString("n2"); // 2dp Number
myFloatVariable.ToString("c2"); // 2dp currency
答案 1 :(得分:43)
您需要做的第一件事是使用decimal
类型而不是float
作为价格。使用float
绝对是不可接受的,因为它无法准确表示大多数小数部分。
完成后,Decimal.Round()
可用于舍入到2个位置。
答案 2 :(得分:35)
String.Format("{0:#,###.##}", value)
来自String Formatting in C#的更复杂的例子:
String.Format("{0:$#,##0.00;($#,##0.00);Zero}", value);
如果超过1243.50,则输出“$ 1,240.00”。如果数字为负数,它将输出相同的格式但在括号中,如果数字为零,则输出字符串“Zero”。
答案 3 :(得分:22)
答案 4 :(得分:3)
string outString= number.ToString("####0.00");
答案 5 :(得分:2)
如上所述,您将需要使用格式化的结果;这些都是通过Write()
,WriteLine()
,Format()
和ToString()
方法完成的。
没有提及的是定点格式,该格式允许指定的小数位数。如示例所示,它使用一个'F',并且'F'之后的数字是输出的小数位数。
Console.WriteLine("{0:F2}", 12); // 12.00 - two decimal places
Console.WriteLine("{0:F0}", 12.3); // 12 - ommiting fractions
答案 6 :(得分:0)
这是针对您要使用interpolated strings的情况。我之所以这样发布,是因为我厌倦了反复试验,最终每次需要格式化一些标量时,都会浏览大量文档。
$"{1234.5678:0.00}" "1234.57" 2 decimal places, notice that value is rounded
$"{1234.5678,10:0.00}" " 1234.57" right-aligned
$"{1234.5678,-10:0.00}" "1234.57 " left-aligned
$"{1234.5678:0.#####}" "1234.5678" 5 optional digits after the decimal point
$"{1234.5678:0.00000}" "1234.56780" 5 forced digits AFTER the decimal point, notice the trailing zero
$"{1234.5678:00000.00}" "01234.57" 5 forced digits BEFORE the decimal point, notice the leading zero
$"{1234.5612:0}" "1235" as integer, notice that value is rounded
$"{1234.5678:F2}" "1234.57" standard fixed-point
$"{1234.5678:F5}" "1234.56780" 5 digits after the decimal point, notice the trailing zero
$"{1234.5678:g2}" "1.2e+03" standard general with 2 meaningful digits, notice "e"
$"{1234.5678:G2}" "1.2E+03" standard general with 2 meaningful digits, notice "E"
$"{1234.5678:G3}" "1.23E+03" standard general with 3 meaningful digits
$"{1234.5678:G5}" "1234.6" standard general with 5 meaningful digits
$"{1234.5678:e2}" "1.23e+003" standard exponential with 2 digits after the decimal point, notice "e"
$"{1234.5678:E3}" "1.235E+003" standard exponential with 3 digits after the decimal point, notice "E"
$"{1234.5678:N2}" "1,234.57" standard numeric, notice the comma
$"{1234.5678:C2}" "$1,234.57" standard currency, notice the dollar sign
$"{1234.5678:P2}" "123,456.78 %" standard percent, notice that value is multiplied by 100
$"{1234.5678:2}" "2" :)
性能警告
插值字符串很慢。以我的经验,这是顺序(从快到慢):
value.ToString(format)+" blah blah"
string.Format("{0:format} blah blah", value)
$"{value:format} blah blah"