Search icon CANCEL
Arrow left icon
Explore Products
Best Sellers
New Releases
Books
Videos
Audiobooks
Learning Hub
Conferences
Free Learning
Arrow right icon
Arrow up icon
GO TO TOP
IPython Interactive Computing and Visualization Cookbook

You're reading from   IPython Interactive Computing and Visualization Cookbook Over 100 hands-on recipes to sharpen your skills in high-performance numerical computing and data science in the Jupyter Notebook

Arrow left icon
Product type Paperback
Published in Jan 2018
Publisher Packt
ISBN-13 9781785888632
Length 548 pages
Edition 2nd Edition
Languages
Tools
Arrow right icon
Author (1):
Arrow left icon
Cyrille Rossant Cyrille Rossant
Author Profile Icon Cyrille Rossant
Cyrille Rossant
Arrow right icon
View More author details
Toc

Table of Contents (17) Chapters Close

Preface 1. A Tour of Interactive Computing with Jupyter and IPython FREE CHAPTER 2. Best Practices in Interactive Computing 3. Mastering the Jupyter Notebook 4. Profiling and Optimization 5. High-Performance Computing 6. Data Visualization 7. Statistical Data Analysis 8. Machine Learning 9. Numerical Optimization 10. Signal Processing 11. Image and Audio Processing 12. Deterministic Dynamical Systems 13. Stochastic Dynamical Systems 14. Graphs, Geometry, and Geographic Information Systems 15. Symbolic and Numerical Mathematics Index

Introducing the multidimensional array in NumPy for fast array computations

NumPy is the main foundation of the scientific Python ecosystem. This library offers a specific data structure for high-performance numerical computing: the multidimensional array. The rationale behind NumPy is the following: Python being a high-level dynamic language, it is easier to use but slower than a low-level language such as C. NumPy implements the multidimensional array structure in C and provides a convenient Python interface, thus bringing together high performance and ease of use. NumPy is used by many Python libraries. For example, pandas is built on top of NumPy.

In this recipe, we will illustrate the basic concepts of the multidimensional array. A more comprehensive coverage of the topic can be found in the book, Learning IPython for Interactive Computing and Data Visualization, Second Edition, Packt Publishing.

How to do it...

  1. Let's import the built-in random Python module and NumPy:
    >>> import random
        import numpy as np
  2. We generate two Python lists, x and y, each one containing 1 million random numbers between 0 and 1:
    >>> n = 1000000
        x = [random.random() for _ in range(n)]
        y = [random.random() for _ in range(n)]
    >>> x[:3], y[:3]
    ([0.926, 0.722, 0.962], [0.291, 0.339, 0.819])
  3. Let's compute the element-wise sum of all of these numbers: the first element of x plus the first element of y, and so on. We use a for loop in a list comprehension:
    >>> z = [x[i] + y[i] for i in range(n)]
        z[:3]
    [1.217, 1.061, 1.781]
  4. How long does this computation take? IPython defines a handy %timeit magic command to quickly evaluate the time taken by a single statement:
    >>> %timeit [x[i] + y[i] for i in range(n)]
    101 ms ± 5.12 ms per loop (mean ± std. dev. of 7 runs,
        10 loops each)
  5. Now we will perform the same operation with NumPy. NumPy works on multidimensional arrays, so we need to convert our lists to arrays. The np.array() function does just that:
    >>> xa = np.array(x)
        ya = np.array(y)
    >>> xa[:3]
    array([ 0.926,  0.722,  0.962])

    The xa and ya arrays contain the exact same numbers that our original lists, x and y, contained. Those lists were instances of the list built-in class, while our arrays are instances of the ndarray NumPy class. These types are implemented very differently in Python and NumPy. In this example, we will see that using arrays instead of lists leads to drastic performance improvements.

  6. To compute the element-wise sum of these arrays, we don't need to do a for loop anymore. In NumPy, adding two arrays means adding the elements of the arrays component-by-component. This is the standard mathematical notation in linear algebra (operations on vectors and matrices):
    >>> za = xa + ya
        za[:3]
    array([ 1.217,  1.061,  1.781])

    We see that the z list and the za array contain the same elements (the sum of the numbers in x and y).

    Tip

    Be careful not to use the + operator between vectors when they are represented as Python lists! This operator is valid between lists, so it would not raise an error and it could lead to subtle and silent bugs. In fact, list1 + list2 is the concatenation of two lists, not the element-wise addition.

  7. Let's compare the performance of this NumPy operation with the native Python loop:
    >>> %timeit xa + ya
    1.09 ms ± 37.3 µs per loop (mean ± std. dev. of 7 runs,
        1000 loops each)

    With NumPy, we went from 100 ms down to 1 ms to compute one million additions!

  8. Now we will compute something else: the sum of all elements in x or xa. Although this is not an element-wise operation, NumPy is still highly efficient here. The pure Python version uses the built-in sum() function on an iterable. The NumPy version uses the np.sum() function on a NumPy array:
    >>> %timeit sum(x)  # pure Python
    3.94 ms ± 4.44 µs per loop (mean ± std. dev. of 7 runs
        100 loops each)
    >>> %timeit np.sum(xa)  # NumPy
    298 µs ± 4.62 µs per loop (mean ± std. dev. of 7 runs,
        1000 loops each)

    We also observe a significant speedup here.

  9. Let's perform one last operation: computing the arithmetic distance between any pair of numbers in our two lists (we only consider the first 1000 elements to keep computing times reasonable). First, we implement this in pure Python with two nested for loops:
    >>> d = [abs(x[i] - y[j])
             for i in range(1000)
             for j in range(1000)]
    >>> d[:3]
    [0.635, 0.587, 0.106]
  10. Now, we use a NumPy implementation, bringing out two slightly more advanced notions. First, we consider a two-dimensional array (or matrix). This is how we deal with the two indices, i and j. Second, we use broadcasting to perform an operation between a 2D array and 1D array. We will give more details in the How it works... section.
    >>> da = np.abs(xa[:1000, np.newaxis] - ya[:1000])
    >>> da
    array([[ 0.635,  0.587,  ...,  0.849,  0.046],
           [ 0.431,  0.383,  ...,  0.646,  0.158],
           ...,
           [ 0.024,  0.024,  ...,  0.238,  0.566],
           [ 0.081,  0.033,  ...,  0.295,  0.509]])
    >>> %timeit [abs(x[i] - y[j]) \
                 for i in range(1000) \
                 for j in range(1000)]
    134 ms ± 1.79 ms per loop (mean ± std. dev. of 7 runs,
        1000 loops each)
    >>> %timeit np.abs(xa[:1000, np.newaxis] - ya[:1000])
    1.54 ms ± 48.9 µs per loop (mean ± std. dev. of 7 runs
        1000 loops each)

    Here again, we observe a significant speedup.

How it works...

A NumPy array is a homogeneous block of data organized in a multidimensional finite grid. All elements of the array share the same data type, also called dtype (integer, floating-point number, and so on). The shape of the array is an n-tuple that gives the size of each axis.

A 1D array is a vector; its shape is just the number of components.

A 2D array is a matrix; its shape is (number of rows, number of columns).

The following diagram illustrates the structure of a 3D (3, 4, 2) array that contains 24 elements:

How it works...

A NumPy array

The slicing syntax in Python translates nicely to array indexing in NumPy. Also, we can add an extra dimension to an existing array, using np.newaxis in the index.

Element-wise arithmetic operations can be performed on NumPy arrays that have the same shape. However, broadcasting relaxes this condition by allowing operations on arrays with different shapes in certain conditions. Notably, when one array has fewer dimensions than the other, it can be virtually stretched to match the other array's dimension. This is how we computed the pairwise distance between any pair of elements in xa and ya.

How can array operations be so much faster than Python loops? There are several reasons, and we will review them in detail in Chapter 4, Profiling and Optimization. We can already say here that:

  • In NumPy, array operations are implemented internally with C loops rather than Python loops. Python is typically slower than C because of its interpreted and dynamically-typed nature.
  • The data in a NumPy array is stored in a contiguous block of memory in RAM. This property leads to more efficient use of CPU cycles and cache.

There's more...

There's obviously much more to say about this subject. The prequel of this book, Learning IPython for Interactive Computing and Data Visualization, Second Edition, Packt Publishing, contains more details about basic array operations. We will use the array data structure routinely throughout this book. Notably, Chapter 4, Profiling and Optimization, covers advanced techniques of using NumPy arrays.

Here are some more references:

See also

  • The Getting started with exploratory data analysis in the Jupyter Notebook recipe
  • The Understanding the internals of NumPy to avoid unnecessary array copying recipe in Chapter 4, Profiling and Optimization
You have been reading a chapter from
IPython Interactive Computing and Visualization Cookbook - Second Edition
Published in: Jan 2018
Publisher: Packt
ISBN-13: 9781785888632
Register for a free Packt account to unlock a world of extra content!
A free Packt account unlocks extra newsletters, articles, discounted offers, and much more. Start advancing your knowledge today.
Unlock this book and the full library FREE for 7 days
Get unlimited access to 7000+ expert-authored eBooks and videos courses covering every tech area you can think of
Renews at $19.99/month. Cancel anytime