I want to split a string into a list in python, depending on digit/ not digit. For example,
5 55+6+ 5/
should return
[\'5\',\'
Assuming the +
between 6 and 5 needs to be matched (which you're missing),
>>> import re
>>> s = '5 55+6+ 5/'
>>> re.findall(r'\d+|[^\d\s]+', s)
['5', '55', '+', '6', '+', '5', '/']
Use findall
or finditer
:
>>> re.findall(r'\d+|[^\s\d]+', '5 55+6+ 5/')
['5', '55', '+', '6', '+', '5', '/']
this one is simplest one :)
re.findall('\d+|[^\d]+','134aaaaa')
If order doesn't matter, you could do 2 splits:
re.split('\D+', mystring)
re.split('\d+', mystring)
However, from your input, it looks like it might be mathematical... in which case order would matter. :)
You are best off using re.findall
, as in one of the other answers.