一、C代码调用go接口。

 

1、前提是golang已经可以提供一些接口,此时需要在C代码中调用这些接口。或者第三方模块是golang写的,则需要把第三方编译成so文件,然后再C代码汇总访问其暴露出来的接口。

比如这里我让golang代码提供函数功能,并且将自己编译成so动态链接库,在C代码中调用这个库中的接口。

1.1、  golang提供的接口,文件名:autolibary.go,注意这里“//export Func”这句话一定要有,否则一会链接找不到接口。

package main

import "C"

import (
    "fmt"
)

//export Func
func Func(input int){
    fmt.Println("I am Func, hello world,input ",input, " over");
}

func main() {}

将这个接口Func编译到.so中。执行命令:go build -o autolibary.so -buildmode=c-shared autolibary.go 会在目录下生成: autolibary.h  autolibary.so两个文件,此时autolibary.so就是提供接口的go语言的动态链接库。

1.2、编辑C代码,在代码中调用go中的Func函数。test.c文件

#include "autolibary.h"
#include <stdio.h>

int main() {
    Func(100);
    return 0;
}
~

编译test.c文件:gcc test.c -o test ./autolibary.so。在目录下生成test文件。执行:./test,结果位

 二、C++代码调用go接口。

原理一样,编辑C++代码:test.cpp

#include <iostream>
#include "autolibary.h"
using namespace std;

int main (){
   Func(200);
   cout<<"c++ invoke golang test"<<endl;
}

执行命令:g++ test.cpp -o test_c++ ./autolibary.so 生成: test_c++

执行:./test_c++

​​​​​​​