0

基本上,我只想能够在我的 Manager 类中创建一个干净的 Lua 实例,然后将类中的函数导出到 Lua,这样我就可以在 Lua 中已经创建的 C++ 类上调用函数。

这是我正在考虑解决问题的当前方式。它可以编译,但在 Lua 中没有任何反应。

有谁知道我做错了什么,或者有没有人有任何其他建议?

管理器.lua

newObject("Object", 1234)
printAll()

经理.h

#ifndef MANAGER_H
#define MANAGER_H
#include <iostream>
#include <vector>
#include <string>

extern "C"
{
#include "lua.h"
#include "lualib.h"
#include "lauxlib.h"
}
#include "luabind/luabind.hpp"
#include "Object.h"


class Manager
{
private :
    lua_State *L;
    std::vector<Object> obj;


public :
    Manager();
    void newObject(std::string t, int nm);
    void printAll();

};

#endif

管理器.cpp

#include "Manager.h"
Manager::Manager()
{
luabind::open(L);

luabind::module(L) [
    luabind::class_<Manager>("Manager")
        .def(luabind::constructor<>())
        .def("newObject", &Manager::newObject)
    ];

luaL_dofile(L, "Manager.lua");
}   

void Manager::newObject(std::string t, int nm)
{
    if(t == "Object")
    {
        Object object(nm);
        obj.push_back(object);
    }
}

void Manager::printAll()
{
    for(unsigned int i = 0; i < obj.size(); i++)
        std::cout << obj[i].getNum() << std::endl;
}
4

1 回答 1

3

这样我就可以在 Lua 内部已经创建的 C++ 类上调用函数。

如果你使用 Luabind 创建一个类,然后提供该类的成员,那么 Luabind 就会这样做。它将向具有成员的 Lua 公开一个类。

如果没有该类类型的对象,则不能在 C++ 中调用成员函数。因此,当您通过 Luabind 公开一个类及其成员时,如果没有该类类型的对象,您将无法在 Lua 中调用成员函数。

因此,如果你有一些全局Manager对象,将其暴露给 Lua 的正确方法是将对象本身暴露给 Lua。使用 Luabind 获取全局表,然后将指向 Manager 对象的指针放入其中。或者,您可以Manager在执行脚本时将对象实例作为参数传递。

第二种方法将像这样工作:

//Load the script as a Lua chunk.
//This pushes the chunk onto the Lua stack as a function.
int errCode = luaL_loadfile(L, "Manager.lua");
//Check for errors.

//Get the function from the top of the stack as a Luabind object.
luabind::object compiledScript(luabind::from_stack(L, -1));

//Call the function through Luabind, passing the manager as the parameter.
luabind::call_function<void>(compiledScript, this);

//The function is still on the stack from the load call. Pop it.
lua_pop(L, 1);

你的 Lua 脚本可以通过 Lua 的可变参数机制获得一个实例:

local manager = ...
manager:newObject("Object", 1234)
manager:printAll()
于 2011-09-16T01:21:33.240 回答