Go 调用 C/C++ 的方式:

  • C:直接调用 C API;
  • C++:通过实现一层封装的 C 接口来调用 C++ 接口。

调用C

在Go语言的源代码中直接声明C语言代码是比较简单的应用情况,可以直接使用这种方法将C语言代码直接写在Go语言代码的注释中,并在注释之后紧跟import "C",通过C.xx来引用C语言的结构和函数,如下所示:

  1. package main
  2. /*
  3. #include <stdio.h>
  4. #include <stdlib.h>
  5. typedef struct {
  6. int id;
  7. }ctx;
  8. ctx *createCtx(int id) {
  9. ctx *obj = (ctx *)malloc(sizeof(ctx));
  10. obj->id = id;
  11. return obj;
  12. }
  13. */
  14. import "C"
  15. import (
  16. "fmt"
  17. )
  18. func main() {
  19. var ctx *C.ctx = C.createCtx(100)
  20. fmt.Printf("id : %d\n", ctx.id)
  21. }

运行结果如下:

  1. go run main.go
  2. id : 100

封装实现 C++ 接口的调用

首先我们新建一个 cpp 目录,并将 C++ 的代码放置在 cpp 目录下,C++ 代码需要提前编译成动态库(拷贝到系统库目录可以防止 go 找不到动态库路径),go 程序运行时会去链接。

  1. ├── cpp
  2. ├── cwrap.cpp
  3. ├── cwrap.h
  4. ├── test.cpp
  5. └── test.h
  6. └── main.go

其中 test.cpp 和 test.h 是 C++ 接口的实现;cwrap.h 和 cwrap.cpp 是封装的 C 接口的实现。

test.h

  1. #ifndef __TEST_H__
  2. #define __TEST_H__
  3. #include <stdio.h>
  4. class Test {
  5. public:
  6. void call();
  7. };
  8. #endif

test.cpp

  1. #include "test.h"
  2. void Test::call() {
  3. printf("call from c++ language\n");
  4. }
  5. cwrap.cpp
  6. #include "cwrap.h"
  7. #include "test.h"
  8. void call() {
  9. Test ctx;
  10. ctx.call();
  11. }

cwrap.h

  1. #ifndef __CWRAP_H__
  2. #define __CWRAP_H__
  3. #ifdef __cplusplus
  4. extern "C" {
  5. #endif
  6. void call();
  7. #ifdef __cplusplus
  8. }
  9. #endif
  10. #endif

main.go

  1. package main
  2. /*
  3. #cgo CFLAGS: -Icpp
  4. #cgo LDFLAGS: -lgotest
  5. #include "cwrap.h"
  6. */
  7. import "C"
  8. func main() {
  9. C.call()
  10. }