2

我处于需要解析旧格式的情况。我想做的是编写一个能够识别格式并将其转换为更易于使用的对象的解析器。

我设法解析输入,问题是当我想将它转换回字符串时。总结一下:当我将 my 的结果parse()作为参数传递给我的compose()方法时,它不会返回正确的字符串。

这是输出和源代码。我是 peg 的初学者,我有什么误解吗?请注意,我(126000-147600,3);在我的初始字符串中,而在它-前面的组合字符串中。

输出:

********************************************************************************
-t gmt+1 -n GB_EN -p '39600-61200,0; (126000-147600,3); -(212400-234000,5); 298800; (320400); 385200-406800,0; 471600-493200,0; 558000-579600,0'
********************************************************************************
gmt+1 GB_EN
********************************************************************************
[{'end': '61200', 'interval': '0', 'start': '39600'},
 {'end': '147600', 'interval': '3', 'start': '126000'},
 {'end': '234000', 'interval': '5', 'inverted': True, 'start': '212400'},
 {'start': '298800'},
 {'start': '320400'},
 {'end': '406800', 'interval': '0', 'start': '385200'},
 {'end': '493200', 'interval': '0', 'start': '471600'},
 {'end': '579600', 'interval': '0', 'start': '558000'}]
-t gmt+1 -n GB_EN -p '39600-61200,0; -(126000-147600,3); -(212400-234000,5); 298800; -(320400); 385200-406800,0; 471600-493200,0; 558000-579600,0'

Python源代码:

from pypeg2 import *

from pprint import pprint

Timezone = re.compile(r"(?i)gmt[\+\-]\d")
TimeValue = re.compile(r"[\d]+")

class ObjectSerializerMixin(object):

    def get_as_object(self):
        obj = {}

        for attr in ['start', 'end', 'interval', 'inverted']:
            if getattr(self, attr, None):
                obj[attr] = getattr(self, attr)

        return obj

class TimeFixed(str, ObjectSerializerMixin):
    grammar = attr('start', TimeValue)

class TimePeriod(Namespace, ObjectSerializerMixin):
    grammar = attr('start', TimeValue), '-', attr('end', TimeValue), ',', attr('interval', TimeValue)

class TimePeriodWrapped(Namespace, ObjectSerializerMixin):
    grammar = flag("inverted", '-'), "(", attr('start', TimeValue), '-', attr('end', TimeValue), ',', attr('interval', TimeValue), ")"

class TimeFixedWrapped(Namespace, ObjectSerializerMixin):
    grammar = flag("inverted", '-'), "(", attr('start', TimeValue), ")"


class TimeList(List):
    grammar = csl([TimePeriod, TimeFixed, TimePeriodWrapped, TimeFixedWrapped], separator=";")

    def __str__(self):
        for a in self:
            print(a.get_as_object())
        return ''

class AlertExpression(List):
    grammar = '-t', blank, attr('timezone', Timezone), blank, '-n', blank, attr('locale'), blank, "-p", optional(blank),  "'", attr('timelist', TimeList), "'"

    def get_time_objects(self):
        for item in self.timelist:
            yield item.get_as_object()

    def __str__(self):
        return '{} {}'.format(self.timezone, self.locale)


if __name__ == '__main__':

    s="""-t gmt+1 -n GB_EN -p '39600-61200,0; (126000-147600,3); -(212400-234000,5); 298800; (320400); 385200-406800,0; 471600-493200,0; 558000-579600,0'"""

    p = parse(s, AlertExpression)

    print("*"*80)
    print(s)
    print("*"*80)
    print(p)
    print("*"*80)
    pprint(list(p.get_time_objects()))

    print(compose(p))
4

1 回答 1

1

我很确定这是一个错误pypeg2

您可以使用此处给出的 pypeg2 示例的简化版本来验证这一点,但使用的值类似于您正在使用的值:

>>>from pypeg2 import *
>>> class AddNegation:
...     grammar = flag("inverted",'-'), blank, "(1000-5000,3)"
...
>>> t = AddNegation()
>>> t.inverted = False
>>> compose(t)
'- (1000-5000,3)'
>>> t.inverted = True
>>> compose(t)
'- (1000-5000,3)'

这用一个最小的例子证明了标志变量 ( inverted) 的值对合成没有影响。正如您自己发现的那样,您parse正在按照自己的意愿工作。

我快速浏览了代码,这就是 compose 所在的位置。模块都写在一个__init__.py文件中,这个函数是递归的。据我所知,问题在于,当标志为 False 时,-对象仍然作为类型传递给 compose(在递归的底层),并简单地添加到这里str的组合字符串中。

更新将 bug 隔离到这一行(1406),它错误地解压了 flag 属性,并将字符串发送'-'compose()并将其附加到任何具有 type 的属性的值bool

部分解决方法是用text.append(self.compose(thing, g))类似于上面的子句替换该行(因此Attribute类型被视为与它们从元组中解开后通常的处理方式相同),但是您随后遇到了这个错误,其中可选属性(标志只是一个特殊的类型Attribute) 的情况在对象中丢失的地方没有正确组合。

作为解决方法您可以转到同一文件的第 1350 行并替换

        if grammar.subtype == "Flag":
            if getattr(thing, grammar.name):
                result = self.compose(thing, grammar.thing, attr_of=thing)
            else:
                result = terminal_indent()

        if grammar.subtype == "Flag":
            try:
                if getattr(thing, grammar.name):
                    result = self.compose(thing, grammar.thing, attr_of=thing)
                else:
                    result = terminal_indent()
            except AttributeError:
                #if attribute error missing, insert nothing
                result = terminal_indent()

我不确定这是一个完全强大的修复程序,但它是一种能让你继续前进的解决方法

输出

将这两个解决方法/修复应用于pypeg2模块文件,您得到的输出print(compose(p))

-t gmt+1 -n GB_EN -p '39600-61200,0; (126000-147600,3); -(212400-234000,5); 298800; (320400); 385200-406800,0; 471600-493200,0; 558000-579600,0'

根据需要,您可以继续使用该pypeg2模块。

于 2015-07-07T15:12:45.710 回答