I'm trying to pass table with subtable to Lua function as argument from C++.
Here's my code that doesn't work but shows what I'm trying to do.
class DragInfo{
public:
std::vector <std::string> files;
glm::vec2 position;
};
//a callback that passes DragInfo to a Lua function as a table which has 2 subtables
void callDragged(DragInfo &info)
{
lua_getglobal(L, "dragged");
if (!lua_isfunction(L, -1))
{
lua_pop(L, 1);
return;
}
lua_newtable(L);
for (size_t i = 0; i < info.files.size(); ++i)
{
lua_pushinteger(L, static_cast<lua_Integer>(i + 1));
lua_pushstring(L, info.files[i].c_str());
lua_settable(L, -3);
}
lua_pushnumber(L, static_cast<lua_Number>(info.position.x));
lua_setfield(L, -2, "x");
lua_pushnumber(L, static_cast<lua_Number>(info.position.y));
lua_setfield(L, -2, "y");
if (lua_pcall(L, 1, 0, 0))
std::cout << "Error : " << lua_tostring(L, -1) << std::endl;
}
And in Lua, I want to be able to, for example..
function dragged(info)
for i=1, #info.files do
print("dragged filename: " .. info.files[i])
end
print("dragged position: " .. info.position.x .. " " .. info.position.y)
end
And the result can be something like
dragged filename: background.jpg
dragged filename: apple.png
dragged position: 425 32
How should I correct my C++ function so it works properly like the example?