若是你暴露一个复杂对象给Lua,实现相似于OO编程的话,那么也要把析构函数暴露给Lua.编程
不然的话,lua gc的时候,回收垃圾对象,没有找到回收函数,就直接free掉了,这在C++中,是至关致命的.函数
tolua++中的tolua_cclass函数,用来注册lua对象,lua
TOLUA_API
void
tolua_cclass (lua_State* L,
const
char
* lname,
const
char
* name,
const
char
* base, lua_CFunction col)
|
同时会把最后的那个参数col,注册到lua对象的元表里面:spa
static
void
push_collector(lua_State* L,
const
char
* type, lua_CFunction col) {
/* push collector function, but only if it's not NULL, or if there's no
collector already */
if
(!col)
return
;
luaL_getmetatable(L,type);
lua_pushstring(L,
".collector"
);
//....
lua_pushcfunction(L,col);
//....
|
而发生gc的时候,class_gc_event函数会去在lua对象的元表里面找".collector"这个key,若是没找到,就用default的析构,不然就用用户提供的析构函数:code
top = lua_gettop(L);
if
(tolua_fast_isa(L,top,top-1, lua_upvalueindex(2)))
/* make sure we collect correct type */
{
/*fprintf(stderr, "Found type!\n");*/
/* get gc function */
lua_pushliteral(L,
".collector"
);
lua_rawget(L,-2);
/* stack: gc umt mt collector */
if
(lua_isfunction(L,-1)) {
/*fprintf(stderr, "Found .collector!\n");*/
}
else
{
lua_pop(L,1);
/*fprintf(stderr, "Using default cleanup\n");*/
lua_pushcfunction(L,<strong>tolua_default_collect</strong>);
//这个是默认的析构函数
}
lua_pushvalue(L,1);
/* stack: gc umt mt collector u */
lua_call(L,1,0);
|
而默认的析构函数是C free的简单封装:对象
TOLUA_API
int
tolua_default_collect (lua_State* tolua_S)
{
void
* self = tolua_tousertype(tolua_S,1,0);
free
(self);
return
0;
}
|
若是你经过tolua++注册一个复杂类型给lua的话,析构函数不被调用,而直接调用了free,会发生不少未定义行为.blog