I do have dictionary, with each value as a list.
I want to write individual items to separate JSON files. For example
JavaScript
x
2
1
data_to_write = {"Names":["name1", "name2", "name3"], "email":["mail1", "mail2", "mail3"]}
2
Now I want 3 jsons i.e data1.jsob, data2.json, data3.json
in the following(approx) format.
data1.json
JavaScript
1
5
1
{
2
Name: name1,
3
email: mail1
4
}
5
data2.json
JavaScript
1
5
1
{
2
Name: name2,
3
email: mail2
4
}
5
and so on.
My current approach is
JavaScript
1
9
1
for file_no in range(no_of_files):
2
for count, (key, info_list) in enumerate(data_to_write.items()):
3
for info in info_list:
4
with open(
5
os.path.join(self.path_to_output_dir, str(file_no)) + ".json",
6
"a",
7
) as resume:
8
json.dump({key: info}, resume)
9
But this is wrong. Any helps appreciated.
Advertisement
Answer
You could use pandas to do the work for you. Read the dictionary into a dataframe, then iterate the rows of the dataframe to produce the json for each row:
JavaScript
1
9
1
import pandas as pd
2
3
data_to_write = {"Names":["name1", "name2", "name3"], "email":["mail1", "mail2", "mail3"]}
4
df = pd.DataFrame(data_to_write).rename(columns={'Names':'Name'})
5
for i in range(len(df)):
6
jstr = df.iloc[i].to_json()
7
with open(f"data{i+1}.json", "w") as f:
8
f.write(jstr)
9
Output (each line is in a separate file):
JavaScript
1
4
1
{"Name":"name1","email":"mail1"}
2
{"Name":"name2","email":"mail2"}
3
{"Name":"name3","email":"mail3"}
4