Search code examples
cgotype-conversioncgo

cgo - How to convert string to C fixed char array


I'm trying to instantiate a C struct inside my Go code. The struct is defined like this, (in an external library that I cannot modify):

typedef struct {
    char field1[256];
} S1

In go, I did this:

func myfunc(mystr string){
    // We need to convert mystr from string to char array
    cStr := C.CString(mystr)
    defer C.free(unsafe.Pointer(cStr)

    // Should work now
    s1 := &C.S1{field1: cStr}

    // Do something with s1...
}

But it doesn't compile because:

cannot use cStr (type *C.char) as type [256]C.char in field value

I've tried forcing ([256]C.char)(cStr) but it obviously doesn't work either.

Is there a way to achieve what I'm trying to do?


Solution

  • The simplest solution is to change your struct's field definition to a char-pointer which is pretty standard for strings in C:

    typedef struct {
        char *field1;
    } S1
    

    The more complex solution would be [1]:

    arr := [256]C.char{}
    
    for i := 0; i < len(mystr) && i < 255; i++ { // leave element 256 at zero
        arr[i] = C.char(mystr[i])
    }
    
    s1 := &C.S1{field1: arr}
    

    [1] Code untested, cannot compile on this workstation.