I have a dataframe with the following structure:
JavaScript
x
13
13
1
[
2
{
3
"key1":"value1",
4
"key2":"2",
5
"key3":["a","b2","keep this exemple from work_text_reviews_count of 450"],
6
},
7
{
8
"key1":"value1",
9
"key2":"2",
10
"key3":[],
11
}
12
]
13
How can i Remove string from predefined string with pandas without changing the structure.
the predefined string = “from work_text_reviews_count of”
the text that i want to remove “from work_text_reviews_count of 450”
The expected output:
JavaScript
1
13
13
1
[
2
{
3
"key1":"value1",
4
"key2":"2",
5
"key3":["a","b2","keep this exemple"],
6
},
7
{
8
"key1":"value1",
9
"key2":"2",
10
"key3":[],
11
}
12
]
13
Advertisement
Answer
You don’t have much choice here but to loop.
updated question:
JavaScript
1
3
1
pat = " from work_text_reviews_count of"
2
df['key3'] = [[x.split(pat)[0] for x in l] for l in df['key3']]
3
output:
JavaScript
1
4
1
key1 key2 key3
2
0 value1 2 [a, b2, keep this exemple]
3
1 value1 2 []
4
older example
To update the data in place:
JavaScript
1
5
1
for l in df['details']:
2
for d in l:
3
if "average_rating" in d:
4
d["average_rating"] = d["average_rating"].split()[0]
5
output:
JavaScript
1
4
1
name details
2
0 Book1 [{'id': 30278752, 'isbn': ' 1594634025', 'average_rating': '3.92'}]
3
1 Book2 [{'id': 34006942, 'isbn': ' 1501173219', 'average_rating': '4.33'}]
4