I’m creating a defaultdict
from an array of arrays:
JavaScript
x
5
1
>>> array = [['Aaron','1','2'],['Ben','3','4']]
2
>>> d = defaultdict(list)
3
>>> for i in array:
4
d[i[0]].append({"num1":i[1],"num2":i[2]})
5
My expected outcome is:
JavaScript
1
4
1
>>> d
2
defaultdict(<type 'list'>, {'Aaron': {'num1': '1', 'num2': '2'},
3
'Ben': {'num1': '3', 'num2': '4'}})
4
But my outcome is:
JavaScript
1
4
1
>>> d
2
defaultdict(<type 'list'>, {'Aaron': [{'num1': '1', 'num2': '2'}],
3
'Ben': [{'num1': '3', 'num2': '4'}]})
4
It is as if defaultdict
is trying to keep my values in an array because that is the source list!
Anyone know what’s going on here and how I can get my expected outcome?
Advertisement
Answer
When you call this:
JavaScript
1
2
1
d = defaultdict(list)
2
It means that if you attempt to access d['someKey']
and it does not exist, d['someKey']
is initialized by calling list()
with no arguments. So you end up with an empty list, which you then append your dictionary to. You probably want this instead:
JavaScript
1
2
1
d = defaultdict(dict)
2
and then this:
JavaScript
1
3
1
for a, b, c in array:
2
d[a].update({"num1": b, "num2": c})
3