Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Remove prefix from python list objects and single quotes

Here is my list:

[Volume:vol-b81a2cb0, Volume:vol-ab2b1ba3, Volume:vol-fc2c1cf4]

I want it to look like this:

['vol-b81a2cb0', 'vol-ab2b1ba3', 'vol-fc2c1cf4']

So the following should be done:

  1. The Volume: prefix must be removed from the list elements.
  2. The new elements must be enclosed in single quotes.
like image 608
stickywicket Avatar asked Oct 15 '25 18:10

stickywicket


2 Answers

try:

strList = map( str, objList)
strList = map( lambda x: x.replace( 'Volume:', ''), strList)
like image 84
Marek Avatar answered Oct 18 '25 12:10

Marek


You could reduce @Marek code to one line:

strList = list(map(lambda x: str(x).replace('Volume:', ''), strList))

or just use list comprehension:

new_list = [str(i).replace( 'Volume:', '') for i in your_list]

Since Python 3.9 you can use removeprefix() function what will simplify your code even more:

new_list = [str(i).removeprefix('Volume:') for i in your_list]

More info about removeprefix(): PEP 616

like image 44
maciejwww Avatar answered Oct 18 '25 10:10

maciejwww