如何在 Python 中打印浮点值

在 Python 中打印浮点值

How to print float values in Python

使用该print()函数打印浮点值,例如
print(f'{my_float:.2f}')如果您需要将浮点数舍入到小数点后 N 位,则可以使用格式化字符串文字。

主程序
my_float = 456789.4567 # ✅ Print float rounded to 2 decimal places result = f'{my_float:.2f}' print(result) # 👉️ 456789.46 # ✅ Print float rounded to 3 decimal places result = f'{my_float:.3f}' print(result) # 👉️ 456789.457 # -------------------------------------------- # ✅ Print float with comma as thousands separator result = f'{my_float:,.2f}' print(result) # 👉️ 456,789.46

我们使用print()函数打印整数值。

print函数获取一个或多个对象并将它们打印到sys.stdout.

如果你有一个 float 值,你可以直接将它传递给print()函数来打印它。

主程序
print(3.14) # 👉️ 3.14 print(6.28) # 👉️ 6.28
请注意,该print()函数返回None,因此不要尝试将调用结果存储print在变量中。

您可以使用格式化字符串文字来打印四舍五入到 N 位小数的浮点数。

主程序
my_float = 456789.4567 result = f'{my_float:.2f}' print(result) # 👉️ 456789.46 result = f'{my_float:.3f}' print(result) # 👉️ 456789.457

句点后的数字是浮点数应具有的小数位数。

格式化字符串文字 (f-strings) 让我们通过在字符串前加上f.
主程序
my_str = 'The number is:' my_float = 3.14 result = f'{my_str} {my_float}' print(result) # 👉️ The number is: 3.14

确保将表达式括在大括号 –{expression}中。

如果您需要将列表中的所有浮点数四舍五入到小数点后 N 位,请使用列表理解。

主程序
list_of_floats = [123.456, 234.567, 345.678] result = [f'{item:.2f}' for item in list_of_floats] print(result) # 👉️ ['123.46', '234.57', '345.68']

我们使用列表理解来迭代列表。

列表推导用于对每个元素执行某些操作或选择满足条件的元素子集。

在每次迭代中,我们将当前浮点数四舍五入到小数点后两位并返回结果。

如果您需要打印一个以逗号作为千位分隔符的浮点数,您也可以使用格式化字符串文字。

主程序
my_float = 456789.4567 result = f'{my_float:,.2f}' print(result) # 👉️ 456,789.46 result = f'${my_float:,.2f}' print(result) # 👉️ $456,789.46

您可以使用这种方法将浮点数格式化为货币。

冒号后的逗号是千位分隔符,句点后的数字是浮点数应具有的小数位数。

请注意,我们在冒号后添加了一个逗号。

F 字符串也可用于将浮点数格式化为固定宽度。

主程序
my_float = 1.234567 result = f'{my_float:8.3f}' print(repr(result)) # 👉️ ' 1.235'

该示例将浮点数格式化为8小数点后 3 位的宽度。

该字符串用空格向左填充以将浮点数格式化为指定的长度。

发表评论