从 C 中只调用 Lua 脚本中的一个特定函数

是否可以从 C 中仅调用 Lua 脚本中的一个特定函数。目前,我有一个调用 C 函数的 Lua 脚本。现在,我需要这个 C 函数只调用上述脚本中的一个 Lua 函数。

编辑: C 函数看起来像这样:

#include <lua.h>
#include <lauxlib.h>
#include <lualib.h>

static double E1(double x) {

    double xint = x;
    double z;

    lua_State *L;
    L = luaL_newstate();

    luaL_openlibs(L);

    luaL_loadfile(L, "luascript.lua");

    lua_pcall(L, 0, 0, 0);

    lua_getglobal(L, "func");
    lua_pushnumber(L, x);

    lua_pcall(L, 1, 1, 0);

    z = lua_tonumber(L, -1);
    lua_pop(L, 1);

    lua_close(L);

    return z;
}

static int Ret(lua_State *L){

    double y = lua_tonumber(L, -1);

    lua_pushnumber(L, E1(y));

    return 1;
}

int luaopen_func2lua(lua_State *L){
    lua_register(
                    L,
                    "Ret",
                    Ret
                    );
    return 0;
}

Lua 脚本如下:

 require "func2lua"

 function func (x)
     -- 一些数学运算
     return value
 end

 x = 23.1

 print(Ret(x)) -- Ret 是顶部 c 文件中的 C 函数
点赞
用户5675002
用户5675002

可以的。C 函数需要一种获取该函数的方式。根据您的要求,您可以将 Lua 函数作为其中一项参数传递到 C 函数中,或者将 Lua 函数存储在 C 可以访问到的位置 - 要么在全局环境中(然后 C 将使用 lua_getglobal() 来获取该函数),要么在属于该脚本的某个预定义表格中。

2016-05-13 13:06:13