From code:
myStr = "one two four five"
myPattern = r'\w*\s(two\s|three\s|four\s)*\w*'
matched = re.search(myPattern, myStr)
if matched:
res = matched.group(1)
print(res)
I get "four ", but I want to get ["two ", "four "]
How can I do it?
CodePudding user response:
As all your surrounding word characters are optional, you can use re.findall and assert a whiteapace char to the left and match the trailing one:
(?<=\s)(?:two|three|four)\s
import re
myStr = "one two four five"
pattern="(?<=\s)(?:two|three|four)\s"
print(re.findall(pattern, myStr))
Output
['two ', 'four ']