1

我尝试在 Google 上搜索库以在 CUDA 上进行数值集成,但找不到任何库。

1)我想问一下,是否有任何库可用于在 CUDA 上执行(函数的)集成?

2) 如果我在 CUDA 上编写自己的代码,例如实现 Romberg 集成,我应该如何进行?假设我有功能,比如说f(x);我是否需要针对不同的区间计算此函数的积分,例如0.0 - 0.1, ..., 0.2 - 0.3, ..., 1.3 - 2.3?如何并行计算所有这些?

在我看来,策略是如果我必须执行,例如,1000集成,我生成1000线程,每个线程计算梯形以及错误估计。但是,如果我想计算其中一个积分区间的梯形以及其他积分,我不知道如何以编程方式处理这个问题。

4

1 回答 1

2

正如上面 Tera 在他的评论中指出的那样,从并行编程的角度来看,集成基本上是一种简化,因此在 CUDA 中实现集成的一种非常简单的方法是利用 Thrust 库的原语(另请参阅我对Simpson 的回答将实值函数与 CUDA 集成的方法)。

下面是一个通过 Thrust 原语实现 Romberg 积分方法的简单示例。它是此站点上可用的相应 Matlab 代码的“直接”翻译,因此该示例还显示了 Thurst 如何“简单地”将一些 Matlab 代码移植到 CUDA。

#include <thrust/sequence.h>

#include <thrust/device_vector.h>
#include <thrust/host_vector.h>

#define pi_f  3.14159265358979f                 // Greek pi in single precision

struct sin_functor
{
    __host__ __device__
    float operator()(float x) const
    {
        return sin(2.f*pi_f*x);
    }
};

int main(void)
{
    int M = 5;                          // --- Maximum number of Romberg iterations

    float a     = 0.f;                  // --- Lower integration limit
    float b     = .5f;                  // --- Upper integration limit

    float hmin  = (b-a)/pow(2.f,M-1);   // --- Minimum integration step size 

    // --- Define the matrix for Romberg approximations and initialize to 1.f 
    thrust::host_vector<float> R(M*M,1.f);

    for (int k=0; k<M; k++) {

        float h = pow(2.f,k-1)*hmin;    // --- Step size for the k-th row of the Romberg matrix

        // --- Define integration nodes
        int N = (int)((b - a)/h) + 1;
        thrust::device_vector<float> d_x(N);
        thrust::sequence(d_x.begin(), d_x.end(), a, h);

        // --- Calculate function values
        thrust::device_vector<float> d_y(N);
        thrust::transform(d_x.begin(), d_x.end(), d_y.begin(), sin_functor());

        // --- Calculate integral
        R[k*M] = (.5f*h) * (d_y[0] + 2.f*thrust::reduce(d_y.begin() + 1, d_y.begin() + N - 1, 0.0f) + d_y[N-1]);

    }

    // --- Compute the k-th column of the Romberg matrix
    for (int k=1; k<M; k++) { 

        // --- The matrix of Romberg approximations is triangular!
        for (int kk=0; kk<(M-k+1); kk++) { 

            // --- See the Romberg integration algorithm
            R[kk*M+k] = R[kk*M+k-1] + (R[kk*M+k-1] - R[(kk+1)*M+k-1])/(pow(4.f,k)-1.f); 

        } 

    }

    // --- Define the vector Rnum for numerical approximations
    thrust::host_vector<float> Rnum(M); 
    thrust::copy(R.begin(), R.begin() + M, Rnum.begin());

    for (int i=0; i<M; i++) printf("%i %f\n",i,Rnum[i]);

    getchar();

    return 0;
}
于 2014-04-26T20:42:43.037 回答