re.findall(r"[0-9]{2,3}", "some 1 text 12 is 945 here 4445588899")
# Out: ['12', '945', '444', '558', '889']
Note that the r
before "[0-9]{2,3}"
tells python to interpret the string as-is; as a "raw" string.
You could also use re.finditer()
which works in the same way as re.findall()
but returns an iterator with SRE_Match
objects instead of a list of strings:
results = re.finditer(r"([0-9]{2,3})", "some 1 text 12 is 945 here 4445588899")
print(results)
# Out: <callable-iterator object at 0x105245890>
for result in results:
print(result.group(0))
''' Out:
12
945
444
558
889
'''