I have that list of dictionaries in several rows that I need to loop over to create new DataFrame. I have tried the following loop:
JavaScript
x
4
1
for key, value in s.items():
2
3
print(key + " : " + str(value))
4
but getting the following error: unsupported operand type(s) for +: ‘int’ and ‘str’
The type of my s: pandas.core.series.Series
Convert string-encoded list into new dataframe
s:
JavaScript
1
7
1
0 [{'cast_id': 14, 'character': 'Woody (voice)',
2
1 [{'cast_id': 14, 'character': 'Woody (voice)',
3
2 [{'cast_id': 14, 'character': 'Woody (voice)',
4
45474 [{'cast_id': 14, 'character': 'Woody (voice)',
5
45475 [{'cast_id': 14, 'character': 'Woody (voice)',
6
Name: cast, Length: 45476, dtype: object
7
Advertisement
Answer
After reading the related post and your comment, I assume that you have a pandas Series (of a column from a DataFrame which is the same) containing string representations of lists of dicts.
Conceptualy what should be done will use the following conversions:
- string -> list of dicts: I would use
ast.literal_eval
- list(s) of dicts -> DataFrame(s) -> a DataFrame can directly be created from a list of dicts.
So you could build a list of DataFrames, one per row of your Series that way:
JavaScript
1
2
1
dfs = [pd.DataFrame(ast.literal_eval(d)) for d in s]
2
you could even concatenate all of them in one single dataframe:
JavaScript
1
2
1
df = pd.concat(dfs, ignore_index=True)
2
or directly build the full dataframe with:
JavaScript
1
2
1
df = pd.DataFrame([d for elt in s for d in ast.literal_eval(elt)])
2