1

如何在不使用该方法的情况下用另一个给定列表扩展给定列表的内容.extend()?我想我可以在字典中使用一些东西。

代码

>>> tags  =['N','O','S','Cl']
>>> itags =[1,2,4,3]

>>> anew =['N','H']
>>> inew =[2,5]

我需要一个返回刷新列表的函数

tags  =['N','O','S','Cl','H'] 
itags =[3,2,4,3,5]

当一个元素已经在列表中时,将添加另一个列表中的数字。如果我使用该extend()方法,该元素N将出现在列表中tags两次:

>>> tags.extend(anew)
>>>itags.extend(inew)
>>> print tags,itags
     ['N','O','S','Cl','N','H'] [1,2,4,3,5,2,5]
4

3 回答 3

4

您可能需要一个计数器

from collections import Counter
tags = Counter({"N":1, "O":2, "S": 4, "Cl":3})
new = Counter({"N": 2, "H": 5})

tags = tags + new
print tags

输出:

Counter({'H': 5, 'S': 4, 'Cl': 3, 'N': 3, 'O': 2})
于 2013-03-15T18:59:12.630 回答
1

如果元素的顺序很重要,我会这样使用collections.Counter

from collections import Counter

tags  = ['N','O','S','Cl']
itags = [1,2,4,3]

new  = ['N','H']
inew = [2,5]

cnt = Counter(dict(zip(tags, itags))) + Counter(dict(zip(new, inew)))
out = tags + [el for el in new if el not in tags]
iout = [cnt[el] for el in out]

print(out)
print(iout)

如果顺序无关紧要,有一种更简单的方法来获取outand iout

out = cnt.keys()
iout = cnt.values()

如果您不必使用一对列表,那么Counter直接使用是解决您的问题的自然之选。

于 2013-03-15T19:00:29.843 回答
0

如果您需要维护订单,您可能需要使用 OrderedDict 而不是 Counter:

from collections import OrderedDict

tags = ['N','O','S','Cl']
itags = [1,2,4,3]

new = ['N','H']
inew = [2,5]

od = OrderedDict(zip(tags, itags))
for x, i in zip(new, inew):
    od[x] = od.setdefault(x, 0) + i

print od.keys()
print od.values()

在 Python 3.x 上,使用list(od.keys())list(od.values()).

于 2013-03-15T19:03:35.853 回答