当Java代码特别要求LuaValue时,我遇到了LuaJ不接受LuaValue作为参数的问题。
public void registerEvent(LuaValue id, String event, String priority,
LuaValue callback)
{
if(!(id instanceof LuaTable))
{
throw new RuntimeException("id must be an LuaTable");
}
EventDispatcher.addHandler(id, event, priority, callback);
}
理想情况下,这将允许Lua中的代码简单地读取...
function main(this)
this.modName="Some Mod"
this.lastX = 0
hg.both.registerEvent(this, "inputcapturedevent", "last", eventRun)
end
function eventRun(this, event)
this.lastX += event.getX()
end
可悲的是,这个简单的错误表明它需要用户数据,但得到了一个表。
org.luaj.vm2.LuaError: script:4 bad argument: userdata expected, got table
"这个"的价值在两种情况下都是相同的LuaTable,但因为方法registerEvent是通过CoerceJavaToLua.coerce(...)添加的,所以它认为它需要一个java对象,而不是意识到它真的想要一个LuaVale。
所以我的问题是这个。有没有更好的方法允许我使用Java和Lua中的相同功能?感谢您的时间,如果您一直在这里阅读:)
答案 0 :(得分:1)
您获得的错误可能是红色鲱鱼,可能是由于您将“registerEvent”函数绑定到“hg.both”值的方式。可能您只需要使用方法语法,例如
hg.both:registerEvent(this, "inputcapturedevent", "last", eventRun)
如果你想使用点语法 hg.both.registerEvent ,那么使用VarArgFunction并实现invoke()可能是一种更直接的方法来实现它。在此示例中,Both.registerEvent是一个VarArgFunction的普通变量。
public static class Both {
public static VarArgFunction registerEvent = new VarArgFunction() {
public Varargs invoke(Varargs args) {
LuaTable id = args.checktable(1);
String event = args.tojstring(2);
String priority = args.tojstring(3);
LuaValue callback = args.arg(4);
EventDispatcher.addHandler(id, event, priority, callback);
return NIL;
}
};
}
public static void main(String[] args) throws ScriptException {
ScriptEngineManager sem = new ScriptEngineManager();
ScriptEngine engine = sem.getEngineByName("luaj");
Bindings sb = engine.createBindings();
String fr =
"function main(this);" +
" this.modName='Some Mod';" +
" this.lastX = 0;" +
" hg.both.registerEvent(this, 'inputcapturedevent', 'last', eventRun);" +
"end;";
System.out.println(fr);
CompiledScript script = ((Compilable) engine).compile(fr);
script.eval(sb);
LuaFunction mainFunc = (LuaFunction) sb.get("main");
LuaTable hg = new LuaTable();
hg.set("both", CoerceJavaToLua.coerce(Both.class));
sb.put("hg", hg);
LuaTable library = new LuaTable();
mainFunc.call(CoerceJavaToLua.coerce(library));
}