Golang CGo:将联合字段转换为Go类型

我正在64位平台上使用此C结构,尝试访问值联合中的ui32v字段:


struct _GNetSnmpVarBind {

  guint32       *oid;       /* name of the variable */

  gsize     oid_len;    /* length of the name */

  GNetSnmpVarBindType   type;       /* variable type / exception */

  union {

    gint32   i32;           /* 32 bit signed   */

    guint32  ui32;          /* 32 bit unsigned */

    gint64   i64;           /* 64 bit signed   */

    guint64  ui64;          /* 64 bit unsigned */

    guint8  *ui8v;          /*  8 bit unsigned vector */

    guint32 *ui32v;         /* 32 bit unsigned vector */

  }         value;      /* value of the variable */

  gsize     value_len;  /* length of a vector in bytes */

};

我可以为每个并集元素编写一个C包装函数,但是出于教学目的,我宁愿在Go中工作。这是我尝试访问ui32v字段的方式:


func union_to_guint32_ptr(cbytes [8]byte) (result *_Ctype_guint32) {

  buf := bytes.NewBuffer(cbytes[:])

  var ptr uint64

  if err := binary.Read(buf, binary.LittleEndian, &ptr); err == nil {

    return (*_Ctype_guint32)(unsafe.Pointer(ptr))

  }

  return nil

}

但是这给出了一个错误,无法将ptr(uint64类型)转换为unsafe类型。


那么,如何做我转换一个UINT64将转至类型指向一个C guint32?我已经尝试了多种转换,分别转换为uintptr,然后转换为* _Ctype_guint32,转换为uintptr,然后使用unsafe.Pointer,...


我的理由是:我传递了8个字节的数组。将其转换为uint64,即内存地址。将其转换为指向guint32的指针(即guint32的C数组),并作为结果返回-联合字段“ value”为guint32 *。


白板的微信
浏览 341回答 3
3回答

德玛西亚99

Sonia已经回答了她自己的问题,我只想提供为什么需要两次类型转换的原因。从unsafe.Pointer的文档中:1)任何类型的指针值都可以转换为Pointer。2)指针可以转换为任何类型的指针值。3)可以将uintptr转换为Pointer。4)指针可以转换为uintptr。由于var ptr uint64不是指针(如类型uint64不是指针),ptr不能直接转换为unsafe.Pointer使用规则1。因此,有必要首先转换ptr到uintptr,然后从uintptr向Pointer下面的规则3。

明月笑刀无情

cgo将联合公开为一个字节数组,其大小足以容纳联合的最大成员。在您的情况下是64位,而这8个字节,[8]byte。如您所展示的,此数组的内容保存并集的内容,使用它与指针转换有关。但是,您可以使用阵列的地址来大大简化该过程。对于一个C._GNetSnmpVarBind命名的data,guint32_star := *(**C.guint32)(unsafe.Pointer(&data.value[0]))当我第一次看到它时,我并没有完全理解这一点,但是当我将其分解时,它变得更加清晰:var data C._GNetSnmpVarBind    // The C structvar union [8]byte = data.value // The union, as eight contiguous bytes of memory// The first magic. The address of the first element in that contiguous memory// is the address of that memory. In other words, the address of that union.var addr *byte = &union[0]// The second magic. Instead of pointing to bytes of memory, we can point// to some useful type, T, by changing the type of the pointer to *T using// unsafe.Pointer. In this case we want to interpret the union as member// `guint32 *ui32v`. That is, T = (*C.guint32) and *T = (**C.guint32).var cast **C.guint32 = (**C.guint32)(unsafe.Pointer(addr))// The final step. We wanted the contents of the union, not the address// of the union. Dereference it!var guint32_star *C.guint32 = *cast归功于Alan Shen的文章,该文章以对我最终有意义的方式描述了工会的cgo表示形式。
打开App,查看更多内容
随时随地看视频慕课网APP

相关分类

Go