我想在项目中合并thrust
库和cufft
。因此,为了测试,我写了
int length = 5;
thrust::device_vector<thrust::complex<double> > V1(length);
thrust::device_vector<cuDoubleComplex> V2(length);
thrust::device_vector<thrust::complex<double> > V3(length);
thrust::sequence(V1.begin(), V1.end(), 1);
thrust::sequence(V2.begin(), V2.end(), 2);
thrust::transform(V1.begin(), V1.end(), V2.begin(), V3.begin(), thrust::multiplies<thrust::complex<double> >());
cufftHandle plan;
cufftPlan1d(&plan, length, thrust::complex<double>, 1);
cufftExecZ2Z(plan, &V1, &V2, CUFFT_FORWARD);
for (int i = 0; i < length; i++)
std::cout << V1[i] << ' ' << V2[i] << ' ' << V3[i] << '\n';
std::cout << '\n';
return EXIT_SUCCESS;
不幸的是,cufft
只接受cuDoubleComplex *a
等数组,而thrust::sequence
仅适用于thrust::complex<double>
- 向量。编译上面的代码时,我得到两个错误:
error : no operator "=" matches these operands
error : no operator "<<" matches these operands
第一个引用thrust::sequence(V2.begin(), V2.end(), 2);
,而第二个引用std::cout << V1[i] << ' ' << V2[i] << ' ' << V3[i] << '\n';
。如果我发表评论V2
,一切正常
thrust::device_vector<thrust::complex<double>>
和cuDoubleComplex *
之间是否有转化?如果没有,我该如何组合它们?
答案 0 :(得分:4)
thrust::complex<double>
和std::complex<double>
与cuDoubleComplex
共享相同的数据布局。因此,使上面的示例工作所需的全部工作是将device_vector
中的数据转换为原始指针并将它们传递给cuFFT。在大多数操作中,Thrust本身不能与cuDoubleComplex
一起使用,因为该类型是一个简单的容器,它不能定义执行Thrust所期望的任何操作所需的任何操作符{{ 3}}类型。
这应该有效:
#include <thrust/device_vector.h>
#include <thrust/transform.h>
#include <thrust/sequence.h>
#include <thrust/complex.h>
#include <iostream>
#include <cufft.h>
int main()
{
int length = 5;
thrust::device_vector<thrust::complex<double> > V1(length);
thrust::device_vector<thrust::complex<double> > V2(length);
thrust::device_vector<thrust::complex<double> > V3(length);
thrust::sequence(V1.begin(), V1.end(), 1);
thrust::sequence(V2.begin(), V2.end(), 2);
thrust::transform(V1.begin(), V1.end(), V2.begin(), V3.begin(),
thrust::multiplies<thrust::complex<double> >());
cufftHandle plan;
cufftPlan1d(&plan, length, CUFFT_Z2Z, 1);
cuDoubleComplex* _V1 = (cuDoubleComplex*)thrust::raw_pointer_cast(V1.data());
cuDoubleComplex* _V2 = (cuDoubleComplex*)thrust::raw_pointer_cast(V2.data());
cufftExecZ2Z(plan, _V1, _V2, CUFFT_FORWARD);
for (int i = 0; i < length; i++)
std::cout << V1[i] << ' ' << V2[i] << ' ' << V3[i] << '\n';
std::cout << '\n';
return EXIT_SUCCESS;
}