我正在尝试使用cgo使用C函数strfmon

有效的示例C代码是:

#include <stdio.h>
#include <monetary.h>

int main(void)
{
    char str[100];
    double money = 1234.56;
    strfmon(str, 100, "%i", money);
    printf("%s\n", string);
}

到目前为止,我编写的Go代码是:
package main

// #cgo CFLAGS: -g -Wall
// #include <stdlib.h>
// #include <monetary.h>
import "C"
import (
    "fmt"
)

func main() {
    str := [100]C.char{}
    var money C.double = 1234.56
    C.strfmon(str, 100, "%i", money)
    fmt.Printf("%+v\n", str)
}

当我go run main.go时,出现以下错误:
./main.go:14:2: unexpected type: ...
我相信...指的是strfmon中的可变参数,但是我不确定如何从Go中解决该问题。

最佳答案

根据 cgo command documentation:



strfmon(3p) 实际上是可变参数函数,如签名中的...字符所示:

ssize_t strfmon(char *restrict s, size_t maxsize,
   const char *restrict format, ...);

这样,您可以在C中创建一个包装函数,该包装函数具有固定数量的参数,并根据需要调用strfmon(...),例如:
package main

// #cgo CFLAGS: -g -Wall
//
// #include <locale.h>
// #include <monetary.h>
// #include <stdlib.h>
//
// size_t format_amount(char * s, size_t maxsize, char * format, double amount)
// {
//   setlocale(LC_ALL, "en_US");
//   return strfmon(s, maxsize, format, amount);
// }
//
import "C"
import "fmt"
import "unsafe"

const SIZE = 100

func main() {
  str := C.CString(string(make([]byte, SIZE)))
  money := C.double(1234.56)
  format := C.CString("[%n]")

  C.format_amount(str, SIZE-1, format, money) // Call our wrapper here.
  fmt.Printf("OK: %s\n", C.GoString(str))
  // OK: [$1,234.56]

  C.free(unsafe.Pointer(str))
  C.free(unsafe.Pointer(format))
}

关于go - 在cgo中使用strfmon,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/52113027/

10-11 09:03