3

我正在尝试将我std::map<std::string, std::string>的作为类属性公开给 Lua。我为我的 getter 和 setter 设置了这个方法:

luabind::object FakeScript::GetSetProperties()
{
    luabind::object table = luabind::newtable(L);
    luabind::object metatable = luabind::newtable(L);

    metatable["__index"] = &this->GetMeta;
    metatable["__newindex"] = &this->SetMeta;

    luabind::setmetatable<luabind::object, luabind::object>(table, metatable);

    return table;
}

这样我就可以在 Lua 中做这样的事情:

player.scripts["movement"].properties["stat"] = "idle"
print(player.scripts["movement"].properties["stat"])

但是,我在 C++ 中提供的代码没有被编译。它告诉我在这一行metatable["__index"] = &this->GetMeta;及其后的行对重载函数的调用不明确。我不确定我这样做是否正确。

错误信息:

error C2668: 'luabind::detail::check_const_pointer' : 
ambiguous call to overloaded function
c:\libraries\luabind-0.9.1\references\luabind\include\luabind\detail\instance_holder.hpp    75

这些是SetMetaGetMetaFakeScript

static void GetMeta();
static void SetMeta();

以前我是为 getter 方法做的:

luabind::object FakeScript::getProp()
{
    luabind::object obj = luabind::newtable(L);

    for(auto i = this->properties.begin(); i != this->properties.end(); i++)
    {
        obj[i->first] = i->second;
    }

    return obj;
}

这很好用,但它不允许我使用 setter 方法。例如:

player.scripts["movement"].properties["stat"] = "idle"
print(player.scripts["movement"].properties["stat"])

在这段代码中,它只会在两行中触发 getter 方法。虽然如果它让我使用 setter,我将无法从它所在的属性中获取密钥["stat"]

这里有 LuaBind 方面的专家吗?我见过大多数人说他们以前从未使用过它。

4

1 回答 1

5

您需要使用(未记录的)make_function()从函数中创建对象。

metatable["__index"] = luabind::make_function(L, &this->GetMeta);
metatable["__newindex"] = luabind::make_function(L, &this->GetMeta);

不幸的是,这个(最简单的)重载make_function被破坏了,但你只需要作为第二个参数插入 fmake_function.hpp.

于 2013-07-18T17:02:04.807 回答