Ruby示例:
name = "Spongebob Squarepants"
puts "Who lives in a Pineapple under the sea? \n#{name}."
对我而言,成功的Python字符串连接似乎很冗长。
Ruby示例:
name = "Spongebob Squarepants"
puts "Who lives in a Pineapple under the sea? \n#{name}."
对我而言,成功的Python字符串连接似乎很冗长。
Answers:
Python 3.6将添加与Ruby的字符串插值类似的文字字符串插值。从该版本的Python(计划于2016年底发布)开始,您将能够在“ f-strings”中包含表达式,例如
name = "Spongebob Squarepants"
print(f"Who lives in a Pineapple under the sea? {name}.")
在3.6之前的版本中,最接近的是
name = "Spongebob Squarepants"
print("Who lives in a Pineapple under the sea? %(name)s." % locals())
该%
运算符可用于Python中的字符串插值。第一个操作数是要内插的字符串,第二个操作数可以具有不同的类型,包括“映射”,将字段名称映射到要内插的值。在这里,我使用了局部变量字典locals()
来映射字段名称name
为它的值作为局部变量。
使用.format()
最新Python版本的方法的相同代码如下所示:
name = "Spongebob Squarepants"
print("Who lives in a Pineapple under the sea? {name!s}.".format(**locals()))
还有一个string.Template
类:
tmpl = string.Template("Who lives in a Pineapple under the sea? $name.")
print(tmpl.substitute(name="Spongebob Squarepants"))
%s
是字符串和%03d
用前导零填充到3位数字的数字。它可以只是写的print "%s has %03d" % ("Python", 2)
。然后,该示例利用将映射关键字放在方括号之后的%
方法,该方法是为占位符提供有意义的名称,而不是依赖于其在字符串中的顺序。然后,您传递一个将键名映射到其值的字典。这就是Sven使用该locals()
函数返回包含所有局部变量的字典的原因,因此它将映射name
到name的值
s
可以将a 用作转换类型-Python可以将几乎所有内容转换为字符串。但是,您当然会失去其他转换类型的特殊格式化功能。
从Python 2.6.X开始,您可能要使用:
"my {0} string: {1}".format("cool", "Hello there!")
{}
我可以删除其中的数字。
我开发了interpy软件包,该软件包可在Python中启用字符串插值。
只需通过安装即可pip install interpy
。然后,# coding: interpy
在文件开头添加该行!
例:
#!/usr/bin/env python
# coding: interpy
name = "Spongebob Squarepants"
print "Who lives in a Pineapple under the sea? \n#{name}."
Python的字符串插值类似于C的printf()
如果你试试:
name = "SpongeBob Squarepants"
print "Who lives in a Pineapple under the sea? %s" % name
标签%s
将被替换为name
变量。您应该看一下打印功能标签:http : //docs.python.org/library/functions.html
print "First is %s, second is %s" % (var1, var2)
。
按照PEP 498的规定,Python 3.6将包含字符串插值。您将可以执行以下操作:
name = 'Spongebob Squarepants'
print(f'Who lives in a Pineapple under the sea? \n{name}')
请注意,我讨厌海绵宝宝,所以写这篇文章有点痛苦。:)
import inspect
def s(template, **kwargs):
"Usage: s(string, **locals())"
if not kwargs:
frame = inspect.currentframe()
try:
kwargs = frame.f_back.f_locals
finally:
del frame
if not kwargs:
kwargs = globals()
return template.format(**kwargs)
用法:
a = 123
s('{a}', locals()) # print '123'
s('{a}') # it is equal to the above statement: print '123'
s('{b}') # raise an KeyError: b variable not found
PS:性能可能有问题。这对于本地脚本很有用,而不对生产日志有用。
重复的:
Python 3.6和更高版本具有使用f字符串的文字字符串插值:
name='world'
print(f"Hello {name}!")
name
字符串中存在局部变量,在Python中,如果要使用局部变量字典,则必须将其显式传递给字符串格式化程序。