再次计算重叠的正则表达式匹配

时间:2012-02-17 07:49:49

标签: python regex string pattern-matching

如何使用Python获取重叠正则表达式匹配的数量?

我已阅读并尝试了thisthat以及其他一些问题的建议,但没有找到适用于我的方案的内容。这是:

  • 输入示例字符串:akka
  • 搜索模式:a.*k

正确的函数应该产生 2 作为匹配数,因为有两个可能的结束位置(k个字母)。

模式也可能更复杂,例如a.*k.*a也应该在akka中匹配两次(因为中间有两个k)。< / p>

2 个答案:

答案 0 :(得分:3)

我认为您正在寻找的内容可能更适合使用lepl这样的解析库:

>>> from lepl import *
>>> parser = Literal('a') + Any()[:] + Literal('k')
>>> parser.config.no_full_first_match()
>>> list(parser.parse_all('akka'))
[['akk'], ['ak']]
>>> parser = Literal('a') + Any()[:] + Literal('k') + Any()[:] + Literal('a')
>>> list(parser.parse_all('akka'))
[['akka'], ['akka']]

我相信parser.parse_all的输出长度是您正在寻找的。

请注意,如果您的模式与整个字符串不匹配,则需要使用parser.config.no_full_first_match()以避免错误。

编辑:基于来自@ Shamanu4的评论,我看到你希望从任何位置开始匹配结果,你可以这样做:

>>> text = 'bboo'
>>> parser = Literal('b') + Any()[:] + Literal('o')
>>> parser.config.no_full_first_match()
>>> substrings = [text[i:] for i in range(len(text))]
>>> matches = [list(parser.parse_all(substring)) for substring in substrings]
>>> matches = filter(None, matches) # Remove empty matches
>>> matches = list(itertools.chain.from_iterable(matches)) # Flatten results
>>> matches = list(itertools.chain.from_iterable(matches)) # Flatten results (again)
>>> matches
['bboo', 'bbo', 'boo', 'bo']

答案 1 :(得分:2)

是的,这是丑陋的,未经优化但似乎有效。这是对所有可能但唯一变体

的简单尝试
def myregex(pattern,text,dir=0):
    import re
    m = re.search(pattern, text)
    if m:
        yield m.group(0)
        if len(m.group('suffix')):
            for r in myregex(pattern, "%s%s%s" % (m.group('prefix'),m.group('suffix')[1:],m.group('end')),1):
                yield r
            if dir<1 :
                for r in myregex(pattern, "%s%s%s" % (m.group('prefix'),m.group('suffix')[:-1],m.group('end')),-1):
                    yield r


def myprocess(pattern, text):    
    parts = pattern.split("*")    
    for i in range(0, len(parts)-1 ):
        res=""
        for j in range(0, len(parts) ):
            if j==0:
                res+="(?P<prefix>"
            if j==i:
                res+=")(?P<suffix>"
            res+=parts[j]
            if j==i+1:
                res+=")(?P<end>"
            if j<len(parts)-1:
                if j==i:
                    res+=".*"
                else:
                    res+=".*?"
            else:
                res+=")"
        for r in myregex(res,text):
            yield r

def mycount(pattern, text):
    return set(myprocess(pattern, text))

试验:

>>> mycount('a*b*c','abc')
set(['abc'])
>>> mycount('a*k','akka')
set(['akk', 'ak'])
>>> mycount('b*o','bboo')
set(['bbo', 'bboo', 'bo', 'boo'])
>>> mycount('b*o','bb123oo')
set(['b123o', 'bb123oo', 'bb123o', 'b123oo'])
>>> mycount('b*o','ffbfbfffofoff')
set(['bfbfffofo', 'bfbfffo', 'bfffofo', 'bfffo'])