Reputation: 131
I have a list that i would like to convert to dataframe. I have around 30000 lists in a variable called data. how do i convert this into a dataframe with columns properties, product_id,description,ustomer_id and country. I want the element properties to be converted to a dataframe
data[0]
Out[16]:
{'event': 'Product',
'properties': {'invoice_no': '44',
'product_id': '67',
'description': 'cloth',
'customer_id': 55,
'country': 'US'}}
data[1]
Out[17]:
{'event': 'Product',
'properties': {'invoice_no': '55',
'product_id': '66',
'description': 'shoe',
'customer_id': 23,
'country': 'China'}}
Tried this ,
new = pd.DataFrame.from_dict(data)
but it gave only two columns such as 'event' and 'properties'. I want properties to form a dataframe
Upvotes: 2
Views: 3015
Reputation: 1731
You can also do:
from pandas.io.json import json_normalize
import pandas as pd
resultDf = pd.DataFrame()
for dictionary in data:
for key, value in dictionary.items():
if key == 'properties':
df = json_normalize(value)
resultDf = resultDf.append(df)
print(resultDf)
gives:
country customer_id description invoice_no product_id
0 US 55 cloth 44 67
1 China 23 shoe 55 66
Upvotes: 0
Reputation: 96349
Using your small example set:
>>> from pprint import pprint
>>> pprint(data)
[{'event': 'Product',
'properties': {'country': 'US',
'customer_id': 55,
'description': 'cloth',
'invoice_no': '44',
'product_id': '67'}},
{'event': 'Product',
'properties': {'country': 'China',
'customer_id': 23,
'description': 'shoe',
'invoice_no': '55',
'product_id': '66'}}]
You can simply use a generator expression to munge your dict into an appropriate form:
>>> pd.DataFrame(d['properties'] for d in data)
country customer_id description invoice_no product_id
0 US 55 cloth 44 67
1 China 23 shoe 55 66
Upvotes: 2