0

我有一个内核接收一个扁平的二维数组,我想每次共享内存时复制一行数组,我的内核如下所示:

__global__ void searchKMP(char *test,size_t pitch_test,int ittNbr){
    int  tid = blockDim.x * blockIdx.x + threadIdx.x;
    int strideId = tid * 50;

    int m = 50;

    __shared__ char s_test[m];

    int j;
               //this loops over the number of lines in my 2D array           
                   for(int k=0; k<ittNbr; k++){

                   //this loops to store my flattened (basically threats 1 line at a time) array into shared memory     
                   if(threadIdx.x==0){
                     for(int n =0; n<50; ++n){
                    s_test[n] = *(((char*)test + k * pitch_test) + n);

                }
             }
            __syncthreads();


             j=0;

            //this is loop to process my shared memory array against another 1D array
             for(int i=strideID; i<(strideID+50); i++{
             ...dosomething...
             (increment x if a condition is met) 
             ...dosomething...
             }
             __syncthreads();
             if(x!=0)
                cache[0]+=x;

            ...dosomething...

}

尽管当我验证 x 的值时,x 的值始终在变化,或者随着线程数的变化而变化。例如,当 20 个 250 个线程块根据执行返回值 7 或 6 时,10 个 500 个线程块返回 9。我想知道问题是来自复制到共享内存中的二维扁平数组,还是在这段代码中做错了什么。

4

2 回答 2

1

看起来您在共享内存中的数组有 20 个元素:

   int m = 20;
   __shared__ char s_test[m];

但是在您的内部循环中,您尝试编写 50 个元素:

   for(int n =0; n<50; ++n){
      s_test[n] = *(((char*)test + k * pitch_test) + n);

我不知道这是否是您正在寻找的具体问题,但看起来它不起作用。

于 2013-03-22T20:08:09.280 回答
0

共享内存在同一块中的所有线程之间共享

目前还不是很清楚,为什么需要共享内存以及您在做什么:

在您的代码中,块中的所有线程多次将相同的值写入您的共享内存,但它是冗余的

使用共享内存的常用方法是这样的:

if(threadIdx.x < m)
  s_test[threadIdx.x] = *(global_mem_pointer + threadIdx.x);

__syncthreads();

块中的所有线程“同时”写入自己的值,并且在__syncthreads();您的内存充满您需要的内容并且对块中的所有线程可见之后

于 2013-03-22T13:47:42.550 回答