在 Python 中将浮点数打印到小数点后 N 位

在 Python 中将浮点数打印到小数点后 N 位

Print a float to N decimal places in Python

使用格式化的字符串文字将浮点数打印到 N 位小数,例如
print(f'{my_float:.2f}'). 您可以在格式化字符串文字中使用表达式将浮点数打印到小数点后 N 位。

主程序
my_float = 7.3941845 # ✅ Print float rounded to 2 decimals (f-string) result = f'{my_float:.2f}' print(result) # 👉️ '7.39' # ✅ Print float rounded to 3 decimals (f-string) result = f'{my_float:.3f}' print(result) # 👉️ '7.394'

我们使用格式化字符串文字将浮点数打印到小数点后 N 位。

格式化字符串文字 (f-strings) 让我们通过在字符串前加上f.

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

格式化字符串文字还使我们能够

在表达式块中使用
格式特定的迷你语言。

主程序
my_float = 7.3941845 print(f'Result: {my_float:.2f}') # 👉️ Result: 7.39 print(f'Result: {my_float:.3f}') # 👉️ Result: 7.394

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

如果您将小数位数存储在变量中,请将其用大括号括在 f 字符串中。

主程序
my_float = 7.3941845 number_of_decimal_places = 2 result = f'{my_float:.{number_of_decimal_places}f}' print(result) # 👉️ '7.39'

如果您需要将浮点数列表打印到小数点后 N 位,请使用列表理解。

主程序
list_of_floats = [4.2834923, 5.2389492, 9.28348243] result = [f'{item:.2f}' for item in list_of_floats] print(result) # 👉️ ['4.28', '5.24', '9.28']

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

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

在每次迭代中,我们使用格式化字符串文字将当前浮点数格式化为 2 位小数并返回结果。

或者,您可以使用该round()功能。

使用 round() 将浮点数打印到小数点后 N 位

使用该round()函数将浮点数打印到小数点后 N 位,例如
print(round(my_float, 2)). round()函数采用浮点数和小数位数,并返回四舍五入到小数点后指定位数的数字。

主程序
my_float = 7.3941845 # ✅ Print float rounded to 2 decimals (round()) result = round(my_float, 2) print(result) # 👉️ 7.39 # ✅ Print float rounded to 3 decimals (round()) result = round(my_float, 3) print(result) # 👉️ 7.394

round函数采用以下 2 个参数

姓名 描述
number 要舍入到ndigits小数点后精度的数字
ndigits 小数点后的位数,运算后的数字应该有(可选)

round函数返回四舍五入到ndigits小数点后的精度的数字。

发表评论