답변:
import operator
tuple(map(operator.add, a, b))
map(operator.add, (1,2), ("3", "4"))
tuple([item1 + item2 for item1, item2 in zip(a, b)])
목록 이해력과 동일합니다.
tuple(item1 + item2 for item1, item2 in zip(a, b))
.
모든 내장 사용 ..
tuple(map(sum, zip(a, b)))
tuple(map(sum,zip(a,b))
tuple(map(sum,zip(a,b, c))
이 솔루션에는 가져 오기가 필요하지 않습니다.
tuple(map(lambda x, y: x + y, tuple1, tuple2))
map(sum, zip(a, b))
) 보다 빠릅니다
처음 두 답변을 결합하여 ironfroggy의 코드를 조정하여 튜플을 반환합니다.
import operator
class stuple(tuple):
def __add__(self, other):
return self.__class__(map(operator.add, self, other))
# obviously leaving out checking lengths
>>> a = stuple([1,2,3])
>>> b = stuple([3,2,1])
>>> a + b
(4, 4, 4)
참고 : self.__class__
대신 사용하여 stuple
하위 클래스를 쉽게 만들 수 있습니다.
from numpy import *
a = array( [1,2,3] )
b = array( [3,2,1] )
print a + b
제공합니다 array([4,4,4])
.
더 간단하고지도를 사용하지 않고도 할 수 있습니다.
>>> tuple(sum(i) for i in zip((1, 2, 3), (3, 2, 1)))
(4, 4, 4)
저는 현재 "tuple"클래스를 하위 클래스로 지정하여 +,-및 *를 오버로드합니다. 나는 그것이 코드를 아름답게 만들고 코드를 더 쉽게 작성한다는 것을 알았습니다.
class tupleN(tuple):
def __add__(self, other):
if len(self) != len(other):
return NotImplemented
else:
return tupleN(x+y for x,y in zip(self,other))
def __sub__(self, other):
if len(self) != len(other):
return NotImplemented
else:
return tupleN(x-y for x,y in zip(self,other))
def __mul__(self, other):
if len(self) != len(other):
return NotImplemented
else:
return tupleN(x*y for x,y in zip(self,other))
t1 = tupleN((1,3,3))
t2 = tupleN((1,3,4))
print(t1 + t2, t1 - t2, t1 * t2, t1 + t1 - t1 - t1)
(2, 6, 7) (0, 0, -1) (1, 9, 12) (0, 0, 0)