Go 调用 C/C++ 的方式:
- C:直接调用 C API;
- C++:通过实现一层封装的 C 接口来调用 C++ 接口。
调用C
在Go语言的源代码中直接声明C语言代码是比较简单的应用情况,可以直接使用这种方法将C语言代码直接写在Go语言代码的注释中,并在注释之后紧跟import "C",通过C.xx来引用C语言的结构和函数,如下所示:
package main/*#include <stdio.h>#include <stdlib.h>typedef struct {int id;}ctx;ctx *createCtx(int id) {ctx *obj = (ctx *)malloc(sizeof(ctx));obj->id = id;return obj;}*/import "C"import ("fmt")func main() {var ctx *C.ctx = C.createCtx(100)fmt.Printf("id : %d\n", ctx.id)}
运行结果如下:
go run main.goid : 100
封装实现 C++ 接口的调用
首先我们新建一个 cpp 目录,并将 C++ 的代码放置在 cpp 目录下,C++ 代码需要提前编译成动态库(拷贝到系统库目录可以防止 go 找不到动态库路径),go 程序运行时会去链接。
├── cpp│ ├── cwrap.cpp│ ├── cwrap.h│ ├── test.cpp│ └── test.h└── main.go
其中 test.cpp 和 test.h 是 C++ 接口的实现;cwrap.h 和 cwrap.cpp 是封装的 C 接口的实现。
test.h
#ifndef __TEST_H__#define __TEST_H__#include <stdio.h>class Test {public:void call();};#endif
test.cpp
#include "test.h"void Test::call() {printf("call from c++ language\n");}cwrap.cpp#include "cwrap.h"#include "test.h"void call() {Test ctx;ctx.call();}
cwrap.h
#ifndef __CWRAP_H__#define __CWRAP_H__#ifdef __cplusplusextern "C" {#endifvoid call();#ifdef __cplusplus}#endif#endif
main.go
package main/*#cgo CFLAGS: -Icpp#cgo LDFLAGS: -lgotest#include "cwrap.h"*/import "C"func main() {C.call()}
