我有一个像这样的字符元组:
('a', 'b', 'c', 'd', 'g', 'x', 'r', 'e')
如何将其转换为字符串,使其类似于:
'abcdgxre'
使用str.join
:
>>> tup = ('a', 'b', 'c', 'd', 'g', 'x', 'r', 'e')
>>> ''.join(tup)
'abcdgxre'
>>>
>>> help(str.join)
Help on method_descriptor:
join(...)
S.join(iterable) -> str
Return a string which is the concatenation of the strings in the
iterable. The separator between elements is S.
>>>
这是使用连接的简单方法。
''.join(('a', 'b', 'c', 'd', 'g', 'x', 'r', 'e'))
这有效:
''.join(('a', 'b', 'c', 'd', 'g', 'x', 'r', 'e'))
它将产生:
'abcdgxre'
您还可以使用逗号等分隔符来生成:
'a,b,c,d,g,x,r,e'
通过使用:
','.join(('a', 'b', 'c', 'd', 'g', 'x', 'r', 'e'))
最简单的方法是像这样使用 join :
>>> myTuple = ['h','e','l','l','o']
>>> ''.join(myTuple)
'hello'
这是有效的,因为您的分隔符基本上什么都没有,甚至没有空格:''。