我正在尝试通过键向嵌套字典添加另一个值,我有以下代码,但它无法正常工作
Content is a file with:
a,b,c,d
a,b,c,d
a,b,c,d
dict = {}
for line in content:
values = line.split(",")
a = str.strip(values[0])
b = str.strip(values[1])
c = str.strip(values[2])
d = str.strip(values[3])
if a not in dict:
dict.update({a: {'Value1': b, 'Value2': c, 'Value3': d}},)
else:
dict[a]['Value1'].update(b)
我希望它看起来像:
a {'Value1': 'b,b,b', 'Value2': 'c', 'Value3': 'd'}
我做错了什么?
答案 0 :(得分:1)
dictionary = {}
for line in content:
values = line.split(",")
a = str.strip(values[0])
b = str.strip(values[1])
c = str.strip(values[2])
d = str.strip(values[3])
if a not in dictionary.keys():
dictionary = {a: {'Value1': b, 'Value2': c, 'Value3': d}} # creates dictionary
else:
dictionary[a]['Value1'] += ','+b # accesses desired value and updates it with ",b"
print(dictionary)
#Output: {'a': {'Value1': 'b,b,b', 'Value2': 'c', 'Value3': 'd'}}
这应该是你的伎俩。你必须添加','在else语句中,因为您在使用split(',')
答案 1 :(得分:0)
你对update
的理解并不是很了解;它是replacement,而不是追加。试试这个,而不是:
if a not in dict:
dict.update({a: {'Value1': b, 'Value2': c, 'Value3': d}},)
else:
dict[a]['Value1'] += ',' + b
输出:
a {'Value3': 'd', 'Value2': 'c', 'Value1': 'b,b,b'}
如果您想保留Value
子字段的顺序,请使用OrderedDict
。