package main

/*
#define _GNU_SOURCE 1
#include <stdio.h>
#include <stdlib.h>
#include <utmpx.h>
#include <fcntl.h>
#include <unistd.h>

char *path_utmpx = _PATH_UTMPX;

typedef struct utmpx utmpx;
*/
import "C"
import (
  "fmt"
  "io/ioutil"
)

type Record C.utmpx

func main() {

  path := C.GoString(C.path_utmpx)

  content, err := ioutil.ReadFile(path)
  handleError(err)

  var records []Record

  // now we have the bytes(content), the struct(Record/C.utmpx)
  // how can I cast bytes to struct ?
}

func handleError(err error) {
  if err != nil {
    panic("bad")
  }
}

我正在尝试将content读入Record我问了几个相关的问题。

Cannot access c variables in cgo

Can not read utmpx file in go

我已经阅读了一些文章和帖子,但仍然找不到解决方法。

最佳答案

我认为您正在以错误的方式进行操作。如果要使用C库,则可以使用C库读取文件。

不要纯粹使用cgo来拥有结构定义,您应该在Go中自己创建它们。然后,您可以编写适当的编码/解码代码以从原始字节读取。

快速的Google显示,有人已经完成了将相关C库的外观转换为Go所需的工作。参见utmp repository

可以使用此方法的一个简短示例是:

package main

import (
    "bytes"
    "fmt"
    "log"

    "github.com/ericlagergren/go-gnulib/utmp"
)

func handleError(err error) {
    if err != nil {
        log.Fatal(err)
    }
}

func byteToStr(b []byte) string {
    i := bytes.IndexByte(b, 0)
    if i == -1 {
        i = len(b)
    }
    return string(b[:i])
}

func main() {
    list, err := utmp.ReadUtmp(utmp.UtmpxFile, 0)
    handleError(err)
    for _, u := range list {
        fmt.Println(byteToStr(u.User[:]))
    }
}

您可以查看utmp软件包的GoDoc了解更多信息。

关于c - 如何在go中将字节转换为struct(c struct)?,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/45318603/

10-10 16:37