有没有一个相当于Ruby的string插值的Python?

Ruby例子:

name = "Spongebob Squarepants" puts "Who lives in a Pineapple under the sea? \n#{name}." 

成功的Pythonstring连接对我来说看起来很冗长。

Python 3.6将添加类似于Ruby的string插值的文字string插值。 从该版本的Python(计划于2016年底发布)开始,您将能够在“f-string”中包含expression式,例如

 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中的string插值 。 第一个操作数是要插入的string,第二个操作数可以具有不同的types,包括“映射”,将字段名称映射到要插值的值。 在这里,我使用局部variableslocals()的字典将字段名称作为局部variables映射到它的值。

使用最近Python版本的.format()方法的代码如下所示:

 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")) 

从Python 2.6.X开始,您可能需要使用:

 "my {0} string: {1}".format("cool", "Hello there!") 

我已经开发了可以在Python启用string插值的interpy包。

只需通过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}." 

string插值将被包含在PEP 498中规定的Python 3.6中 。 你将能够做到这一点:

 name = 'Spongebob Squarepants' print(f'Who lives in a Pineapple under the sea? \n{name}') 

请注意,我讨厌海绵宝宝,所以写这个有点痛苦。 🙂

Python的string插值类似于C的printf()

如果你尝试:

 name = "SpongeBob Squarepants" print "Who lives in a Pineapple under the sea? %s" % name 

标记%s将被replace为namevariables。 你应该看看打印function标签: http : //docs.python.org/library/functions.html

 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:performance可能是一个问题。 这对本地脚本非常有用,不适用于生产日志。

复制:

  • Pythonstring格式:%与.format

  • 在string中embeddedexpression式的Python等价物是什么? (即Ruby中的“#{expr}”)

  • 什么是Ruby的等同于Python的s =“hello,%s。%s在哪里?” %(“John”,“Mary”)

  • 有没有一个相当于Ruby的string插值的Python?

你也可以有这个

 name = "Spongebob Squarepants" print "Who lives in a Pineapple under the sea? \n{name}.".format(name=name) 

http://docs.python.org/2/library/string.html#formatstrings

对于老的Python(在2.4版上testing),顶级的解决scheme指明了道路。 你可以这样做:

 import string def try_interp(): d = 1 f = 1.1 s = "s" print string.Template("d: $df: $fs: $s").substitute(**locals()) try_interp() 

你得到

 d: 1 f: 1.1 s: s