将C结构转换为Go结构的好方法或推荐方法

时间:2014-04-11 05:49:52

标签: go cgo

我正在使用cgo从Go开发库绑定。 让我考虑下面的C结构和Go Struct。

struct cons_t {
  size_t type;
  cons_t *car;
  cons_t *cdr;
};

cons_t* parse(const char *str);

这是go的结构

type Cons struct {
  type int;
  car *Cons;
  cdr *Cons;
}

为了实现如下的Go功能,有什么更好的方法来实现TranslateCCons2GoCons?

func Parse (str string) *Cons {
  str_ptr := C.CString(string);
  cons_ptr := C.parse(str_ptr);
  retCons := TranslateCCons2GoCons(cons_ptr);
  return retCons;
}

我的第一个答案如下。

/*#cgo
int getType(cons_t *cons) {
    return cons->type;
}
cons_t *getCar(cons_t *cons) {
  return cons->car;
}
cons_t *getCdr(cons_t *cons) {
  return cons->cdr;
}
*/

func TranslateCCons2GoCons (c *C.cons_t) Cons {
  type := C.getType(c);
  car := C.getCar(c);
  cdr := C.getCdr(c);
  // drop null termination for simplicity
  return Cons{type, TranslateCCons2GoCons(car), TranslateCCons2GoCons(cdr)};
}

还有更好的方法吗?

2 个答案:

答案 0 :(得分:1)

你可以在Go中使用C结构(但如果struct拥有union它会变得有点复杂)。最简单的方法就是

type Cons struct {
    c C.cons_t
}

C中的任何功能现在只是Go

中的一个直通
func Parse(s string) Cons {
    str := C.CString(s)
    // Warning: don't free this if this is stored in the C code
    defer C.free(unsafe.Pointer(str))
    return Cons{c: C.parse(str)}
}

这有自己的开销,因为你必须对元素访问进行类型转换。那么var c Cons{}; c.Type之前的内容现在是

func (c Cons) Type() int {
    return int(c.c.type)
}

可以使用中间折衷方法,将字段存储在C类型旁边以便于访问

type Cons struct {
    type int
    c C.cons_t
}

func (c *Cons) SetType(t int) {
    c.type = t
    c.c.type = C.size_t(t)
}

func (c Cons) Type() int {
    return c.type
}

唯一真正的问题是,如果您经常调用C函数,这会在设置Go端字段时引入维护开销:

func (c *Cons) SomeFuncThatAltersType() {
    C.someFuncThatAltersType(&c.c)
    c.Type = int(c.c.type) // now we have to remember to do this
}

答案 1 :(得分:1)

我建议不要使用访问器功能。您应该能够直接访问C结构的字段,这将避免Go - > C函数调用开销(这是非常重要的)。所以你可以使用类似的东西:

func TranslateCCons2GoCons (c *C.cons_t) *Cons {
    if c == nil {
        return nil
    }
    return &Cons{
        type: int(c.type),
        car: TranslateCCons2GoCons(c.car),
        cdr: TranslateCCons2GoCons(c.cdr),
    }
}

此外,如果您使用C.CString分配C字符串,则需要释放它。因此,您的Parse函数应该类似于:

func Parse (str string) *Cons {
    str_ptr := C.CString(str)
    defer C.free(unsafe.Pointer(str_ptr)
    cons_ptr := C.parse(str_ptr)
    retCons := TranslateCCons2GoCons(cons_ptr)
    // FIXME: Do something to free cons_ptr here.  The Go runtime won't do it for you
    return retCons
}