Plotting
Overview
Teaching: 20 min
Exercises: 10 minQuestions
How can I plot my data?
Objectives
Use
matplotlib
to create various plots
matplotlib
is the most widely used scientific plotting library in Python.
- Commonly use a sub-library called
matplotlib.pyplot
. - The Jupyter Notebook will render plots inline by default.
import matplotlib.pyplot as plt
- Simple plots are then (fairly) simple to create.
time = [0, 1, 2, 3]
position = [0, 100, 200, 300]
plt.plot(time, position)
plt.xlabel('Time (hr)')
plt.ylabel('Position (km)')
Display All Open Figures
In our Jupyter Notebook example, running the cell should generate the figure directly below the code. The figure is also included in the Notebook document for future viewing. However, other Python environments like an interactive Python session started from a terminal or a Python script executed via the command line require an additional command to display the figure.
Instruct
matplotlib
to show a figure:plt.show()
This command can also be used within a Notebook - for instance, to display multiple figures if several are created by a single cell.
Plotting data from NumPy arrays
Let’s generate some data using NumPy:
x = np.arange(0, 10, 0.1)
sin_x = np.sin(x)
cos_x = np.cos(x)
The np.arange
function will generate an array of number starting at 0
and stopping before 10
, with an interval of 0.1
.
We can plot the value of sin(x)
and cos(x)
on the same axes:
plt.plot(x, sin_x)
plt.plot(x, cos_x)
We can set the colour of the lines using the c
option to plot()
, and we can add a legend to indicate which values belong to which series:
plt.plot(x, sin_x, c='teal', label='sin(x)')
plt.plot(x, cos_x, c='peru', label='cos(x)')
plt.legend(loc='lower left')
Adding a Legend
Often when plotting multiple datasets on the same figure it is desirable to have a legend describing the data.
This can be done in
matplotlib
in two stages:
- Provide a label for each dataset in the figure:
plt.plot(x, sin_x, label='sin(x)') plt.plot(x, cos_x, label='cos(x)')
- Instruct
matplotlib
to create the legend.plt.legend()
By default matplotlib will attempt to place the legend in a suitable position. If you would rather specify a position this can be done with the
loc=
argument, e.g to place the legend in the upper left corner of the plot, specifyloc='upper left'
Matplotlib is capable of making many type of plots. We can create a scatter plot of the sin(x)
values:
plt.figure(figsize=(10, 8))
plt.scatter(x, sin_x, c=x, s=x*3)
plt.xlabel('x', fontsize=16)
plt.ylabel('sin(x)', fontsize=16)
plt.title('sine plot', fontsize=18)
plt.tick_params(labelsize=14)
plt.colorbar()
plt.savefig('sin.png')
Each plotting function in Matplotlib has its own set of argmuents. The documentation for the scatter()
function can be found here.
The plt.figure(figsize=(10, 8))
command is used to create a figure of the specified size. The default units for Matplotlib figures are inches. In this instance the figure size is adjusted, to avoid any axes labels being cut off when saving the plot to a file, to 10 inches wide by 8 inches high.
The c=x
option sets the colour value of the scatter points based on the value of x
. The s=x*3
options sets the size of the scatter points based on the values of x
multiplied by 3.
A title is added to the plot using plt.title()
. The font size is set using the fontsize
argument for the title, x axis label and y axis label. To set the font size for the tick labels, the plt._tick_params()
function is used, where the size is set using the labelsize
option.
A colour scale is added using the function plt.colorbar()
.
Saving your plot to a file
If you are satisfied with the plot you see you may want to save it to a file, perhaps to include it in a publication. There is a function in the matplotlib.pyplot module that accomplishes this: savefig. Calling this function, e.g. with
plt.savefig('my_figure.png')
will save the current figure to the file
my_figure.png
. The file format will automatically be deduced from the file name extension (other formats are pdf, ps, eps and svg).Note that functions in
plt
refer to a global figure variable and after a figure has been displayed to the screen (e.g. withplt.show
) matplotlib will make this variable refer to a new empty figure. Therefore, make sure you callplt.savefig
before the plot is displayed to the screen, otherwise you may find a file with an empty plot.
Creating a figure containing multiple plots
In the above examples, Matplotlib is automatically creating the figure and axes for each plot, but there are various ways in which these elements can be manually created where required.
For example, the plt.subplots()
function can be used to create a figure
which contains multiple sets of axes.
If we wished to create a figure containing two plots, we could use the command:
fig, ax = plt.subplots(nrows=2, ncols=1)
This function returns two values, the figure, which we have stored as fig
and the axes, which we have stored as ax
.
If we print()
the ax
variable, which should see that this is a list
containing the axes we have requested:
fig, ax = plt.subplots(nrows=2, ncols=1)
print(ax)
[<Axes: > <Axes: >]
We can access each set of axes from the ax
variable, and create a plot
within.
When plotting this way, we access the plotting functions (e.g. plot()
,
scatter()
) as a method of the axes.
We could create a figure containing subplots of sin(x)
and cos(x)
using
the following method:
# create the figure and axes:
fig, ax = plt.subplots(nrows=2, ncols=1)
# access the first set of axes:
ax0 = ax[0]
# plot sin(x) in the first axes:
ax0.plot(x, sin_x)
# set the plot title:
ax0.set_title('sin(x)')
# access the second set of axes:
ax1 = ax[1]
# plot cos(x) in the second axes:
ax1.plot(x, cos_x)
# set the plot title:
ax1.set_title('cos(x)')
# set the figure title:
fig.suptitle('plots of sin(x) and y(x)')
# save the figure:
fig.savefig('sin_and_cos_plots.png')
Plotting 2d data
Matplotlib has various options available for plotting 2d data, such as:
pcolormesh
, pseudocolor plot with a non-regular rectangular grid.contour
, contour lines.contourf
, filled contours.
To test some of these, we will first use NumPy to generate some 2d data.
# create the x and y values, from -10 to 10, with a 0.1 increment, using the
# numpy arange function:
x = np.arange(-10, 10.1, 0.1)
y = np.arange(-10, 10.1, 0.1)
# create x and y coordinate grids using the numpy meshgrid function:
grid_x, grid_y = np.meshgrid(x, y)
Here, we use the NumPy meshgrid
function, which is a versatile NumPy function used to create coordinate grids from one-dimensional coordinate arrays. It is widely used in mathematical computations, plotting, and simulations, where grid-like data is essential.
This example provides a demonstration of how the meshgrid
function works, and the output which it creates:
x_coords, y_coords = np.meshgrid([1, 2, 3], [6, 7, 8, 9])
print(x_coords)
print(y_coords)
[[1 2 3]
[1 2 3]
[1 2 3]
[1 2 3]]
[[6 6 6]
[7 7 7]
[8 8 8]
[9 9 9]]
We can again use the NumPy sin
function to generate our 2d data:
# generate 2d values for plotting using the numpy sin function:
z = np.sin(grid_x * grid_y)
Once we have some 2d data, a quick way to take a look at the data is using Matplotlib’s imshow
function:
plt.imshow(z)
The imshow
function allows us to take a quick look at the data, but does not include the values for the x or y axes.
If we use Matplotlib’s contourf
function, we can include the x and y values in our plot:
# Create filled contour plot using Matplob's contourf function:
plt.contourf(x, y, z)
# Add a colour bar:
plt.colorbar()
Making your plots accessible
Whenever you are generating plots to go into a paper or a presentation, there are a few things you can do to make sure that everyone can understand your plots.
- Always make sure your text is large enough to read. Use the
fontsize
parameter inxlabel
,ylabel
,title
, andlegend
, andtick_params
withlabelsize
to increase the text size of the numbers on your axes.- Similarly, you should make your graph elements easy to see. Use
s
to increase the size of your scatterplot markers andlinewidth
to increase the sizes of your plot lines.- Using color (and nothing else) to distinguish between different plot elements will make your plots unreadable to anyone who is colorblind, or who happens to have a black-and-white office printer. For lines, the
linestyle
parameter lets you use different types of lines. For scatterplots,marker
lets you change the shape of your points. If you’re unsure about your colors, you can use Coblis or Color Oracle to simulate what your plots would look like to those with colorblindness.
Colour scales
Try and recreate the scatter plot for
cos(x)
, and see if you can change the colour scale to ‘jet’.More information about Matplotlib colour maps can be found here.
Solution
plt.figure(figsize=(10, 8)) plt.scatter(x, cos_x, c=x, s=x*3, cmap='jet') plt.xlabel('x', fontsize=16) plt.ylabel('sin(x)', fontsize=16) plt.title('Cosine plot', fontsize=18) plt.tick_params(labelsize=14) plt.colorbar() plt.savefig('cos.png')
More colour scales
See if you can create a plot of the 2d
z
data, using thepcolormesh
function.Select a suitable diverging colour map for the plot .
Solution
plt.figure(figsize=(10, 8)) plt.pcolormesh(x, y, z, cmap='RdBu') plt.colorbar() plt.savefig('2d_sin.png')
Key Points
matplotlib
is the most widely used scientific plotting library in Python.Many styles of plot are available: see the Python Graph Gallery for more options.
Can plot many sets of data together.