在SWIG 2.0.8的lua/std_vector.i
评论中说:
并且不支持迭代器和&插入/擦除
但也许有人知道怎么做?
例如,可以通过定义#
来添加__len
长度运算符(它可能会偶然发生,我通过试验和错误找到它):
%include "std_vector.i"
%extend std::vector { int __len(void*) { return self->size(); } }
namespace std {
%template(PointVector) vector<fityk::Point>;
}
我和__call
尝试过类似的技巧,但我被卡住了。 SWIG包装妨碍了。我已尝试使用%native
,但我无法与%extend
一起使用。
答案 0 :(得分:0)
我不知道如何在SWIG模板中执行此操作,但在调用__call
之后,我设法将luaopen_module
插入到SWIG生成的元数据中:{/ 1}:
SWIG_Lua_get_class_metatable(L_, PointVector);
SWIG_Lua_add_function(L_, "__call", lua_vector_iterator);
因此矢量可以用作迭代器。有点尴尬2合1,但有效:
> = points
<PointVector userdata: 190FBE8>
> for n, p in points do print(n, p) end
0 (24.0154; 284; 16.8523)
1 (24.0541; 343; 18.5203)
迭代器返回索引和值,如Python中的enumerate()
,并且Lua下次将索引传递回迭代器(堆栈上的第3个arg)。我没有看到记录这种行为,所以我可能依赖于实现细节。
以下是用作__call()
的函数:
// SWIG-wrapped vector is indexed from 0. Return (n, vec[n]) starting from n=0.
static int lua_vector_iterator(lua_State* L)
{
assert(lua_isuserdata(L,1)); // in SWIG everything is wrapped as userdata
int idx = lua_isnil(L, -1) ? 0 : lua_tonumber(L, -1) + 1;
// no lua_len() in 5.1, let's call size() directly
lua_getfield(L, 1, "size");
lua_pushvalue(L, 1); // arg: vector as userdata
lua_call(L, 1, 1); // call vector<>::size(this)
int size = lua_tonumber(L, -1);
if (idx >= size) {
lua_settop(L, 0);
return 0;
}
lua_settop(L, 1);
lua_pushnumber(L, idx); // index, to be returned
lua_pushvalue(L, -1); // the same index, to access value
lua_gettable(L, 1); // value, to be returned
lua_remove(L, 1);
return 2;
}