如何在一个图中制作超过 10 个子图?

How to make more than 10 subplots in a figure?

我正在尝试制作一个 5x4 的子图网格,通过查看示例,在我看来最好的方法是:

import matplotlib.pyplot as plt
plt.figure()
plt.subplot(221)

其中子图 (22) 中的前两个数字表示它是 2x2 网格,第三个数字表示您正在制作 4 个网格中的哪一个。然而,当我尝试这个时,我不得不去:

plt.subplot(5420)

我得到了错误:

ValueError: Integer subplot specification must be a three digit number.  Not 4

那么这是否意味着您不能制作超过 10 个子图,或者有解决方法,还是我误解了它的工作原理?

提前致谢。

您可能正在寻找 GridSpec。您可以说明网格的大小 (5,4) 和每个图的位置(行 = 0,列 = 2,即 - 0,2)。检查以下示例:

import matplotlib.pyplot as plt

plt.figure(0)
ax1 = plt.subplot2grid((5,4), (0,0))
ax2 = plt.subplot2grid((5,4), (1,1))
ax3 = plt.subplot2grid((5,4), (2, 2))
ax4 = plt.subplot2grid((5,4), (3, 3))
ax5 = plt.subplot2grid((5,4), (4, 0))
plt.show()

,结果是:

您是否应该构建嵌套循环来制作完整的网格:

import matplotlib.pyplot as plt

plt.figure(0)
for i in range(5):
    for j in range(4):
        plt.subplot2grid((5,4), (i,j))
plt.show()

,你将获得:

绘图与任何子绘图的工作方式相同(直接从您创建的轴调用它):

import matplotlib.pyplot as plt
import numpy as np

plt.figure(0)
plots = []
for i in range(5):
    for j in range(4):
        ax = plt.subplot2grid((5,4), (i,j))
        ax.scatter(range(20),range(20)+np.random.randint(-5,5,20))
plt.show()

,结果是:

请注意,您可以为图提供不同的大小(说明每个图的列数和行数):

import matplotlib.pyplot as plt

plt.figure(0)
ax1 = plt.subplot2grid((3,3), (0,0), colspan=3)
ax2 = plt.subplot2grid((3,3), (1,0), colspan=2)
ax3 = plt.subplot2grid((3,3), (1, 2), rowspan=2)
ax4 = plt.subplot2grid((3,3), (2, 0))
ax5 = plt.subplot2grid((3,3), (2, 1))
plt.show()

,因此:

在我一开始给出的 link 中,您还可以找到删除标签等内容的示例。