我有一个Python元组t
,有5个条目。 t[2]
是int
。如何创建具有相同内容的另一个元组,但t[2]
递增?
有没有比以下更好的方式:
t2 = (t[0], t[1], t[2] + 1, t[3], t[4]) ?
答案 0 :(得分:5)
我倾向于使用namedtuple
,而是使用_replace
method:
>>> from collections import namedtuple
>>> Test = namedtuple('Test', 'foo bar baz')
>>> t1 = Test(1, 2, 3)
>>> t1
Test(foo=1, bar=2, baz=3)
>>> t2 = t1._replace(bar=t1.bar+1)
>>> t2
Test(foo=1, bar=3, baz=3)
这也为元组中的各个元素赋予了语义含义,即您引用bar
而不仅仅是1
元素。
答案 1 :(得分:3)
如果您有大元组并且只想在某些索引处递增而无需手动编制索引:
tuple(e + 1 if i == 2 else e for i, e in enumerate(t))
如Jon所说,如果您有多个索引,则可以使用一组要增加的索引:
tuple(e + 1 if i in {1,3} else e for i, e in enumerate(t))
答案 2 :(得分:1)
或者,您可以使用numpy并构建要增加的值列表,然后将它们一起添加,例如:
In [6]: import numpy as np
# your tuple
In [7]: t1 = (1, 2, 3, 4, 5)
# your list of values you want to increment
# this acts as a mask for mapping your values
In [8]: n = [0, 0, 1, 0, 0]
# add them together and numpy will only increment the respective position value
In [9]: np.array(t1) + n
Out[9]: array([1, 2, 4, 4, 5])
# convert back to tuple
In [10]: tuple(np.array(t1) + n)
Out[11]: (1, 2, 4, 4, 5)
答案 3 :(得分:0)
使用元组切片来构建新元组:
1960-01-01