Technic -1 : Using strip():
>>> a=['="1111"', '="2222"', '="3333"', '="4444"']
>>> b=[b.strip('=').strip('"') for b in a]
>>> b
['1111', '2222', '3333', '4444']
Technic -2 : Using replace() :
>>> a=['="1111"', '="2222"', '="3333"', '="4444"']
>>> b=[b.replace("=","").replace('"',"") for b in a]
>>> b
['1111', '2222', '3333', '4444']
Above both Technics are suitable for simple and small list. If we follow the same approach for the list containing 1000 elements, it will iterate over 1000 elements. So for avoiding, you can follow Technic - 3:
>>> a=['="1111"', '="2222"', '="3333"', '="4444"']
>>> b = ','.join(a).replace("'","").replace('"',"").replace("=","").split(",")
>>> b
['1111', '2222', '3333', '4444']
or
>>> import re
>>> mystring = ','.join(a)
>>> re.sub('[^A-Za-z0-9,]+','',mystring).split(",")
['1111', '2222', '3333', '4444']