OpenCL

Not to be confused with OpenGL.
For the cryptographic library initially known as OpenCL, see Botan (programming library).
OpenCL API
OpenCL logo
Original author(s) Apple Inc.
Developer(s) Khronos Group
Initial release August 28, 2009 (2009-08-28)
Stable release
2.1 revision 23[1] / November 11, 2015 (2015-11-11)
Preview release
2.2 (provisional) revision 06[2] / March 11, 2016 (2016-03-11)
Development status Active
Written in C/C++
Operating system Android (vendor dependent),[3] FreeBSD,[4] Linux, macOS, Windows
Platform ARMv7, ARMv8,[5] Cell, IA-32, POWER, x86-64
Type Heterogeneous computing API
License OpenCL specification license
Website www.khronos.org/opencl
As of 25 December 2015
OpenCL C/C++
Paradigm Imperative (procedural), structured, object-oriented (C++ only)
Family C
Stable release
OpenCL C 2.0 revision 33[6] / March 2, 2016 (2016-03-02)
Preview release
OpenCL C++ 1.0 provisional specification revision 8[7] / March 2, 2015 (2015-03-02)
Typing discipline Static, weak, manifest, nominal
Implementation language Implementation specific
Filename extensions .cl
Website www.khronos.org/opencl/
Major implementations
AMD, Apple, freeocl, Gallium Compute, IBM, Intel Beignet, Intel SDK, Nvidia, pocl
Influenced by
C99, CUDA, C++14

Open Computing Language (OpenCL) is a framework for writing programs that execute across heterogeneous platforms consisting of central processing units (CPUs), graphics processing units (GPUs), digital signal processors (DSPs), field-programmable gate arrays (FPGAs) and other processors or hardware accelerators. OpenCL specifies a programming language (based on C99) for programming these devices and application programming interfaces (APIs) to control the platform and execute programs on the compute devices. OpenCL provides a standard interface for parallel computing using task-based and data-based parallelism.

OpenCL is an open standard maintained by the non-profit technology consortium Khronos Group. Conformant implementations are available from Altera, AMD, Apple, ARM Holdings, Creative Technology, IBM, Imagination Technologies, Intel, Nvidia, Qualcomm, Samsung, Vivante, Xilinx, and ZiiLABS.[8][9]

Overview

OpenCL views a computing system as consisting of a number of compute devices, which might be central processing units (CPUs) or "accelerators" such as graphics processing units (GPUs), attached to a host processor (a CPU). It defines a C-like language for writing programs. Functions executed on an OpenCL device are called "kernels".[1]:17 A single compute device typically consists of several compute units, which in turn comprise multiple processing elements (PEs). A single kernel execution can run on all or many of the PEs in parallel. How a compute device is subdivided into compute units and PEs is up to the vendor; a compute unit can be thought of as a "core", but the notion of core is hard to define across all the types of devices supported by OpenCL (or even within the category of "CPUs"),[10]:49–50 and the number of compute units may not correspond to the number of cores claimed in vendors' marketing literature (which may actually be counting SIMD lanes).[11]

In addition to its C-like programming language, OpenCL defines an application programming interface (API) that allows programs running on the host to launch kernels on the compute devices and manage device memory, which is (at least conceptually) separate from host memory. Programs in the OpenCL language are intended to be compiled at run-time, so that OpenCL-using applications are portable between implementations for various host devices.[12] The OpenCL standard defines host APIs for C and C++; third-party APIs exist for other programming languages and platforms such as Python,[13] Java and .NET.[10]:15 An implementation of the OpenCL standard consists of a library that implements the API for C and C++, and an OpenCL C compiler for the compute device(s) targeted.

In order to open the OpenCL programming model to other languages or to protect the kernel source from inspection, the Standard Portable Intermediate Representation (SPIR)[14] can be used as a target-independent way to ship kernels between a front-end compiler and the OpenCL back-end.

More recently Khronos Group has ratified SYCL,[15] a higher-level programming model for OpenCL as single-source DSEL based on pure C++14 to improve programming productivity.

Memory hierarchy

OpenCL defines a four-level memory hierarchy for the compute device:[12]

Not every device needs to implement each level of this hierarchy in hardware. Consistency between the various levels in the hierarchy is relaxed, and only enforced by explicit synchronization constructs, notably barriers.

Devices may or may not share memory with the host CPU.[12] The host API provides handles on device memory buffers and functions to transfer data back and forth between host and devices.

OpenCL C language

The programming language that is used to write compute kernels is called OpenCL C and is based on C99,[16] but adapted to fit the device model in OpenCL. Memory buffers reside in specific levels of the memory hierarchy, and pointers are annotated with the region qualifiers __global, __local, __constant, and __private, reflecting this. Instead of a device program having a main function, OpenCL C functions are marked __kernel to signal that they are entry points into the program to be called from the host program. Function pointers, bit fields and variable-length arrays are omitted, recursion is forbidden.[17] The C standard library is replaced by a custom set of standard functions, geared toward math programming.

OpenCL C is extended to facilitate use of parallelism with vector types and operations, synchronization, and functions to work with work-items and work-groups.[17] In particular, besides scalar types such as float and double, which behave similarly to the corresponding types in C, OpenCL provides fixed-length vector types such as float4 (4-vector of single-precision floats); such vector types are available in lengths two, three, four, eight and sixteen for various base types.[16] 6.1.2 Vectorized operations on these types are intended to map onto SIMD instructions sets, e.g., SSE or VMX, when running OpenCL programs on CPUs.[12] Other specialized types include 2-d and 3-d image types.[16]:10–11

Example: matrix-vector multiplication

Each invocation (work-item) of the kernel takes a row of the green matrix (A in the code), multiplies this row with the red vector (x) and places the result in an entry of the blue vector (y). The number of columns n is passed to the kernel as ncols; the number of rows is implicit in the number of work-items produced by the host program.

The following is a matrix-vector multiplication algorithm in OpenCL C.

// Multiplies A*x, leaving the result in y.
// A is a row-major matrix, meaning the (i,j) element is at A[i*ncols+j].
__kernel void matvec(__global const float *A, __global const float *x,
                     uint ncols, __global float *y)
{
    size_t i = get_global_id(0);              // Global id, used as the row index.
    __global float const *a = &A[i*ncols];    // Pointer to the i'th row.
    float sum = 0.f;                          // Accumulator for dot product.
    for (size_t j = 0; j < ncols; j++) {
        sum += a[j] * x[j];
    }
    y[i] = sum;
}

The kernel function matvec computes, in each invocation, the dot product of a single row of a matrix A and a vector x:

.

To extend this into a full matrix-vector multiplication, the OpenCL runtime maps the kernel over the rows of the matrix. On the host side, the clEnqueueNDRangeKernel function does this; it takes as arguments the kernel to execute, its arguments, and a number of work-items, corresponding to the number of rows in the matrix A.

Example: computing the FFT

This example will load a fast Fourier transform (FFT) implementation and execute it. The implementation is shown below.[18]

Here is C-code for setting up a graphics card to compute the FFT. The code asks the OpenCL library for the first available graphics card, creates memory buffers for reading and writing (from the perspective of the graphics card), JIT-compiles the FFT-kernel and then finally asynchroneously runs the kernel. The result from the transform is not read in this example.

  // create a compute context with GPU device
  context = clCreateContextFromType(NULL, CL_DEVICE_TYPE_GPU, NULL, NULL, NULL);

  // create a command queue
  clGetDeviceIDs( NULL, CL_DEVICE_TYPE_DEFAULT, 1, &device_id, NULL );
  queue = clCreateCommandQueue(context, device_id, 0, NULL);

  // allocate the buffer memory objects
  memobjs[0] = clCreateBuffer(context, CL_MEM_READ_ONLY | CL_MEM_COPY_HOST_PTR, sizeof(float)*2*num_entries, srcA, NULL);
  memobjs[1] = clCreateBuffer(context, CL_MEM_READ_WRITE, sizeof(float)*2*num_entries, NULL, NULL);

  // create the compute program
  program = clCreateProgramWithSource(context, 1, &fft1D_1024_kernel_src, NULL, NULL);

  // build the compute program executable
  clBuildProgram(program, 0, NULL, NULL, NULL, NULL);

  // create the compute kernel
  kernel = clCreateKernel(program, "fft1D_1024", NULL);

  // set the args values
  clSetKernelArg(kernel, 0, sizeof(cl_mem), (void *)&memobjs[0]);
  clSetKernelArg(kernel, 1, sizeof(cl_mem), (void *)&memobjs[1]);
  clSetKernelArg(kernel, 2, sizeof(float)*(local_work_size[0]+1)*16, NULL);
  clSetKernelArg(kernel, 3, sizeof(float)*(local_work_size[0]+1)*16, NULL);

  // create N-D range object with work-item dimensions and execute kernel
  global_work_size[0] = num_entries;
  local_work_size[0] = 64; //Nvidia: 192 or 256
  clEnqueueNDRangeKernel(queue, kernel, 1, NULL, global_work_size, local_work_size, 0, NULL, NULL);

The actual calculation (based on Fitting FFT onto the G80 Architecture):[19]

  // This kernel computes FFT of length 1024. The 1024 length FFT is decomposed into
  // calls to a radix 16 function, another radix 16 function and then a radix 4 function

  __kernel void fft1D_1024 (__global float2 *in, __global float2 *out,
                          __local float *sMemx, __local float *sMemy) {
    int tid = get_local_id(0);
    int blockIdx = get_group_id(0) * 1024 + tid;
    float2 data[16];

    // starting index of data to/from global memory
    in = in + blockIdx;  out = out + blockIdx;

    globalLoads(data, in, 64); // coalesced global reads
    fftRadix16Pass(data);      // in-place radix-16 pass
    twiddleFactorMul(data, tid, 1024, 0);

    // local shuffle using local memory
    localShuffle(data, sMemx, sMemy, tid, (((tid & 15) * 65) + (tid >> 4)));
    fftRadix16Pass(data);               // in-place radix-16 pass
    twiddleFactorMul(data, tid, 64, 4); // twiddle factor multiplication

    localShuffle(data, sMemx, sMemy, tid, (((tid >> 4) * 64) + (tid & 15)));

    // four radix-4 function calls
    fftRadix4Pass(data);      // radix-4 function number 1
    fftRadix4Pass(data + 4);  // radix-4 function number 2
    fftRadix4Pass(data + 8);  // radix-4 function number 3
    fftRadix4Pass(data + 12); // radix-4 function number 4

    // coalesced global writes
    globalStores(data, out, 64);
  }

A full, open source implementation of an OpenCL FFT can be found on Apple's website.[20]

History

OpenCL was initially developed by Apple Inc., which holds trademark rights, and refined into an initial proposal in collaboration with technical teams at AMD, IBM, Qualcomm, Intel, and Nvidia. Apple submitted this initial proposal to the Khronos Group. On June 16, 2008, the Khronos Compute Working Group was formed[21] with representatives from CPU, GPU, embedded-processor, and software companies. This group worked for five months to finish the technical details of the specification for OpenCL 1.0 by November 18, 2008.[22] This technical specification was reviewed by the Khronos members and approved for public release on December 8, 2008.[23]

OpenCL 1.0

OpenCL 1.0 released with Mac OS X Snow Leopard on August 28, 2009. According to an Apple press release:[24]

Snow Leopard further extends support for modern hardware with Open Computing Language (OpenCL), which lets any application tap into the vast gigaflops of GPU computing power previously available only to graphics applications. OpenCL is based on the C programming language and has been proposed as an open standard.

AMD decided to support OpenCL instead of the now deprecated Close to Metal in its Stream framework.[25][26] RapidMind announced their adoption of OpenCL underneath their development platform to support GPUs from multiple vendors with one interface.[27] On December 9, 2008, Nvidia announced its intention to add full support for the OpenCL 1.0 specification to its GPU Computing Toolkit.[28] On October 30, 2009, IBM released its first OpenCL implementation as a part of the XL compilers.[29]

OpenCL 1.1

OpenCL 1.1 was ratified by the Khronos Group on June 14, 2010[30] and adds significant functionality for enhanced parallel programming flexibility, functionality, and performance including:

OpenCL 1.2

On November 15, 2011, the Khronos Group announced the OpenCL 1.2 specification,[31] which added significant functionality over the previous versions in terms of performance and features for parallel programming. Most notable features include:

OpenCL 2.0

On November 18, 2013, the Khronos Group announced the ratification and public release of the finalized OpenCL 2.0 specification.[33] Updates and additions to OpenCL 2.0 include:

OpenCL 2.1

The ratification and release of the OpenCL 2.1 provisional specification was announced on March 3, 2015 at the Game Developer Conference in San Francisco. It was released on November 16, 2015.[34] It replaces the OpenCL C kernel language with OpenCL C++, a subset of C++14. Vulkan and OpenCL 2.1 share SPIR-V as an intermediate representation allowing high-level language front-ends to share a common compilation target. Updates to the OpenCL API include:

AMD, ARM, Intel, HPC, and YetiWare have declared support for OpenCL 2.1.[35][36]

OpenCL 2.2

OpenCL 2.2[37][38] brings the OpenCL C++ kernel language into the core specification for significantly enhanced parallel programming productivity.

Implementations

OpenCL consists of a set of headers and a shared object that is loaded at runtime. An installable client driver (ICD) must be installed on the platform for every class of vendor for which the runtime would need to support. That is, for example, in order to support Nvidia devices on a Linux platform, the Nvidia ICD would need to be installed such that the OpenCL runtime (the ICD loader) would be able to locate the ICD for the vendor and redirect the calls appropriately. The standard OpenCL header is used by the consumer application; calls to each function are then proxied by the OpenCL runtime to the appropriate driver using the ICD. Each vendor must implement each OpenCL call in their driver.[39]

A number of open source implementations of the OpenCL ICD exist, including freeocl,[40][41] and ocl-icd.[42]

An implementation of OpenCL for a number of platforms is maintained as part of the Gallium Compute Project,[43] which builds on the work of the Mesa project to support multiple platforms. Formerly this was known as CLOVER.[44] Actual OpenCL 1.0, 1.1 and 1.2 are in progress mostly for AMD Radeon but many sample tests were failed for Khronos Conformance.

An implementation by Intel for its Ivy Bridge hardware was released in 2013.[45] This software of Intel China Team, called "Beignet", is not based on Mesa/Gallium, which has attracted criticism from developers at AMD and Red Hat,[46] as well as Michael Larabel of Phoronix.[47] Actual Version 1.2.1 support OpenCL 1.2 (Ivy Bridge and higher).[48] Version for support of 2.0 is in work. Android is also possible in Beignet.[49]

A CPU-only version building on Clang and LLVM, called pocl, is intended to be a portable OpenCL implementation.,[50][51] Actual Version is 0.13 with some bugs and not full support of OpenCL 1.0 to 1.2 and partial support of 2.0.[52]

Shamrock is a Port of Mesa Clover for ARM.,[53][54] Actual support is OpenCL 1.2 with Target 2.0.

Timeline of vendor implementations

OpenCL in Snow Leopard is supported on the Nvidia GeForce 320M, GeForce GT 330M, GeForce 9400M, GeForce 9600M GT, GeForce 8600M GT, GeForce GT 120, GeForce GT 130, GeForce GTX 285, GeForce 8800 GT, GeForce 8800 GS, Quadro FX 4800, Quadro FX5600, ATI Radeon HD 4670, ATI Radeon HD 4850, Radeon HD 4870, ATI Radeon HD 5670, ATI Radeon HD 5750, ATI Radeon HD 5770 and ATI Radeon HD 5870.[62]
The Apple,[64] Nvidia,[65] RapidMind[66] and Gallium3D[67] implementations of OpenCL are all based on the LLVM Compiler technology and use the Clang Compiler as its frontend.

Devices

As of 2016 OpenCL runs on Graphics processing units, CPUs with SIMD instructions, FPGAs, Movidius Myriad 2, Adapteva epiphany and DSPs.

Conformant products

The Khronos Group maintains an extended list of OpenCL-conformant products.[5]

Synopsis of OpenCL conformant products[5]
AMD APP SDK (supports OpenCL CPU and accelerated processing unit Devices) X86 + SSE2 (or higher) compatible CPUs 64-bit & 32-bit;[94] Linux 2.6 PC, Windows Vista/7 PC AMD Fusion E-350, E-240, C-50, C-30 with HD 6310/HD 6250 AMD Radeon/Mobility HD 6800, HD 5x00 series GPU, iGPU HD 6310/HD 6250 ATI FirePro Vx800 series GPU
Intel SDK for OpenCL Applications 2013[95] (supports Intel Core processors and Intel HD Graphics 4000/2500) Intel CPUs with SSE 4.1, SSE 4.2 or AVX support.[96][97] Microsoft Windows, Linux Intel Core i7, i5, i3; 2nd Generation Intel Core i7/5/3, 3rd Generation Intel Core Processors with Intel HD Graphics 4000/2500 Intel Core 2 Solo, Duo Quad, Extreme Intel Xeon 7x00,5x00,3x00 (Core based)
IBM Servers with OpenCL Development Kit for Linux on Power running on Power VSX[98][99] IBM Power 755 (PERCS), 750 IBM BladeCenter PS70x Express IBM BladeCenter JS2x, JS43 IBM BladeCenter QS22
IBM OpenCL Common Runtime (OCR)

[100]

X86 + SSE2 (or higher) compatible CPUs 64-bit & 32-bit;[101] Linux 2.6 PC AMD Fusion, Nvidia Ion and Intel Core i7, i5, i3; 2nd Generation Intel Core i7/5/3 AMD Radeon, Nvidia GeForce and Intel Core 2 Solo, Duo, Quad, Extreme ATI FirePro, Nvidia Quadro and Intel Xeon 7x00,5x00,3x00 (Core based)
Nvidia OpenCL Driver and Tools[102] Nvidia Tesla C/D/S Nvidia GeForce GTS/GT/GTX Nvidia Ion Nvidia Quadro FX/NVX/Plex

Extensions

Some vendors provide extended functionality over the standard OpenCL specification via the means of extensions. These are still specified by Khronos but provided by vendors within their SDKs. They often contain features that are to be implemented in the future – for example device fission functionality was originally an extension but is now provided as part of the 1.2 specification.

Extensions provided in the 1.2 specification include:

Device fission

Device fission – introduced fully into the OpenCL standard with version 1.2 – allows individual command queues to be used for specific areas of a device. For example, within the Intel SDK, a command queue can be created that maps directly to an individual core. AMD also provides functionality for device fission, also originally as an extension. Device fission can be used where the availability of compute is required reliably, such as in a latency sensitive environment. Fission effectively reserves areas of the device for computation.

Portability, performance and alternatives

A key feature of OpenCL is portability, via its abstracted memory and execution model, and the programmer is not able to directly use hardware-specific technologies such as inline Parallel Thread Execution (PTX) for Nvidia GPUs unless they are willing to give up direct portability on other platforms. It is possible to run any OpenCL kernel on any conformant implementation.

However, performance of the kernel is not necessarily portable across platforms. Existing implementations have been shown to be competitive when kernel code is properly tuned, though, and auto-tuning has been suggested as a solution to the performance portability problem,[103] yielding "acceptable levels of performance" in experimental linear algebra kernels.[104] Portability of an entire application containing multiple kernels with differing behaviors was also studied, and shows that portability only required limited tradeoffs.[105]

A study at Delft University that compared CUDA programs and their straightforward translation into OpenCL C found CUDA to outperform OpenCL by at most 30% on the Nvidia implementation. The researchers noted that their comparison could be made fairer by applying manual optimizations to the OpenCL programs, in which case there was "no reason for OpenCL to obtain worse performance than CUDA". The performance differences could mostly be attributed to differences in the programming model (especially the memory model) and to NVIDIA's compiler optimizations for CUDA compared to those for OpenCL.[103]

Another study at D-Wave Systems Inc. found that "The OpenCL kernel’s performance is between about 13% and 63% slower, and the end-to-end time is between about 16% and 67% slower" than CUDA's performance.[106]

The fact that OpenCL allows workloads to be shared by CPU and GPU, executing the same programs, means that programmers can exploit both by dividing work among the devices.[107] This leads to the problem of deciding how to partition the work, because the relative speeds of operations differ among the devices. Machine learning has been suggested to solve this problem: Grewe and O'Boyle describe a system of support vector machines trained on compile-time features of program that can decide the device partitioning problem statically, without actually running the programs to measure their performance.[108]

See also

References

  1. 1 2 Howes, Lee (November 11, 2015). "The OpenCL Specification Version: 2.1 Document Revision: 23" (PDF). Khronos OpenCL Working Group. Retrieved November 16, 2015.
  2. Bourd, Alex (11 March 2016). "The OpenCL Specification Version: 2.2 Document Revision: 06" (PDF). Khronos OpenCL Working Group. Retrieved 29 April 2016.
  3. "Android Devices With OpenCL support". Google Docs. ArrayFire. Retrieved April 28, 2015.
  4. "FreeBSD Graphics/OpenCL". FreeBSD. Retrieved 23 December 2015.
  5. 1 2 3 "Conformant Products". Khronos Group. Retrieved May 9, 2015.
  6. Munshi, Aaftab; Howes, Lee; Sochaki, Barosz (13 April 2016). "The OpenCL C Specification Version: 2.0 Document Revision: 33" (PDF). Khronos OpenCL Working Group. Retrieved 29 April 2016.
  7. Munshi, Aaftab (March 2, 2015). "The OpenCL C++ Specification Version: 1.0 Document Revision: 08" (PDF). Khronos OpenCL Working Group. Retrieved April 16, 2015.
  8. "Conformant Companies". Khronos Group. Retrieved April 8, 2015.
  9. Gianelli, Silvia E. (January 14, 2015). "Xilinx SDAccel Development Environment for OpenCL, C, and C++, Achieves Khronos Conformance". PR Newswire. Xilinx. Retrieved April 27, 2015.
  10. 1 2 Gaster, Benedict; Howes, Lee; Kaeli, David R.; Mistry, Perhaad; Schaa, Dana (2012). Heterogeneous Computing with OpenCL: Revised OpenCL 1.2 Edition. Morgan Kaufmann.
  11. Tompson, Jonathan; Schlachter, Kristofer (2012). "An Introduction to the OpenCL Programming Model" (PDF). New York University Media Research Lab. Retrieved July 6, 2015.
  12. 1 2 3 4 Stone, John E.; Gohara, David; Shi, Guochin (2010). "OpenCL: a parallel programming standard for heterogeneous computing systems". Computing in Science & Engineering. doi:10.1109/MCSE.2010.69.
  13. Klöckner, Andreas; Pinto, Nicolas; Lee, Yunsup; Catanzaro, Bryan; Ivanov, Paul; Fasih, Ahmed (2012). "PyCUDA and PyOpenCL: A scripting-based approach to GPU run-time code generation". Parallel Computing. 38 (3): 157–174. arXiv:0911.3456Freely accessible. doi:10.1016/j.parco.2011.09.001.
  14. https://www.khronos.org/spir/
  15. https://www.khronos.org/sycl/
  16. 1 2 3 Aaftab Munshi, ed. (2014). "The OpenCL C Specification, Version 2.0" (PDF). Retrieved June 24, 2014.
  17. 1 2 AMD. Introduction to OpenCL Programming 201005, page 89-90 Archived May 16, 2011, at the Wayback Machine.
  18. "OpenCL" (PDF). SIGGRAPH2008. August 14, 2008. Retrieved August 14, 2008.
  19. "Fitting FFT onto G80 Architecture" (PDF). Vasily Volkov and Brian Kazian, UC Berkeley CS258 project report. May 2008. Retrieved November 14, 2008.
  20. "OpenCL on FFT". Apple. November 16, 2009. Retrieved December 7, 2009.
  21. "Khronos Launches Heterogeneous Computing Initiative" (Press release). Khronos Group. June 16, 2008. Retrieved June 18, 2008.
  22. "OpenCL gets touted in Texas". MacWorld. November 20, 2008. Retrieved June 12, 2009.
  23. "The Khronos Group Releases OpenCL 1.0 Specification" (Press release). Khronos Group. December 8, 2008. Retrieved December 4, 2016.
  24. "Apple Previews Mac OS X Snow Leopard to Developers" (Press release). Apple Inc. June 9, 2008. Retrieved June 9, 2008.
  25. "AMD Drives Adoption of Industry Standards in GPGPU Software Development" (Press release). AMD. August 6, 2008. Retrieved August 14, 2008.
  26. "AMD Backs OpenCL, Microsoft DirectX 11". eWeek. August 6, 2008. Retrieved August 14, 2008.
  27. "HPCWire: RapidMind Embraces Open Source and Standards Projects". HPCWire. November 10, 2008. Archived from the original on December 18, 2008. Retrieved November 11, 2008.
  28. "Nvidia Adds OpenCL To Its Industry Leading GPU Computing Toolkit" (Press release). Nvidia. December 9, 2008. Retrieved December 10, 2008.
  29. "OpenCL Development Kit for Linux on Power". alphaWorks. October 30, 2009. Retrieved October 30, 2009.
  30. "Khronos Drives Momentum of Parallel Computing Standard with Release of OpenCL 1.1 Specification". Retrieved 2016-02-24.
  31. "Khronos Releases OpenCL 1.2 Specification". Khronos Group. November 15, 2011. Retrieved June 23, 2015.
  32. 1 2 3 "OpenCL 1.2 Specification" (PDF). Khronos Group. Retrieved June 23, 2015.
  33. "Khronos Finalizes OpenCL 2.0 Specification for Heterogeneous Computing". Khronos Group. November 18, 2013. Retrieved February 10, 2014.
  34. "Khronos Releases OpenCL 2.1 and SPIR-V 1.0 Specifications for Heterogeneous Parallel Programming". Khronos Group. November 16, 2015. Retrieved November 16, 2015.
  35. "Khronos Announces OpenCL 2.1: C++ Comes to OpenCL". AnandTech. March 3, 2015. Retrieved April 8, 2015.
  36. "Khronos Releases OpenCL 2.1 Provisional Specification for Public Review". Kronos Group. March 3, 2015. Retrieved April 8, 2015.
  37. https://www.khronos.org/opencl/
  38. 1 2 https://www.khronos.org/news/press/khronos-releases-opencl-2.2-provisional-spec-opencl-c-kernel-language
  39. "OpenCL ICD Specification". Retrieved June 23, 2015.
  40. "freeocl – Multi-platform implementation of OpenCL 1.2 targeting CPUs". code.google.com. Retrieved June 23, 2015.
  41. https://github.com/zuzuf/freeocl
  42. "OpenCL ICD Loader". forge.imag.fr. Retrieved June 23, 2015.
  43. "GalliumCompute". dri.freedesktop.org. Retrieved June 23, 2015.
  44. https://www.x.org/wiki/Events/XDC2013/XDC2013TomStellardCloverStatus/XDC2013TomStellardCloverStatus.pdf
  45. Michael Larabel (January 10, 2013). "Beignet: OpenCL/GPGPU Comes For Ivy Bridge On Linux". Phoronix.
  46. Michael Larabel (April 16, 2013). "More Criticism Comes Towards Intel's Beignet OpenCL". Phoronix.
  47. Michael Larabel (December 24, 2013). "Intel's Beignet OpenCL Is Still Slowly Baking". Phoronix.
  48. https://freedesktop.org/wiki/Software/Beignet/
  49. https://www.phoronix.com/scan.php?page=news_item&px=Intel-Beignet-Android
  50. Jääskeläinen, Pekka; Sánchez de La Lama, Carlos; Schnetter, Erik; Raiskila, Kalle; Takala, Jarmo; Berg, Heikki (2014). "pocl: A Performance-Portable OpenCL Implementation". Int'l J. Parallel Programming. doi:10.1007/s10766-014-0320-y.
  51. https://tutcris.tut.fi/portal/files/5075042/pocl.pdf
  52. http://portablecl.org/pocl-0.13.html
  53. https://git.linaro.org/gpgpu/shamrock.git/about/
  54. https://s3.amazonaws.com/connect.linaro.org/lca14/presentations/LCA14-412-%20GPGPU%20on%20ARM%20SoC%20session.pdf
  55. "OpenCL Demo, AMD CPU". December 10, 2008. Retrieved March 28, 2009.
  56. "OpenCL Demo, Nvidia GPU". December 10, 2008. Retrieved March 28, 2009.
  57. "Imagination Technologies launches advanced, highly-efficient POWERVR SGX543MP multi-processor graphics IP family". Imagination Technologies. March 19, 2009. Retrieved January 30, 2011.
  58. "AMD and Havok demo OpenCL accelerated physics". PC Perspective. March 26, 2009. Archived from the original on April 5, 2009. Retrieved March 28, 2009.
  59. "Nvidia Releases OpenCL Driver To Developers". Nvidia. April 20, 2009. Retrieved April 27, 2009.
  60. "AMD does reverse GPGPU, announces OpenCL SDK for x86". Ars Technica. August 5, 2009. Retrieved August 6, 2009.
  61. Dan Moren; Jason Snell (June 8, 2009). "Live Update: WWDC 2009 Keynote". macworld.com. MacWorld. Retrieved June 12, 2009.
  62. "Mac OS X Snow Leopard Technical specifications and system requirements". Apple Inc. March 23, 2011. Retrieved March 23, 2011.
  63. "ATI Stream Software Development Kit (SDK) v2.0 Beta Program". Archived from the original on August 9, 2009. Retrieved October 14, 2009.
  64. "Apple entry on LLVM Users page". Retrieved August 29, 2009.
  65. "Nvidia entry on LLVM Users page". Retrieved August 6, 2009.
  66. "Rapidmind entry on LLVM Users page". Retrieved October 1, 2009.
  67. "Zack Rusin's blog post about the Gallium3D OpenCL implementation". Retrieved October 1, 2009.
  68. "S3 Graphics launched the Chrome 5400E embedded graphics processor". Archived from the original on December 2, 2009. Retrieved October 27, 2009.
  69. "VIA Brings Enhanced VN1000 Graphics Processor]". Retrieved December 10, 2009.
  70. "ATI Stream SDK v2.0 with OpenCL 1.0 Support". Retrieved October 23, 2009.
  71. "OpenCL". ZiiLABS. Retrieved June 23, 2015.
  72. 1 2 "Khronos Group Conformant Products".
  73. "Intel discloses new Sandy Bridge technical details". Retrieved September 13, 2010.
  74. "WebCL related stories". Khronos Group. Retrieved June 23, 2015.
  75. "Khronos Releases Final WebGL 1.0 Specification". Khronos Group. Retrieved June 23, 2015.
  76. "OpenCL Development Kit for Linux on Power".
  77. "About the OpenCL Common Runtime for Linux on x86 Architecture".
  78. "Nokia Research releases WebCL prototype". Khronos Group. May 4, 2011. Retrieved June 23, 2015.
  79. SharathKamathK. "Samsung's WebCL Prototype for WebKit". Github.com. Retrieved June 23, 2015.
  80. "AMD Opens the Throttle on APU Performance with Updated OpenCL Software Development ". Amd.com. August 8, 2011. Retrieved June 16, 2013.
  81. "AMD APP SDK v2.6". Forums.amd.com. March 13, 2015. Retrieved June 23, 2015.
  82. "The Portland Group Announces OpenCL Compiler for ST-Ericsson ARM-Based NovaThor SoCs". Retrieved May 4, 2012.
  83. "WebCL Latest Spec". cvs.khronos.org. November 7, 2013. Retrieved June 23, 2015.
  84. "Altera Opens the World of FPGAs to Software Programmers with Broad Availability of SDK and Off-the-Shelf Boards for OpenCL". Altera.com. Retrieved January 9, 2014.
  85. "Altera SDK for OpenCL is First in Industry to Achieve Khronos Conformance for FPGAs". Altera.com. Retrieved January 9, 2014.
  86. "Khronos Finalizes OpenCL 2.0 Specification for Heterogeneous Computing". Khronos Group. November 18, 2013. Retrieved June 23, 2015.
  87. "WebCL 1.0 Press Release". Khronos Group. March 19, 2014. Retrieved June 23, 2015.
  88. "WebCL 1.0 Specification". Khronos Group. March 14, 2014. Retrieved June 23, 2015.
  89. Intel OpenCL 2.0 Driver
  90. "AMD OpenCL 2.0 Driver". support.amd.com. June 17, 2015. Retrieved June 23, 2015.
  91. "Release 349 Graphics Drivers for Windows, Version 350.12" (PDF). April 13, 2015. Retrieved February 4, 2016.
  92. "AMD APP SDK 3.0 Released". developer.amd.com. August 26, 2015. Retrieved September 11, 2015.
  93. https://www.khronos.org/news/press/khronos-releases-opencl-2.1-and-spir-v-1.0-specifications-for-heterogeneous
  94. "OpenCL and the AMD APP SDK". AMD Developer Central. developer.amd.com. Archived from the original on August 4, 2011. Retrieved August 11, 2011.
  95. "About Intel OpenCL SDK 1.1". software.intel.com. intel.com. Retrieved August 11, 2011.
  96. "Product Support". Retrieved August 11, 2011.
  97. "Intel OpenCL SDK – Release Notes". Archived from the original on July 17, 2011. Retrieved August 11, 2011.
  98. "Announcing OpenCL Development Kit for Linux on Power v0.3". Retrieved August 11, 2011.
  99. "IBM releases OpenCL Development Kit for Linux on Power v0.3 – OpenCL 1.1 conformant release available". OpenCL Lounge. ibm.com. Retrieved August 11, 2011.
  100. "IBM releases OpenCL Common Runtime for Linux on x86 Architecture". Retrieved September 10, 2011.
  101. "OpenCL and the AMD APP SDK". AMD Developer Central. developer.amd.com. Archived from the original on September 6, 2011. Retrieved September 10, 2011.
  102. "Nvidia Releases OpenCL Driver". Retrieved August 11, 2011.
  103. 1 2 Fang, Jianbin; Varbanescu, Ana Lucia; Sips, Henk (2011). A Comprehensive Performance Comparison of CUDA and OpenCL (PDF). Proc. Int'l Conf. on Parallel Processing. doi:10.1109/ICPP.2011.45.
  104. Du, Peng; Weber, Rick; Luszczek, Piotr; Tomov, Stanimire; Peterson, Gregory; Dongarra, Jack (2012). "From CUDA to OpenCL: Towards a performance-portable solution for multi-platform GPU programming". Parallel Computing. 38 (8): 391–407. doi:10.1016/j.parco.2011.10.002.
  105. Romain Dolbeau; François Bodin; Guillaume Colin de Verdière (September 7, 2013). "One OpenCL to rule them all?". Archived from the original on January 16, 2014. Retrieved January 14, 2014.
  106. Karimi, Kamran; Dickson, Neil G.; Hamze, Firas (2011). "A Performance Comparison of CUDA and OpenCL". arXiv:1005.2581v3Freely accessible.
  107. A Survey of CPU-GPU Heterogeneous Computing Techniques, ACM Computing Surveys, 2015.
  108. Grewe, Dominik; O'Boyle, Michael F. P. (2011). A Static Task Partitioning Approach for Heterogeneous Systems Using OpenCL. Proc. Int'l Conf. on Compiler Construction. doi:10.1007/978-3-642-19861-8_16.
This article is issued from Wikipedia - version of the 12/4/2016. The text is available under the Creative Commons Attribution/Share Alike but additional terms may apply for the media files.