小数点后带有f字符串的固定数字


319

Python f字符串是否有一种简单的方法来固定小数点后的位数?(特别是f字符串,不是其他字符串格式设置选项,例如.format或%)

例如,假设我要在小数点后两位显示数字。

我怎么做?比方说

a = 10.1234

Answers:


475

在格式表达式中包括类型说明符:

>>> a = 10.1234
>>> f'{a:.2f}'
'10.12'

33
我发现的所有f字符串格式化示例(包括PEP)都没有显示可以使用类型说明符。我想我应该以为是这样,但是调用它的文档会很好。
GafferMan2112 '17

没错,大多数示例都没有格式说明符。在PEP中,十六进制示例执行:f'input={value:#06x}',而datetime示例执行:{anniversary:%A, %B %d, %Y}{date:%A}。我认为关键解释在“ 代码等效性”部分中。
罗伯(Robᵩ)

9
哦,天哪,这很简单。为什么我花了整整45秒钟才能找到答案?玩游戏,谷歌。
马特·弗莱彻

2
还要注意,如果没有f-如果您写-f'{a:.2}',它将计算数字的总数,答案将是10
Drako

86

对于float数字,您可以使用格式说明符

f'{value:{width}.{precision}}'

哪里:

  • value 是任何计算结果为数字的表达式
  • width指定总共要显示的字符数,但是如果value需要的空间比宽度指定的要多,则使用额外的空间。
  • precision 表示小数点后使用的字符数

您缺少的是十进制值的类型说明符。在此链接中,您可以找到浮点数和十进制数的可用表示形式。

在这里,您有一些使用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'

34

添加到Robᵩ的答案中:如果要打印大量数字,则使用千位分隔符可能会很有帮助(请注意逗号)。

>>> f'{a*1000:,.2f}'
'10,123.40'

15

将格式说明符与f字符串一起使用更多信息请参见)。

  • 您可以控制小数位数
pi = 3.141592653589793238462643383279

print(f'The first 6 decimals of pi are {pi:.6f}.')
The first 6 decimals of pi are 3.141593.
  • 您可以转换为百分比
grade = 29/45

print(f'My grade rounded to 3 decimals is {grade:.3%}.')
My grade rounded to 3 decimals is 64.444%.
  • 您可以执行其他操作,例如打印恒定长度
from random import randint
for i in range(5):
    print(f'My money is {randint(0, 150):>3}$')
My money is 126$
My money is   7$
My money is 136$
My money is  15$
My money is  88$
  • 甚至用逗号分隔符打印:
print(f'I am worth {10000000000:,}$')
I am worth 10,000,000,000$

1
a = 10.1234

print(f"{a:0.2f}")

在0.2f中:

  • 0告诉python对要显示的总位数没有限制
  • .2表示我们只希望小数点后两位数字(结果将与round()函数相同)
  • f表示这是一个浮点数。如果您忘记了f,则它将在小数点后少打印1位数字。在这种情况下,它只能是小数点后一位。

有关f字符串的详细视频,其中包含数字 https://youtu.be/RtKUsUTY6to?t=606


-2

舍入...

import datetime as dt
now = dt.datetime(2000, 1, 30, 15, 10, 15, 900)
now_mil = round(now.microsecond/1000)
print(f"{now:%Y/%m/%d %H:%M:%S.}{now_mil:03}")

输出:2000/01/30 15:10:15.001


这与问题无关,并且此帖子自发布以来一直未激活
Nicolas Gervais
By using our site, you acknowledge that you have read and understand our Cookie Policy and Privacy Policy.
Licensed under cc by-sa 3.0 with attribution required.