我有一个嵌套的字典
nested_dictionary = {
"a": { "1": 1, "2": 2, "3": 3 },
"b": { "4": 4, "5": 5, "6": {"x": 10, "xi": 11, "xii": 13}}
}
我想知道是否有任何方法可以更新嵌套值
中的值path = ["b", "6", "xii"]
value = 12
以便将嵌套字典更新为
updated_nested_dictionary = {
"a": { "1": 1, "2": 2, "3": 3 },
"b": { "4": 4, "5": 5, "6": {"x": 10, "xi": 11, "xii": 12}}
}
谢谢。
您可以编写一个update
函数来递归地查找值并为您更新它:
def update(path=["b", "6", "xii"], value=12, dictionary=nested_dictionary):
"""
Update a value in a nested dictionary.
"""
if len(path) == 1:
dictionary[path[0]] = value
else:
update(path[1:], value, dictionary[path[0]])
return dictionary
这可以递归地完成,也可以像这里一样迭代地完成:
nested_dictionary = {
"a": {"1": 1, "2": 2, "3": 3},
"b": {"4": 4, "5": 5, "6": {"x": 10,
"xi": 11,
"xii": 13
}
}
}
def update_dict(d, path, value):
for p in path[:-1]:
if (d := d.get(p)) is None:
break
else:
d[path[-1]] = value
update_dict(nested_dictionary, ['b', '6', 'xii'], 12)
print(nested_dictionary)