1

我一直在努力解决使用 java 脚本 API 来控制某些用户定义的 javascript 的执行的问题。我在引擎盖下使用内置的 Rhino 引擎,它说您可以设置 InstructionObserverThreshold ,如果达到限制,它将负责停止执行。我一直在玩下面的示例应用程序一段时间,我很困惑为什么它不起作用。你会看到我也设置了MaximumInterpreterStackDepth。这完美地工作,但指令观察者似乎没有做任何事情。

关于此代码缺少什么以使其正常工作的任何想法?

谢谢!

import javax.script.ScriptEngine;
import javax.script.ScriptEngineManager;
import javax.script.ScriptException;

import com.sun.script.javascript.RhinoScriptEngine;


public class RhinoTester2 {

    public static void main(String[] args) {

    new RhinoScriptEngine(); // initialize the global context.

     sun.org.mozilla.javascript.internal.ContextFactory cx =  sun.org.mozilla.javascript.internal.ContextFactory.getGlobal();
     cx.addListener( new sun.org.mozilla.javascript.internal.ContextFactory.Listener() {
         public void contextCreated( sun.org.mozilla.javascript.internal.Context cxt ) {
                cxt.setInstructionObserverThreshold(10000 ); // This should stop after 10 seconds or so.
                cxt.setMaximumInterpreterStackDepth(1);  // this should not be a factor for the moment
                System.out.println("Context Factory threshold set. "+cxt.getInstructionObserverThreshold());
          }

        @Override
        public void contextReleased(
            sun.org.mozilla.javascript.internal.Context arg0) {
            System.out.println("Context Released.");
        }

     });

       // Now run the script to see if it will be stopped after a short time.
        ScriptEngineManager mgr = new ScriptEngineManager();
        ScriptEngine engine = mgr.getEngineByName("javascript"); 
        try {
            // engine.eval("while(true){println(\"hello\");};"); // This will fail immediately due to the interpreter stack depth.
            engine.eval("while(true){};");  // this never fails.  runs happily forever.
        } catch (ScriptException e) {
            // TODO Auto-generated catch block
            e.printStackTrace();
        }
    }

}
4

1 回答 1

0

您可以使用自己覆盖的 ContextFactory 版本来执行上下文操作。在方法 makeContext() 中,您可以从头开始创建上下文并设置您想要的指令计数以及其他设置。

我的实现的一个例子:

public class MyContextFactory extends ContextFactory {
    protected Context makeContext() {
        Context cx = new MyContext(this);
        cx.setOptimizationLevel(0);
        cx.setLanguageVersion(Context.VERSION_1_8);
        cx.setInstructionObserverThreshold(100000);
    return cx;
    }
}

如您所见,我还创建了自己的 Context 子类,因为将工厂作为参数的 Context 构造函数受到保护:

public class RhinoContext extends Context {

    public RhinoContext(ContextFactory factory) {
        super(factory);
    }

}

然后您应该能够在调用任何脚本之前通过方法 ContextFactory.initGlobal(factory) 注入您自己的上下文工厂的实例。

但是请注意,我的测试中的指令观察器仅在优化级别 <= 0 时才有效。在完全优化的脚本中 - 所有内容都编译为字节码 - 这不起作用。我自己只在开发中使用它,而不是在生产系统上。

于 2014-02-04T10:48:39.867 回答