如何将经典字符串转换为 f 字符串?
variable = 42
user_input = "The answer is {variable}"
print(user_input)
输出:The answer is {variable}
f_user_input = # Here the operation to go from a string to an f-string
print(f_user_input)
期望的输出:The answer is 42
如何将经典字符串转换为 f 字符串?
variable = 42
user_input = "The answer is {variable}"
print(user_input)
输出:The answer is {variable}
f_user_input = # Here the operation to go from a string to an f-string
print(f_user_input)
期望的输出:The answer is 42
f-string 是语法,而不是对象类型。您不能将任意字符串转换为该语法,该语法会创建一个字符串对象,而不是相反。
我假设您想user_input
用作模板,所以只需在对象上使用该str.format()
方法user_input
:
variable = 42
user_input = "The answer is {variable}"
formatted = user_input.format(variable=variable)
如果您想提供可配置的模板服务,请创建一个包含所有可以插值的字段的命名空间字典,并使用str.format()
调用**kwargs
语法来应用命名空间:
namespace = {'foo': 42, 'bar': 'spam, spam, spam, ham and eggs'}
formatted = user_input.format(**namespace)
然后,用户可以在{...}
字段中使用命名空间中的任何键(或不使用,忽略未使用的字段)。
variable = 42
user_input = "The answer is {variable}"
# in order to get The answer is 42, we can follow this method
print (user_input.format(variable=variable))
(或者)
user_input_formatted = user_input.format(variable=variable)
print (user_input_formatted)
只是添加一种类似的方法来做同样的事情。但是str.format()选项更适合使用。
variable = 42
user_input = "The answer is {variable}"
print(eval(f"f'{user_input}'"))
实现与上述 Martijn Pieters 相同的更安全方法:
def dynamic_string(my_str, **kwargs):
return my_str.format(**kwargs)
variable = 42
user_input = "The answer is {variable}"
print('1: ', dynamic_string(my_str=user_input, variable=variable))
print('2: ', dynamic_string(user_input, variable=42))
1: The answer is 42
2: The answer is 42
您可以使用 f-string 代替普通字符串。
variable = 42
user_input = f"The answer is {variable}"
print(user_input)