matplotlib.pyplot.subplots#

matplotlib.pyplot.subplots(nrows=1, ncols=1, *, sharex=False, sharey=False, squeeze=True, width_ratios=None, height_ratios=None, subplot_kw=None, gridspec_kw=None, **fig_kw)[source]#

Create a figure and a set of subplots.

This utility wrapper makes it convenient to create common layouts of subplots, including the enclosing figure object, in a single call.

Parameters:
nrows, ncolsint, default: 1

Number of rows/columns of the subplot grid.

sharex, shareybool or {'none', 'all', 'row', 'col'}, default: False

Controls sharing of properties among x (sharex) or y (sharey) axes:

  • True or 'all': x- or y-axis will be shared among all subplots.

  • False or 'none': each subplot x- or y-axis will be independent.

  • 'row': each subplot row will share an x- or y-axis.

  • 'col': each subplot column will share an x- or y-axis.

When subplots have a shared x-axis along a column, only the x tick labels of the bottom subplot are created. Similarly, when subplots have a shared y-axis along a row, only the y tick labels of the first column subplot are created. To later turn other subplots' ticklabels on, use tick_params.

When subplots have a shared axis that has units, calling set_units will update each axis with the new units.

squeezebool, default: True
  • If True, extra dimensions are squeezed out from the returned array of Axes:

    • if only one subplot is constructed (nrows=ncols=1), the resulting single Axes object is returned as a scalar.

    • for Nx1 or 1xM subplots, the returned object is a 1D numpy object array of Axes objects.

    • for NxM, subplots with N>1 and M>1 are returned as a 2D array.

  • If False, no squeezing at all is done: the returned Axes object is always a 2D array containing Axes instances, even if it ends up being 1x1.

width_ratiosarray-like of length ncols, optional

Defines the relative widths of the columns. Each column gets a relative width of width_ratios[i] / sum(width_ratios). If not given, all columns will have the same width. Equivalent to gridspec_kw={'width_ratios': [...]}.

height_ratiosarray-like of length nrows, optional

Defines the relative heights of the rows. Each row gets a relative height of height_ratios[i] / sum(height_ratios). If not given, all rows will have the same height. Convenience for gridspec_kw={'height_ratios': [...]}.

subplot_kwdict, optional

Dict with keywords passed to the add_subplot call used to create each subplot.

gridspec_kwdict, optional

Dict with keywords passed to the GridSpec constructor used to create the grid the subplots are placed on.

**fig_kw

All additional keyword arguments are passed to the pyplot.figure call.

Returns:
figFigure
axAxes or array of Axes

ax can be either a single Axes object, or an array of Axes objects if more than one subplot was created. The dimensions of the resulting array can be controlled with the squeeze keyword, see above.

Typical idioms for handling the return value are:

# using the variable ax for single a Axes
fig, ax = plt.subplots()

# using the variable axs for multiple Axes
fig, axs = plt.subplots(2, 2)

# using tuple unpacking for multiple Axes
fig, (ax1, ax2) = plt.subplots(1, 2)
fig, ((ax1, ax2), (ax3, ax4)) = plt.subplots(2, 2)

The names ax and pluralized axs are preferred over axes because for the latter it's not clear if it refers to a single Axes instance or a collection of these.

Examples

# First create some toy data:
x = np.linspace(0, 2*np.pi, 400)
y = np.sin(x**2)

# Create just a figure and only one subplot
fig, ax = plt.subplots()
ax.plot(x, y)
ax.set_title('Simple plot')

# Create two subplots and unpack the output array immediately
f, (ax1, ax2) = plt.subplots(1, 2, sharey=True)
ax1.plot(x, y)
ax1.set_title('Sharing Y axis')
ax2.scatter(x, y)

# Create four polar axes and access them through the returned array
fig, axs = plt.subplots(2, 2, subplot_kw=dict(projection="polar"))
axs[0, 0].plot(x, y)
axs[1, 1].scatter(x, y)

# Share a X axis with each column of subplots
plt.subplots(2, 2, sharex='col')

# Share a Y axis with each row of subplots
plt.subplots(2, 2, sharey='row')

# Share both X and Y axes with all subplots
plt.subplots(2, 2, sharex='all', sharey='all')

# Note that this is the same as
plt.subplots(2, 2, sharex=True, sharey=True)

# Create figure number 10 with a single subplot
# and clears it if it already exists.
fig, ax = plt.subplots(num=10, clear=True)

Examples using matplotlib.pyplot.subplots#

Bar color demo

Bar color demo

Bar color demo
Bar Label Demo

Bar Label Demo

Bar Label Demo
Stacked bar chart

Stacked bar chart

Stacked bar chart
Grouped bar chart with labels

Grouped bar chart with labels

Grouped bar chart with labels
Horizontal bar chart

Horizontal bar chart

Horizontal bar chart
Broken Barh

Broken Barh

Broken Barh
Plotting categorical variables

Plotting categorical variables

Plotting categorical variables
Plotting the coherence of two signals

Plotting the coherence of two signals

Plotting the coherence of two signals
CSD Demo

CSD Demo

CSD Demo
Curve with error band

Curve with error band

Curve with error band
Errorbar subsampling

Errorbar subsampling

Errorbar subsampling
Eventplot demo

Eventplot demo

Eventplot demo
Filled polygon

Filled polygon

Filled polygon
Fill Between and Alpha

Fill Between and Alpha

Fill Between and Alpha
Filling the area between lines

Filling the area between lines

Filling the area between lines
Fill Betweenx Demo

Fill Betweenx Demo

Fill Betweenx Demo
Hatch-filled histograms

Hatch-filled histograms

Hatch-filled histograms
Bar chart with gradients

Bar chart with gradients

Bar chart with gradients
Hat graph

Hat graph

Hat graph
Discrete distribution as horizontal bar chart

Discrete distribution as horizontal bar chart

Discrete distribution as horizontal bar chart
Customizing dashed line styles

Customizing dashed line styles

Customizing dashed line styles
Lines with a ticked patheffect

Lines with a ticked patheffect

Lines with a ticked patheffect
Linestyles

Linestyles

Linestyles
Marker reference

Marker reference

Marker reference
Markevery Demo

Markevery Demo

Markevery Demo
Multicolored lines

Multicolored lines

Multicolored lines
Mapping marker properties to multivariate data

Mapping marker properties to multivariate data

Mapping marker properties to multivariate data
Psd Demo

Psd Demo

Psd Demo
Scatter plots with custom symbols

Scatter plots with custom symbols

Scatter plots with custom symbols
Scatter Demo2

Scatter Demo2

Scatter Demo2
Marker examples

Marker examples

Marker examples
Scatter plots with a legend

Scatter plots with a legend

Scatter plots with a legend
Simple Plot

Simple Plot

Simple Plot
Shade regions defined by a logical mask using fill_between

Shade regions defined by a logical mask using fill_between

Shade regions defined by a logical mask using fill_between
Spectrum Representations

Spectrum Representations

Spectrum Representations
Stackplots and streamgraphs

Stackplots and streamgraphs

Stackplots and streamgraphs
Stairs Demo

Stairs Demo

Stairs Demo
Creating a timeline with lines, dates, and text

Creating a timeline with lines, dates, and text

Creating a timeline with lines, dates, and text
hlines and vlines

hlines and vlines

hlines and vlines
Cross- and Auto-Correlation Demo

Cross- and Auto-Correlation Demo

Cross- and Auto-Correlation Demo
Affine transform of an image

Affine transform of an image

Affine transform of an image
Wind Barbs

Wind Barbs

Wind Barbs
Interactive Adjustment of Colormap Range

Interactive Adjustment of Colormap Range

Interactive Adjustment of Colormap Range
Colormap normalizations

Colormap normalizations

Colormap normalizations
Colormap normalizations SymLogNorm

Colormap normalizations SymLogNorm

Colormap normalizations SymLogNorm
Contour Corner Mask

Contour Corner Mask

Contour Corner Mask
Contour Demo

Contour Demo

Contour Demo
Contour Image

Contour Image

Contour Image
Contour Label Demo

Contour Label Demo

Contour Label Demo
Contourf demo

Contourf demo

Contourf demo
Contourf Hatching

Contourf Hatching

Contourf Hatching
Contourf and log color scale

Contourf and log color scale

Contourf and log color scale
Contouring the solution space of optimizations

Contouring the solution space of optimizations

Contouring the solution space of optimizations
BboxImage Demo

BboxImage Demo

BboxImage Demo
Creating annotated heatmaps

Creating annotated heatmaps

Creating annotated heatmaps
Image antialiasing

Image antialiasing

Image antialiasing
Clipping images with patches

Clipping images with patches

Clipping images with patches
Image demo

Image demo

Image demo
Image Masked

Image Masked

Image Masked
Image nonuniform

Image nonuniform

Image nonuniform
Blend transparency with color in 2D images

Blend transparency with color in 2D images

Blend transparency with color in 2D images
Modifying the coordinate formatter

Modifying the coordinate formatter

Modifying the coordinate formatter
Interpolations for imshow

Interpolations for imshow

Interpolations for imshow
Contour plot of irregularly spaced data

Contour plot of irregularly spaced data

Contour plot of irregularly spaced data
Multiple images

Multiple images

Multiple images
Pcolor demo

Pcolor demo

Pcolor demo
pcolormesh grids and shading

pcolormesh grids and shading

pcolormesh grids and shading
pcolormesh

pcolormesh

pcolormesh
Streamplot

Streamplot

Streamplot
QuadMesh Demo

QuadMesh Demo

QuadMesh Demo
Advanced quiver and quiverkey functions

Advanced quiver and quiverkey functions

Advanced quiver and quiverkey functions
Quiver Simple Demo

Quiver Simple Demo

Quiver Simple Demo
Shading example

Shading example

Shading example
Spectrogram Demo

Spectrogram Demo

Spectrogram Demo
Spy Demos

Spy Demos

Spy Demos
Tricontour Demo

Tricontour Demo

Tricontour Demo
Tricontour Smooth Delaunay

Tricontour Smooth Delaunay

Tricontour Smooth Delaunay
Tricontour Smooth User

Tricontour Smooth User

Tricontour Smooth User
Trigradient Demo

Trigradient Demo

Trigradient Demo
Triinterp Demo

Triinterp Demo

Triinterp Demo
Tripcolor Demo

Tripcolor Demo

Tripcolor Demo
Triplot Demo

Triplot Demo

Triplot Demo
Watermark image

Watermark image

Watermark image
Programmatically controlling subplot adjustment

Programmatically controlling subplot adjustment

Programmatically controlling subplot adjustment
Axes box aspect

Axes box aspect

Axes box aspect
Axes Demo

Axes Demo

Axes Demo
Controlling view limits using margins and sticky_edges

Controlling view limits using margins and sticky_edges

Controlling view limits using margins and sticky_edges
Axes Props

Axes Props

Axes Props
axhspan Demo

axhspan Demo

axhspan Demo
Equal axis aspect ratio

Equal axis aspect ratio

Equal axis aspect ratio
Axis Label Position

Axis Label Position

Axis Label Position
Broken Axis

Broken Axis

Broken Axis
Placing Colorbars

Placing Colorbars

Placing Colorbars
Resizing axes with constrained layout

Resizing axes with constrained layout

Resizing axes with constrained layout
Resizing axes with tight layout

Resizing axes with tight layout

Resizing axes with tight layout
Different scales on the same axes

Different scales on the same axes

Different scales on the same axes
Figure size in different units

Figure size in different units

Figure size in different units
Figure labels: suptitle, supxlabel, supylabel

Figure labels: suptitle, supxlabel, supylabel

Figure labels: suptitle, supxlabel, supylabel
Creating adjacent subplots

Creating adjacent subplots

Creating adjacent subplots
Combining two subplots using subplots and GridSpec

Combining two subplots using subplots and GridSpec

Combining two subplots using subplots and GridSpec
Invert Axes

Invert Axes

Invert Axes
Secondary Axis

Secondary Axis

Secondary Axis
Figure subfigures

Figure subfigures

Figure subfigures
Multiple subplots

Multiple subplots

Multiple subplots
Creating multiple subplots using ``plt.subplots``

Creating multiple subplots using plt.subplots

Creating multiple subplots using ``plt.subplots``
Plots with different scales

Plots with different scales

Plots with different scales
Zoom region inset axes

Zoom region inset axes

Zoom region inset axes
Percentiles as horizontal bar chart

Percentiles as horizontal bar chart

Percentiles as horizontal bar chart
Artist customization in box plots

Artist customization in box plots

Artist customization in box plots
Box plots with custom fill colors

Box plots with custom fill colors

Box plots with custom fill colors
Boxplots

Boxplots

Boxplots
Box plot vs. violin plot comparison

Box plot vs. violin plot comparison

Box plot vs. violin plot comparison
Boxplot drawer function

Boxplot drawer function

Boxplot drawer function
Plot a confidence ellipse of a two-dimensional dataset

Plot a confidence ellipse of a two-dimensional dataset

Plot a confidence ellipse of a two-dimensional dataset
Violin plot customization

Violin plot customization

Violin plot customization
Errorbar function

Errorbar function

Errorbar function
Different ways of specifying error bars

Different ways of specifying error bars

Different ways of specifying error bars
Including upper and lower limits in error bars

Including upper and lower limits in error bars

Including upper and lower limits in error bars
Creating boxes from error bars using PatchCollection

Creating boxes from error bars using PatchCollection

Creating boxes from error bars using PatchCollection
Hexagonal binned plot

Hexagonal binned plot

Hexagonal binned plot
Histograms

Histograms

Histograms
Using histograms to plot a cumulative distribution

Using histograms to plot a cumulative distribution

Using histograms to plot a cumulative distribution
Some features of the histogram (hist) function

Some features of the histogram (hist) function

Some features of the histogram (hist) function
Demo of the histogram function's different ``histtype`` settings

Demo of the histogram function's different histtype settings

Demo of the histogram function's different ``histtype`` settings
The histogram (hist) function with multiple data sets

The histogram (hist) function with multiple data sets

The histogram (hist) function with multiple data sets
Producing multiple histograms side by side

Producing multiple histograms side by side

Producing multiple histograms side by side
Time Series Histogram

Time Series Histogram

Time Series Histogram
Violin plot basics

Violin plot basics

Violin plot basics
Pie charts

Pie charts

Pie charts
Pie Demo2

Pie Demo2

Pie Demo2
Bar of pie

Bar of pie

Bar of pie
Nested pie charts

Nested pie charts

Nested pie charts
Labeling a pie and a donut

Labeling a pie and a donut

Labeling a pie and a donut
Polar plot

Polar plot

Polar plot
Using accented text in Matplotlib

Using accented text in Matplotlib

Using accented text in Matplotlib
Align y-labels

Align y-labels

Align y-labels
Scale invariant angle label

Scale invariant angle label

Scale invariant angle label
Angle annotations on bracket arrows

Angle annotations on bracket arrows

Angle annotations on bracket arrows
Annotate Transform

Annotate Transform

Annotate Transform
Annotating a plot

Annotating a plot

Annotating a plot
Annotating Plots

Annotating Plots

Annotating Plots
Composing Custom Legends

Composing Custom Legends

Composing Custom Legends
Date tick labels

Date tick labels

Date tick labels
AnnotationBbox demo

AnnotationBbox demo

AnnotationBbox demo
Using a text as a Path

Using a text as a Path

Using a text as a Path
Labeling ticks using engineering notation

Labeling ticks using engineering notation

Labeling ticks using engineering notation
Figure legend demo

Figure legend demo

Figure legend demo
Configuring the font family

Configuring the font family

Configuring the font family
Using a ttf font file in Matplotlib

Using a ttf font file in Matplotlib

Using a ttf font file in Matplotlib
Font table

Font table

Font table
Legend using pre-defined labels

Legend using pre-defined labels

Legend using pre-defined labels
Legend Demo

Legend Demo

Legend Demo
Artist within an artist

Artist within an artist

Artist within an artist
Mathtext

Mathtext

Mathtext
Math fontfamily

Math fontfamily

Math fontfamily
Multiline

Multiline

Multiline
Placing text boxes

Placing text boxes

Placing text boxes
Rendering math equations using TeX

Rendering math equations using TeX

Rendering math equations using TeX
Text alignment

Text alignment

Text alignment
Text Rotation Relative To Line

Text Rotation Relative To Line

Text Rotation Relative To Line
Title positioning

Title positioning

Title positioning
Text watermark

Text watermark

Text watermark
Color Demo

Color Demo

Color Demo
Color by y-value

Color by y-value

Color by y-value
Colors in the default property cycle

Colors in the default property cycle

Colors in the default property cycle
Colorbar

Colorbar

Colorbar
Colormap reference

Colormap reference

Colormap reference
Creating a colormap from a list of colors

Creating a colormap from a list of colors

Creating a colormap from a list of colors
List of named colors

List of named colors

List of named colors
Arrow guide

Arrow guide

Arrow guide
Line, Poly and RegularPoly Collection with autoscaling

Line, Poly and RegularPoly Collection with autoscaling

Line, Poly and RegularPoly Collection with autoscaling
Compound path

Compound path

Compound path
Dolphins

Dolphins

Dolphins
Mmh Donuts!!!

Mmh Donuts!!!

Mmh Donuts!!!
Ellipse Collection

Ellipse Collection

Ellipse Collection
Ellipse Demo

Ellipse Demo

Ellipse Demo
Drawing fancy boxes

Drawing fancy boxes

Drawing fancy boxes
Hatch style reference

Hatch style reference

Hatch style reference
Plotting multiple lines with a LineCollection

Plotting multiple lines with a LineCollection

Plotting multiple lines with a LineCollection
Circles, Wedges and Polygons

Circles, Wedges and Polygons

Circles, Wedges and Polygons
PathPatch object

PathPatch object

PathPatch object
Bezier Curve

Bezier Curve

Bezier Curve
Bayesian Methods for Hackers style sheet

Bayesian Methods for Hackers style sheet

Bayesian Methods for Hackers style sheet
Dark background style sheet

Dark background style sheet

Dark background style sheet
FiveThirtyEight style sheet

FiveThirtyEight style sheet

FiveThirtyEight style sheet
ggplot style sheet

ggplot style sheet

ggplot style sheet
Grayscale style sheet

Grayscale style sheet

Grayscale style sheet
Style sheets reference

Style sheets reference

Style sheets reference
Anchored Direction Arrow

Anchored Direction Arrow

Anchored Direction Arrow
HBoxDivider and VBoxDivider demo

HBoxDivider and VBoxDivider demo

HBoxDivider and VBoxDivider demo
Showing RGB channels using RGBAxes

Showing RGB channels using RGBAxes

Showing RGB channels using RGBAxes
Adding a colorbar to inset axes

Adding a colorbar to inset axes

Adding a colorbar to inset axes
Colorbar with `.AxesDivider`

Colorbar with AxesDivider

Colorbar with `.AxesDivider`
Controlling the position and size of colorbars with Inset Axes

Controlling the position and size of colorbars with Inset Axes

Controlling the position and size of colorbars with Inset Axes
Inset locator demo

Inset locator demo

Inset locator demo
Inset locator demo 2

Inset locator demo 2

Inset locator demo 2
Scatter Histogram (Locatable Axes)

Scatter Histogram (Locatable Axes)

Scatter Histogram (Locatable Axes)
Simple Anchored Artists

Simple Anchored Artists

Simple Anchored Artists
Integral as the area under a curve

Integral as the area under a curve

Integral as the area under a curve
Stock prices over 32 years

Stock prices over 32 years

Stock prices over 32 years
Decay

Decay

Decay
Animated histogram

Animated histogram

Animated histogram
pyplot animation

pyplot animation

pyplot animation
The Bayes update

The Bayes update

The Bayes update
Animated image using a precomputed list of images

Animated image using a precomputed list of images

Animated image using a precomputed list of images
Multiple axes animation

Multiple axes animation

Multiple axes animation
Pausing and Resuming an Animation

Pausing and Resuming an Animation

Pausing and Resuming an Animation
Animated line plot

Animated line plot

Animated line plot
Animated scatter saved as GIF

Animated scatter saved as GIF

Animated scatter saved as GIF
Oscilloscope

Oscilloscope

Oscilloscope
Mouse move and click events

Mouse move and click events

Mouse move and click events
Cross-hair cursor

Cross-hair cursor

Cross-hair cursor
Data browser

Data browser

Data browser
Figure/Axes enter and leave events

Figure/Axes enter and leave events

Figure/Axes enter and leave events
Scroll event

Scroll event

Scroll event
Keypress event

Keypress event

Keypress event
Legend picking

Legend picking

Legend picking
Looking Glass

Looking Glass

Looking Glass
Path editor

Path editor

Path editor
Pick event demo

Pick event demo

Pick event demo
Pick event demo 2

Pick event demo 2

Pick event demo 2
Poly Editor

Poly Editor

Poly Editor
Pong

Pong

Pong
Resampling Data

Resampling Data

Resampling Data
Timers

Timers

Timers
Trifinder Event Demo

Trifinder Event Demo

Trifinder Event Demo
Viewlims

Viewlims

Viewlims
Zoom Window

Zoom Window

Zoom Window
Anchored Artists

Anchored Artists

Anchored Artists
Changing colors of lines intersecting a box

Changing colors of lines intersecting a box

Changing colors of lines intersecting a box
Manual Contour

Manual Contour

Manual Contour
Coords Report

Coords Report

Coords Report
Custom projection

Custom projection

Custom projection
AGG filter

AGG filter

AGG filter
Ribbon Box

Ribbon Box

Ribbon Box
Findobj Demo

Findobj Demo

Findobj Demo
Building histograms using Rectangles and PolyCollections

Building histograms using Rectangles and PolyCollections

Building histograms using Rectangles and PolyCollections
Plotting with keywords

Plotting with keywords

Plotting with keywords
Multiprocessing

Multiprocessing

Multiprocessing
Packed-bubble chart

Packed-bubble chart

Packed-bubble chart
Patheffect Demo

Patheffect Demo

Patheffect Demo
Rasterization for vector graphics

Rasterization for vector graphics

Rasterization for vector graphics
TickedStroke patheffect

TickedStroke patheffect

TickedStroke patheffect
Zorder Demo

Zorder Demo

Zorder Demo
Custom hillshading in a 3D surface plot

Custom hillshading in a 3D surface plot

Custom hillshading in a 3D surface plot
3D plot projection types

3D plot projection types

3D plot projection types
3D stem

3D stem

3D stem
3D surface (colormap)

3D surface (colormap)

3D surface (colormap)
3D wireframe plots in one direction

3D wireframe plots in one direction

3D wireframe plots in one direction
Loglog Aspect

Loglog Aspect

Loglog Aspect
Log Bar

Log Bar

Log Bar
Log Demo

Log Demo

Log Demo
Logit Demo

Logit Demo

Logit Demo
Exploring normalizations

Exploring normalizations

Exploring normalizations
Scales

Scales

Scales
Log Axis

Log Axis

Log Axis
Symlog Demo

Symlog Demo

Symlog Demo
Hillshading

Hillshading

Hillshading
Anscombe's quartet

Anscombe's quartet

Anscombe's quartet
===

MRI

===
Radar chart (aka spider or star chart)

Radar chart (aka spider or star chart)

Radar chart (aka spider or star chart)
Topographic hillshading

Topographic hillshading

Topographic hillshading
Spines

Spines

Spines
Dropped spines

Dropped spines

Dropped spines
Multiple y-axis with Spines

Multiple y-axis with Spines

Multiple y-axis with Spines
Centered spines with arrows

Centered spines with arrows

Centered spines with arrows
Automatically setting tick positions

Automatically setting tick positions

Automatically setting tick positions
Centering labels between ticks

Centering labels between ticks

Centering labels between ticks
Colorbar Tick Labelling

Colorbar Tick Labelling

Colorbar Tick Labelling
Custom Ticker

Custom Ticker

Custom Ticker
Formatting date ticks using ConciseDateFormatter

Formatting date ticks using ConciseDateFormatter

Formatting date ticks using ConciseDateFormatter
Date Demo Convert

Date Demo Convert

Date Demo Convert
Placing date ticks using recurrence rules

Placing date ticks using recurrence rules

Placing date ticks using recurrence rules
Date tick locators and formatters

Date tick locators and formatters

Date tick locators and formatters
Custom tick formatter for time series

Custom tick formatter for time series

Custom tick formatter for time series
Date Precision and Epochs

Date Precision and Epochs

Date Precision and Epochs
Dollar ticks

Dollar ticks

Dollar ticks
Major and minor ticks

Major and minor ticks

Major and minor ticks
The default tick formatter

The default tick formatter

The default tick formatter
Tick formatters

Tick formatters

Tick formatters
Tick locators

Tick locators

Tick locators
Set default y-axis tick labels on the right

Set default y-axis tick labels on the right

Set default y-axis tick labels on the right
Setting tick labels from a list of values

Setting tick labels from a list of values

Setting tick labels from a list of values
Move x-axis tick labels to the top

Move x-axis tick labels to the top

Move x-axis tick labels to the top
Fixing too many ticks

Fixing too many ticks

Fixing too many ticks
Annotation with units

Annotation with units

Annotation with units
Artist tests

Artist tests

Artist tests
Bar demo with units

Bar demo with units

Bar demo with units
Group barchart with units

Group barchart with units

Group barchart with units
Evans test

Evans test

Evans test
Radian ticks

Radian ticks

Radian ticks
Inches and Centimeters

Inches and Centimeters

Inches and Centimeters
Unit handling

Unit handling

Unit handling
pyplot with GTK3

pyplot with GTK3

pyplot with GTK3
pyplot with GTK4

pyplot with GTK4

pyplot with GTK4
SVG Tooltip

SVG Tooltip

SVG Tooltip
Annotated cursor

Annotated cursor

Annotated cursor
Buttons

Buttons

Buttons
Check buttons

Check buttons

Check buttons
Cursor

Cursor

Cursor
Lasso Selector

Lasso Selector

Lasso Selector
Mouse Cursor

Mouse Cursor

Mouse Cursor
Multicursor

Multicursor

Multicursor
Select indices from a collection using polygon selector

Select indices from a collection using polygon selector

Select indices from a collection using polygon selector
Polygon Selector

Polygon Selector

Polygon Selector
Radio Buttons

Radio Buttons

Radio Buttons
Thresholding an Image with RangeSlider

Thresholding an Image with RangeSlider

Thresholding an Image with RangeSlider
Slider

Slider

Slider
Snapping Sliders to Discrete Values

Snapping Sliders to Discrete Values

Snapping Sliders to Discrete Values
Span Selector

Span Selector

Span Selector
Textbox

Textbox

Textbox
Anchored Box04

Anchored Box04

Anchored Box04
Annotate Explain

Annotate Explain

Annotate Explain
Annotate Simple01

Annotate Simple01

Annotate Simple01
Annotate Simple02

Annotate Simple02

Annotate Simple02
Annotate Simple03

Annotate Simple03

Annotate Simple03
Annotate Simple04

Annotate Simple04

Annotate Simple04
Annotate Simple Coord01

Annotate Simple Coord01

Annotate Simple Coord01
Annotate Simple Coord02

Annotate Simple Coord02

Annotate Simple Coord02
Annotate Simple Coord03

Annotate Simple Coord03

Annotate Simple Coord03
Annotate Text Arrow

Annotate Text Arrow

Annotate Text Arrow
Connect Simple01

Connect Simple01

Connect Simple01
Connection styles for annotations

Connection styles for annotations

Connection styles for annotations
Custom box styles

Custom box styles

Custom box styles
PGF fonts

PGF fonts

PGF fonts
PGF preamble

PGF preamble

PGF preamble
PGF texsystem

PGF texsystem

PGF texsystem
Simple Annotate01

Simple Annotate01

Simple Annotate01
Simple Legend02

Simple Legend02

Simple Legend02
Quick start guide

Quick start guide

Quick start guide
The Lifecycle of a Plot

The Lifecycle of a Plot

The Lifecycle of a Plot
Animations using Matplotlib

Animations using Matplotlib

Animations using Matplotlib
Artist tutorial

Artist tutorial

Artist tutorial
Legend guide

Legend guide

Legend guide
Styling with cycler

Styling with cycler

Styling with cycler
Constrained Layout Guide

Constrained Layout Guide

Constrained Layout Guide
Tight Layout guide

Tight Layout guide

Tight Layout guide
Arranging multiple Axes in a Figure

Arranging multiple Axes in a Figure

Arranging multiple Axes in a Figure
Autoscaling

Autoscaling

Autoscaling
Faster rendering by using blitting

Faster rendering by using blitting

Faster rendering by using blitting
Path Tutorial

Path Tutorial

Path Tutorial
Transformations Tutorial

Transformations Tutorial

Transformations Tutorial
Specifying colors

Specifying colors

Specifying colors
Customized Colorbars Tutorial

Customized Colorbars Tutorial

Customized Colorbars Tutorial
Creating Colormaps in Matplotlib

Creating Colormaps in Matplotlib

Creating Colormaps in Matplotlib
Colormap Normalization

Colormap Normalization

Colormap Normalization
Choosing Colormaps in Matplotlib

Choosing Colormaps in Matplotlib

Choosing Colormaps in Matplotlib
Text in Matplotlib Plots

Text in Matplotlib Plots

Text in Matplotlib Plots
Annotations

Annotations

Annotations
plot(x, y)

plot(x, y)

plot(x, y)
scatter(x, y)

scatter(x, y)

scatter(x, y)
bar(x, height)

bar(x, height)

bar(x, height)
stem(x, y)

stem(x, y)

stem(x, y)
step(x, y)

step(x, y)

step(x, y)
fill_between(x, y1, y2)

fill_between(x, y1, y2)

fill_between(x, y1, y2)
stackplot(x, y)

stackplot(x, y)

stackplot(x, y)
imshow(Z)

imshow(Z)

imshow(Z)
pcolormesh(X, Y, Z)

pcolormesh(X, Y, Z)

pcolormesh(X, Y, Z)
contour(X, Y, Z)

contour(X, Y, Z)

contour(X, Y, Z)
contourf(X, Y, Z)

contourf(X, Y, Z)

contourf(X, Y, Z)
barbs(X, Y, U, V)

barbs(X, Y, U, V)

barbs(X, Y, U, V)
quiver(X, Y, U, V)

quiver(X, Y, U, V)

quiver(X, Y, U, V)
streamplot(X, Y, U, V)

streamplot(X, Y, U, V)

streamplot(X, Y, U, V)
hist(x)

hist(x)

hist(x)
boxplot(X)

boxplot(X)

boxplot(X)
errorbar(x, y, yerr, xerr)

errorbar(x, y, yerr, xerr)

errorbar(x, y, yerr, xerr)
violinplot(D)

violinplot(D)

violinplot(D)
eventplot(D)

eventplot(D)

eventplot(D)
hist2d(x, y)

hist2d(x, y)

hist2d(x, y)
hexbin(x, y, C)

hexbin(x, y, C)

hexbin(x, y, C)
pie(x)

pie(x)

pie(x)
tricontour(x, y, z)

tricontour(x, y, z)

tricontour(x, y, z)
tricontourf(x, y, z)

tricontourf(x, y, z)

tricontourf(x, y, z)
tripcolor(x, y, z)

tripcolor(x, y, z)

tripcolor(x, y, z)
triplot(x, y)

triplot(x, y)

triplot(x, y)
3D scatterplot

3D scatterplot

3D scatterplot
3D surface

3D surface

3D surface
Triangular 3D surfaces

Triangular 3D surfaces

Triangular 3D surfaces
3D voxel / volumetric plot

3D voxel / volumetric plot

3D voxel / volumetric plot
3D wireframe plot

3D wireframe plot

3D wireframe plot