I have a Pandas dataframe like this:
JavaScript
x
9
1
Country Ranking
2
0 Greece[e] 100
3
1 China[e] 200
4
2 Singapore 300
5
3 Australia[e] 400
6
4 Zambia 500
7
5 France 600
8
6 Canada[e] 700
9
I like to remove any ‘[e]’ under ‘Country’ column of the DF, to have this:
JavaScript
1
9
1
Country Ranking
2
0 Greece 100
3
1 China 200
4
2 Singapore 300
5
3 Australia 400
6
4 Zambia 500
7
5 France 600
8
6 Canada 700
9
When I use:
JavaScript
1
2
1
df.Country = df.Country.str.strip('[e]')
2
I get the ‘[e]’ is removed including the last ‘e’ of country’s name (e.g. Singapore, Greece, France).
JavaScript
1
9
1
Country Ranking
2
0 Greec 100
3
1 China 200
4
2 Singapor 300
5
3 Australia 400
6
4 Zambia 500
7
5 Franc 600
8
6 Canada 700
9
Advertisement
Answer
.str.replace()
:
JavaScript
1
3
1
df["Country"] = df["Country"].str.replace(r"[e]$", "")
2
print(df)
3
Prints:
JavaScript
1
9
1
Country Ranking
2
0 Greece 100
3
1 China 200
4
2 Singapore 300
5
3 Australia 400
6
4 Zambia 500
7
5 France 600
8
6 Canada 700
9