Python f字符串(PEP 498)有一个简单的方法来修复小数点后的位数吗? (特别是f-strings,而不是其他字符串格式化选项,如.format或%)
例如,假设我想在小数位后面显示2位数。
我怎么做?
a = 10.1234
f'{a:.2}'
Out[2]: '1e+01'
f'{a:.4}'
Out[3]: '10.12'
a = 100.1234
f'{a:.4}'
Out[5]: '100.1'
正如您所看到的,“精度”已经改变了“小数点后的位数”的含义,就像使用%格式时的情况一样,只是总数。无论我的数字有多大,我怎么能总是得到小数点后的2位数?
在格式表达式中包含类型说明符:
>>> a = 10.1234
>>> f'{a:.2f}'
'10.12'
说到float
数字,你可以使用format specifiers:
f'{value:{width}.{precision}}'
哪里:
value
是任何评估为数字的表达式width
指定要显示的总数中使用的字符数,但如果value
需要的空间大于宽度指定的空间,则使用额外的空格。precision
表示小数点后使用的字符数您缺少的是十进制值的类型说明符。在这个link中,您可以找到浮点和小数的可用表示类型。
这里有一些例子,使用f
(定点)表示类型:
# notice that it adds spaces to reach the number of characters specified by width
In [1]: f'{1 + 3 * 1.5:10.3f}'
Out[1]: ' 5.500'
# notice that it uses more characters than the ones specified in width
In [2]: f'{3000 + 3 ** (1 / 2):2.1f}'
Out[2]: '3001.7'
In [3]: f'{1.2345 + 4 ** (1 / 2):9.6f}'
Out[3]: ' 3.234500'
# omitting width but providing precision will use the required characters to display the number with the the specified decimal places
In [4]: f'{1.2345 + 3 * 2:.3f}'
Out[4]: '7.234'
# not specifying the format will display the number with as many digits as Python calculates
In [5]: f'{1.2345 + 3 * 0.5}'
Out[5]: '2.7344999999999997'
添加到Robᵩ的答案:如果你想要打印相当大的数字,使用千位分隔符可以提供很大帮助(请注意逗号)。
>>> f'{a*1000:,.2f}'
'10,123.40'