When I was trying to answer this question: regex to split %ages and values in python I noticed that I had to re-order the groups from the result of findall. For example:
data = """34% passed 23% failed 46% deferred"""
result = {key:value for value, key in re.findall('(\w+)%\s(\w+)', data)}
print(result)
>>> {'failed': '23', 'passed': '34', 'deferred': '46'}
Here the result of the findall is:
>>> re.findall('(\w+)%\s(\w+)', data)
>>> [('34', 'passed'), ('23', 'failed'), ('46', 'deferred')]
Is there a way to change/specify the order of the groups that makes re.findall return:
[('passed', '34'), ('failed', '23'), ('deferred', '46')]
Just to clarify, the question is:
Is it possible to specfic the order or re-order the groups for the return of the re.findall function?
I used the example above to create a dictionary to provide a reason/use case for when you would want to change the order (making key as value and value as key)
Further clarification:
In order to handle groups in larger more complicated regexes, you can name groups, but those names are only accessible when you do a re.search pr re.match. From what I have read, findall has a fixed indices for groups returned in the tuple, The question is anyone know how those indices could be modified. This would help make handling of groups easier and intuitive.