3

我正在尝试从 go 语言代码运行 C 调用。这是我正在运行的程序:

package main

// #include<proxy.h>

import "C"
import "fmt"

func main(){
    fmt.Println(C.CMD_SET_ROUTE)
}

这是文件proxy.h的内容:

#ifndef PROXY_H
#define PROXY_H

#include <netinet/in.h>

#ifdef CMD_DEFINE
#   define cmdexport
#else
#   define cmdexport static
#endif

cmdexport const int CMD_SET_ROUTE = 1;
cmdexport const int CMD_DEL_ROUTE = 2;
cmdexport const int CMD_STOP      = 3;

现在,这是我在尝试运行该程序时遇到的错误:

pensu@ubuntu:~$ go run test.go 
# command-line-arguments
could not determine kind of name for C.CMD_SET_ROUTE

我正在使用 gccgo-5 并使用 1.4.2 版。你能帮我弄清楚这里到底是什么问题吗?TIA。

4

1 回答 1

6

四件事:

  • 包含时应该使用双引号proxy.h,因为它与文件位于同一目录中.go
  • 在“C”注释和“C”导入之前不能有空行。
  • #endif你最后缺少一个proxy.h
  • 您需要CMD_DEFINE在包含之前定义proxy.h。否则,Go 无法访问静态变量。

以下是更正后的代码:

package main

// #define CMD_DEFINE
// #include "proxy.h"
import "C"
import "fmt"

func main(){
    fmt.Println(C.CMD_SET_ROUTE)
}
#ifndef PROXY_H
#define PROXY_H

#include <netinet/in.h>

#ifdef CMD_DEFINE
#   define cmdexport
#else
#   define cmdexport static
#endif

cmdexport const int CMD_SET_ROUTE = 1;
cmdexport const int CMD_DEL_ROUTE = 2;
cmdexport const int CMD_STOP      = 3;

#endif
于 2015-07-21T14:01:26.507 回答