小编典典

将Swift字符串数组转换为C字符串数组指针

swift

我正在使用Swift 3,并且需要与C API进行交互,例如,C API接受以NULL终止的字符串列表

const char *cmd[] = {"name1", "value1", NULL};
command(cmd);

在Swift中,API的导入方式如下

func command(_ args: UnsafeMutablePointer<UnsafePointer<Int8>?>!)

在尝试使用类型转换数百次后,unsafeAddress(of:)我还是无法完成这项工作。即使我传递通过编译的有效指针,它也会在运行时崩溃,提示无效的内存访问(在strlen函数中)。还是关于ARC的东西?

let array = ["name1", "value1", nil]

// ???
// args: UnsafeMutablePointer<UnsafePointer<Int8>?>

command(args)

阅读 339

收藏
2020-07-07

共1个答案

小编典典

您可以像如何通过使用char
**参数将Swift字符串数组传递给C函数中的步骤类似。由于const参数数组的-ness 不同 ,并且存在一个终止符
nil(一定不能传递给strdup()),因此它有所不同。

这是应该如何工作的:

let array: [String?] = ["name1", "name2", nil]

// Create [UnsafePointer<Int8>]:
var cargs = array.map { $0.flatMap { UnsafePointer<Int8>(strdup($0)) } }
// Call C function:
let result = command(&cargs)
// Free the duplicated strings:
for ptr in cargs { free(UnsafeMutablePointer(mutating: ptr)) }
2020-07-07