我有一个JSON文件,我想从中提取一些数据并导出到CSV。我有两个循环来获取我想要的数据,但似乎没有什么工作可以将它导出到CSV文件,请帮助,我是一个菜鸟!
这是我的代码:
import csv
import json
from pandas.io.json import json_normalize
json_data = open('FuelCheckerV1.txt')
fueldata = json.load(json_data)
with open('out.csv') as csvfile:
csv = csv.writer(
csvfile,
delimiter=',',
quotechar='"',
quoting=csv.QUOTE_MINIMAL
)
csv.writerow(['code', 'name', 'address', 'stationcode', 'fueltype', 'price', 'lastupdated'])
for i in fueldata['stations']:
csv.writerow(i['code'], i['name'], i['address'])
for x in fueldata['prices']:
csv.writerow(x['stationcode'], x['fueltype'], x['price'], x['lastupdated'])
这些for循环可以让我得到我想要的东西:
for i in fueldata['stations']:
print (i['code'], i['name'], i['address'])
for x in fueldata['prices']:
print (x['stationcode'], x['fueltype'], x['price'], x['lastupdated'])
答案 0 :(得分:1)
假设上面的for循环按预期工作,您可以尝试创建记录列表,使用pandas from_records
方法创建数据框,然后使用数据框to_csv
方法。例如:
import pandas as pd
import json
fueldata = json.load(open('FuelCheckerV1.txt'))
list_of_records = [
(i['code'],
i['name'],
i['address'],
x['stationcode'],
x['fueltype'],
x['price'],
x['lastupdated']
)
for i, x in zip(fueldata['stations'], fueldata['prices'])
]
df = pd.DataFrame.from_records(
list_of_records,
columns = ['code', 'name', 'address', 'stationcode', 'fueltype',
'price', 'lastupdated']
)
df.to_csv('filename.csv')
可能有更多直接的方法从json创建数据帧,但这应该只知道你的例子中的for循环。