1

下面的内核计算声压场,每个线程计算它自己的pressure向量私有实例,然后需要将其汇总到全局内存中。我很确定计算pressure向量的代码是正确的,但我仍然无法让它产生预期的结果。

int gid       = get_global_id(0);
int lid       = get_local_id(0);
int nGroups   = get_num_groups(0);
int groupSize = get_local_size(0);
int groupID   = get_group_id(0);

/* Each workitem gets private storage for the pressure field.
 * The private instances are then summed into local storage at the end.*/
private float2    pressure[HYD_DIM_TOTAL];
local   float2    pressure_local[HYD_DIM_TOTAL];

/* Code which computes value of 'pressure' */

//wait for all workgroups to finish accessing any memory
barrier(CLK_GLOBAL_MEM_FENCE | CLK_LOCAL_MEM_FENCE);

/// sum all results in a workgroup into local buffer:
for(i=0; i<groupSize; i++){

    //each thread sums its own private instance into the local buffer
    if (i == lid){
        for(iHyd=0; iHyd<HYD_DIM_TOTAL; iHyd++){
            pressure_local[iHyd] += pressure[iHyd];
        }
    }
    //make sure all threads in workgroup get updated values of the local buffer
    barrier(CLK_LOCAL_MEM_FENCE);
}

/// copy all the results into global storage
//1st thread in each workgroup writes the group's local buffer to global memory
if(lid == 0){
    for(iHyd=0; iHyd<HYD_DIM_TOTAL; iHyd++){
        pressure_global[groupID +nGroups*iHyd] = pressure_local[iHyd];
    }
}

barrier(CLK_GLOBAL_MEM_FENCE);

/// sum the various instances in global memory into a single one
// 1st thread sums global instances
if(gid == 0){

    for(iGroup=1; iGroup<nGroups; iGroup++){

        //we only need to sum the results from the 1st group onward
        for(iHyd=0; iHyd<HYD_DIM_TOTAL; iHyd++){

            pressure_global[iHyd] += pressure_global[iGroup*HYD_DIM_TOTAL +iHyd];
            barrier(CLK_GLOBAL_MEM_FENCE);
        }
    }
}

关于数据维度的一些注意事项: 线程总数将在 100 到 2000 之间变化,但有时可能超出此区间。
groupSize将取决于硬件,但我目前使用的值介于 1(cpu) 和 32(gpu) 之间。
HYD_DIM_TOTAL在编译时已知并且在 4 到 32 之间变化(通常但不一定是 2 的幂)。

这个缩减代码有什么明显的错误吗?

PS:我在带有 AMD APP SDK 2.8 的 i7 3930k 和 NVIDIA GTX580 上运行它。

4

1 回答 1

4

我注意到这里有两个问题,一个大,一个小:

  • 此代码表明您对障碍的作用存在误解。屏障永远不会跨多个工作组同步。它仅在工作组内同步。CLK_GLOBAL_MEM_FENCE 使它看起来像是全局同步,但实际上并非如此。该标志只是屏蔽了当前工作项对全局内存的所有访问。因此,在带有此标志的屏障之后,未完成的写入将是全局可观察的。但它不会改变屏障的同步行为,这只是在工作组的范围内。除了启动另一个 NDRange 或任务之外,OpenCL 中没有全局同步。
  • 第一个 for 循环导致多个工作项覆盖彼此的计算。使用 iHyd 对 pressure_local 的索引将由具有相同 iHyd 的每个工作项完成。这将产生不确定的结果。

希望这可以帮助。

于 2013-02-19T18:46:40.693 回答