Find the indexes of all regex matches?

PythonRegexIndexing

Python Problem Overview


I'm parsing strings that could have any number of quoted strings inside them (I'm parsing code, and trying to avoid PLY). I want to find out if a substring is quoted, and I have the substrings index. My initial thought was to use re to find all the matches and then figure out the range of indexes they represent.

It seems like I should use re with a regex like \"[^\"]+\"|'[^']+' (I'm avoiding dealing with triple quoted and such strings at the moment). When I use findall() I get a list of the matching strings, which is somewhat nice, but I need indexes.

My substring might be as simple as c, and I need to figure out if this particular c is actually quoted or not.

Python Solutions


Solution 1 - Python

This is what you want: (source)

> re.finditer(pattern, string[, flags]) > > Return an iterator yielding MatchObject instances over all > non-overlapping matches for the RE pattern in string. The string is > scanned left-to-right, and matches are returned in the order found. Empty > matches are included in the result unless they touch the beginning of > another match.

You can then get the start and end positions from the MatchObjects.

e.g.

[(m.start(0), m.end(0)) for m in re.finditer(pattern, string)]

Solution 2 - Python

#To get indice of all occurence

S = input() # Source String 
k = input() # String to be searched
import re
pattern = re.compile(k)
r = pattern.search(S)
if not r: print("(-1, -1)")
while r:
    print("({0}, {1})".format(r.start(), r.end() - 1))
    r = pattern.search(S,r.start() + 1)

Solution 3 - Python

This should solve your issue pattern=r"(?=("[^"]+"|'[^']+'))"

Then use the following to get all overlapping indices,

indicesTuple=[(mObj.start(1),mObj.end(1)-1) for mObj in re.finditer(pattern,input)]

Attributions

All content for this solution is sourced from the original question on Stackoverflow.

The content on this page is licensed under the Attribution-ShareAlike 4.0 International (CC BY-SA 4.0) license.

Content TypeOriginal AuthorOriginal Content on Stackoverflow
QuestionxitriumView Question on Stackoverflow
Solution 1 - PythonDave KirbyView Answer on Stackoverflow
Solution 2 - PythonBe ChampzzView Answer on Stackoverflow
Solution 3 - PythonOmkar RahaneView Answer on Stackoverflow