gpt4 book ai didi

c++ - 返回各种类型的函数的 SWIG 类型映射

转载 作者:塔克拉玛干 更新时间:2023-11-03 07:05:22 29 4
gpt4 key购买 nike

已编辑:

我正在尝试根据 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 中返回各种类型?

最佳答案

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);
}

接口(interface)文件看起来不错,但您必须通知 SWIG 您已在 C++ 函数中推送到堆栈并希望返回推送的内容。因此,您必须在 argout 类型映射中增加 SWIG_arg

%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"

现在我们可以检查测试脚本了。在第一种情况下,我们使用 "num" 调用 getValue,其中 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++。即使您纠正了无效的转换,它仍然会是一个巨大的类型不安全内存泄漏。

关于c++ - 返回各种类型的函数的 SWIG 类型映射,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/51322510/

29 4 0
Copyright 2021 - 2024 cfsdn All Rights Reserved 蜀ICP备2022000587号
广告合作:1813099741@qq.com 6ren.com