我一直在寻找一种方法,让命名函数参数/参数以任何顺序出现在ANTLR中。有没有人知道在ANTLR解析器表达式中是否存在忽略顺序的语法?
假设语言中有一个函数foo
,可以使用两个命名参数:x
和y
。由于它们是命名参数,我希望它们能够以任何顺序传递给函数:
foo(x=1, y=2)
以及
foo(y=2, x=1)
两者都应合法。
我可以列出ANTLR中的所有参数排列,但我希望有一个更优雅的解决方案,特别是因为我有一些可以采用5个参数的函数。
非常感谢任何帮助!
答案 0 :(得分:1)
我很确定ANTLR中没有内置任何东西来处理这个问题。但是你可以在语法中简单地使用一些常规的编程逻辑来重新组织参数。
这是一个小小的演示语法:
grammar NF;
@parser::header {
package antlrdemo;
import java.util.HashMap;
import java.util.HashSet;
import java.util.Arrays;
}
@lexer::header {
package antlrdemo;
}
parse : concat+
;
concat : 'concat' '(' k1=Key '=' v1=Value ',' k2=Key '=' v2=Value ',' k3=Key '=' v3=Value ')' {
HashMap<String, String> params = new HashMap<String, String>();
params.put($k1.text, $v1.text);
params.put($k2.text, $v2.text);
params.put($k3.text, $v3.text);
HashSet<String> expected = new HashSet<String>(Arrays.asList(new String[]{"a", "b", "c"}));
if(!params.keySet().equals(expected)) {
throw new RuntimeException("No soup for you!");
}
System.out.println(params.get("a")+params.get("b")+ params.get("c"));
}
;
Key : ('a'..'z')+
;
Value : ('a'..'z' | 'A'..'Z' | '0'..'9')+
;
Space : (' ' | '\t' | '\r' | '\n'){$channel = HIDDEN;}
;
还有一个小班来测试它:
package antlrdemo;
import org.antlr.runtime.*;
public class NFDemo {
static void test(String source) throws RecognitionException {
ANTLRStringStream in = new ANTLRStringStream(source);
NFLexer lexer = new NFLexer(in);
CommonTokenStream tokens = new CommonTokenStream(lexer);
NFParser parser = new NFParser(tokens);
System.out.print(source+" -> ");
parser.parse();
}
public static void main(String[] args) throws RecognitionException {
test("concat(a=1, b=2, c=3)");
test("concat(b=2, c=3, a=1)");
test("concat(c=3, a=1, b=2)");
test("concat(c=3, a=1, x=2)");
}
}
产生输出:
concat(a=1, b=2, c=3) -> 123
concat(b=2, c=3, a=1) -> 123
concat(c=3, a=1, b=2) -> 123
concat(c=3, a=1, x=2) -> Exception in thread "main" java.lang.RuntimeException: No soup for you!
at antlrdemo.NFParser.concat(NFParser.java:137)
at antlrdemo.NFParser.parse(NFParser.java:70)
at antlrdemo.NFDemo.test(NFDemo.java:13)
at antlrdemo.NFDemo.main(NFDemo.java:20)
答案 1 :(得分:1)
明白...
如果您想在语法中硬连线“foo”,“x”和“y”,请执行以下操作(未编译/测试,但应提供此想法)
foo :
{ SomeType x=null, y=null; }
'foo' '('
( 'x' '=' {if (x != null) throw ...;} x=value
| 'y' '=' {if (y != null) throw ...;} y=value
)*
')'
{ if (x = null || y == null) throw ...; }
;
如果您想要更灵活(支持其他功能),请执行Bart的建议。