Cython for NumPy users

This tutorial is aimed at NumPy users who have no experience with Cython atall. If you have some knowledge of Cython you may want to skip to the‘’Efficient indexing’’ section.

The main scenario considered is NumPy end-use rather than NumPy/SciPydevelopment. The reason is that Cython is not (yet) able to support functionsthat are generic with respect to the number of dimensions in ahigh-level fashion. This restriction is much more severe for SciPy developmentthan more specific, “end-user” functions. See the last section for moreinformation on this.

The style of this tutorial will not fit everybody, so you can also consider:

Cython at a glance

Cython is a compiler which compiles Python-like code files to C code. Still,‘’Cython is not a Python to C translator’‘. That is, it doesn’t take your fullprogram and “turns it into C” – rather, the result makes full use of thePython runtime environment. A way of looking at it may be that your code isstill Python in that it runs within the Python runtime environment, but ratherthan compiling to interpreted Python bytecode one compiles to native machinecode (but with the addition of extra syntax for easy embedding of fasterC-like code).

This has two important consequences:

  • Speed. How much depends very much on the program involved though. Typical Python numerical programs would tend to gain very little as most time is spent in lower-level C that is used in a high-level fashion. However for-loop-style programs can gain many orders of magnitude, when typing information is added (and is so made possible as a realistic alternative).
  • Easy calling into C code. One of Cython’s purposes is to allow easy wrappingof C libraries. When writing code in Cython you can call into C code aseasily as into Python code.

Very few Python constructs are not yet supported, though making Cython compile allPython code is a stated goal, you can see the differences with Python inlimitations.

Your Cython environment

Using Cython consists of these steps:

  • Write a .pyx source file
  • Run the Cython compiler to generate a C file
  • Run a C compiler to generate a compiled library
  • Run the Python interpreter and ask it to import the module
    However there are several options to automate these steps:

  • The SAGE mathematics software system providesexcellent support for using Cython and NumPy from an interactive commandline or through a notebook interface (likeMaple/Mathematica). See this documentation.

  • Cython can be used as an extension within a Jupyter notebook,making it easy to compile and use Cython code with just a %%cythonat the top of a cell. For more information seeUsing the Jupyter Notebook.
  • A version of pyximport is shipped with Cython,so that you can import pyx-files dynamically into Python andhave them compiled automatically (See Compiling with pyximport).
  • Cython supports setuptools so that you can very easily create build scriptswhich automate the process, this is the preferred method forCython implemented libraries and packages.See Basic setup.py.
  • Manual compilation (see below)

Note

If using another interactive command line environment than SAGE, likeIPython or Python itself, it is important that you restart the processwhen you recompile the module. It is not enough to issue an “import”statement again.

Installation

If you already have a C compiler, just do:

  1. pip install Cython

otherwise, see the installation page.

As of this writing SAGE comes with an older release of Cython than requiredfor this tutorial. So if using SAGE you should download the newest Cython andthen execute

  1. $ cd path/to/cython-distro
  2. $ path-to-sage/sage -python setup.py install

This will install the newest Cython into SAGE.

Manual compilation

As it is always important to know what is going on, I’ll describe the manualmethod here. First Cython is run:

  1. $ cython yourmod.pyx

This creates yourmod.c which is the C source for a Python extensionmodule. A useful additional switch is -a which will generate a documentyourmod.html) that shows which Cython code translates to which C codeline by line.

Then we compile the C file. This may vary according to your system, but the Cfile should be built like Python was built. Python documentation for writingextensions should have some details. On Linux this often means somethinglike:

  1. $ gcc -shared -pthread -fPIC -fwrapv -O2 -Wall -fno-strict-aliasing -I/usr/include/python2.7 -o yourmod.so yourmod.c

gcc should have access to the NumPy C header files so if they are notinstalled at /usr/include/numpy or similar you may need to pass anotheroption for those. You only need to provide the NumPy headers if you write:

  1. cimport numpy

in your Cython code.

This creates yourmod.so in the same directory, which is importable byPython by using a normal import yourmod statement.

The first Cython program

You can easily execute the code of this tutorial bydownloading the Jupyter notebook.

The code below does the equivalent of this function in numpy:

  1. def compute_np(array_1, array_2, a, b, c):
  2. return np.clip(array_1, 2, 10) * a + array_2 * b + c

We’ll say that array_1 and array_2 are 2D NumPy arrays of integer type anda, b and c are three Python integers.

This function uses NumPy and is already really fast, so it might be a bit overkillto do it again with Cython. This is for demonstration purposes. Nonetheless, wewill show that we achieve a better speed and memory efficiency than NumPy at the cost of more verbosity.

This code computes the function with the loops over the two dimensions being unrolled.It is both valid Python and valid Cython code. I’ll refer to it as bothcompute_py.py for the Python version and compute_cy.pyx for theCython version – Cython uses .pyx as its file suffix (but it can also compile.py files).

  1. import numpy as np
  2.  
  3.  
  4. def clip(a, min_value, max_value):
  5. return min(max(a, min_value), max_value)
  6.  
  7.  
  8. def compute(array_1, array_2, a, b, c):
  9. """
  10. This function must implement the formula
  11. np.clip(array_1, 2, 10) * a + array_2 * b + c
  12.  
  13. array_1 and array_2 are 2D.
  14. """
  15. x_max = array_1.shape[0]
  16. y_max = array_1.shape[1]
  17.  
  18. assert array_1.shape == array_2.shape
  19.  
  20. result = np.zeros((x_max, y_max), dtype=array_1.dtype)
  21.  
  22. for x in range(x_max):
  23. for y in range(y_max):
  24. tmp = clip(array_1[x, y], 2, 10)
  25. tmp = tmp * a + array_2[x, y] * b
  26. result[x, y] = tmp + c
  27.  
  28. return result

This should be compiled to produce compute_cy.so for Linux systems(on Windows systems, this will be a .pyd file). Werun a Python session to test both the Python version (imported from.py-file) and the compiled Cython module.

  1. In [1]: import numpy as np
  2. In [2]: array_1 = np.random.uniform(0, 1000, size=(3000, 2000)).astype(np.intc)
  3. In [3]: array_2 = np.random.uniform(0, 1000, size=(3000, 2000)).astype(np.intc)
  4. In [4]: a = 4
  5. In [5]: b = 3
  6. In [6]: c = 9
  7. In [7]: def compute_np(array_1, array_2, a, b, c):
  8. ...: return np.clip(array_1, 2, 10) * a + array_2 * b + c
  9. In [8]: %timeit compute_np(array_1, array_2, a, b, c)
  10. 103 ms ± 4.16 ms per loop (mean ± std. dev. of 7 runs, 10 loops each)
  11.  
  12. In [9]: import compute_py
  13. In [10]: compute_py.compute(array_1, array_2, a, b, c)
  14. 1min 10s ± 844 ms per loop (mean ± std. dev. of 7 runs, 1 loop each)
  15.  
  16. In [11]: import compute_cy
  17. In [12]: compute_cy.compute(array_1, array_2, a, b, c)
  18. 56.5 s ± 587 ms per loop (mean ± std. dev. of 7 runs, 1 loop each)

There’s not such a huge difference yet; because the C code still does exactlywhat the Python interpreter does (meaning, for instance, that a new object isallocated for each number used).

You can look at the Python interaction and the generated Ccode by using -a when calling Cython from the commandline, %%cython -a when using a Jupyter Notebook, or by usingcythonize('compute_cy.pyx', annotate=True) when using a setup.py.Look at the generated html file and see whatis needed for even the simplest statements. You get the point quickly. We needto give Cython more information; we need to add types.

Adding types

To add types we use custom Cython syntax, so we are now breaking Python sourcecompatibility. Here’s computetyped.pyx. _Read the comments!

  1. import numpy as np
  2.  
  3. # We now need to fix a datatype for our arrays. I've used the variable
  4. # DTYPE for this, which is assigned to the usual NumPy runtime
  5. # type info object.
  6. DTYPE = np.intc
  7.  
  8. # cdef means here that this function is a plain C function (so faster).
  9. # To get all the benefits, we type the arguments and the return value.
  10. cdef int clip(int a, int min_value, int max_value):
  11. return min(max(a, min_value), max_value)
  12.  
  13.  
  14. def compute(array_1, array_2, int a, int b, int c):
  15.  
  16. # The "cdef" keyword is also used within functions to type variables. It
  17. # can only be used at the top indentation level (there are non-trivial
  18. # problems with allowing them in other places, though we'd love to see
  19. # good and thought out proposals for it).
  20. cdef Py_ssize_t x_max = array_1.shape[0]
  21. cdef Py_ssize_t y_max = array_1.shape[1]
  22.  
  23. assert array_1.shape == array_2.shape
  24. assert array_1.dtype == DTYPE
  25. assert array_2.dtype == DTYPE
  26.  
  27. result = np.zeros((x_max, y_max), dtype=DTYPE)
  28.  
  29. # It is very important to type ALL your variables. You do not get any
  30. # warnings if not, only much slower code (they are implicitly typed as
  31. # Python objects).
  32. # For the "tmp" variable, we want to use the same data type as is
  33. # stored in the array, so we use int because it correspond to np.intc.
  34. # NB! An important side-effect of this is that if "tmp" overflows its
  35. # datatype size, it will simply wrap around like in C, rather than raise
  36. # an error like in Python.
  37.  
  38. cdef int tmp
  39.  
  40. # Py_ssize_t is the proper C type for Python array indices.
  41. cdef Py_ssize_t x, y
  42.  
  43. for x in range(x_max):
  44. for y in range(y_max):
  45.  
  46. tmp = clip(array_1[x, y], 2, 10)
  47. tmp = tmp * a + array_2[x, y] * b
  48. result[x, y] = tmp + c
  49.  
  50. return result

../../_images/compute_typed_html.jpg

At this point, have a look at the generated C code for compute_cy.pyx andcompute_typed.pyx. Click on the lines to expand them and see corresponding C.

Especially have a look at the for-loops: In compute_cy.c, these are ~20 linesof C code to set up while in compute_typed.c a normal C for loop is used.

After building this and continuing my (very informal) benchmarks, I get:

  1. In [13]: %timeit compute_typed.compute(array_1, array_2, a, b, c)
  2. 26.5 s ± 422 ms per loop (mean ± std. dev. of 7 runs, 1 loop each)

So adding types does make the code faster, but nowherenear the speed of NumPy?

What happened is that most of the time spend in this code is spent in the following lines,and those lines are slower to execute than in pure Python:

  1. tmp = clip(array_1[x, y], 2, 10)
  2. tmp = tmp * a + array_2[x, y] * b
  3. result[x, y] = tmp + c

So what made those line so much slower than in the pure Python version?

array_1 and array_2 are still NumPy arrays, so Python objects, and expectPython integers as indexes. Here we pass C int values. So every timeCython reaches this line, it has to convert all the C integers to Pythonint objects. Since this line is called very often, it outweighs the speedbenefits of the pure C loops that were created from the range() earlier.

Furthermore, tmp a + array_2[x, y] b returns a Python integerand tmp is a C integer, so Cython has to do type conversions again.In the end those types conversions add up. And made our computation reallyslow. But this problem can be solved easily by using memoryviews.

Efficient indexing with memoryviews

There are still two bottlenecks that degrade the performance, and that is the array lookupsand assignments, as well as C/Python types conversion.The []-operator still uses full Python operations –what we would like to do instead is to access the data buffer directly at Cspeed.

What we need to do then is to type the contents of the ndarray objects.We do this with a memoryview. There is a page in the Cython documentation dedicated to it.

In short, memoryviews are C structures that can hold a pointer to the dataof a NumPy array and all the necessary buffer metadata to provide efficientand safe access: dimensions, strides, item size, item type information, etc…They also support slices, so they work even ifthe NumPy array isn’t contiguous in memory.They can be indexed by C integers, thus allowing fast access to theNumPy array data.

Here is how to declare a memoryview of integers:

  1. cdef int [:] foo # 1D memoryview
  2. cdef int [:, :] foo # 2D memoryview
  3. cdef int [:, :, :] foo # 3D memoryview
  4. ... # You get the idea.

No data is copied from the NumPy array to the memoryview in our example.As the name implies, it is only a “view” of the memory. So we can use theview result_view for efficient indexing and at the end return the real NumPyarray result that holds the data that we operated on.

Here is how to use them in our code:

compute_memview.pyx

  1. import numpy as np
  2.  
  3. DTYPE = np.intc
  4.  
  5.  
  6. cdef int clip(int a, int min_value, int max_value):
  7. return min(max(a, min_value), max_value)
  8.  
  9.  
  10. def compute(int[:, :] array_1, int[:, :] array_2, int a, int b, int c):
  11.  
  12. cdef Py_ssize_t x_max = array_1.shape[0]
  13. cdef Py_ssize_t y_max = array_1.shape[1]
  14.  
  15. # array_1.shape is now a C array, no it's not possible
  16. # to compare it simply by using == without a for-loop.
  17. # To be able to compare it to array_2.shape easily,
  18. # we convert them both to Python tuples.
  19. assert tuple(array_1.shape) == tuple(array_2.shape)
  20.  
  21. result = np.zeros((x_max, y_max), dtype=DTYPE)
  22. cdef int[:, :] result_view = result
  23.  
  24. cdef int tmp
  25. cdef Py_ssize_t x, y
  26.  
  27. for x in range(x_max):
  28. for y in range(y_max):
  29.  
  30. tmp = clip(array_1[x, y], 2, 10)
  31. tmp = tmp * a + array_2[x, y] * b
  32. result_view[x, y] = tmp + c
  33.  
  34. return result

Let’s see how much faster accessing is now.

  1. In [22]: %timeit compute_memview.compute(array_1, array_2, a, b, c)
  2. 22.9 ms ± 197 µs per loop (mean ± std. dev. of 7 runs, 10 loops each)

Note the importance of this change.We’re now 3081 times faster than an interpreted version of Python and 4.5 timesfaster than NumPy.

Memoryviews can be used with slices too, or evenwith Python arrays. Check out the memoryview page tosee what they can do for you.

Tuning indexing further

The array lookups are still slowed down by two factors:

  • Bounds checking is performed.
  • Negative indices are checked for and handled correctly. The code above isexplicitly coded so that it doesn’t use negative indices, and it(hopefully) always access within bounds.
    With decorators, we can deactivate those checks:
  1. ...
  2. cimport cython
  3. @cython.boundscheck(False) # Deactivate bounds checking
  4. @cython.wraparound(False) # Deactivate negative indexing.
  5. def compute(int[:, :] array_1, int[:, :] array_2, int a, int b, int c):
  6. ...

Now bounds checking is not performed (and, as a side-effect, if you ‘’do’’happen to access out of bounds you will in the best case crash your programand in the worst case corrupt data). It is possible to switch bounds-checkingmode in many ways, see Compiler directives for moreinformation.

  1. In [23]: %timeit compute_index.compute(array_1, array_2, a, b, c)
  2. 16.8 ms ± 25.4 µs per loop (mean ± std. dev. of 7 runs, 100 loops each)

We’re faster than the NumPy version (6.2x). NumPy is really well written,but does not performs operation lazily, resulting in a lotof intermediate copy operations in memory. Our version isvery memory efficient and cache friendly because wecan execute the operations in a single run over the data.

Warning

Speed comes with some cost. Especially it can be dangerous to set typedobjects (like array_1, array_2 and result_view in our sample code) to None.Setting such objects to None is entirely legal, but all you can do with themis check whether they are None. All other use (attribute lookup or indexing)can potentially segfault or corrupt data (rather than raising exceptions asthey would in Python).

The actual rules are a bit more complicated but the main message is clear: Donot use typed objects without knowing that they are not set to None.

Declaring the NumPy arrays as contiguous

For extra speed gains, if you know that the NumPy arrays you areproviding are contiguous in memory, you can declare thememoryview as contiguous.

We give an example on an array that has 3 dimensions.If you want to give Cython the information that the data is C-contiguousyou have to declare the memoryview like this:

  1. cdef int [:,:,::1] a

If you want to give Cython the information that the data is Fortran-contiguousyou have to declare the memoryview like this:

  1. cdef int [::1, :, :] a

If all this makes no sense to you, you can skip this part, declaringarrays as contiguous constrains the usage of your functions as it rejects array slices as input.If you still want to understand what contiguous arrays areall about, you can see this answer on StackOverflow.

For the sake of giving numbers, here are the speed gains that you shouldget by declaring the memoryviews as contiguous:

  1. In [23]: %timeit compute_contiguous.compute(array_1, array_2, a, b, c)
  2. 11.1 ms ± 30.2 µs per loop (mean ± std. dev. of 7 runs, 100 loops each)

We’re now around nine times faster than the NumPy version, and 6300 timesfaster than the pure Python version!

Making the function cleaner

Declaring types can make your code quite verbose. If you don’t mindCython inferring the C types of your variables, you can usethe infer_types=True compiler directive at the top of the file.It will save you quite a bit of typing.

Note that since type declarations must happen at the top indentation level,Cython won’t infer the type of variables declared for the first timein other indentation levels. It would change too much the meaning ofour code. This is why, we must still declare manually the type of thetmp, x and y variable.

And actually, manually giving the type of the tmp variable willbe useful when using fused types.

  1. # cython: infer_types=True
  2. import numpy as np
  3. cimport cython
  4.  
  5. DTYPE = np.intc
  6.  
  7.  
  8. cdef int clip(int a, int min_value, int max_value):
  9. return min(max(a, min_value), max_value)
  10.  
  11.  
  12. @cython.boundscheck(False)
  13. @cython.wraparound(False)
  14. def compute(int[:, ::1] array_1, int[:, ::1] array_2, int a, int b, int c):
  15.  
  16. x_max = array_1.shape[0]
  17. y_max = array_1.shape[1]
  18.  
  19. assert tuple(array_1.shape) == tuple(array_2.shape)
  20.  
  21. result = np.zeros((x_max, y_max), dtype=DTYPE)
  22. cdef int[:, ::1] result_view = result
  23.  
  24. cdef int tmp
  25. cdef Py_ssize_t x, y
  26.  
  27. for x in range(x_max):
  28. for y in range(y_max):
  29.  
  30. tmp = clip(array_1[x, y], 2, 10)
  31. tmp = tmp * a + array_2[x, y] * b
  32. result_view[x, y] = tmp + c
  33.  
  34. return result

We now do a speed test:

  1. In [24]: %timeit compute_infer_types.compute(array_1, array_2, a, b, c)
  2. 11.5 ms ± 261 µs per loop (mean ± std. dev. of 7 runs, 100 loops each)

Lo and behold, the speed has not changed.

More generic code

All those speed gains are nice, but adding types constrains our code.At the moment, it would mean that our function can only work withNumPy arrays with the np.intc type. Is it possible to make ourcode work for multiple NumPy data types?

Yes, with the help of a new feature called fused types.You can learn more about it at this section of the documentation.It is similar to C++ ‘s templates. It generates multiple function declarationsat compile time, and then chooses the right one at run-time based on thetypes of the arguments provided. By comparing types in if-conditions, itis also possible to execute entirely different code paths dependingon the specific data type.

In our example, since we don’t have access anymore to the NumPy’s dtypeof our input arrays, we use those if-else statements toknow what NumPy data type we should use for our output array.

In this case, our function now works for ints, doubles and floats.

  1. # cython: infer_types=True
  2. import numpy as np
  3. cimport cython
  4.  
  5. ctypedef fused my_type:
  6. int
  7. double
  8. long long
  9.  
  10.  
  11. cdef my_type clip(my_type a, my_type min_value, my_type max_value):
  12. return min(max(a, min_value), max_value)
  13.  
  14.  
  15. @cython.boundscheck(False)
  16. @cython.wraparound(False)
  17. def compute(my_type[:, ::1] array_1, my_type[:, ::1] array_2, my_type a, my_type b, my_type c):
  18.  
  19. x_max = array_1.shape[0]
  20. y_max = array_1.shape[1]
  21.  
  22. assert tuple(array_1.shape) == tuple(array_2.shape)
  23.  
  24. if my_type is int:
  25. dtype = np.intc
  26. elif my_type is double:
  27. dtype = np.double
  28. elif my_type is cython.longlong:
  29. dtype = np.longlong
  30.  
  31. result = np.zeros((x_max, y_max), dtype=dtype)
  32. cdef my_type[:, ::1] result_view = result
  33.  
  34. cdef my_type tmp
  35. cdef Py_ssize_t x, y
  36.  
  37. for x in range(x_max):
  38. for y in range(y_max):
  39.  
  40. tmp = clip(array_1[x, y], 2, 10)
  41. tmp = tmp * a + array_2[x, y] * b
  42. result_view[x, y] = tmp + c
  43.  
  44. return result

We can check that the output type is the right one:

  1. >>>compute(array_1, array_2, a, b, c).dtype
  2. dtype('int32')
  3. >>>compute(array_1.astype(np.double), array_2.astype(np.double), a, b, c).dtype
  4. dtype('float64')

We now do a speed test:

  1. In [25]: %timeit compute_fused_types.compute(array_1, array_2, a, b, c)
  2. 11.5 ms ± 258 µs per loop (mean ± std. dev. of 7 runs, 100 loops each)

More versions of the function are created at compile time. So it makessense that the speed doesn’t change for executing this function withintegers as before.

Using multiple threads

Cython has support for OpenMP. It also has some nice wrappers around it,like the function prange(). You can see more information about Cython andparallelism in Using Parallelism. Since we do elementwise operations, we can easilydistribute the work among multiple threads. It’s important not to forget to pass thecorrect arguments to the compiler to enable OpenMP. When using the Jupyter notebook,you should use the cell magic like this:

  1. %%cython --force
  2. # distutils: extra_compile_args=-fopenmp
  3. # distutils: extra_link_args=-fopenmp

The GIL must be released (see Releasing the GIL), so this is why wedeclare our clip() function nogil.

  1. # tag: openmp
  2. # You can ignore the previous line.
  3. # It's for internal testing of the cython documentation.
  4.  
  5. # distutils: extra_compile_args=-fopenmp
  6. # distutils: extra_link_args=-fopenmp
  7.  
  8. import numpy as np
  9. cimport cython
  10. from cython.parallel import prange
  11.  
  12. ctypedef fused my_type:
  13. int
  14. double
  15. long long
  16.  
  17.  
  18. # We declare our plain c function nogil
  19. cdef my_type clip(my_type a, my_type min_value, my_type max_value) nogil:
  20. return min(max(a, min_value), max_value)
  21.  
  22.  
  23. @cython.boundscheck(False)
  24. @cython.wraparound(False)
  25. def compute(my_type[:, ::1] array_1, my_type[:, ::1] array_2, my_type a, my_type b, my_type c):
  26.  
  27. cdef Py_ssize_t x_max = array_1.shape[0]
  28. cdef Py_ssize_t y_max = array_1.shape[1]
  29.  
  30. assert tuple(array_1.shape) == tuple(array_2.shape)
  31.  
  32. if my_type is int:
  33. dtype = np.intc
  34. elif my_type is double:
  35. dtype = np.double
  36. elif my_type is cython.longlong:
  37. dtype = np.longlong
  38.  
  39. result = np.zeros((x_max, y_max), dtype=dtype)
  40. cdef my_type[:, ::1] result_view = result
  41.  
  42. cdef my_type tmp
  43. cdef Py_ssize_t x, y
  44.  
  45. # We use prange here.
  46. for x in prange(x_max, nogil=True):
  47. for y in range(y_max):
  48.  
  49. tmp = clip(array_1[x, y], 2, 10)
  50. tmp = tmp * a + array_2[x, y] * b
  51. result_view[x, y] = tmp + c
  52.  
  53. return result

We can have substantial speed gains for minimal effort:

  1. In [25]: %timeit compute_prange.compute(array_1, array_2, a, b, c)
  2. 9.33 ms ± 412 µs per loop (mean ± std. dev. of 7 runs, 100 loops each)

We’re now 7558 times faster than the pure Python version and 11.1 times fasterthan NumPy!

Where to go from here?