У меня есть этот код C:
uint8_t *data[BUF_SIZE];
data = ...;
// extern void goReadData(uint8_t *data, int bufferSize);
goReadData(data, BUF_SIZE)
И в коде GO я пытаюсь использовать указатель data
в качестве массива или фрагмента GO, я хочу получить [] uint8 из * C.uint8_t. Я знаю размер data
//export goReadData
func goReadData(data *C.uint8_t, bufferSize C.int) {
fmt.Printf("Data type %v\n", reflect.TypeOf(data))
// print 1: Data type *main._Ctype_uchar
// Solution 1: GoBytes
// works but really slow (memory copy I think)
goBytes := C.GoBytes(unsafe.Pointer(data), bufferSize)
fmt.Printf("goBytes type %v\n", reflect.TypeOf(goBytes))
// print 2: goBytes type []uint8
// Solution 2: direct pointer
// Really fast, but wrong type at the end
// unsafe.Pointer to the C array
unsafePtr := unsafe.Pointer(data)
// convert unsafePtr to a pointer of the type *[1 << 30]C.uint8_t
arrayPtr := (*[1 << 30]C.uint8_t)(unsafePtr)
// slice the array into a Go slice, with the same backing array
// as data, making sure to specify the capacity as well as
// the length.
length := int(bufferSize)
slice := arrayPtr[0:length:length]
fmt.Printf("Direct slice type %v\n", reflect.TypeOf(slice))
//Print 3: Direct type []main._Ctype_uchar
}
Как я могу восстановить []uint8
вместо [] main._Ctype_uchar со вторым решением? Или у вас есть другое решение сделать это без байтовой копии?