我刚开始学习CUDA
编程。我正在翻阅一些简单的CUDA C
例子,一切都很顺利。然后!突然!推力!CUDA C
我认为自己精通 C++ 函子,并对和之间的区别感到吃惊Thrust
我很难相信
__global__ void square(float *a, int N) {
int idx = blockIdx.x * blockDim.x + threadIdx.x;
if (idx < N) {
a[idx] = a[idx] * a[idx];
}
}
int main(int argc, char** argv) {
float *aHost, *aDevice;
const int N = 10;
size_t size = N * sizeof(float);
aHost = (float*)malloc(size);
cudaMalloc((void**)&aDevice, size);
for (int i = 0; i < N; i++) {
aHost[i] = (float)i;
}
cudaMemcpy(aDevice, aHost, size, cudaMemcpyHostToDevice);
int block = 4;
int nBlock = N/block + (N % block == 0 ? 0:1);
square<<<nBlock, block>>>(aDevice, N);
cudaMemcpy(aHost, aDevice, size, cudaMemcpyDeviceToHost);
for (int i = 0; i < N; i++) {
printf("%d, %f\n", i, aHost[i]);
}
free(aHost);
cudaFree(aDevice);
}
相当于
template <typename T>
struct square {
__host__ __device__ T operator()(const T& x) const {
return x * x;
}
};
int main(int argc, char** argv) {
const int N = 10;
thrust::device_vector<float> dVec(N);
thrust::sequence(dVec.begin(), dVec.end());
thrust::transform(dVec.begin(), dVec.end(), dVec.begin(), square<float>());
thrust::copy(dVec.begin(), dVec.end(), std::ostream_iterator<float>(std::cout, "\n"));
}
我错过了什么吗?上面的代码是在 GPU 上运行的吗?Thrust 是一个很棒的工具,但我怀疑它是否能够处理所有繁重的 C 风格的内存管理。
- 代码是否
Thrust
在 GPU 上执行?我怎么知道? - 如何
Thrust
消除调用内核的奇怪语法? - 实际上是
Thrust
在唤起内核吗? - 是否
Thrust
自动处理线程索引计算?
谢谢你的时间。抱歉,如果这些是愚蠢的问题,但我发现我所看到的示例立即从可以描述为 T 型车到 M3 型的转变令人难以置信。