使用GridSpec,我有一个规则的图格假设3 x 3所有情节轴关闭,因为我感兴趣的情节的形状,而不是个别轴值。
我想做的是,标记较大的盒子的X和Y轴。例如,在上面的3×3情况下,x轴可以是[a,'b','c'],y轴可以是[1,2,3]。
能贴上这个标签吗?如何访问网格规范轴?
GridSpec documentation中没有太多,除非我缺少一个明显的方法名。
代码示例。数据在pandas数据框中-忽略使用嵌套循环的暴力提取。。。

    fig = plt.figure(figsize=(12,12))

    gs = gridspec.GridSpec(40, 19, wspace=0.0, hspace=0.0)

    for j in nseasons:
        t = tt[j]
        nlats = t.columns.levels[0]
        for idx, k in enumerate(nlats):
            diurnal = t[k].iloc[0]
            ax = plt.subplot(gs[j, idx])
            ax.plot(y, diurnal.values, 'b-')
            ax.set_xticks([])
            ax.set_yticks([])
            fig.add_subplot(ax)
            sys.stdout.write("Processed plot {}/{}\r".format(cplots, nplots))
            sys.stdout.flush()
            cplots += 1

    #Here the figures axis labels need to be set.

最佳答案

如注释中所述,只需在图的左侧和底部标记轴,就可以对xlabel和ylabel执行此操作下面的例子。

from matplotlib import pyplot as plt
import matplotlib.gridspec as gridspec

fig = plt.figure(figsize=(12,12))

rows = 40
cols = 19
gs = gridspec.GridSpec(rows, cols, wspace=0.0, hspace=0.0)

for i in range(rows):
    for j in range(cols):
        ax = plt.subplot(gs[i, j])
        ax.set_xticks([])
        ax.set_yticks([])

    # label y
    if ax.is_first_col():
        ax.set_ylabel(i, fontsize = 9)

    # label x
    if ax.is_last_row():
        ax.set_xlabel(j, fontsize = 9)

plt.show()

10-04 17:43