我有2个函数在C ++中注册Lua表和方法:
void LuaScriptInterface::registerTable(const std::string& tableName)
{
// _G[tableName] = {}
lua_newtable(luaState);
lua_setglobal(luaState, tableName.c_str());
}
void LuaScriptInterface::registerMethod(const std::string& globalName, const std::string& methodName, lua_CFunction func)
{
// globalName.methodName = func
lua_getglobal(luaState, globalName.c_str());
lua_pushcfunction(luaState, func);
lua_setfield(luaState, -2, methodName.c_str());
// pop globalName
lua_pop(luaState, 1);
}
它注册了一些方法:
registerTable("Game");
// Game.getHouses()
registerMethod("Game", "getHouses", LuaScriptInterface::luaGameGetHouses);
然后我打电话给Lua:
local param = "print( Game.getHouses() )"
pcall(loadstring(param))
我遇到 param 问题。通话和结果:
1. print(Game.getHouses())
2. print(Game['getHouses']())
3. print( Game.getHouses() ) -- added spaces
4. print( Game['getHouses']() ) -- added spaces
5. local var = Game.getHouses() print(#var)
6. local var = Game['getHouses']() print(#var)
7. local var = #Game.getHouses() print(var)
8. local var = #Game['getHouses']() print(var)
9. local var = # Game.getHouses() print(var) -- added space
结果:
1. attempt to call a nil value
2. table: 0x4351fdd0
3. table: 0x42ce6b88
4. table: 0x426513c0
5. 1010
6. 1010
7. attempt to call a nil value
8. 1010
9. 1010
谁能告诉我一个原因,为什么它在 loadstring / pcall 中不起作用?
我可以使其以某种方式在 loadstring / pcall 中工作吗?
编辑:
调试2小时后。我发现,我用来与服务器通信的客户端-执行LUA-对我发送的字符串进行一些正则表达式(我仍然不知道为什么,但与LUA无关):)
答案 0 :(得分:5)
您试图代表的问题是someTable.key
与someTable["key"]
给出的结果不同,但这是不可能的:
但是使用字符串常量作为键非常普遍,它有一种特殊的快捷方式语法:
> t = {} > t.foo = 123 -- same as t["foo"] (but not t[foo], which would use the variable foo as the key) > = t.foo 123 > = t["foo"] 123
仅当字符串由下划线,字母和数字组成时,快捷方式语法才有效,但不应以数字开头。 (http://lua-users.org/wiki/TablesTutorial)
由于它在loadstring
中不使用时仍然有效,因此我怀疑您的问题在于Player(cid)
player:getId()
或"player:getPosition()"
。请注意,您在两个不同的时间访问播放器,这一点很重要。 1.直接作为player:getId()
和2.通过loadstring / pcall
。最后一种可能性是Player(cid)
。其中之一可能未正确初始化/声明。
我认为由于测试条件不同,您的第二次尝试local param = "print( #Game['getHouses']() )"
成功了。