Matplotlib 複数のグラフ#
※記事内に商品プロモーションを含むことがあります。
公開日
Matplotlibで複数のグラフを並べて表示するには、plt.subplots()
のnrows
やncols
オプションを用います。nrows
とncols
でそれぞれ縦方向と横方向のグラフの数を指定できます。
縦方向に並べる#
グラフを縦方向に並べる場合、nrows
に個数を指定します。以下に2つのグラフを縦に並べた例を示します。
import matplotlib.pyplot as plt
fig, ax = plt.subplots(nrows=2)
ax[0].plot([2, 3, 1])
ax[1].plot([3, 4, 0])
fig.tight_layout()
plt.show()
data:image/s3,"s3://crabby-images/b56f2/b56f2f87db8c63b3b8c41a37aa28f269b4e48c4f" alt="../_images/3acc6baea3e0ad78f5b98ea706892e05b8ba808fe4e568ba2dc42be8faf6b290.png"
ncols
またはnrows
の片方のみ指定した場合、ax
はAxesオブジェクトの1次元配列となります。また、fig.tight_layout()
はグラフ間の間隔や余白を自動調節するためのコマンドです。
横方向に並べる#
グラフを横方向に並べる場合、ncols
に個数を指定します。以下に3つのグラフを横に並べた例を示します。
fig, ax = plt.subplots(ncols=3)
ax[0].plot([2, 3, 1])
ax[1].plot([3, 4, 0])
ax[2].plot([0, 3, 1])
fig.tight_layout()
plt.show()
data:image/s3,"s3://crabby-images/8ca25/8ca25c9791111196e7e0c340ad52937db4909fe6" alt="../_images/25748bd0010cfc4a164f5168e2d27a277f8fd68e1fb9b02d4a53a8ad6e4a04b3.png"
縦・横方向に並べる#
グラフを縦・横の両方向に並べる場合、nrows
とncols
に個数を指定します。以下に縦と横にそれぞれ2つずつ並べた例を示します。
fig, ax = plt.subplots(nrows=2, ncols=2)
ax[0, 0].plot([2, 3, 1])
ax[0, 1].plot([3, 4, 0])
ax[1, 0].plot([0, 3, 1])
ax[1, 1].plot([2, 1, 0])
fig.tight_layout()
plt.show()
data:image/s3,"s3://crabby-images/48a27/48a27310cf15e657658780cdfcaed71e06dea3f8" alt="../_images/8190910f822808a32758e439e04eb029d6daa46ec47627955876ee8262ced99a.png"
nrows
とncols
の両方を指定した場合、ax
はAxesオブジェクトの2次元配列になります。ax[X, Y]
は縦にX
番目、横にY
番目(いずれも0始まり)のAxesオブジェクトを示します。
共通な軸の範囲#
複数のグラフで軸が共通している場合、plt.subplots()
でsharex
やsharey
オプションを使用して軸の範囲を揃えることが出来ます。sharex
, sharey
オプションに指定可能な値を以下の表に示します。
値 |
説明 |
---|---|
|
軸を揃えない(デフォルト) |
|
全グラフの軸を揃える |
'row' |
横方向のグラフのみ軸を揃える |
'col' |
縦方向のグラフのみ軸を揃える |
sharex=True
とした場合、最も下のグラフのみx軸の値が表示されます。同様にsharey=True
とした場合、最も左のグラフのみy軸の値が表示されます。さらに、全てのグラフでx軸やy軸の範囲も共通となります。
fig, ax = plt.subplots(nrows=2, ncols=2, sharex=True, sharey=True)
ax[0, 0].plot([2, 3, 1])
ax[0, 1].plot([3, 4, 0])
ax[1, 0].plot([0, 3, 1])
ax[1, 1].plot([2, 1, 0])
fig.tight_layout()
plt.show()
data:image/s3,"s3://crabby-images/cc769/cc769c6fb6776e7db5900cfbe685b1148fdfd5d6" alt="../_images/cf89d7b2f79d9afe5313487a1f9969e3409d9cc3b4206e0ff828f7bfc741ba89.png"
上のグラフと同じデータを用いて、sharey='row'
に変更した例を以下に示します。こちらでは、行ごとにグラフのy軸の範囲を共通にします。すなわち、上2つのグラフと下2つのグラフで、それぞれ異なる軸の範囲となっています。
fig, ax = plt.subplots(nrows=2, ncols=2, sharex=True, sharey='row')
ax[0, 0].plot([2, 3, 1])
ax[0, 1].plot([3, 4, 0])
ax[1, 0].plot([0, 3, 1])
ax[1, 1].plot([2, 1, 0])
fig.tight_layout()
plt.show()
data:image/s3,"s3://crabby-images/14401/14401974ef3a2bc63a508871ba36c92dba4e7f16" alt="../_images/210d06f92d5898aa119b3f41f224d199fbecff2bbf4fe054d08b64ec3c3d0ffe.png"