我有一个需要在设备上多次引用的浮点数组,所以我相信存储它的最佳位置是在 __ 常量 __ 内存中(使用此引用)。数组(或向量)在初始化时需要在运行时写入一次,但被多个不同的函数读取数百万次,因此每个函数调用不断复制到内核似乎是个坏主意。
const int n = 32;
__constant__ float dev_x[n]; //the array in question
struct struct_max : public thrust::unary_function<float,float> {
float C;
struct_max(float _C) : C(_C) {}
__host__ __device__ float operator()(const float& x) const { return fmax(x,C);}
};
void foo(const thrust::host_vector<float> &, const float &);
int main() {
thrust::host_vector<float> x(n);
//magic happens populate x
cudaMemcpyToSymbol(dev_x,x.data(),n*sizeof(float));
foo(x,0.0);
return(0);
}
void foo(const thrust::host_vector<float> &input_host_x, const float &x0) {
thrust::device_vector<float> dev_sol(n);
thrust::host_vector<float> host_sol(n);
//this method works fine, but the memory transfer is unacceptable
thrust::device_vector<float> input_dev_vec(n);
input_dev_vec = input_host_x; //I want to avoid this
thrust::transform(input_dev_vec.begin(),input_dev_vec.end(),dev_sol.begin(),struct_max(x0));
host_sol = dev_sol; //this memory transfer for debugging
//this method compiles fine, but crashes at runtime
thrust::device_ptr<float> dev_ptr = thrust::device_pointer_cast(dev_x);
thrust::transform(dev_ptr,dev_ptr+n,dev_sol.begin(),struct_max(x0));
host_sol = dev_sol; //this line crashes
}
我尝试添加一个全局推力::device_vector dev_x(n),但这在运行时也崩溃了,并且会在 __ global __ 内存中而不是 __ constant__ 内存中
如果我只是丢弃推力库,这一切都可以工作,但是有没有办法将推力库与全局变量和设备常量内存一起使用?