我有一个问题,无法找到解决方案。我有数字(十进制),例如 85.12343 或 100 或 1.123324。我想以这样一种方式格式化它,结果总是 13 个字符长,包括分隔符。
100 --> 100.000000000
1.123324 --> 1.12332400000
我尝试使用 toString,但失败了。我怎么能这样做?
谢谢 :)
我有一个问题,无法找到解决方案。我有数字(十进制),例如 85.12343 或 100 或 1.123324。我想以这样一种方式格式化它,结果总是 13 个字符长,包括分隔符。
100 --> 100.000000000
1.123324 --> 1.12332400000
我尝试使用 toString,但失败了。我怎么能这样做?
谢谢 :)
int digits = 13;
decimal d = 100433.2414242241214M;
int positive = Decimal.Truncate(d).ToString().Length;
int decimals = digits - positive - 1; //-1 for the dot
if (decimals < 0)
decimals = 0;
string dec = d.ToString("f" + decimals);
它不会在需要时从整个部分中删除数字,仅删除部分。
我会选择Kobi 的答案,除非你可能有超过13 位数字开始,在这种情况下你可能需要做这样的事情(警告:我什至没有尝试过提高效率;当然有办法如有必要,可以对其进行优化):
public static string ToTrimmedString(this decimal value, int numDigits)
{
// First figure out how many decimal places are to the left
// of the decimal point.
int digitsToLeft = 0;
// This should be safe since you said all inputs will be <= 100M anyway.
int temp = decimal.ToInt32(Math.Truncate(value));
while (temp > 0)
{
++digitsToLeft;
temp /= 10;
}
// Then simply display however many decimal places remain "available,"
// taking the value to the left of the decimal point and the decimal point
// itself into account. (If negative numbers are a possibility, you'd want
// to subtract another digit for negative values to allow for the '-' sign.)
return value.ToString("#." + new string('0', numDigits - digitsToLeft - 1));
}
示例输入/输出:
输入输出 -------------------------------------- 100 100.000000000 1.232487 1.23248700000 1.3290435309439872321 1.32904353094 100.320148109932888473 100.320148110 0.000383849080819849081 .000383849081 0.0 .000000000000
string formatted = original.ToString("0.000000000000").Remove(13);
快速'n'脏:
return (value.ToString("0.#") + "0000000000000").Substring(0, 13);
除了简单地填充字符串之外,您还可以做一些更复杂的数学来确定位数:
String FormatField(Int32 fieldWidth, Decimal value) {
var integerPartDigits =
value != Decimal.Zero ? (int) Math.Log10((Double) value) + 1 : 1;
var fractionalPartDigits = Math.Max(0, fieldWidth - integerPartDigits - 1);
return value.ToString("F" + fractionalPartDigits);
}
请注意,如果该值为负数或具有比字段宽度少一位的整数部分,您将无法获得所需的结果。但是,您可以根据您希望如何格式化和对齐这些数字来修改代码以适应这些情况。
int noofdecimal=3;
double value=1567.9800
value.ToString("#." + new string('0', noofdecimal));
//Result=1567.980
关于什么
string newString;
if (original.ToString().Length >= 13)
{
newString = original.ToString().Substring(13);
}
else
{
newString = original.ToString().PadRight(13, '0');
}