我正在尝试调用A:update(x)
并在C ++中获得返回值x + 3
。
这是我的代码:
#include <lua.hpp>
void main()
{
lua_State *L = luaL_newstate();
luaL_openlibs(L);
lua_settop(L, 0);
luaL_dostring(L, "package.preload['A'] = function () local A = {}\n"
"function A:update(x) return x + 3 end \n"
"return A end");
//call function
lua_getglobal(L, "require");
lua_pushstring(L, "A");
if (lua_pcall(L, 1, LUA_MULTRET, 0) != 0) {
std::cerr << "lua:" << lua_tostring(L, 1) << '\n';
lua_pop(L, 1);
}
int top = lua_gettop(L);
lua_getfield(L, -1, "update");
if (!lua_isfunction(L, -1))
{
std::cerr << "lua:" << lua_tostring(L, 1) << '\n';
lua_pop(L, 1);
}
lua_pushnumber(L, 5); //pass the argument 5
if (lua_pcall(L, 1, LUA_MULTRET, 0))
{
std::cerr << "lua:" << lua_tostring(L, 1) << '\n';
lua_pop(L, 1);
}
if (lua_gettop(L) - top)
{
if (lua_isnumber(L, -1))
{
std::cout << "RETURNED : " << lua_tonumber(L, -1) << std::endl;
}
}
lua_pop(L, 1); // pop 'update'
lua_pop(L, 1); // pop 'A'
lua_close(L);
}
我希望它能打印RETURNED : 8
,但出现以下错误:
Thread 1:EXC_BAD_ACCESS (code=1, address=0x0)
我应该如何纠正我的代码才能正常工作?
已编辑:只要将A:update(x)
更改为A.update(x)
,它就会起作用。我以为它们的工作原理相同,只是我可以在使用self
的函数中使用:
。有人可以告诉我为什么会这样吗?
答案 0 :(得分:1)
符号A:update(x)
是A.update(A,x)
的语法糖。这意味着您必须使用两个参数来调用函数update
。您缺少两个参数中的第一个。
第一个参数A
已经在堆栈上,但是位于update
函数的下面。使用lua_pushvalue
,我们可以将表的副本推入堆栈。
因此,您必须像这样调用函数(省略错误处理位)
lua_getfield(L, -1, "update");
lua_pushvalue(L, -2); // push a copy of "A" onto the stack
lua_pushnumber(L, 5); //pass the argument 5
lua_pcall(L, 2, LUA_MULTRET, 0);