我有一个非常长的python dict,里面有一些键,里面有更多的dicts,如下所示
{
"dscpTagValue": {"data": 10,
"accuracy": Low Drop"}
"description": "Latency Insensitive"
}
,
{
"dscpTagValue": {"data": 10,
"accuracy": Low Drop"}
"description": "Latency Insensitive"
}
{
"dscpTagValue": {"data": 10,
"accuracy": Low Drop"}
"description": "Latency Insensitive"
}
我该如何将其导出到excel中呢?一些字典中可能有几个字典,而另一些字典中只能有键和值。
发布于 2020-02-05 14:34:57
考虑到数据是一个字典列表,您可以使用csv.DictWriter()
并指定具有最大键的csv的列名。如下所示:
data = [
{
"dscpTagValue": {"data": 10, "accuracy": "Low Drop"},
"description": "Latency Insensitive"
},
.
.
.
]
import csv
len_keys = [len(d.keys()) for d in data] # no. of keys of each dictionary
csv_columns = list(data[np.argmax(len_keys)]) # csv column headers == longest dict (keys)
try:
with open('file.csv', 'w') as f:
writer = csv.DictWriter(f, fieldnames=csv_columns)
writer.writeheader()
for d in data:
writer.writerow(d)
except IOError:
print('IOError')
发布于 2020-02-05 14:51:42
我强烈建议您使用pandas
进行这些数据管理操作。使用字典列表,例如:
l = [{'dscpTagValue': {'data': 10, 'accuracy': 'Low Drop'},
'description': 'Latency Insensitive'},
{'dscpTagValue': {'data': 9, 'accuracy': 'Low Drop'},
'description': 'Latency Insensitive'},
{'dscpTagValue': {'data': 8, 'accuracy': 'Medium Drop'},
'description': 'Latency Sensitive'}]
您可以使用pandas Dataframe的to_excel
将其写入excel:
import pandas as pd
df = pd.DataFrame(l)
print(df.to_string())
# dscpTagValue description
#0 {'data': 10, 'accuracy': 'Low Drop'} Latency Insensitive
#1 {'data': 9, 'accuracy': 'Low Drop'} Latency Insensitive
#2 {'data': 8, 'accuracy': 'Medium Drop'} Latency Sensitive
df.to_excel("my_excel_file.xlsx", sheet_name='my sheet name')
https://stackoverflow.com/questions/60077415
复制