Python add item to the tuple
I have some object.ID-s which I try to store in the user session as tuple. When I add first one it works but tuple looks like (u'2',)
but when I try to add new one using mytuple = mytuple + new.id
got error can only concatenate tuple (not "unicode") to tuple
.
Solution 1:
You need to make the second element a 1-tuple, eg:
a = ('2',)
b = 'z'
new = a + (b,)
Solution 2:
Since Python 3.5 (PEP 448) you can do unpacking within a tuple, list set, and dict:
a = ('2',)
b = 'z'
new = (*a, b)
Solution 3:
From tuple to list to tuple :
a = ('2',)
b = 'b'
l = list(a)
l.append(b)
tuple(l)
Or with a longer list of items to append
a = ('2',)
items = ['o', 'k', 'd', 'o']
l = list(a)
for x in items:
l.append(x)
print tuple(l)
gives you
>>>
('2', 'o', 'k', 'd', 'o')
The point here is: List is a mutable sequence type. So you can change a given list by adding or removing elements. Tuple is an immutable sequence type. You can't change a tuple. So you have to create a new one.
Solution 4:
Tuple can only allow adding tuple
to it. The best way to do it is:
mytuple =(u'2',)
mytuple +=(new.id,)
I tried the same scenario with the below data it all seems to be working fine.
>>> mytuple = (u'2',)
>>> mytuple += ('example text',)
>>> print mytuple
(u'2','example text')