已编辑
:我正在尝试基于Lua中使用的变量名创建一个简单的getter函数。
例如,它可以像以下在Lua中一样使用。
num = 123
str = "hello"
print(my.getValue("num")); --> result: 123
print(my.getValue("str")); --> result: hello
这是myBindings.h
文件
static void getValue(const char *name, lua_State *L)
{
lua_getglobal(L, name);
switch (lua_type(L, -1))
{
case LUA_TBOOLEAN:
//return boolean
break;
case LUA_TNUMBER:
//return number
break;
case LUA_TSTRING:
//return string
break;
case LUA_TTABLE:
//return table
break;
default:
//return nil
break;
}
lua_pop(L, 1);
}
这是myBindings.i
文件。
%module my
%{
#include "myBindings.h"
%}
%include <stl.i>
%include <std_except.i>
%include <exception.i>
%include <typemaps.i>
%typemap(default) (lua_State *L)
{
$1 = L;
}
%include "myBindings.h"
如何创建SWIG类型映射,以便getValue
函数在Lua中返回各种类型?
答案 0 :(得分:1)
getValue
函数出了点问题。在switch语句后弹出时,将弹出在switch语句中按下的所有内容。我想的目的是弹出您要查询的全局类型。因此,我只是将类型保存在局部变量中,然后立即弹出全局变量。为了这个例子,我要推送一些虚拟值。
static void getValue(const char *name, lua_State *L)
{
lua_getglobal(L, name);
switch (lua_type(L, -1))
{
case LUA_TBOOLEAN:
lua_pushboolean(L, true);
break;
case LUA_TNUMBER:
lua_pushnumber(L, 3.14);
break;
case LUA_TSTRING:
lua_pushstring(L, "Hello world!");
break;
case LUA_TTABLE:
lua_newtable(L);
lua_pushstring(L, "value");
lua_setfield(L, -2, "key");
break;
default:
lua_pushnil(L);
break;
}
// Before we can return we have to clean up the stack. There is
// currently the global "name" and the return value on the stack in this order
//
// 1. Return value
// 2. "name"
//
// We cannot just lua_pop(L, 1) because that would remove the
// return value which we of course want to keep. To pop an
// element at a specific position we have to use lua_remove.
lua_remove(L, -2);
}
接口文件看起来不错,但是您必须通知SWIG您已将其压入C ++函数内部的堆栈,并希望返回所压入的内容。因此,您必须在SWIG_arg
类型图中增加argout
。
%module my
%{
#include "myBindings.h"
%}
%typemap(default) (lua_State *L) {
$1 = L;
}
%typemap(argout) (const char *name, lua_State *L) {
++SWIG_arg;
}
%include "myBindings.h"
现在我们可以签出测试脚本了。在第一种情况下,我们用getValue
调用"num"
,其中num
具有类型编号。因此,我们期望获得3.14
,因为这是C ++函数所推动的。在第二种情况下,我们用"str"
进行调用,其中str
是字符串类型。因此,我们应该获得Hello world!
。
local my = require("my")
num = 123
str = "hello"
print(my.getValue("num"))
print(my.getValue("str"))
让我们尝试一下!
$ swig -lua -c++ test.i
$ clang++ -Wall -Wextra -Wpedantic -I /usr/include/lua5.2/ -fPIC -shared test_wrap.cxx -o my.so -llua5.2
$ lua5.2 test.lua
3.14
Hello world!
in
类型映射是错误的。 numinputs = 0
告诉SWIG具有此签名的函数需要零输入。这是不正确的,因为name
作为参数传递。但是,增加numinputs = 1
会迫使您自己检查和转换第一个参数。最好让SWIG处理该问题,并将其从类型映射中完全删除。
%typemap(in, numinputs = 0) (void **p) {
$1 = nullptr;
}
argout
类型映射毫无意义,甚至都不是有效的C ++。即使您更正了无效的强制类型转换,它仍然是一个巨大的类型不安全的内存泄漏。