使用 SWIG 包装 C++ 函数以获取 Lua table 个字符串

Wrapping C++ function to take Lua table of strings using SWIG

我正在尝试包装一个可以接收 Lua table 字符串的 C++ 函数,并将其用作 C++ 函数中的字符串数组。

我可以使用浮点类型而不是字符串成功地做到这一点。

这是我的函数。

static void readTable(float values[], int len) {

        for (int i=0; i<len; ++i)
            printf("VALUE : %g", values[i]);
    }

这是来自 SWIG 接口 (.i) 文件的类型映射部分

// using typemaps
%include <typemaps.i>
%apply (float INPUT[], int) {(float values[], int len)};

当我在 Lua 中调用这个函数时它工作正常。

但是,如果我将类型更改为 std::string 而不是 float 并将字符串 table 传递给函数,我会在 Lua 中收到以下错误。

Error in readTable expected 2..2 args, got 1

我不知道这意味着什么以及如何解决这个问题。 也许我必须向 SWIG 接口 (.i) 文件添加更多内容?

如有任何帮助,我将不胜感激。谢谢!

typemaps.i 文件只定义了 arrays of the primitive numeric types.

的类型映射

因此我建议您编写自己的类型映射。那么你也可以带一个std::vector<std::string>类型的参数,所以你甚至不需要长度参数。

%module table_of_strings

%{
#include <iostream>
#include <string>
#include <vector>

void readTable(std::vector<std::string> values) {
    for (size_t i=0; i<values.size(); ++i) {
        std::cout << "VALUE : " << values[i] << '\n';
    }
}
%}

%include "exception.i"
%typemap(in) std::vector<std::string>
{
    if (!lua_istable(L,1)) {
      SWIG_exception(SWIG_RuntimeError, "argument mismatch: table expected");
    }

    lua_len(L,1);
    size_t len = lua_tointeger(L,-1);

    .reserve(len);

    for (size_t i = 0; i < len; ++i) {
        lua_pushinteger(L,i+1);
        lua_gettable(L,1);
        .push_back(lua_tostring(L,-1));
    }
}

void readTable(std::vector<std::string> values);
swig -c++ -lua test.i
clang++ -Wall -Wextra -Wpedantic -I/usr/include/lua5.3 -fPIC -shared test_wrap.cxx -o table_of_strings.so -llua5.3
local tos = require"table_of_strings"
tos.readTable({"ABC", "DEF", "GHI"})
VALUE : ABC
VALUE : DEF
VALUE : GHI