我刚刚开始使用Luabind和C ++。我的目标非常简单:
我想创建一个Lua函数,它将C ++对象指针作为参数,并将对象存储在Lua变量中。每次调用Lua函数时,它应首先检查传递给它的对象指针是否与前一次调用期间存储的对象指针相同。
以下是完整代码:
extern "C" {
#include "lua.h"
#include "lualib.h"
}
#include <luabind/luabind.hpp>
class Obj {
};
int main(int argc, char **argv) {
lua_State* cLuaState = luaL_newstate();
luabind::open(cLuaState);
luaL_openlibs(cLuaState);
luabind::module(cLuaState) [
luabind::class_<Obj>("Obj")
];
luaL_dostring(cLuaState, "\
function func(v)\n\
print (\"Before: x is same as v?\")\n\
print (x == v)\n\
x = v\n\
print (\"After: x is same as v?\")\n\
print (x == v)\n\
end");
Obj* o = new Obj();
try {
luabind::call_function<void>(cLuaState, "func", o);
luabind::call_function<void>(cLuaState, "func", o);
} catch (std::exception &e) {
std::cout << "Exception thrown: " << e.what() << std::endl;
return 1;
}
return 0;
}
当我运行这个程序时,我希望看到以下输出:
Before: x is same as v?
false
Setting v
After: x is same as v?
true
Before: x is same as v?
true
Setting v
After: x is same as v?
true
然而,当我运行程序时,在“x”和“v”之间的比较期间,它在第二次调用Lua函数期间崩溃。这是程序的实际结果输出:
Before: x is same as v?
false
Setting v
After: x is same as v?
true
Before: x is same as v?
Exception thrown: lua runtime error
*** Exited with return code: 1 ***
可以看出,比较在“v”之前和之后的第一个函数调用期间都有效。但是,第一个比较在第二个函数调用期间失败。
我必须错过一些非常明显的东西,但我真的无法弄清楚它是什么。谁能看到我做错了什么?任何建议都非常感谢!
非常感谢, 马丁
答案 0 :(得分:3)
我找到了解决方案。似乎由于某种原因,Lua想要使用重载的C ++ equals运算符来对两个对象执行比较,而不是执行指针本身的比较。通过创建一个重载的相等运算符,只需比较两个对象的地址并将其绑定到Lua,我就可以使它工作。
我仍然不确定为什么Lua只会在第二次函数调用中进行比较,而不是第一次,但至少我现在有一个可行的解决方案。
完整修改后的工作版本如下:
extern "C" {
#include "lua.h"
#include "lualib.h"
}
#include <luabind/luabind.hpp>
#include <luabind/operator.hpp>
class Obj {
};
bool operator==(const Obj& a, const Obj& b) {
return &a == &b;
}
int main(int argc, char **argv) {
lua_State* cLuaState = luaL_newstate();
luabind::open(cLuaState);
luaL_openlibs(cLuaState);
luabind::module(cLuaState) [
luabind::class_<Obj>("Obj")
.def(luabind::const_self == luabind::const_self)
];
luaL_dostring(cLuaState, "\
function func(v)\n\
print (\"Before: x is same as v?\")\n\
print (x == v)\n\
x = v\n\
print (\"After: x is same as v?\")\n\
print (x == v)\n\
end");
Obj* o = new Obj();
try {
luabind::call_function<void>(cLuaState, "func", o);
luabind::call_function<void>(cLuaState, "func", o);
} catch (std::exception &e) {
std::cout << "Exception thrown: " << e.what() << std::endl;
return 1;
}
return 0;
}