我尝试从Java类调用我自己的groovy脚本函数,用户也可以使用标准表达式。
例如:
GroovyShell shell = new GroovyShell();
Script scrpt = shell.parse("C:/Users/Cagri/Desktop/MyCustomScript.groovy");
Binding binding = new Binding();
binding.setVariable("str1", "foo");
binding.setVariable("str2", "boo");
scrpt.setBinding(binding);
System.out.println(scrpt.evaluate("customConcat(str1, str2)")); //my custom method
System.out.println(scrpt.evaluate("str1.concat(str2)"));
这是MyCustomScript.groovy
def area(def sf) {
Feature f = new Feature(sf);
f.getGeom().area;
}
def customConcat(def string1, def string2) {
string1.concat(string2)
}
运行时,此行scrpt.evaluate("str1.concat(str2)")
按预期工作,但scrpt.evaluate("customConcat(str1, str2)")
会引发异常:
groovy.lang.MissingMethodException: No signature of method: Script1.customConcat() is applicable for argument types: (java.lang.String, java.lang.String) values: [foo, boo]
at org.codehaus.groovy.runtime.ScriptBytecodeAdapter.unwrap(ScriptBytecodeAdapter.java:55)
at org.codehaus.groovy.runtime.callsite.PogoMetaClassSite.callCurrent(PogoMetaClassSite.java:78)
at org.codehaus.groovy.runtime.callsite.CallSiteArray.defaultCallCurrent(CallSiteArray.java:49)
at org.codehaus.groovy.runtime.callsite.AbstractCallSite.callCurrent(AbstractCallSite.java:133)
at org.codehaus.groovy.runtime.callsite.AbstractCallSite.callCurrent(AbstractCallSite.java:145)
at Script1.run(Script1.groovy:1)
at groovy.lang.GroovyShell.evaluate(GroovyShell.java:518)
我可以调用我的自定义方法,如下所示
GroovyClassLoader loader = new GroovyClassLoader();
Class groovyClass = loader.parseClass(new File("C:/Users/Cagri/Desktop/IntergisGroovyScript.groovy"));
GroovyObject groovyObject = (GroovyObject) groovyClass.newInstance();
Object res = groovyObject.invokeMethod("customConcat", new Object[]{"foo", "boo"});
然而,这次我找不到如何评估像substring,concat等标准表达式......
那么我该如何评估自定义和标准表达式?
答案 0 :(得分:7)
调用evaluate()
执行脚本方法不起作用,因为脚本中定义的方法不会以绑定结束。但是,作为一种解决方法,您可以在绑定中存储脚本(包含方法),然后使用该引用来执行其方法。以下适用于我:
Binding binding = new Binding();
GroovyShell shell = new GroovyShell(binding);
Script scrpt = shell.parse(new File("src/test.groovy"));
binding.setVariable("str1", "foo");
binding.setVariable("str2", "boo");
binding.setVariable("tools", scrpt);
System.out.println(shell.evaluate("tools.customConcat(str1, str2)"));
System.out.println(shell.evaluate("str1.concat(str2)"));
或者,您可以使用Script.invokeMethod(name, args)
直接调用脚本的方法。