使用re.match或re.search返回多个匹配项

时间:2018-10-02 06:52:40

标签: python python-3.x micropython

我正在将一些代码转换为micropython,但我陷入了特定的正则表达式中。

在python中,我的代码是

import re

line = "0-1:24.2.1(180108205500W)(00001.290*m3)"
between_brackets = '\(.*?\)' 

brackettext  = re.findall(between_brackets, line) 
gas_date_str = read_date_time(brackettext[0])
gas_val      = read_gas(brackettext[1])

# gas_date_str and gas_val take the string between brackets 
# and return a value that can later be used

micropython仅实现a limited set of re functions

如何仅使用有限的功能来达到相同的目的?

2 个答案:

答案 0 :(得分:2)

您可以按照以下方式进行操作。消费字符串时重复使用re.search。这里的实现使用了生成器函数:

import re

def findall(pattern, string):
    while True:
        match = re.search(pattern, string)
        if not match:
            break
        yield match.group(0)
        string = string[match.end():]

>>> list(findall(r'\(.*?\)', "0-1:24.2.1(180108205500W)(00001.290*m3)"))
['(180108205500W)', '(00001.290*m3)']

答案 1 :(得分:1)

您可以使用re.search()编写一个返回所有匹配项列表的方法:

import re  

def find_all(regex, text):
    match_list = []
    while True:
        match  = re.search(regex, text)
        if match:
            match_list.append(match.group(0))
            text = text[match.end():]
        else:
            return match_list

此外,请注意,您的between_brackets正则表达式不会处理嵌套的方括号:

re.findall('\(.*?\)', "(ac(ssc)xxz)")
>>> ['(ac(ssc)']