如何从Groovy脚本重定向输出?

2022-09-04 00:51:41

我想知道是否有任何方法可以更改我正在从Java代码执行的时髦脚本的默认输出(System.out)。

下面是 Java 代码:

public void exec(File file, OutputStream output) throws Exception {
    GroovyShell shell = new GroovyShell();
    shell.evaluate(file);
}

和示例时髦脚本:

def name='World'
println "Hello $name!"

目前,该方法的执行,将评估将“Hello World!”写入控制台(System.out)的脚本。如何将输出重定向到作为参数传递的输出流?


答案 1

使用绑定尝试此操作

public void exec(File file, OutputStream output) throws Exception {
    Binding binding = new Binding()
    binding.setProperty("out", output) 
    GroovyShell shell = new GroovyShell(binding);
    shell.evaluate(file);
}

评论后

public void exec(File file, OutputStream output) throws Exception {
    Binding binding = new Binding()
    binding.setProperty("out", new PrintStream(output)) 
    GroovyShell shell = new GroovyShell(binding);
    shell.evaluate(file);
}

时髦脚本

def name='World'
out << "Hello $name!"

答案 2

使用javax.script.ScriptEngine怎么样?您可以指定其编写器。

ScriptEngine engine = new ScriptEngineManager().getEngineByName("Groovy");
PrintWriter writer = new PrintWriter(new StringWriter());
engine.getContext().setWriter(writer);
engine.getContext().setErrorWriter(writer);
engine.eval("println 'HELLO'")

推荐