Skip to content Skip to sidebar Skip to footer

Python Group(0) Meaning

What is the exact definition of group(0) in re.search? Sometimes the search can get complex and I would like to know what is the supposed group(0) value by definition? Just to g

Solution 1:

match_object.group(0) says that the whole part of match_object is chosen.

In addition group(0) can be be explained by comparing it with group(1), group(2), group(3), ..., group(n). Group(0) locates the whole match expression. Then to determine more matching locations paranthesis are used: group(1) means the first paranthesis pair locates matching expression 1, group(2) says the second next paranthesis pair locates the match expression 2, and so on. In each case the opening bracket determines the next paranthesis pair by using the furthest closing bracket to form a paranthesis pair. This probably sounds confusing, that's why there is an example below.

But you need to differentiate between the syntax of the paranthesis of '(?<=abc)'. These paranthesis have a different syntactical meaning, which is to locate what is bound by '?<='. So your main problem is that you don't know what '?<=' does. This is a so called look-behind which means that it matches the part behind the expression that it bounds.

In the following example 'abc' is bound by the look-behind.

No paranthesis are needed to form match group 0 since it locates the whole match object anyway.

The opening bracket in front of the letter 'd' takes the last closing bracket in front of the letter 'f' to form matching group 1.

The brackets that are around the letter 'e' define matching group 2.

import re

m = re.search('(?<=abc)(d(e))f', 'abcdef')

print(m.group(0))
print(m.group(1))
print(m.group(2))

This prints:

defde
e

Solution 2:

group(0) returns the full string matched by the regex. It's just that abc isn't part of the match. (?<=abc) doesn't match abc - it matches any position in the string immediately preceded by abc.

Post a Comment for "Python Group(0) Meaning"