Matplotlib-绘图区域
import matplotlib.pyplot as plt
plt.rcParams['font.family'] = ['Arial Unicode MS', 'Microsoft Yahei', 'SimHei', 'sans-serif']
绘图,简写
plt.plot([3,5,1,8,2])
[]
等价于正常写法,面向过程(常用)
plt.figure(1) # 创建figure父窗口,默认编号为1
plt.subplot(111) # 创建ax子窗口,默认:1行 1列 选中第1个
plt.plot([3,5,1,8,2]) # 在子图上画折线
[]
面向对象写法(了解),将窗口对象赋给变量
# fig = plt.figure(2) # 创建父对象
# ax = fig.add_subplot(111) # 创建子对象
# ax.plot([1,2,3,4]) # 给子对象绘图
# 前两句合并
fig, ax = plt.subplots() # 创建父图和子图
ax.plot([1,2,3,4]) # 子图绘制图像
[]
创建多个figure父对象
plt.figure() # 不写父对象号码,默认是1
plt.plot([1,2,3])
plt.figure(2)
plt.plot([4,1,6])
# 绘制到第二个父图中
plt.plot([1,9,2])
# 绘制到第1个父图中
plt.figure(1)
plt.plot([2,9,1])
[]
父图参数
plt.figure(
2, # 图像编号,创建和选择图像使用
figsize=(18, 5), # 图片大小
facecolor='#cccccc', # 背景颜色
# dpi=300, # 分辨率,电脑看72,打印300起
)
plt.plot([2,9,3])
[]
创建多个ax子对象
plt.figure(figsize=(10, 12))
plt.subplot(3,2,1) # 3行2列,第一张
plt.plot([1,2,3])
plt.subplot(322) # 行列式1位数时,逗号可以省略
plt.subplot(323)
plt.subplot(324)
plt.plot([1,9,2])
plt.subplot(325)
plt.subplot(326)
# 调整子图间距
plt.subplots_adjust(
hspace=0, # 行间距
wspace=0, # 列间距
)
fig父对象和ax子对象结合
# 图1
plt.figure(1)
# 2个子图
plt.subplot(1,2,1)
plt.subplot(1,2,2)
plt.plot([1,8,2])
# 图2
plt.figure(2, figsize=(18, 5))
# 3个子图
plt.subplot(1,3,1)
plt.subplot(1,3,2)
plt.scatter([1,2,3,4,5],[3,5,1,8,4])
plt.subplot(1,3,3)
面向对象的fig、ax结合的简写 (了解)
# 简写,单个图
fig, ax = plt.subplots()
ax.plot([1,5,3,8,2])
ax.set_title('hello world')
# 简写,多个图
fig2, ax2 = plt.subplots(3,2) # 创建一个3行2列的图表
ax2
ax2[0,1].plot([1,2,3]) # 绘图,0,1表示选中第0行第1列的ax子图
# 带详细参数
fig3, ax3 = plt.subplots(
figsize=(12,3), # 父窗口大小
nrows=2, # 子图行数
ncols=3, # 子图列数
sharex=True, # 是否共享x轴
sharey=True, # 是否共享y轴
)
ax3[0,0].plot([100,900,300])
ax3[0,1].plot([1,9,3])
[]
复杂绘图区域:pyplot子绘图区域(了解)
设定网格,选中网格,确定选中行列区域数量,编号从0开始
常用于数据面板,仪表板
plt.figure(1, figsize=(17,10))
plt.subplot2grid(
(4, 3),# 4行3列
(0, 0),# 选中0行0列单元格
colspan=3, #合并3列
)
plt.plot([2,1,9,5,4,8])
plt.subplot2grid((4,3),(1,0),rowspan=2,colspan=2) # 选中1行0列单元格,合并2行,合并2列
x = [1,3,5,7,9,11,13,15,17]
y = [2,-5,19,3,5,8,12,6,1]
plt.scatter(x, y)
plt.subplot2grid((4,3),(1,2),rowspan=2) #选中1行2列单元格,合并2行
plt.pie([2,6,9,15,1])
plt.subplot2grid((4,3),(3,0)) #选中3行0列单元格
plt.bar([1,2,3],[1,2,3])
plt.subplot2grid((4,3),(3,1)) #选中3行1列单元格
plt.bar([1,2,3],[3,9,1])
plt.subplot2grid((4,3),(3,2)) #选中3行2列单元格
plt.plot([3,5,2])
# 调整子图间距
plt.subplots_adjust(
hspace=0, # 行间距
wspace=0, # 列间距
)