fig, axs = plt.subplots(r,shared=‘all’)
时间: 2024-02-16 11:04:13 浏览: 67
`fig, axs = plt.subplots(r, shared='all')` 是一个 Matplotlib 绘制多个子图时比较方便的方式,它可以创建一个 `r` 行、`r` 列的子图网格,并将它们存储在一个名为 `axs` 的二维 numpy 数组中。
`shared='all'` 参数表示所有子图共享相同的 x 轴和 y 轴刻度。这意味着,如果某个子图的数据范围改变了,所有其他子图的刻度也会相应地调整。
以下是一个简单的示例代码:
```python
import matplotlib.pyplot as plt
import numpy as np
x = np.linspace(0, 2*np.pi, 100)
y1 = np.sin(x)
y2 = np.cos(x)
fig, axs = plt.subplots(2, 2, figsize=(8, 6), sharex='all', sharey='all')
axs[0, 0].plot(x, y1)
axs[0, 1].plot(x, y2)
axs[1, 0].plot(x, y1+y2)
axs[1, 1].plot(x, y1*y2)
plt.show()
```
在这里,`fig, axs = plt.subplots(2, 2, figsize=(8, 6), sharex='all', sharey='all')` 创建了一个 2x2 的子图网格,每个子图都共享相同的 x 轴和 y 轴刻度。然后,我们在四个子图中绘制了不同的函数。注意,`axs` 是一个 2x2 的 numpy 数组,可以用来对每个子图进行进一步的定制。
阅读全文