在 Python 中将浮点数打印到 N 个小数位
使用格式化的字符串文字将浮点数打印到 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 精度的数字。
相关文章
Python for 循环中的下一项
发布时间:2023/04/26 浏览次数:179 分类:Python
-
本文讨论了 Python 中的 for 循环以及如何通过使用 for 循环和示例来跳过列表的第一个元素。
Python While 循环用户输入
发布时间:2023/04/26 浏览次数:148 分类:Python
-
我们可以在 while 循环中使用 input() 函数来输入数据,直到在 Python 中满足某个条件。
在 Python 中将整数转换为罗马数字
发布时间:2023/04/26 浏览次数:87 分类:Python
-
本篇文章将介绍在 Python 中将整数转换为罗马数字。以下是一个 Python 程序的实现,它将给定的整数转换为其等效的罗马数字。
在 Python 中将罗马数字转换为整数
发布时间:2023/04/26 浏览次数:144 分类:Python
-
本文讨论如何在 Python 中将罗马数字转换为整数。 我们将使用 Python if 语句来执行此操作。 我们还将探讨在 Python 中将罗马数字更改为整数的更多方法。
在 Python 中读取 gzip 文件
发布时间:2023/04/26 浏览次数:70 分类:Python
-
本篇文章强调了压缩文件的重要性,并演示了如何在 Python 中使用 gzip 进行压缩和解压缩。
在 Python 中锁定文件
发布时间:2023/04/26 浏览次数:141 分类:Python
-
本文解释了为什么在 Python 中锁定文件很重要。 这讨论了当两个进程在没有锁的情况下与共享资源交互时会发生什么的示例,为什么在放置锁之前知道文件状态很重要,等等
在 Python 中将 PDF 转换为文本
发布时间:2023/04/26 浏览次数:196 分类:Python
-
在本教程中,我们将学习如何使用 Python 使用 PyPDF2、Aspose 和 PDFminer 将 PDF 文档转换为文本文件。
在 Python 中创建临时文件
发布时间:2023/04/26 浏览次数:53 分类:Python
-
本文讲解了tempfile库函数的四个子函数:TemporaryFile、NamedTemporaryFile、mkstemp、TemporaryDirectory。 每个部分都提供了适当的程序,以简化对概念的理解。