답변:
이 zip
기능은 여기에 유용하며 목록 이해와 함께 사용됩니다.
[x + y for x, y in zip(first, second)]
두 개의 목록 대신 목록 목록이있는 경우 :
lists_of_lists = [[1, 2, 3], [4, 5, 6]]
[sum(x) for x in zip(*lists_of_lists)]
# -> [5, 7, 9]
first
길이가 10이고 second
길이가 6이면 이터 러블의 압축 결과는 길이 6이됩니다.
>>> lists_of_lists = [[1, 2, 3], [4, 5, 6]]
>>> [sum(x) for x in zip(*lists_of_lists)]
[5, 7, 9]
numpy의 기본 동작은 componentwise입니다.
import numpy as np
np.add(first, second)
어떤 출력
array([7,9,11,13,15])
이것은 여러 목록으로 확장됩니다.
[sum(sublist) for sublist in itertools.izip(*myListOfLists)]
귀하의 경우에는, myListOfLists
것[first, second]
izip.from_iterable
합니까?
chain
. 업데이트
다음 코드를 시도하십시오.
first = [1, 2, 3, 4]
second = [2, 3, 4, 5]
third = map(sum, zip(first, second))
map(sum, zip(first, second, third, fourth, ...))
가장 쉬운 방법과 빠른 방법은 다음과 같습니다.
three = [sum(i) for i in zip(first,second)] # [7,9,11,13,15]
또는 numpy sum을 사용할 수 있습니다.
from numpy import sum
three = sum([first,second], axis=0) # array([7,9,11,13,15])
first = [1, 2, 3, 4, 5]
second = [6, 7, 8, 9, 10]
three = map(lambda x,y: x+y,first,second)
print three
Output
[7, 9, 11, 13, 15]
내 답변은 3 월 17 일 9:25에 Thiru의 답변으로 반복됩니다.
더 간단하고 빠릅니다. 여기에 그의 해결책이 있습니다.
가장 쉬운 방법과 빠른 방법은 다음과 같습니다.
three = [sum(i) for i in zip(first,second)] # [7,9,11,13,15]
또는 numpy sum을 사용할 수 있습니다.
from numpy import sum three = sum([first,second], axis=0) # array([7,9,11,13,15])
당신은 numpy가 필요합니다!
numpy 배열은 벡터와 같은 일부 작업을 수행 할 수 있습니다import numpy as np
a = [1,2,3,4,5]
b = [6,7,8,9,10]
c = list(np.array(a) + np.array(b))
print c
# [7, 9, 11, 13, 15]
길이가 같은 알 수없는 목록이있는 경우 아래 기능을 사용할 수 있습니다.
여기서 * args는 가변 개수의 목록 인수를 허용하지만 각 요소에서 동일한 수의 요소 만 합산합니다. *는 각 목록에서 요소의 압축을 풀기 위해 다시 사용됩니다.
def sum_lists(*args):
return list(map(sum, zip(*args)))
a = [1,2,3]
b = [1,2,3]
sum_lists(a,b)
산출:
[2, 4, 6]
또는 3 개의 목록으로
sum_lists([5,5,5,5,5], [10,10,10,10,10], [4,4,4,4,4])
산출:
[19, 19, 19, 19, 19]
다른 방법이 있습니다. 파이썬의 내부 __add__ 함수를 사용합니다 :
class SumList(object):
def __init__(self, this_list):
self.mylist = this_list
def __add__(self, other):
new_list = []
zipped_list = zip(self.mylist, other.mylist)
for item in zipped_list:
new_list.append(item[0] + item[1])
return SumList(new_list)
def __repr__(self):
return str(self.mylist)
list1 = SumList([1,2,3,4,5])
list2 = SumList([10,20,30,40,50])
sum_list1_list2 = list1 + list2
print(sum_list1_list2)
산출
[11, 22, 33, 44, 55]
목록에 나머지 값을 추가하려면 이것을 사용할 수 있습니다 (Python3.5에서 작동 함)
def addVectors(v1, v2):
sum = [x + y for x, y in zip(v1, v2)]
if not len(v1) >= len(v2):
sum += v2[len(v1):]
else:
sum += v1[len(v2):]
return sum
#for testing
if __name__=='__main__':
a = [1, 2]
b = [1, 2, 3, 4]
print(a)
print(b)
print(addVectors(a,b))
first = [1,2,3,4,5]
second = [6,7,8,9,10]
#one way
third = [x + y for x, y in zip(first, second)]
print("third" , third)
#otherway
fourth = []
for i,j in zip(first,second):
global fourth
fourth.append(i + j)
print("fourth" , fourth )
#third [7, 9, 11, 13, 15]
#fourth [7, 9, 11, 13, 15]
j = min(len(l1), len(l2))
l3 = [l1[i]+l2[i] for i in range(j)]