22

我们知道可以使用字符串中的一个来格式化一个参数: %s

>>> "Hello %s" % "world"
'Hello world'

对于两个参数,我们可以使用两个%s(duh!):

>>> "Hello %s, %s" % ("John", "Joe")
'Hello John, Joe'

那么,如何格式化可变数量的参数,而不必在基本字符串中显式定义数量%s等于要格式化的参数数量?如果存在这样的东西会很酷:

>>> "Hello <cool_operator_here>" % ("John", "Joe", "Mary")
Hello JohnJoeMary
>>> "Hello <cool_operator_here>" % ("John", "Joe", "Mary", "Rick", "Sophie")
Hello JohnJoeMaryRickSophie

这甚至可能吗,或者我唯一能做的就是做类似的事情:

>>> my_args = ["John", "Joe", "Mary"]
>>> my_str = "Hello " + ("".join(["%s"] * len(my_args)))
>>> my_str % tuple(my_args)
"Hello JohnJoeMary"

注意:我需要使用%s字符串格式化运算符来完成。

更新

它需要与,%s因为来自另一个库的函数使用该运算符格式化我的字符串,因为我传递了未格式化的字符串和 args 来格式化它,但它在实际制作之前对 args 进行了一些检查和更正(如果需要)格式化。

所以我需要调用它:

>>> function_in_library("Hello <cool_operator_here>", ["John", "Joe", "Mary"])
"Hello JohnJoeMary"

谢谢你的帮助!

4

1 回答 1

28

您将在没有str.join()字符串格式的列表中使用,然后插入结果

"Hello %s" % ', '.join(my_args)

演示:

>>> my_args = ["foo", "bar", "baz"]
>>> "Hello %s" % ', '.join(my_args)
'Hello foo, bar, baz'

如果您的某些参数还不是字符串,请使用列表推导:

>>> my_args = ["foo", "bar", 42]
>>> "Hello %s" % ', '.join([str(e) for e in my_args])
'Hello foo, bar, 42'

或使用map(str, ...)

>>> "Hello %s" % ', '.join(map(str, my_args))
'Hello foo, bar, 42'

你会对你的函数做同样的事情:

function_in_library("Hello %s", ', '.join(my_args))

如果您受限于不能join在插值参数列表中使用 a的(相当随意的)限制,请改用 ajoin创建格式化字符串:

function_in_library("Hello %s" % ', '.join(['%s'] * len(my_args)), my_args)
于 2013-08-22T21:24:04.777 回答