我试图从我的Go代码调用CUDA函数。 我有以下三个文件。
test.h:
int test_add(void);
test.cu:
__global__ void add(int *a, int *b, int *c){
*c = *a + *b;
}
int test_add(void) {
int a, b, c; // host copies of a, b, c
int *d_a, *d_b, *d_c; // device copies of a, b, c
int size = sizeof(int);
// Allocate space for device copies of a, b, c
cudaMalloc((void **)&d_a, size);
cudaMalloc((void **)&d_b, size);
cudaMalloc((void **)&d_c, size);
// Setup input values
a = 2;
b = 7;
// Copy inputs to device
cudaMemcpy(d_a, &a, size, cudaMemcpyHostToDevice);
cudaMemcpy(d_b, &b, size, cudaMemcpyHostToDevice);
// Launch add() kernel on GPU
add<<<1,1>>>(d_a, d_b, d_c);
// Copy result back to host
cudaMemcpy(&c, d_c, size, cudaMemcpyDeviceToHost);
// Cleanup
cudaFree(d_a); cudaFree(d_b); cudaFree(d_c);
return 0;
}
test.go:
package main
import "fmt"
//#cgo CFLAGS: -I.
//#cgo LDFLAGS: -L. -ltest
//#cgo LDFLAGS: -lcudart
//#include <test.h>
import "C"
func main() {
fmt.Printf("Invoking cuda library...\n")
fmt.Println("Done ", C.test_add())
}
我正在使用以下代码编译CUDA代码:
nvcc -m64 -arch=sm_20 -o libtest.so --shared -Xcompiler -fPIC test.cu
所有三个文件 - test.h,test.cu和test.go都在同一目录中。 我尝试使用go进行构建时遇到的错误是&#34;未定义引用`test_add&#39;&#34;。
我对C / C ++的经验很少,而且是CUDA的新手。
我现在已经尝试解决我的问题两天了 非常感谢任何意见。
感谢。
答案 0 :(得分:3)
至少在这种情况下,似乎是the go import of C
is expecting the function to be provided with C style linkage。
CUDA(即nvcc)主要遵循C ++模式,默认提供C ++样式链接(包括函数名称修改等)
可以强制使用C而不是使用extern "C" {...code...}
的C ++样式链接在外部提供一段代码。这是C ++语言功能,并非特定于CUDA或nvcc。
因此看来问题可以通过对test.cu进行以下修改来解决:
extern "C" { int test_add(void) { ... code ... }; }