将字符串转换为 f 字符串

Transform string to f-string

如何将经典字符串转换为 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 字符串是 语法,不是对象类型。您不能将任意字符串转换为该语法,该语法会创建一个字符串对象,而不是相反。

我假设您想使用 user_input 作为模板,所以只需在 user_input 对象上使用 str.format() method

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)

然后用户可以在 {...} 字段(或 none,忽略未使用的字段)中使用命名空间中的任何键。

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)

好linkhttps://cito.github.io/blog/f-strings/

真正的答案可能是:不要这样做。通过将用户输入视为 f 字符串,您将其视为会产生安全风险的代码。你必须非常确定你可以信任输入的来源。

如果您知道用户输入是可信的,您可以使用 eval():

variable = 42
user_input="The answer is {variable}"
eval("f'{}'".format(user_input))
'The answer is 42'

编辑添加:@wjandrea 指出 对此进行了扩展。

只是添加一种类似的方法来实现相同的操作。 但是 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 字符串代替普通字符串。

variable = 42
user_input = f"The answer is {variable}"
print(user_input)