我正在尝试编译此处的代码:http://developer.amd.com/tools-and-sdks/opencl-zone/opencl-resources/introductory-tutorial-to-opencl/
我正在用命令编译它:
g++ -Wall -O2 -lm -lOpenCL -g -Wno-unknown-pragmas foo.cpp -o foo
导致问题的代码部分是:
#pragma OPENCL EXTENSION cl_khr_byte_addressable_store : enable
__constant char hw[] = "Hello World\n";
__kernel void hello(__global char * out) {
size_t tid = get_global_id(0);
out[tid] = hw[tid];
}
我收到以下错误:
foo.cpp:105:2: error: ‘__constant’ does not name a type
__constant char hw[] = "Hello World\n";
foo.cpp:107:2: error: ‘__kernel’ does not name a type
__kernel void hello(__global char * out) {
有人可以解释为什么会这样吗?标题与链接上的标题完全相同。
由于
答案 0 :(得分:1)
你不能像那样编译OpenCL代码(没有更多的支持基础设施,例如支持OpenCL的编译器和OpenCL功能库) - Clang能够为x86编译OpenCL,但随后抱怨没有当它试图链接事物时支持库)。
典型的OpenCL应用程序将如下所示:
// Get platform, device and context - this is about 10-20 lines of "boilerplate" code.
const char* source = "... your code goes here ...";
// But you could of course read it from a file, for example!
cl_int err;
clProgram prog = clCreateProgramWithSource(context, 1, &source, NULL, &err);
err = clBuildProgram(prog, 1, &device, NULL, NULL, NULL);
cl_kernel kern = clCreateKernel(prog, "hello", &err);
cl_mem out = clCreateBuffer(context, CL_MEM_READ_WRITE, 100, NULL, err);
err = clSetKernelArg(kernel, 0, sizeof(out), out);
size_t range = 1;
cl_command_queue queue = cl_create_command_queue( ... );
cl_event event;
err = clEnqueueNDRange(queue, kern, 1, NULL, &size, NULL, 0, NULL, &event);
clFlush(queue);
clWaitForEvent(event);
// Lots of lines of code to release everything.
[我刚刚手写了以上几行 - 我家里没有CL环境,所以我无法检查它 - 它显示了一般原理,我跳过了相当多的设置/拆解代码 - 当然,每次调用OpenCL库时都应该进行错误检查,因为通常很容易让它变得错误并得到错误,然后导致下一步崩溃/出错]
有面向对象的变体,它允许你避免一些清理(析构函数为你做的),但因为我只写了几次这样的代码[对比很多时候使用上面显示的基本C版本,我必须浏览文档或查看我工作中的“OpenCL C ++绑定卡”。
答案 1 :(得分:0)
我在同一个教程中遇到了同样的问题。这是我试图克服它。
该教程令人困惑的部分是它为您提供OpenCL代码,而没有明确告诉您将该代码放在名为“lesson1_kernel.cl”的文件中
我认为这是因为在本教程前面,本机代码读取了这个文件:
std::ifstream file("lesson1_kernels.cl");
checkErr(file.is_open() ? CL_SUCCESS:-1, "lesson1_kernel.cl");
std::string prog(
std::istreambuf_iterator<char>(file),
(std::istreambuf_iterator<char>()));
cl::Program::Sources source(
1,
std::make_pair(prog.c_str(), prog.length()+1));
该教程中的所有以前的“本机代码”都属于您要编译的文件。根据教程的说明,本机代码属于名为“lesson1.cpp”的文件
gcc –o hello_world –Ipath-OpenCL-include –Lpath-OpenCL-libdir lesson1.cpp –lOpenCL
我不想为这样一个简单的一次性脚本创建一个新的lesson1_kernels.cl文件,所以我将所有OpenCL代码放入一个字符串中并用它创建了cl :: Program :: Sources对象使用适当的转义字符串:
const std::string openCLCode("#pragma OPENCL EXTENSION cl_khr_byte_addressable_store : enable\n__constant char hw[] = \"Hello World\\n\";\n__kernel void hello(__global char * out) \n\n{\n size_t tid = get_global_id(0);\n out[tid] = hw[tid];\n}\n");
和
cl::Program::Sources source(
1,
std::make_pair(openCLCode.c_str(), openCLCode.length()+1));
cl::Program program(context, source);
一旦我这样做,我就能够编译并运行该程序而没有其他问题。感谢theNoobProgrammer发布我的问题,谢谢Matts Petersson帮助我解决它而不会显着修改教程代码。