在Python中,如何将可变数量的字典组合成一个字典?

在Python中,如何将可变数量的字典组合成一个字典?,python,dictionary,Python,Dictionary,我正在尝试创建一个结合其他词典的词典。但这些词典的数量是可变的。对于固定数量的字典,我算出了代码: x = {"Age": 20} y = {"Age": 30} z = {"Age": 40} output = dict(rule1 = x,rule2 = y, rule3 = z) 在上述示例中,使用固定数量的字典(即3)创建新字典(输出)。 现在我有很多字典,如何组合这些 dict_1 = {"Age": 1

我正在尝试创建一个结合其他词典的词典。但这些词典的数量是可变的。对于固定数量的字典,我算出了代码:

x = {"Age": 20}
y = {"Age": 30}
z = {"Age": 40}
output = dict(rule1 = x,rule2 = y, rule3 = z)
在上述示例中,使用固定数量的字典(即3)创建新字典(输出)。 现在我有很多字典,如何组合这些

dict_1 = {"Age": 123}
dict_2 = {"Age": 45}
'
'
'
'
'
dict_n = {"Age": 56}
final_output = dict(dict_1, dict_2,......dict_n)

据我所知,没有直接的方法。我建议使用
locals()
检索本地可用变量及其数据的字典。您可以重复此操作并选择要使用的变量(例如,变量中只有一个字母)

您可以尝试创建一个字典,然后在获取数据时将每个字典添加到其中,而不是创建n个字典,然后尝试将它们组合成一个字典

针对您的情况:

class DictOfDict():
    def __init__(self):
        self.dict = {}
    def add_entry(self, rule_name, input_dict):
        self.dict[rule_name] = input_dict

    def get_entry(self, rule_name):
        try:
            return self.dict[rule_name]
        except KeyError:
            print("invalid rule name")
            return None

然后,您可以将其用作:

rule_dict = DictOfDict()
rule_dict.add_entry('rule_x', {"Age": 20})
rule_dict.add_entry('rule_y', {"Age": 30})
rule_dict.add_entry('rule_z', {"Age": 40})
您可以按以下方式访问条目:

rule = rule_dict.get_entry('rule_z') # == {"Age:40"}

我建议您使用字典列表,而不是分散的变量,因为它们非常不适合此类操作

这就是如何使用给定的DICT数组(列表)轻松完成所需的内容

dictionary = {}

# Let's imagine the variable d as a list of dictionaries
d = [{"Example": "A"}, {"Example": "B"}, {"Example": "C"}]


for i, b in enumerate(d):
    dictionary[f"dict_{i}"] = b

print(dictionary)  # {'dict_0': {'Example': 'A'}, 'dict_1': {'Example': 'B'}, 'dict_2': {'Example': 'C'}}

您可以运行一个循环,直到程序中的字典数达到最大,然后使用update()方法。乙二醇-

def Merge(dictionaries):
    dictionary = {}
    for dict in dictionaries:
        dictionary.update(dict)
    return dictionary 
    
dict1 = {'a': 10, 'b': 8} 
dict2 = {'d': 6, 'c': 4} 
dictionaries = []
dictionaries.append(dict1)
dictionaries.append(dict2)
print(Merge(dictionaries))

当您收到作为年龄值的条目时,您可以将年龄循环到一个只代表年龄的dict,并在每个年龄将其放入其他dict-wich索引中

age = int(input())
#age dict
xyz = dict()

#future index
i = 0

output = dict()
while age != 0:
    xyz['Age'] = age
    #output index return a dict with key 'Age' and Age value
    output[i] = {'Age':xyz['Age']}
    i += 1
    age = int(input())

print(output)
通过输入20 30 40 0,它输出:

{0: {'Age': 20}, 1: {'Age': 30}, 2: {'Age': 40}}

你有什么,一个变量是字典列表?或者一组局部变量,每个指向dicts?@wim一组变量,每个指向不同的字典。这是一个很好的示例: