4

我想向_G可以运行 Java 代码的函数添加函数。我正在使用 Luaj,它已经可以运行用户编写的 Lua 代码,但我想添加允许用户与游戏世界交互的 api。

4

1 回答 1

4

您为每个库函数创建一个类,并为加载这些函数创建一个类。您可以根据您的函数需要多少个参数来扩展适当的类(最多三个参数,然后您需要自己制作FourArgFunction)。

这是来自 luaj 源的 MathLib.java 文件的示例代码(可在此处找到:http: //sourceforge.net/projects/luaj/files/latest/download):

这是您添加库时需要加载的内容。

public class MathLib extends OneArgFunction {
    public static MathLib MATHLIB = null;
    public MathLib() {
        MATHLIB = this;
    }

    public LuaValue call(LuaValue env) {
        LuaTable math = new LuaTable(0,30); // I think "new LuaTable()" instead of "(0, 30)" is OK
        math.set("abs", new abs());
        math.set("max", new max());
        env.set("math", math);
        env.get("package").get("loaded").set("math", math);
        return math;
    }
}

你像这样加载它:

globals.load(new MathLib());

然后为每个库函数创建 MathLib 的子类。对于一个接受一个参数的函数,这里有一个例子:

abstract protected static class UnaryOp extends OneArgFunction {
    public LuaValue call(LuaValue arg) {
        return valueOf(call(arg.checkdouble()));
    }
    abstract protected double call(double d);
}

static final class abs extends UnaryOp {
    protected double call(double d) {
        return Math.abs(d);
    }
}

您不需要抽象类,您可以abs直接制作,但是如果您查看源代码会很明显,当您需要实现大量数学一元运算时,这样做更方便。

这是一个接受可变数量参数的函数的示例:

static class max extends VarArgFunction {
    public Varargs invoke(Varargs args) {
    double m = args.checkdouble(1);
    for ( int i=2,n=args.narg(); i<=n; ++i )
        m = Math.max(m,args.checkdouble(i));
    return valueOf(m);
}

在 Lua 中,您可以:require('math')加载 lib,然后math.abs(-123)调用 lib 函数。

如果这很难掌握,我真的建议检查 luaj 的来源。此外,我的精简代码未经测试,所以我不能 100% 确定它是否有效。

于 2012-11-22T23:18:25.963 回答