如何合并具有相同键名的两个词典

2024-04-19 00:16:04 发布

您现在位置:Python中文网/ 问答频道 /正文

我是Python新手,正在尝试编写一个函数来合并Python中的两个dictionary对象。 例如

dict1 = {'a':[1], 'b':[2]}
dict2 = {'b':[3], 'c':[4]}

我需要出一本新的合并词典

^{pr2}$

函数还应接受参数“conflict”(设置为True或False)。当conflict设置为False时,上面就可以了。当conflict设置为True时,代码将像这样合并字典:

dict3 = {'a':[1], 'b_1':[2], 'b_2':[3], 'c':[4]}

我正试着把这两本词典加起来,但不知道怎么做才对。在

for key in dict1.keys():
    if dict2.has_key(key):
        dict2[key].append(dict1[key])

Tags: 对象key函数代码falsetrue参数dictionary
2条回答

如果您希望合并的副本不更改原始dict并监视名称冲突,则可以尝试以下解决方案:

#! /usr/bin/env python3
import copy
import itertools


def main():
    dict_a = dict(a=[1], b=[2])
    dict_b = dict(b=[3], c=[4])
    complete_merge = merge_dicts(dict_a, dict_b, True)
    print(complete_merge)
    resolved_merge = merge_dicts(dict_a, dict_b, False)
    print(resolved_merge)


def merge_dicts(a, b, complete):
    new_dict = copy.deepcopy(a)
    if complete:
        for key, value in b.items():
            new_dict.setdefault(key, []).extend(value)
    else:
        for key, value in b.items():
            if key in new_dict:
                # rename first key
                counter = itertools.count(1)
                while True:
                    new_key = f'{key}_{next(counter)}'
                    if new_key not in new_dict:
                        new_dict[new_key] = new_dict.pop(key)
                        break
                # create second key
                while True:
                    new_key = f'{key}_{next(counter)}'
                    if new_key not in new_dict:
                        new_dict[new_key] = value
                        break
            else:
                new_dict[key] = value
    return new_dict


if __name__ == '__main__':
    main()

程序将显示两个合并词典的以下表示形式:

^{pr2}$

我想你想要这个:

dict1 = {'a':[1], 'b':[2]}
dict2 = {'b':[3], 'c':[4]}

def mergeArray(conflict):
    for key in dict1.keys():
        if dict2.has_key(key):
            if conflict==False:
                dict2[key].extend(dict1[key])
            else:
                dict2[key+'_1'] = dict1[key]
                dict2[key+'_2'] = dict2.pop(key)
        else:
            dict2[key] = dict1[key]

mergeArray(True);
print dict2

相关问题 更多 >