Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How can I remove multiple characters in a list?

Having such list:

x = ['+5556', '-1539', '-99','+1500']

How can I remove + and - in nice way?

This works but I'm looking for more pythonic way.

x = ['+5556', '-1539', '-99', '+1500']
n = 0
for i in x:
    x[n] = i.replace('-','')
    n += 1
n = 0
for i in x:
    x[n] = i.replace('+','')
    n += 1
print x

Edit

+ and - are not always in leading position; they can be anywhere.

like image 758
user1768615 Avatar asked Jan 08 '13 12:01

user1768615


2 Answers

Use string.translate(), or for Python 3.x str.translate:

Python 2.x:

>>> import string
>>> identity = string.maketrans("", "")
>>> "+5+3-2".translate(identity, "+-")
'532'
>>> x = ['+5556', '-1539', '-99', '+1500']
>>> x = [s.translate(identity, "+-") for s in x]
>>> x
['5556', '1539', '99', '1500']

Python 2.x unicode:

>>> u"+5+3-2".translate({ord(c): None for c in '+-'})
u'532'

Python 3.x version:

>>> no_plus_minus = str.maketrans("", "", "+-")
>>> "+5-3-2".translate(no_plus_minus)
'532'
>>> x = ['+5556', '-1539', '-99', '+1500']
>>> x = [s.translate(no_plus_minus) for s in x]
>>> x
['5556', '1539', '99', '1500']
like image 174
Duncan Avatar answered Oct 11 '22 14:10

Duncan


Use str.strip() or preferably str.lstrip():

In [1]: x = ['+5556', '-1539', '-99','+1500']

using list comprehension:

In [3]: [y.strip('+-') for y in x]
Out[3]: ['5556', '1539', '99', '1500']

using map():

In [2]: map(lambda x:x.strip('+-'),x)
Out[2]: ['5556', '1539', '99', '1500']

Edit:

Use the str.translate() based solution by @Duncan if you've + and - in between the numbers as well.

like image 38
Ashwini Chaudhary Avatar answered Oct 11 '22 13:10

Ashwini Chaudhary