如何在 cgo 函数中操作 C 字符数组?

How to manipulate a C character array inside a cgo function?

我有一个 C 函数,它调用带有 char 数组参数的 go-Function。 go-Function 必须修改参数的内容。如何实现?

void cFunction() {
 char buffer[9] = "aaabbbccc"; // 9 is in this case correct, it is not a null-terminated-string
 goFunction(buffer);
 // buffer shall be modified
}
func goFunction(cBuffer *C.char) {
  // how to modify 3-5?
  //strncpy(cBuffer+3, "XXX")
}

编辑:更准确地说。我必须实现一个回调函数,它接受一个我必须操纵的输出参数。

  void callback(char outbuffer[9]) {
    goFunction(outbuffer);
  }

据我了解 Franks 的回答,我应该这样做

  allocate new go buffer
  convert C buffer to go buffer
  manipulate go buffer
  allocate new C buffer
  convert go buffer to C buffer
  memcpy C buffer into outbuffer

我觉得分配和转换太多了

不建议修改Go中的C struct,或C中的Go struct,在接口处转换,Ref1

A few special functions convert between Go and C types by making copies of the data. In pseudo-Go definitions

更多,给你一个字符串零拷贝转换的方法,

func char2Slice(data unsafe.Pointer, len C.int) []byte {
    var value []byte
    sH := (*reflect.SliceHeader)(unsafe.Pointer(&value))
    sH.Cap, sH.Len, sH.Data = int(len), int(len), uintptr(data)
    return value
}

请参阅 Turning C arrays into Go slices 的文档以获取包含 C 数据的可索引 go 切片。

因为您正在就地修改 C 缓冲区数据,使用 Go slice 作为代理,您可以简单地将相同的缓冲区传递给回调。请注意,使用 append 可能会为您的切片分配一个新的 Go 数组,因此您需要避免它并确保您事先在缓冲区中有足够的 space 可用。

func goFunction(cBuffer *C.char, length int) {
    slice := (*[1 << 28]C.char)(unsafe.Pointer(cBuffer))[:length:length]
    // slice can now be modified using Go syntax, without pointer arithmetic
    
    C.callback(cBuffer)
}