How do I find the index of the numbers 0-9 in a string?
JavaScript
x
3
1
MyString = "Are all the black cats really black 045. I don't think so 098."
2
MyString.find([0-9])
3
TypeError: must be str, not list
How do I get around this and replicate what essentially is a PATINDEX in SQL server?. The following answer gives me a perspective of searching using regex but I am still unable to insert lists.
Advertisement
Answer
You can use a list comprehension to find the numbers:
JavaScript
1
3
1
>>> [MyString.find(str(i)) for i in range(10)]
2
[36, -1, -1, -1, 37, 38, -1, -1, 60, 59]
3
If you want the smallest number, you can use min
:
JavaScript
1
3
1
>>> min([j for j in [MyString.find(str(i)) for i in range(10)] if j != -1])
2
36
3
Or you can use re.search
for use with a regex pattern:
JavaScript
1
4
1
>>> import re
2
>>> re.search("[0-9]", MyString).start()
3
36
4
Remember to wrap the regex pattern in double quotes, otherwise it would be interpreted as a list of 0-9 (zero minus nine), which is -9.