我在设备端创建了一个缓冲区,我想初始化此缓冲区内的值。 OpenCL 1.2为此类操作提供了功能clEnqueueFillBuffer(http://www.khronos.org/registry/cl/sdk/1.2/docs/man/xhtml/clEnqueueFillBuffer.html)。

调用此函数无法正确初始化我的内存,但不会返回任何错误代码以表明该函数失败。

这是我使用的代码:

int initGridSize = 64*64*64;    // initial 3D volume size
cl_uint initVoxelValue = 255;   // initial value of each voxel in the volume

// create the buffer on the device
cl_mem buff = clCreateBuffer(context, CL_MEM_READ_ONLY, initGridSize*sizeof(cl_uint), NULL, &err);
if(err < 0) {
    perror("Couldn't create a buffer object");
    exit(1);
}

// Fill the buffer with the initial value
err = clEnqueueFillBuffer(queue, buff, &initVoxelValue, sizeof(cl_uint), 0, initGridSize*sizeof(cl_uint), 0, NULL, NULL);
if(err != CL_SUCCESS) {
    perror("Couldn't fill a buffer object");
    exit(1);
}
clFinish(queue);

// create a host side buffer and read the device side buffer into the host buffer
cl_uint *grid = new cl_uint [ initGridSize ];
err  = clEnqueueReadBuffer(queue, buff, CL_TRUE, 0, initGridSize*sizeof(cl_int), &grid[0], 0, NULL, NULL);
if (err != CL_SUCCESS)
{
    perror("Couldn't read a buffer object");
    exit(1);
}

// print the first 11 values in the buffer
cl_uint *g = grid;
for( int i=0; i<11; i++, g++ )
{
    printf("Voxel %i, %u\n", i, *g );
}
delete [] grid;


输出是这样的:

Voxel 0, 0
Voxel 1, 0
Voxel 2, 0
Voxel 3, 0
Voxel 4, 0
Voxel 5, 0
Voxel 6, 0
Voxel 7, 0
Voxel 8, 0
Voxel 9, 0
Voxel 10, 0


编写内核来填充缓冲区就足够简单了,但是理想情况下,我想使它正常工作。

谁能看到我要出问题的地方,或者这是驱动程序错误?

最佳答案

您已使用CL_MEM_READ_ONLY标志设置了缓冲区。将其设置为CL_MEM_READ_WRITE,以便您可以在其中写入值。

10-06 12:51