合并词典
请考虑以下词典:
>>> fish = {'name': "Nemo", 'hands': "fins", 'special': "gills"}
>>> dog = {'name': "Clifford", 'hands': "paws", 'color': "red"}
Python 3.5+
>>> fishdog = {**fish, **dog}
>>> fishdog
{'hands': 'paws', 'color': 'red', 'name': 'Clifford', 'special': 'gills'}
如此示例所示,重复键映射到其 lattermost 值(例如 Clifford
覆盖 Nemo
)。
Python 3.3+
>>> from collections import ChainMap
>>> dict(ChainMap(fish, dog))
{'hands': 'fins', 'color': 'red', 'special': 'gills', 'name': 'Nemo'}
使用这种技术,最重要的值优先于给定的键而不是最后一个(Clifford
被抛弃而支持 Nemo
)。
Python 2.x,3.x
>>> from itertools import chain
>>> dict(chain(fish.items(), dog.items()))
{'hands': 'paws', 'color': 'red', 'name': 'Clifford', 'special': 'gills'}
这使用 lattermost 值,与基于**
的合并技术一样(Clifford
覆盖 Nemo
)。
>>> fish.update(dog)
>>> fish
{'color': 'red', 'hands': 'paws', 'name': 'Clifford', 'special': 'gills'}
dict.update
使用后一个 dict 来覆盖前一个。