如何在c ++函数中输入调用它的表的名称?
这是c ++源代码,我需要在c ++映射和lua表中存储对象,c ++ map->首先是lua中表的同名。
查看函数static int move_to(lua_State* L)
我需要修改调用该函数的lua表。
Test.cpp的
#include <lua.hpp>
#include <lauxlib.h>
#include <iostream>
#include <map>
#include <string>
struct Point{
int x=0, y=0;
};
std::map<std::string, Point> points;
static int move_to(lua_State* L){
int num_args=lua_gettop(L);
if(num_args>=2){
int new_x=lua_tonumber(L, 1);//first argument: x.
int new_y=lua_tonumber(L, 2);//second argument: y.
std::string name=???;//i need to get the name of the lua table who calls this function.
lua_getglobal(L, name.c_str());
lua_pushnumber(L, new_x);
// modify point in the lua table.
lua_setfield(L, -2, "x");// point.x=x
lua_pushnumber(L, new_y);
lua_setfield(L, -2, "y");// point.x=x
// modify point in the c++ map.
points.find(name)->second.x=new_x;
points.find(name)->second.y=new_y;
};
return 0;
};
static int create_point(lua_State* L){
int num_args=lua_gettop(L);
if(num_args>=2){
std::string name=lua_tostring(L, 1);//first argument: name.
int x=lua_tonumber(L, 2);//second argument: x.
int y=lua_tonumber(L, 3);//third argument: y.
static const luaL_Reg functions[]={{ "move_to", move_to},{ NULL, NULL }};
lua_createtable(L, 0, 4);
luaL_setfuncs(L, functions, 0);
lua_pushnumber(L, x); lua_setfield(L, -2, "x");// point.x=x
lua_pushnumber(L, y); lua_setfield(L, -2, "y");// point.y=y
lua_setglobal(L, name.c_str());
points.insert(std::pair<std::string, Point>(name, Point()));// insert point in the c++ map.
};
return 0;
};
int main(){
lua_State * L=luaL_newstate();
luaL_openlibs(L);
luaL_loadfile(L, "script.lua");
lua_pushcfunction(L, create_point); lua_setglobal(L, "create_point");//Register create_point to L.
lua_call(L, 0, 0);
std::cout<<"c++: a.x: "<<points.find("a")->second.x<<", a.y: "<<points.find("a")->second.y<<std::endl;
return 0;
};
这是lua脚本。
Test.lua
-- name, x, y
create_point("a", 10, 11)
print("lua: a.x: " .. a.x .. ", a.y: " .. a.y)
a.move_to(1,2)
print("lua: a.x: " .. a.x .. ", a.y: " .. a.y)
答案 0 :(得分:1)
如何在c ++函数中输入调用它的表的名称?
您无法获取表名,因为值没有名称。
只需将该表作为第一个参数传递,非常类似于C ++中的 this 指针。
Lua具有特殊的语法,可以轻松实现:
a:move_to(1,2)
注意区别 - 使用冒号而不是点。语法糖的含量相当于:
a.move_to(a,1,2)