假设要在12个固定宽度的表格中进行打印,我们需要打印float64数字:
float64
fmt.Printf("%12.6g\n", 9.405090880450127e+119) //"9.40509e+119" fmt.Printf("%12.6g\n", 0.1234567890123) //" 0.123457" fmt.Printf("%12.6g\n", 123456789012.0) //" 1.23457e+11"
我们首选0.1234567890而不是“ 0.123457”,我们损失6个有效数字。 我们宁愿123456789012而不是“ 1.23457e + 11”,我们输掉6个有效数字。
是否有任何标准库可以转换float64为string具有最大有效位数的固定宽度?提前致谢。
string
基本上,您有2种输出格式:科学计数法或常规格式。这两种格式之间的转折点是1e12。
1e12
因此,如果可以分支x >= 1e12。在两个分支中,您都可以使用0个小数位数进行格式化,以查看数字的长度,因此您可以计算12个宽度中可以容纳多少个小数位数,从而可以使用计算出的精度构造最终的格式字符串。
x >= 1e12
预检查在科学记数法需要太多(%g),因为指数的宽度可以变化(例如e+1,e+10,e+100)。
%g
e+1
e+10
e+100
这是一个示例实现。这是入门,但这并不意味着要处理所有情况,它也不是最有效的解决方案(但是相对简单,可以完成工作):
// format12 formats x to be 12 chars long. func format12(x float64) string { if x >= 1e12 { // Check to see how many fraction digits fit in: s := fmt.Sprintf("%.g", x) format := fmt.Sprintf("%%12.%dg", 12-len(s)) return fmt.Sprintf(format, x) } // Check to see how many fraction digits fit in: s := fmt.Sprintf("%.0f", x) if len(s) == 12 { return s } format := fmt.Sprintf("%%%d.%df", len(s), 12-len(s)-1) return fmt.Sprintf(format, x) }
测试它:
fs := []float64{0, 1234.567890123, 0.1234567890123, 123456789012.0, 1234567890123.0, 9.405090880450127e+9, 9.405090880450127e+19, 9.405090880450127e+119} for _, f := range fs { fmt.Println(format12(f)) }
输出(在Go Playground上尝试):
0.0000000000 0.1234567890 1234.5678901 123456789012 1.234568e+12 9405090880.5 9.405091e+19 9.40509e+119