将BNF语法转换为pyparsing
我如何使用正则表达式来描述语法(或者pyparsing更好?),以下是一个脚本语言(Backus-Naur Form):
<root> := <tree> | <leaves>
<tree> := <group> [* <group>]
<group> := "{" <leaves> "}" | <leaf>;
<leaves> := {<leaf>;} leaf
<leaf> := <name> = <expression>{;}
<name> := <string_without_spaces_and_tabs>
<expression> := <string_without_spaces_and_tabs>
脚本示例:
{
stage = 3;
some.param1 = [10, 20];
} *
{
stage = 4;
param3 = [100,150,200,250,300]
} *
endparam = [0, 1]
我使用python re.compile并想要将所有内容分组,如下所示:
[ [ 'stage', '3'],
[ 'some.param1', '[10, 20]'] ],
[ ['stage', '4'],
['param3', '[100,150,200,250,300]'] ],
[ ['endparam', '[0, 1]'] ]
更新:我发现pyparsing是更好的解决方案,而不是正则表达式。
Pyparsing可以让你简化这些类型的构造
leaves :: {leaf} leaf
只是
OneOrMore(leaf)
所以在pyparsing中你的BNF的一种形式如下所示:
from pyparsing import *
LBRACE,RBRACE,EQ,SEMI = map(Suppress, "{}=;")
name = Word(printables, excludeChars="{}=;")
expr = Word(printables, excludeChars="{}=;") | quotedString
leaf = Group(name + EQ + expr + SEMI)
group = Group(LBRACE + ZeroOrMore(leaf) + RBRACE) | leaf
tree = OneOrMore(group)
我添加了quotedString作为另一个expr,以防你想要包含某个被排除的字符。 并且围绕叶子和组添加组将保持支撑结构。
不幸的是,你的样本不符合这个BNF:
[10, 20]
和[0, 1]
[10, 20]
空格使它们成为无效的exprs
一些叶子没有终止;
小号
单独*
字符 - ???
此示例使用上面的解析器成功解析:
sample = """
{
stage = 3;
some.param1 = [10,20];
}
{
stage = 4;
param3 = [100,150,200,250,300];
}
endparam = [0,1];
"""
parsed = tree.parseString(sample)
parsed.pprint()
赠送:
[[['stage', '3'], ['some.param1', '[10,20]']],
[['stage', '4'], ['param3', '[100,150,200,250,300]']],
['endparam', '[0,1]']]
链接地址: http://www.djcxy.com/p/83185.html