我有一个看起来像这样的csv:
Name;Category;Address
McFood;Fast Food;Street 1
BurgerEmperor;Fast Food;Way 1
BlueFrenchHorn;French;Street 12
PetesPizza;Italian;whatever
SubZero;Fast Food;Highway 6
我想创建一个字典,其中类别为键和字典列表,其余数据为值。所以看起来应该是这样的:
{'Fast Food' : [{'Name': 'McFood', 'Address': 'Street 1'},
{'Name': 'BurgerEmperor', 'Address': 'Way 1'}],
...],
'French' : [{'Name': 'BlueFrenchHorn', 'Address': 'Street12'}],
...}
(此处有缩进以提高可读性)。
我尝试过以下代码片段,但我从那里得不到任何地方:
import csv
mydict={}
with open ('food.csv', 'r') as csvfile:
#sniff to find the format
fileDialect = csv.Sniffer().sniff(csvfile.read(1024))
csvfile.seek(0)
#read the CSV file into a dictionary
dictReader = csv.DictReader(csvfile, dialect=fileDialect)
for row in dictReader:
mycategory= row["Category"]
del row("Category")
mydict[mycategory]=row
答案 0 :(得分:4)
import csv
from collections import defaultdict
mydict = defaultdict(list) # <---
with open ('food.csv', 'r') as csvfile:
fileDialect = csv.Sniffer().sniff(csvfile.read(1024))
csvfile.seek(0)
dictReader = csv.DictReader(csvfile, dialect=fileDialect)
for row in dictReader:
mycategory= row.pop("Category")
mydict[mycategory].append(row) # Will put a list for not-existing key
mydict = dict(mydict) # Convert back to a normal dictionary (optional)