Python将项添加到元组

时间:2013-05-24 08:04:33

标签: python python-2.7 tuples

我有一些object.ID-s,我尝试将其作为元组存储在用户会话中。当我添加第一个时它可以工作,但是元组看起来像(u'2',)但是当我尝试使用mytuple = mytuple + new.id添加新的时,得到了错误can only concatenate tuple (not "unicode") to tuple

7 个答案:

答案 0 :(得分:236)

您需要将第二个元素设为1元组,例如:

a = ('2',)
b = 'z'
new = a + (b,)

答案 1 :(得分:32)

从Python 3.5(PEP 448)开始,您可以在元组,列表集和字典中解压缩:

a = ('2',)
b = 'z'
new = (*a, b)

答案 2 :(得分:28)

从元组到列表再到元组:

a = ('2',)
b = 'b'

l = list(a)
l.append(b)

tuple(l)

或者附加较长的待追加项目列表

a = ('2',)
items = ['o', 'k', 'd', 'o']

l = list(a)

for x in items:
    l.append(x)

print tuple(l)

给你

>>> 
('2', 'o', 'k', 'd', 'o')

这里的要点是:List是可变序列类型。因此,您可以通过添加或删除元素来更改给定列表。元组是不可变序列类型。你不能改变一个元组。因此,您必须创建

答案 3 :(得分:12)

元组只能允许添加tuple。最好的方法是:

mytuple =(u'2',)
mytuple +=(new.id,)

我尝试使用以下数据的相同方案,它似乎都运行良好。

>>> mytuple = (u'2',)
>>> mytuple += ('example text',)
>>> print mytuple
(u'2','example text')

答案 4 :(得分:10)

>>> x = (u'2',)
>>> x += u"random string"

Traceback (most recent call last):
  File "<pyshell#11>", line 1, in <module>
    x += u"random string"
TypeError: can only concatenate tuple (not "unicode") to tuple
>>> x += (u"random string", )  # concatenate a one-tuple instead
>>> x
(u'2', u'random string')

答案 5 :(得分:1)

最底线,最简单的附加到元组的方法是用括号和逗号将要添加的元素括起来。

t = ('a', 4, 'string')
t = t + (5.0,)
print(t)

out: ('a', 4, 'string', 5.0)

答案 6 :(得分:0)

#1表格

a = ('x', 'y')
b = a + ('z',)
print(b)

#2表格

a = ('x', 'y')
b = a + tuple('b')
print(b)