2

我想要一个.cuh文件,我也可以在其中声明内核函数和主机函数。这些功能的实现将在.cu文件中进行。实施将包括Thrust库的使用。

main.cpp文件中,我想使用.cu文件内的实现。所以假设我们有这样的事情:

myFunctions.cuh

#include <thrust/sort.h>
#include <thrust/device_vector.h>
#include <thrust/remove.h>
#include <thrust/host_vector.h>
#include <iostream>

__host__ void show();

myFunctions.cu

#include "myFunctions.cuh"

__host__ void show(){
   std::cout<<"test"<<std::endl;
}

main.cpp

#include "myFunctions.cuh"

int main(void){

    show();

    return 0;
}

如果我这样做编译:

nvcc myFunctions.cu main.cpp -O3

然后通过键入运行可执行文件./a.out

test打印文本。

但是,如果我决定-std=c++0x使用以下命令包含:

nvcc myFunctions.cu main.cpp -O3 --compiler-options "-std=c++0x"

我收到很多错误,其中一些如下:

/usr/include/c++/4.6/x86_64-linux-gnu/./bits/c++config.h(159): error: identifier "nullptr" is undefined

/usr/include/c++/4.6/x86_64-linux-gnu/./bits/c++config.h(159): error: expected a ";"

/usr/include/c++/4.6/bits/exception_ptr.h(93): error: incomplete type is not allowed

/usr/include/c++/4.6/bits/exception_ptr.h(93): error: expected a ";"

/usr/include/c++/4.6/bits/exception_ptr.h(112): error: expected a ")"

/usr/include/c++/4.6/bits/exception_ptr.h(114): error: expected a ">"

/usr/include/c++/4.6/bits/exception_ptr.h(114): error: identifier "__o" is undefined

这些错误是什么意思,我该如何避免它们?

先感谢您

4

1 回答 1

5

如果您查看此特定答案,您会看到用户正在使用您正在使用的相同开关编译一个空的虚拟应用程序,并得到一些完全相同的错误。如果您将该开关的使用限制为编译 .cpp 文件,您可能会得到更好的结果:

我的函数.h:

void show();

myFunctions.cu:

#include <thrust/sort.h>
#include <thrust/device_vector.h>
#include <thrust/remove.h>
#include <thrust/host_vector.h>
#include <thrust/sequence.h>
#include <iostream>

#include "myFunctions.h"

void show(){
  thrust::device_vector<int> my_ints(10);
  thrust::sequence(my_ints.begin(), my_ints.end());
  std::cout<<"my_ints[9] = "<< my_ints[9] << std::endl;
}

主.cpp:

#include "myFunctions.h"

int main(void){

    show();

    return 0;
}

建造:

g++ -c -std=c++0x main.cpp
nvcc -arch=sm_20 -c myFunctions.cu 
g++ -L/usr/local/cuda/lib64 -lcudart -o test main.o myFunctions.o
于 2013-04-22T15:46:22.887 回答