The text is released under the CC-BY-NC-ND license, and code is released under the MIT license. If you find this content useful, please consider supporting the work by buying the book!
No changes were made to the contents of this notebook from the original.
Often when faced with a large amount of data, a first step is to compute summary statistics for the data in question. Perhaps the most common summary statistics are the mean and standard deviation, which allow you to summarize the "typical" values in a dataset, but other aggregates are useful as well (the sum, product, median, minimum and maximum, quantiles, etc.).
NumPy has fast built-in aggregation functions for working on arrays; we'll discuss and demonstrate some of them here.
In [1]:
import numpy as np
In [2]:
L = np.random.random(100)
sum(L)
Out[2]:
The syntax is quite similar to that of NumPy's sum
function, and the result is the same in the simplest case:
In [3]:
np.sum(L)
Out[3]:
However, because it executes the operation in compiled code, NumPy's version of the operation is computed much more quickly:
In [4]:
big_array = np.random.rand(1000000)
%timeit sum(big_array)
%timeit np.sum(big_array)
Be careful, though: the sum
function and the np.sum
function are not identical, which can sometimes lead to confusion!
In particular, their optional arguments have different meanings, and np.sum
is aware of multiple array dimensions, as we will see in the following section.
In [5]:
min(big_array), max(big_array)
Out[5]:
NumPy's corresponding functions have similar syntax, and again operate much more quickly:
In [6]:
np.min(big_array), np.max(big_array)
Out[6]:
In [7]:
%timeit min(big_array)
%timeit np.min(big_array)
For min
, max
, sum
, and several other NumPy aggregates, a shorter syntax is to use methods of the array object itself:
In [8]:
print(big_array.min(), big_array.max(), big_array.sum())
Whenever possible, make sure that you are using the NumPy version of these aggregates when operating on NumPy arrays!
In [9]:
M = np.random.random((3, 4))
print(M)
By default, each NumPy aggregation function will return the aggregate over the entire array:
In [10]:
M.sum()
Out[10]:
Aggregation functions take an additional argument specifying the axis along which the aggregate is computed. For example, we can find the minimum value within each column by specifying axis=0
:
In [11]:
M.min(axis=0)
Out[11]:
The function returns four values, corresponding to the four columns of numbers.
Similarly, we can find the maximum value within each row:
In [12]:
M.max(axis=1)
Out[12]:
The way the axis is specified here can be confusing to users coming from other languages.
The axis
keyword specifies the dimension of the array that will be collapsed, rather than the dimension that will be returned.
So specifying axis=0
means that the first axis will be collapsed: for two-dimensional arrays, this means that values within each column will be aggregated.
NumPy provides many other aggregation functions, but we won't discuss them in detail here.
Additionally, most aggregates have a NaN
-safe counterpart that computes the result while ignoring missing values, which are marked by the special IEEE floating-point NaN
value (for a fuller discussion of missing data, see Handling Missing Data).
Some of these NaN
-safe functions were not added until NumPy 1.8, so they will not be available in older NumPy versions.
The following table provides a list of useful aggregation functions available in NumPy:
Function Name | NaN-safe Version | Description |
---|---|---|
np.sum |
np.nansum |
Compute sum of elements |
np.prod |
np.nanprod |
Compute product of elements |
np.mean |
np.nanmean |
Compute median of elements |
np.std |
np.nanstd |
Compute standard deviation |
np.var |
np.nanvar |
Compute variance |
np.min |
np.nanmin |
Find minimum value |
np.max |
np.nanmax |
Find maximum value |
np.argmin |
np.nanargmin |
Find index of minimum value |
np.argmax |
np.nanargmax |
Find index of maximum value |
np.median |
np.nanmedian |
Compute median of elements |
np.percentile |
np.nanpercentile |
Compute rank-based statistics of elements |
np.any |
N/A | Evaluate whether any elements are true |
np.all |
N/A | Evaluate whether all elements are true |
We will see these aggregates often throughout the rest of the book.
Aggregates available in NumPy can be extremely useful for summarizing a set of values. As a simple example, let's consider the heights of all US presidents. This data is available in the file president_heights.csv, which is a simple comma-separated list of labels and values:
In [13]:
!head -4 data/president_heights.csv
We'll use the Pandas package, which we'll explore more fully in Chapter 3, to read the file and extract this information (note that the heights are measured in centimeters).
In [14]:
import pandas as pd
data = pd.read_csv('data/president_heights.csv')
heights = np.array(data['height(cm)'])
print(heights)
Now that we have this data array, we can compute a variety of summary statistics:
In [15]:
print("Mean height: ", heights.mean())
print("Standard deviation:", heights.std())
print("Minimum height: ", heights.min())
print("Maximum height: ", heights.max())
Note that in each case, the aggregation operation reduced the entire array to a single summarizing value, which gives us information about the distribution of values. We may also wish to compute quantiles:
In [16]:
print("25th percentile: ", np.percentile(heights, 25))
print("Median: ", np.median(heights))
print("75th percentile: ", np.percentile(heights, 75))
We see that the median height of US presidents is 182 cm, or just shy of six feet.
Of course, sometimes it's more useful to see a visual representation of this data, which we can accomplish using tools in Matplotlib (we'll discuss Matplotlib more fully in Chapter 4). For example, this code generates the following chart:
In [17]:
%matplotlib inline
import matplotlib.pyplot as plt
import seaborn; seaborn.set() # set plot style
In [18]:
plt.hist(heights)
plt.title('Height Distribution of US Presidents')
plt.xlabel('height (cm)')
plt.ylabel('number');
These aggregates are some of the fundamental pieces of exploratory data analysis that we'll explore in more depth in later chapters of the book.