matplotlib 如何给折线图加上 label 图例
时间: 2023-07-12 20:14:07 浏览: 465
可以使用 `plt.plot()` 函数的 `label` 参数来添加图例。具体步骤如下:
1. 在 `plt.plot()` 中设置 `label` 参数,例如:`plt.plot(x, y, label='line1')`
2. 使用 `plt.legend()` 函数来显示图例,例如:`plt.legend(loc='upper right')` (`loc` 参数可以设置图例位置)
下面是一个简单的例子:
```python
import matplotlib.pyplot as plt
import numpy as np
x = np.linspace(0, 10, 100)
y1 = np.sin(x)
y2 = np.cos(x)
plt.plot(x, y1, label='sin(x)')
plt.plot(x, y2, label='cos(x)')
plt.legend(loc='upper right')
plt.show()
```
运行后,可以看到折线图中显示了图例,分别对应 `sin(x)` 和 `cos(x)` 两条折线。
相关问题
matplotlib折线图图例
Matplotlib是一个广泛用于数据可视化的Python库,其中创建折线图是非常常见的操作。在Matplotlib中,折线图图例允许您为不同颜色或标记的线条提供标签,以便读者理解各个曲线代表的数据系列。要在折线图上添加图例,通常可以按照以下步骤进行:
1. 创建一个`Figure`对象,并选择一个`Axes`对象作为绘图区域。
2. 使用`plot()`函数绘制多条线,每条线对应一个数据序列。
3. 调用`legend()`函数,并传入想要显示的文字标签或图标,以及对应的线条标签。
示例代码如下:
```python
import matplotlib.pyplot as plt
# 数据点
x = [1, 2, 3, 4, 5]
y1 = [10, 8, 6, 4, 2]
y2 = [5, 7, 9, 11, 13]
# 绘制两条线
plt.plot(x, y1, 'r-', label='数据1') # 红色实线,标签为'data1'
plt.plot(x, y2, 'g--', label='数据2') # 绿色虚线,标签为'data2'
# 添加图例
plt.legend()
# 显示图形
plt.show()
```
matplotlib绘制设置折线图图例
要在 matplotlib 中绘制一个带有图例的折线图,可以按照以下步骤进行操作:
1. 导入 matplotlib 和 numpy 模块:
```python
import matplotlib.pyplot as plt
import numpy as np
```
2. 创建一个数据集,包含 x 坐标和 y 坐标:
```python
x = np.arange(0, 10, 0.1)
y = np.sin(x)
```
3. 绘制折线图:
```python
plt.plot(x, y, label='sin(x)')
```
4. 添加图例:
```python
plt.legend()
```
在这个例子中,我们使用 `label` 参数为折线图指定了一个标签,然后使用 `legend` 函数添加了一个图例。如果在 `legend` 函数中没有指定参数,它会自动使用 `plot` 函数中指定的标签。
完整代码示例:
```python
import matplotlib.pyplot as plt
import numpy as np
x = np.arange(0, 10, 0.1)
y = np.sin(x)
plt.plot(x, y, label='sin(x)')
plt.legend()
plt.show()
```
阅读全文