简体   繁体   English

用于捕获分隔符内的文本的 Python 解析器组合器

[英]Python parser combinator for capturing text inside delimiters

I'm taking a look at some parser combinator libraries in Python ( Parsy to be more precise) and I'm currently faced with the following problem, simplified with a minimally working example below:我正在查看 Python 中的一些解析器组合器库(更准确地说是Parsy ),我目前面临以下问题,用下面的最小工作示例进行了简化:

text = '''
AAAAAAAAAA AAAAAAAA AAAAAAAAAAAAAA
BBBBBBB START THE TEXT HERE SHOULD
BE CAPTURED STOP CCCCCCCCCC CCCCCC
'''

start, stop = r"STARTS?", r"STOPS?"
s = section(text, start, stop)

print(s)

which should output:应该输出:

 THE TEXT HERE SHOULD 
BE CAPTURED 

The current solution I'm working is by doing a regex lookahead, it works fine, but my original problem involves combining many of these little regexes, which can get messy and a problem for others to maintain later.我正在使用的当前解决方案是进行正则表达式前瞻,它工作正常,但我最初的问题涉及组合许多这些小正则表达式,这可能会变得混乱,并且成为其他人以后需要维护的问题。

from typing import Pattern, TypeVar
import re

# A Generic type declaration.
T = TypeVar("T")

def first(text: str, pattern: str, default: T, flags=0) -> T:
    """
    Given a `text`, a regex `pattern` and a `default` value, return the first match
    in `text`. Otherwise return a `default` value if no match is found.
    """
    match = re.findall(pattern, text, flags=flags)
    return match[0] if len(match) > 0 else default

def section(text: str, begin: str, end: str) -> str:
    """
    Given a `text` and two `start` and `stop` regexes, return the captured group
    found in the interval. Otherwise, return an empty string if no match is found.
    """
    return first(text, fr"{begin}([\s\S]*?)(?={end})", default="")

Parser Combinators seem to be perfect for situations like these, but I'm unable to reproduce the same behavior as the working solution, any hints would be welcome:解析器组合器似乎非常适合此类情况,但我无法重现与工作解决方案相同的行为,欢迎提供任何提示:

# A Simpler example with hardcoded stuff
from parsy import regex, seq, string

text = '''
AAAAAAAAAA AAAAAAAA AAAAAAAAAAAAAA
BBBBBBB START THE TEXT HERE SHOULD
BE CAPTURED STOP CCCCCCCCCC CCCCCC
'''

start = regex(r"STARTS?")
middle = regex(r"[\s\S]*").optional()
stop = regex(r"STOPS?")

eol = string("\n")

# Work fine
start.parse("START")
middle.parse("")
stop.parse("STOP")

section = seq(
    start,
    middle,
    stop
)
# Simpler case, breaks
section.parse("START AAA STOP")

Gives:给出:

---------------------------------------------------------------------------
ParseError                                Traceback (most recent call last)
<ipython-input-260-fdec112e1648> in <module>
     24 )
     25 # Simpler case, breaks
---> 26 section.parse("START AAA STOP")

~/.venv/lib/python3.8/site-packages/parsy/__init__.py in parse(self, stream)
     88     def parse(self, stream):
     89         """Parse a string or list of tokens and return the result or raise a ParseError."""
---> 90         (result, _) = (self << eof).parse_partial(stream)
     91         return result
     92 

~/.venv/lib/python3.8/site-packages/parsy/__init__.py in parse_partial(self, stream)
    102             return (result.value, stream[result.index:])
    103         else:
--> 104             raise ParseError(result.expected, stream, result.furthest)
    105 
    106     def bind(self, bind_fn):

ParseError: expected 'STOPS?' at 0:14


Did you try using split?您是否尝试使用拆分?

From my understanding of the requirements of your project.根据我对您项目要求的了解。 This is how I would do it:这就是我将如何做到的:

text = '''
AAAAAAAAAA AAAAAAAA AAAAAAAAAAAAAA
BBBBBBB START THE TEXT HERE SHOULD
BE CAPTURED STOP CCCCCCCCCC CCCCCC
'''
# split text at START and take the second part of the text
# Then split the result by STOP and take the first part of the text
s = text.split('START')[1].split('STOP')[0]
print (s)

The issue is that the middle parser matches the text until the end, so there is nothing for the stop parser to consume:问题是middle解析器匹配文本直到结束,所以stop解析器没有任何消耗:

seq(start, middle).parse("START AAA STOP")

prints印刷

['START', ' AAA STOP']

One solution to avoid this behavior is to use the lookahead option for the middle regex:避免这种行为的一种解决方案是对middle正则表达式使用前瞻选项:

middle = regex(r"[\s\S]*(?=STOP)").optional()

This ensures that the matched text is followed by the "STOP" word.这确保匹配的文本后跟“STOP”字样。

Alternatively, you can use the should_fail method from Parsy:或者,您可以使用should_fail方法:

middle = (regex(r"STOPS?").should_fail("not STOP") >> any_char).many().concat()

声明:本站的技术帖子网页,遵循CC BY-SA 4.0协议,如果您需要转载,请注明本站网址或者原文地址。任何问题请咨询:yoyou2525@163.com.

 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM