详解matplotlib中pyplot和面向对象两种绘图模式之间的关系


Posted in Python onJanuary 22, 2021

matplotlib有两种绘图方式,一种是依托matplotlib.pyplot模块实现类似matlab绘图指令的绘图方式,一种是面向对象式绘图,依靠FigureCanvas(画布)、 Figure (图像)、 Axes (轴域) 等对象绘图。

这两种方式之间并不是完全独立的,而是通过某种机制进行了联结,pylot绘图模式其实隐式创建了面向对象模式的相关对象,其中的关键是matplotlib._pylab_helpers模块中的单例类Gcf,它的作用是追踪当前活动的画布及图像。

因此,可以说matplotlib绘图的基础是面向对象式绘图,pylot绘图模式只是一种简便绘图方式。

先不分析源码,先做实验!

实验

先通过实验,看一看我们常用的那些pyplot绘图模式

实验一
无绘图窗口显示

from matplotlib import pyplot as plt
plt.show()

实验二
出现绘图结果

from matplotlib import pyplot as plt
plt.plot([1,2])
plt.show()

实验三
出现绘图结果

from matplotlib import pyplot as plt
plt.gca()
plt.show()

实验四
出现绘图结果

from matplotlib import pyplot as plt
plt.figure()
# 或者plt.gcf()
plt.show()

pyplot模块绘图原理

通过查看pyplot模块figure()函数、gcf()函数、gca()函数、plot()函数和其他绘图函数的源码,可以简单理个思路!

  • figure()函数:如果有现成图像,返回值就是当前图像,如果没有现成的图像,就初始化一个新图像,返回值为Figure对象。
  • gcf()函数:如果有现成图像,返回值就是当前图像,如果没有现成的图像,就调用figure()函数,返回值为Figure对象。
  • gca()函数:调用gcf()函数返回对象的gca方法,返回值为Axes对象。
  • plot()函数:调用gca()函数返回对象的plot方法。
  • pyplot模块其他绘图函数:均调用gca()函数的相关方法。

因此,pyplot绘图模式,使用plot()函数或者其他绘图函数,如果没有现成图像对象,直接会先创建图像对象。
当然使用figure()函数、gcf()函数和gca()函数,如果没有现成图像对象,也会先创建图像对象。

更进一步,在matplotlib.pyplot模块源码中出现了如下代码,因此再查看matplotlib._pylab_helpers模块它的作用是追踪当前活动的画布及图像

figManager = _pylab_helpers.Gcf.get_fig_manager(num)
figManager = _pylab_helpers.Gcf.get_active()

matplotlib._pylab_helpers模块作用是管理pyplot绘图模式中的图像。该模块只有一个类——Gcf,它的作用是追踪当前活动的画布及图像。

matplotlib.pyplot模块部分源码

def figure(num=None, # autoincrement if None, else integer from 1-N
      figsize=None, # defaults to rc figure.figsize
      dpi=None, # defaults to rc figure.dpi
      facecolor=None, # defaults to rc figure.facecolor
      edgecolor=None, # defaults to rc figure.edgecolor
      frameon=True,
      FigureClass=Figure,
      clear=False,
      **kwargs
      ):

  figManager = _pylab_helpers.Gcf.get_fig_manager(num)
  if figManager is None:
    max_open_warning = rcParams['figure.max_open_warning']

    if len(allnums) == max_open_warning >= 1:
      cbook._warn_external(
        "More than %d figures have been opened. Figures "
        "created through the pyplot interface "
        "(`matplotlib.pyplot.figure`) are retained until "
        "explicitly closed and may consume too much memory. "
        "(To control this warning, see the rcParam "
        "`figure.max_open_warning`)." %
        max_open_warning, RuntimeWarning)

    if get_backend().lower() == 'ps':
      dpi = 72

    figManager = new_figure_manager(num, figsize=figsize,
                    dpi=dpi,
                    facecolor=facecolor,
                    edgecolor=edgecolor,
                    frameon=frameon,
                    FigureClass=FigureClass,
                    **kwargs)
  return figManager.canvas.figure

def plot(*args, scalex=True, scaley=True, data=None, **kwargs):
  return gca().plot(
    *args, scalex=scalex, scaley=scaley,
    **({"data": data} if data is not None else {}), **kwargs)

def gcf():
  """
  Get the current figure.

  If no current figure exists, a new one is created using
  `~.pyplot.figure()`.
  """
  figManager = _pylab_helpers.Gcf.get_active()
  if figManager is not None:
    return figManager.canvas.figure
  else:
    return figure()

def gca(**kwargs):
  return gcf().gca(**kwargs)

def get_current_fig_manager():
  """
  Return the figure manager of the current figure.

  The figure manager is a container for the actual backend-depended window
  that displays the figure on screen.

  If if no current figure exists, a new one is created an its figure
  manager is returned.

  Returns
  -------
  `.FigureManagerBase` or backend-dependent subclass thereof
  """
  return gcf().canvas.manager

Gcf类源码

class Gcf:
  """
  Singleton to maintain the relation between figures and their managers, and
  keep track of and "active" figure and manager.

  The canvas of a figure created through pyplot is associated with a figure
  manager, which handles the interaction between the figure and the backend.
  pyplot keeps track of figure managers using an identifier, the "figure
  number" or "manager number" (which can actually be any hashable value);
  this number is available as the :attr:`number` attribute of the manager.

  This class is never instantiated; it consists of an `OrderedDict` mapping
  figure/manager numbers to managers, and a set of class methods that
  manipulate this `OrderedDict`.

  Attributes
  ----------
  figs : OrderedDict
    `OrderedDict` mapping numbers to managers; the active manager is at the
    end.
  """

到此这篇关于详解matplotlib中pyplot和面向对象两种绘图模式之间的关系的文章就介绍到这了,更多相关matplotlib中pyplot和面向对象内容请搜索三水点靠木以前的文章或继续浏览下面的相关文章希望大家以后多多支持三水点靠木!

Python 相关文章推荐
Python_LDA实现方法详解
Oct 25 Python
对python的文件内注释 help注释方法
May 23 Python
Python基于递归算法求最小公倍数和最大公约数示例
Jul 27 Python
基于Python实现用户管理系统
Feb 26 Python
python实现AES加密解密
Mar 28 Python
详解Python中的测试工具
Jun 09 Python
python字典嵌套字典的情况下找到某个key的value详解
Jul 10 Python
python多线程扫描端口(线程池)
Sep 04 Python
基于Python解密仿射密码
Oct 21 Python
解决Pytorch 加载训练好的模型 遇到的error问题
Jan 10 Python
django 装饰器 检测登录状态操作
Jul 02 Python
calendar在python3时间中常用函数举例详解
Nov 18 Python
Jmeter调用Python脚本实现参数互相传递的实现
Jan 22 #Python
Python实现王者荣耀自动刷金币的完整步骤
Jan 22 #Python
python实现马丁策略回测3000只股票的实例代码
Jan 22 #Python
Python爬虫回测股票的实例讲解
Jan 22 #Python
python+selenium实现12306模拟登录的步骤
Jan 21 #Python
python基于爬虫+django,打造个性化API接口
Jan 21 #Python
Python 无限级分类树状结构生成算法的实现
Jan 21 #Python
You might like
PHP4实际应用经验篇(9)
2006/10/09 PHP
PHP新手上路(八)
2006/10/09 PHP
PHP 类型转换函数intval
2009/06/20 PHP
PHP mb_convert_encoding文字编码的转换函数介绍
2011/11/10 PHP
php文件扩展名判断及获取文件扩展名的N种方法
2015/09/12 PHP
php在windows环境下获得cpu内存实时使用率(推荐)
2018/02/08 PHP
PHP attributes()函数讲解
2019/02/03 PHP
jquery左边浮动到一定位置时显示返回顶部按钮
2014/06/05 Javascript
如何实现JavaScript动态加载CSS和JS文件
2020/12/28 Javascript
Bootstrap每天必学之表单
2015/11/23 Javascript
基于javascript编写简单日历
2016/05/02 Javascript
JS组件Bootstrap Select2使用方法解析
2016/05/30 Javascript
AngularJS入门教程之Cookies读写操作示例
2016/11/02 Javascript
VS Code转换大小写、修改选中文字或代码颜色的方法
2017/12/15 Javascript
vue+mousemove实现鼠标拖动功能(拖动过快失效问题解决方法)
2018/08/24 Javascript
微信公众号生成新浪短网址的实现(快速生成)
2019/08/18 Javascript
关于小程序优化的一些建议(小结)
2020/12/10 Javascript
python检测远程服务器tcp端口的方法
2015/03/14 Python
使用Python的Zato发送AMQP消息的教程
2015/04/16 Python
Python实现爬取需要登录的网站完整示例
2017/08/19 Python
python使用Tkinter实现在线音乐播放器
2018/01/30 Python
解决Python网页爬虫之中文乱码问题
2018/05/11 Python
Python常见字典内建函数用法示例
2018/05/14 Python
用Python解决x的n次方问题
2019/02/08 Python
对Django中的权限和分组管理实例讲解
2019/08/16 Python
python3+selenium获取页面加载的所有静态资源文件链接操作
2020/05/04 Python
python 基于opencv去除图片阴影
2021/01/26 Python
好的自荐信的要求
2013/10/30 职场文书
建设办主任四风问题整改思路和措施
2014/09/20 职场文书
地震捐款简报
2015/07/21 职场文书
关于社会实践的心得体会(2016最新版)
2016/01/25 职场文书
优秀大学生申请书
2019/06/24 职场文书
Python中的xlrd模块使用整理
2021/06/15 Python
使用CSS实现一个搜索引擎的原理解析
2021/09/25 HTML / CSS
MySQL Server层四个日志的实现
2022/03/31 MySQL
Python中itertools库的四个函数介绍
2022/04/06 Python