最近在python 3.6中引入了用于字符串格式化的[f'str']
。 link。我试图比较.format()
和f'{expr}
方法。
f ' <text> { <expression> <optional !s, !r, or !a> <optional : format specifier> } <text> ... '
以下是将华氏温度转换为摄氏温度的列表理解。
使用.format()
方法,它将结果作为float打印到两个小数点,并添加字符串Celsius:
Fahrenheit = [32, 60, 102]
F_to_C = ['{:.2f} Celsius'.format((x - 32) * (5/9)) for x in Fahrenheit]
print(F_to_C)
# output ['0.00 Celsius', '15.56 Celsius', '38.89 Celsius']
我尝试使用f'{expr}
方法复制上述内容:
print(f'{[((x - 32) * (5/9)) for x in Fahrenheit]}') # This prints the float numbers without formatting
# output: [0.0, 15.555555555555557, 38.88888888888889]
# need instead: ['0.00 Celsius', '15.56 Celsius', '38.89 Celsius']
可以在f'str'
中格式化浮点数:
n = 10
print(f'{n:.2f} Celsius') # prints 10.00 Celsius
尝试将其实现到列表解析中:
print(f'{[((x - 32) * (5/9)) for x in Fahrenheit]:.2f}') # This will produce a TypeError: unsupported format string passed to list.__format__
是否可以使用.format()
使用f'str'
方法获得与上述相同的输出?
谢谢。
答案 0 :(得分:5)
你需要把f-string放在理解中:
[f'{((x - 32) * (5/9)):.2f} Celsius' for x in Fahrenheit]
# ['0.00 Celsius', '15.56 Celsius', '38.89 Celsius']