当前位置: 代码迷 >> 综合 >> matplotlib:pyplot()方法介绍
  详细解决方案

matplotlib:pyplot()方法介绍

热度:17   发布时间:2023-12-08 05:50:43.0

先画一个最简单的。

import matplotlib.pyplot as plt
plt.plot([1, 2, 3, 4])
plt.ylabel('some numbers')
plt.show()

在这里插入图片描述
当plot方法里只有一个参数时,默认为y。x从0开始,这里为 [0, 1, 2, 3]。

同时指定x和y

plt.plot([1, 2, 3, 4], [1, 4, 9, 16])

在这里插入图片描述
设置轴数值范围和线条格式

plt.plot([1, 2, 3, 4], [1, 4, 9, 16], 'ro')
plt.axis([0, 6, 0, 20])
plt.show()

在这里插入图片描述
“ro”代表红色圆点。类似的还有“bs”(blue squares),“‘g^’”(green triangles)等。
axis()的参数含义为[xmin, xmax, ymin, ymax]。

subplot()用法

names = ['group_a', 'group_b', 'group_c']
values = [1, 10, 100]plt.figure(figsize=(9, 3))plt.subplot(131)
plt.bar(names, values)
plt.subplot(132)
plt.scatter(names, values)
plt.subplot(133)
plt.plot(names, values)
plt.suptitle('Categorical Plotting')
plt.show()

在这里插入图片描述
subplot()的三个数字分别代表行数、列数、序号,默认参数为111。subplot(132)的含义为创建1行3列的图,绘制其中的第二个。

设置线条属性的三种方法

plt.plot(x, y, color='r', linewidth=2.0)
# use keyword args
plt.setp(lines, color='r', linewidth=2.0)
# or MATLAB style string value pairs
plt.setp(lines, 'color', 'r', 'linewidth', 2.0)

https://matplotlib.org/tutorials/introductory/pyplot.html#sphx-glr-tutorials-introductory-pyplot-py.