KEMBAR78
An Introduction To PyCUDA Using Prefix Sum Algorithm PDF | PDF | Graphics Processing Unit | Kernel (Operating System)
0% found this document useful (0 votes)
254 views6 pages

An Introduction To PyCUDA Using Prefix Sum Algorithm PDF

This document introduces PyCUDA, a library that allows accessing Nvidia's CUDA API from Python. It summarizes PyCUDA's features like automatic resource management and abstractions that make writing bug-free GPU code more convenient. As an example, it implements a prefix sum algorithm in PyCUDA using both a custom CUDA kernel and PyCUDA's built-in kernel. Timings show the custom kernel is slightly faster for small inputs due to its work-efficient approach. The document concludes that PyCUDA enables convenient development of GPU programs in Python while maintaining performance.

Uploaded by

jackops
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
0% found this document useful (0 votes)
254 views6 pages

An Introduction To PyCUDA Using Prefix Sum Algorithm PDF

This document introduces PyCUDA, a library that allows accessing Nvidia's CUDA API from Python. It summarizes PyCUDA's features like automatic resource management and abstractions that make writing bug-free GPU code more convenient. As an example, it implements a prefix sum algorithm in PyCUDA using both a custom CUDA kernel and PyCUDA's built-in kernel. Timings show the custom kernel is slightly faster for small inputs due to its work-efficient approach. The document concludes that PyCUDA enables convenient development of GPU programs in Python while maintaining performance.

Uploaded by

jackops
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
You are on page 1/ 6

An Introduction to PyCUDA using Prefix Sum Algorithm

Mayank V. Jain, Manas M. Joshi, Amit D. Joshi

Abstract:
Graphics Processing Units (GPUs) devices have gained a high interest in the
computational world for performance and efficiency. However, these are usually formulated in
low-level languages and not in high-level scripting languages like Python. This article
introduces PyCUDA, a library which combines a high-level scripting language and powerful
GPUs, with the help of an example of Prefix-Sum Algorithm. PyCUDA amongst its many
benefits, helps to make the host code concise yet lending more readability while allowing to
write the device code in C. It also has inbuilt utilities and functions for improving productivity.
This article explains aforementioned functionalities offered by PyCUDA using the Prefix Sum
Algorithm.

Introduction:
With recent surge in the usage of Python as a programming language, it had become inevitable
to shift from the usage of C/C++ in writing code for GPUs to scripting languages like Python.
PyCUDA bridges exactly this gap. It is a library which allows you to access every feature of
Nvidia’s CUDA API from Python. The library tries to maintain the scripting language notion
of ‘edit – run – repeat’ cycle for the user. A few of the prominent features include automatic
management of resources. Abstractions like SourceModule and GPUArray make it even
more convenient to write bug free code. All errors in CUDA are translated into Python
exceptions. Since PyCUDA is written in C++, so speedup is not compromised either.
Prefix Scan is generally considered to be an elemental parallel computation. This operation
computes a vector whose size is same as the original vector and whose each element is the sum
of all the previous elements in the input vector up to the current position. An inclusive scan
includes while an exclusive scan does not include the corresponding input xi when computing
output yi.

Figure 1: PyCUDA Workflow


Installation steps:
1. On local machine running Ubuntu 18.04:
To use CUDA, following are required:
a. CUDA-capable GPU
b. A supported version of Linux with a gcc compiler and toolchain
c. NVIDIA CUDA Toolkit
Once CUDA is setup, install PyCUDA using
python3 -m pip install pycuda
2. On Google Colab:
New Python3 notebook > Runtime > Change runtime type > Hardware Accelerator :
GPU > Save
!pip install pycuda

Code:
A custom kernel code for Work-Efficient Prefix Scan is implemented in C as shown in Listing
[1]. This custom kernel code is abstracted in SourceModule for PyCUDA host code to
launch and execute it as a module. Algorithm uses parallel algorithmic approach o f balanced
trees and the operations are performed in shared memory on an array insitu. It consists of 2
steps: the reduce / up-sweep step and the down-sweep step.
Reduce step performs parallel reduction. Here, the tree traverses bottom-up and partial sums
are calculated at all internal nodes of the tree. After the end of this step, the last element in the
array i.e. root node contains the sum of all elements. The down-sweep phase traverses the tree
in a top-down manner using the partial sums from the previous step to build the scan in place.
In the start, 0 is inserted at the root of the tree and at every level, each node at the current level
passes values to it’s children as follows : Right Child (Old Value of Left Child + Own
Value) and Left Child (Own Value)
Listing [2] contains the PyCUDA host code corresponding to Listing [1]. This host code is
written in Python. Input and output arrays are initialized according to the array size using
‘NumPy’ library. Since many GPU cards support only single precision, the type of array
elements is defined as float32. Once the host arrays are initialized, then, the custom CUDA
kernel written in C is converted into a callable Python function. This custom kernel is called as
a Python function with parameters as required in the kernel with their precise data types.
PyCUDA handles allocating and copying of the host memory into device memory and vice-
versa by providing an abstraction like ArgumentHandler which indicates that host array
should be copied off/to the compute device before invoking the kernel. The corresponding
function execution time is noted, and all the events are synchronized, confirming every event
has been executed completely.
A PyCUDA code using inbuilt ExclusiveScanKernel is implemented in Listing [3]. This
code is similar to Listing [2]. The difference is in the way the kernel is launched and executed.
The host array defined as ‘NumPy’ array is initialized as per the array size. Host array is copied
to device by allocating memory on device and then copying it’s contents using GPUArray
class. Then a kernel instance is created and launched giving input as device array and output is
copied into host array using get() method of the kernel instance. Finally, the corresponding
function execution time is noted, and all the events are synchronized, confirming every event
has been executed completely.
module = SourceModule(

"""
#define NUM_BANKS 16
#define LOG_NUM_BANKS 4
#define OFFSET(size) (n) >> NUM_BANKS + (n) >> (2 * LOG_NUM_BANKS))
#define SWAP(x, y, T) do { T SWAP = x; x = y; y = SWAP; } while (0)

__global__ void prefix_scan(float *g_out, float *g_in, int n) {


__shared__ float temp[4096u];

int thread_id = threadIdx.x;


int offset = 1;

int xi = thread_id;
int yi = thread_id + (n/2);
int bank_offset_x = OFFSET(xi);
int bank_offset_y = OFFSET(yi);

temp[xi + bank_offset_x] = g_in[xi];


temp[yi + bank_offset_y] = g_in[yi];

/* Build sum in place up the tree */


for (int d = n >> 1; d > 0; d >>= 1) {
__syncthreads();

if (thread_id < d){


int xi = offset * (2 * thread_id + 1) - 1;
int yi = offset * (2 * thread_id + 2) - 1;
xi += OFFSET(xi);
yi += OFFSET(yi);

temp[yi] += temp[xi];
}
offset *= 2;
}

/* Set the last element to zero */


if (thread_id == 0)
temp[n - 1 + OFFSET(n - 1)] = 0;

/* Traverse down tree and build scan */


for (int d = 1; d < n; d *= 2) {
offset >>= 1;
__syncthreads();

if (thread_id < d) {
int xi = offset * (2 * thread_id + 1) - 1;
int yi = offset * (2 * thread_id + 2) - 1;
xi += OFFSET(xi);
yi += OFFSET(yi);

SWAP(temp[xi], temp[yi], float);


}
}

__syncthreads();

/* Write results to device memory */


g_out[xi] = temp[xi + bank_offset_x];
g_out[yi] = temp[yi + bank_offset_y];
}"""
)
Listing 1: Prefix Scan Kernel in C

# Size of array
size = 1024

# Initialise timer functions


start, end = cuda.Event(), cuda.Event()

# Initialise the input array as [1., 1., ... 1.]


a_in = np.ones(size).astype(np.float32)

# Initialise the output array as [None, None, ... ]


a_out = np.empty_like(a_in)

# Turn our CUDA C kernel into a callable Python function


fx = module.get_function("prefix_scan")

# Record start time


start.record()

# Call the kernel with 1 block with n threads in X direction


# and 1 thread in Y and Z direction each
fx(cuda.Out(a_out), cuda.In(a_in), np.int32(size), block=(n, 1, 1))

# Record end time and confirm success of events executed


end.record()
end.synchronize()

# Calculate time taken by GPU


gpu_time = start.time_till(end)

Listing 2: PyCUDA code corresponding to custom kernel


# Size of array
size = 1024

# Initialise timer functions


start, end = cuda.Event(), cuda.Event()

# Initialise the host array as [1., 1., ... 1.]


host_array = np.ones(size).astype(np.float32)

# Allocate device memory and copy host array to device


device_array = gpuarray.to_gpu(host_array)

# Create a kernel instance


scan_kernel = pycuda.scan.ExclusiveScanKernel(np.float32, neutral="0"
, scan_expr="a+b")

# Record start time


start.record()

# Launch the kernel and copy back results into host array
scan_kernel(device_array).get(host_array)

# Record end time and confirm success of events executed


end.record()
end.synchronize()

# Calculate time taken by GPU


gpu_time = start.time_till(end)

Listing 3: PyCUDA code corresponding to inbuilt ExclusiveScanKernel

Result:

Size of array Time taken by custom kernel Time taken by PyCUDA’s kernel
(in ms) (in ms)

512 0.118246 0.13976

1024 0.131643 0.14633

PyCUDA code using custom kernel and using inbuilt ExclusiveScanKernel were
executed and corresponding kernel execution times averaged over 100 runs were recorded. It
was observed that PyCUDA code using custom kernel takes slightly less time than the latter
on small inputs. This is because a Work-Efficient Prefix Scan approach was used while
building the custom kernel. This approach uses idea of building a balanced binary tree on the
input data and sweep it to and from the root to compute the prefix sum. Hence, it takes lesser
time for execution corresponding to different array sizes.
Conclusion:

PyCUDA provides a convenient way to develop GPU-based CUDA programs in a high level
scripting language, Python. It’s automatic management of resources, neat documentation and
tight integration with popular library NumPy helps to write modern GPU code much faster and
better. PyCUDA can be used to take care of control tasks whilst also supplementing the
custom kernels written in C performing parallel tasks. It proves that GPUs and scripting
languages can work well together since they both complement each other.

References:
[1] Andreas Klöckner, Nicolas Pinto, Yunsup Lee, Bryan Catanzaro, Paul Ivanov, Ahmed
Fasih, PyCUDA and PyOpenCL: A scripting-based approach to GPU run-time code
generation, Parallel Computing, Volume 38, Issue 3, March 2012, Pages 157 -174.
[2] Sengupta, Shubhabrata & Lefohn, Aaron & Owens, John. (2006). A Work-Efficient Step-
Efficient Prefix Sum Algorithm.
[3] Hubert Nguyen. 2007. GPU Gems 3. Addison-Wesley Professional.
[4] Klöckner, Andreas & Pinto, Nicolas & Lee, Yunsup & Catanzaro, Bryan & Ivanov, Paul &
Fasih, Ahmed. (2009). PyCUDA: GPU run-time code generation for high-performance
computing. CoRR. abs/0911.3456.
[5] Source code is available at https://colab.research.google.com/drive/1mEMIDQAuMGE-
c3NumGx0WK7mT7zz6zp4

Compiled by:
Mr. Mayank V. Jain (111703021) is a student of B. Tech (Computer
Engineering) at College of Engineering Pune, Maharashtra.
Email: jainmv17.comp@coep.ac.in
Membership ID: 01475227

Mr. Manas M. Joshi (111703026) is a student of B. Tech (Computer


Engineering) at College of Engineering Pune, Maharashtra.
Email: joshimm17.comp@coep.ac.in
Membership ID: 01475231

Under guidance of:


Mr. Amit D. Joshi is an Asst. Professor and Coordinator of CSI COEP
Student Chapter at College of Engineering Pune, Maharashtra.
Email: adj.comp@coep.ac.in
Membership ID: 01180301

You might also like