web-dev-qa-db-ja.com

matplotlibのサブプロットの行ヘッダーと列ヘッダー

matplotlibのループで生成されたサブプロットのグリッドに行と列ヘッダーを追加するベストプラクティスは何ですか?私はカップルを考えることができますが、特にきちんとされていません:

  1. 列の場合、ループのカウンターを使用すると、最初の行にのみset_title()を使用できます。行の場合、これは機能しません。プロットの外側にtextを描画する必要があります。
  2. 上部にサブプロットの追加の行を追加し、左側にサブプロットの追加の列を追加し、そのサブプロットの中央にテキストを描画します。

より良い代替案を提案できますか?

enter image description here

61
gozzilli

これを行うにはいくつかの方法があります。簡単な方法は、プロットのyラベルとタイトルを活用し、fig.tight_layout()を使用してラベル用のスペースを作ることです。または、annotateを使用して適切な場所に追加のテキストを配置し、半手動でスペースを空けることもできます。


軸にyラベルがない場合、軸の最初の行と列のタイトルとyラベルを簡単に活用できます。

import matplotlib.pyplot as plt

cols = ['Column {}'.format(col) for col in range(1, 4)]
rows = ['Row {}'.format(row) for row in ['A', 'B', 'C', 'D']]

fig, axes = plt.subplots(nrows=4, ncols=3, figsize=(12, 8))

for ax, col in Zip(axes[0], cols):
    ax.set_title(col)

for ax, row in Zip(axes[:,0], rows):
    ax.set_ylabel(row, rotation=0, size='large')

fig.tight_layout()
plt.show()

enter image description here


Yラベルがある場合、またはもう少し柔軟性が必要な場合は、annotateを使用してラベルを配置できます。これはより複雑ですが、行と列のラベルに加えて、個々のプロットタイトル、ylabelsなどを持つことができます。

import matplotlib.pyplot as plt
from matplotlib.transforms import offset_copy


cols = ['Column {}'.format(col) for col in range(1, 4)]
rows = ['Row {}'.format(row) for row in ['A', 'B', 'C', 'D']]

fig, axes = plt.subplots(nrows=4, ncols=3, figsize=(12, 8))
plt.setp(axes.flat, xlabel='X-label', ylabel='Y-label')

pad = 5 # in points

for ax, col in Zip(axes[0], cols):
    ax.annotate(col, xy=(0.5, 1), xytext=(0, pad),
                xycoords='axes fraction', textcoords='offset points',
                size='large', ha='center', va='baseline')

for ax, row in Zip(axes[:,0], rows):
    ax.annotate(row, xy=(0, 0.5), xytext=(-ax.yaxis.labelpad - pad, 0),
                xycoords=ax.yaxis.label, textcoords='offset points',
                size='large', ha='right', va='center')

fig.tight_layout()
# tight_layout doesn't take these labels into account. We'll need 
# to make some room. These numbers are are manually tweaked. 
# You could automatically calculate them, but it's a pain.
fig.subplots_adjust(left=0.15, top=0.95)

plt.show()

enter image description here

71
Joe Kington

上記の答えは機能します。答えの2番目のバージョンではそうではありません、あなたは持っています:

for ax, row in Zip(axes[:,0], rows):
    ax.annotate(col, xy=(0, 0.5), xytext=(-ax.yaxis.labelpad-pad,0),
                xycoords=ax.yaxis.label, textcoords='offset points',
                size='large', ha='right', va='center')

の代わりに:

for ax, row in Zip(axes[:,0], rows):
    ax.annotate(row,xy=(0, 0.5), xytext=(-ax.yaxis.labelpad-pad,0),                    
                xycoords=ax.yaxis.label, textcoords='offset points',
                size='large', ha='right', va='center')
1
Alan Shteyman