我正在尝试实现一个包含数据数组的结构 我想实现动态数组,如:
struct myStruct {
float3 *data0, *data1;
};
__global__ void kernel(myStruct input) {
unsigned int N = 2;
while(someStatements) {
data0 = new float3[N];
// do somethings
N *= 2;
}
}
如何在CUDA内核中执行此类操作?
答案 0 :(得分:1)
如果要在计算能力2.x或3,x设备上运行此代码,并使用最新版本的CUDA,则内核代码几乎是正确的。 Fermi和Kepler硬件上的CUDA 4.x和5.0支持C ++ new
运算符。请注意,使用new
或malloc
分配的内存在设备的运行时堆上分配。它具有创建的上下文的生命周期,但您目前无法直接从CUDA主机API访问它(因此通过cudaMemcpy
或类似的方式)。
我将您的结构和内核转换为一个简单的示例代码,您可以自己尝试看看它是如何工作的:
#include <cstdio>
struct myStruct {
float *data;
};
__device__
void fill(float * x, unsigned int n)
{
for(int i=0; i<n; i++) x[i] = (float)i;
}
__global__
void kernel(myStruct *input, const unsigned int imax)
{
for(unsigned int i=0,N=1; i<imax; i++, N*=2) {
float * p = new float[N];
fill(p, N);
input[i].data = p;
}
}
__global__
void kernel2(myStruct *input, float *output, const unsigned int imax)
{
for(unsigned int i=0,N=1; i<imax; i++, N*=2) {
output[i] = input[i].data[N-1];
}
}
inline void gpuAssert(cudaError_t code, char * file, int line, bool Abort=true)
{
if (code != 0) {
fprintf(stderr, "GPUassert: %s %s %d\n", cudaGetErrorString(code),file,line);
if (Abort) exit(code);
}
}
#define gpuErrchk(ans) { gpuAssert((ans), __FILE__, __LINE__); }
int main(void)
{
const unsigned int nvals = 16;
struct myStruct * _s;
float * _f, * f;
gpuErrchk( cudaMalloc((void **)&_s, sizeof(struct myStruct) * size_t(nvals)) );
size_t sz = sizeof(float) * size_t(nvals);
gpuErrchk( cudaMalloc((void **)&_f, sz) );
f = new float[nvals];
kernel<<<1,1>>>(_s, nvals);
gpuErrchk( cudaPeekAtLastError() );
kernel2<<<1,1>>>(_s, _f, nvals);
gpuErrchk( cudaPeekAtLastError() );
gpuErrchk( cudaMemcpy(f, _f, sz, cudaMemcpyDeviceToHost) );
gpuErrchk( cudaDeviceReset() );
for(int i=0; i<nvals; i++) {
fprintf(stdout, "%d %f\n", i, f[i]);
}
return 0;
}
需要注意几点:
nvcc -arch=sm_30 -Xptxas="-v" -o dynstruct dynstruct.cu
在Linux上编译GTX 670)cudaMemcpy
无法直接从运行时堆内存中的地址复制的限制的解决方法。我希望这可以在CUDA 5.0中修复,但最新的候选版本仍然有这个限制。