我可以将 inclusive_scan 用于 cpu 上的数组,但是否可以使用 gpu 上的数组来执行此操作?(评论是我知道有效但我不需要的方式)。或者,是否还有其他简单的方法可以对设备内存中的数组执行包含扫描?
代码:
#include <stdio.h>
#include <stdlib.h> /* for rand() */
#include <unistd.h> /* for getpid() */
#include <time.h> /* for time() */
#include <math.h>
#include <assert.h>
#include <iostream>
#include <ctime>
#include <thrust/scan.h>
#include <cuda.h>
#ifdef DOUBLE
#define REAL double
#define MAXT 256
#else
#define REAL float
#define MAXT 512
#endif
#ifndef MIN
#define MIN(x,y) ((x < y) ? x : y)
#endif
using namespace std;
bool errorAsk(const char *s="n/a")
{
cudaError_t err=cudaGetLastError();
if(err==cudaSuccess)
return false;
printf("CUDA error [%s]: %s\n",s,cudaGetErrorString(err));
return true;
};
double *fillArray(double *c_idata,int N,double constant) {
int n;
for (n = 0; n < N; n++) {
c_idata[n] = constant*floor(drand48()*10);
}
return c_idata;
}
int main(int argc,char *argv[])
{
int N,blocks,threads;
N = 100;
threads=MAXT;
blocks=N/threads+(N%threads==0?0:1);
double *c_data,*g_data;
c_data = new double[N];
c_data = fillArray(c_data,N,1);
cudaMalloc(&g_data,N*sizeof(double));
cudaMemcpy(g_data,c_data,N*sizeof(double),cudaMemcpyHostToDevice);
thrust::inclusive_scan(g_data, g_data + N, g_data); // in-place scan
cudaMemcpy(c_data,g_data,N*sizeof(double),cudaMemcpyDeviceToHost);
// thrust::inclusive_scan(c_data, c_data + N, c_data); // in-place scan
for(int i = 0; i < N; i++) {
cout<<c_data[i]<<endl;
}
}
Run Code Online (Sandbox Code Playgroud)
如果您阅读推力快速入门指南,您会发现一个处理“原始”设备数据的建议:使用thrust::device_ptr:
您可能想知道当“原始”指针用作 Thrust 函数的参数时会发生什么。与 STL 一样,Thrust 允许这种用法,它将调度算法的主机路径。如果有问题的指针实际上是指向设备内存的指针,那么在调用该函数之前,您需要使用推力::device_ptr 将其包装起来。
要修复您的代码,您需要
#include <thrust/device_ptr.h>
Run Code Online (Sandbox Code Playgroud)
并用thrust::inclusive_scan以下两行替换您现有的呼叫:
thrust::device_ptr<double> g_ptr = thrust::device_pointer_cast(g_data);
thrust::inclusive_scan(g_ptr, g_ptr + N, g_ptr); // in-place scan
Run Code Online (Sandbox Code Playgroud)
另一种方法是使用推力执行策略并像这样修改您的调用:
thrust::inclusive_scan(thrust::device, g_data, g_data + N, g_data);
Run Code Online (Sandbox Code Playgroud)
还有各种其他的可能性。