Matplotlib animation模块实现动态图


Posted in Python onFebruary 25, 2021

matplotlib 画图功能非常强大,目前也只能根据官网 提供的例子简单地画几张图。最近学习了能画动态图的animation模块,作个简单地记录。

在matplotlib作图中,比较常用的是matplotlib.pyplot模块,这个模块有非常多的属性和方法,简要列举下这次用到的方法:
matplotlib.pyplot.subplots(nrows=1, ncols=1, sharex=False, sharey=False, squeeze=True, subplot_kw=None, gridspec_kw=None, **fig_kw)
返回fig和ax对象!

例子1. 动态画出sin函数曲线

import numpy as np
import matplotlib.pyplot as plt
from matplotlib.animation import FuncAnimation

fig, ax = plt.subplots()
xdata, ydata = [], []
ln, = ax.plot([], [], 'r-', animated=False)

def init():
  ax.set_xlim(0, 2*np.pi)
  ax.set_ylim(-1, 1)
  return ln,

def update(frame):
  xdata.append(frame)
  ydata.append(np.sin(frame))
  ln.set_data(xdata, ydata)
  return ln,

ani = FuncAnimation(fig, update, frames=np.linspace(0, 2*np.pi, 128),
          init_func=init, blit=True)
plt.show()

Matplotlib animation模块实现动态图

画这类图的关键是要给出不断更新的函数,这里就是update 函数了。注意, line, = ax.plot([], [], 'r-', animated=False) 中的, 表示创建tuple类型。迭代更新的数据frame 取值从frames 取得。

例子2. 动态显示一个动点,它的轨迹是sin函数。

import numpy as np 
import matplotlib.pyplot as plt
from matplotlib import animation

"""
animation example 2
author: Kiterun
"""

fig, ax = plt.subplots()
x = np.linspace(0, 2*np.pi, 200)
y = np.sin(x)
l = ax.plot(x, y)
dot, = ax.plot([], [], 'ro')

def init():
  ax.set_xlim(0, 2*np.pi)
  ax.set_ylim(-1, 1)
  return l

def gen_dot():
  for i in np.linspace(0, 2*np.pi, 200):
    newdot = [i, np.sin(i)]
    yield newdot

def update_dot(newd):
  dot.set_data(newd[0], newd[1])
  return dot,

ani = animation.FuncAnimation(fig, update_dot, frames = gen_dot, interval = 100, init_func=init)
ani.save('sin_dot.gif', writer='imagemagick', fps=30)

plt.show()

这里我们把生成的动态图保存为gif图片,前提要预先安装imagemagic。

Matplotlib animation模块实现动态图

例子3. 单摆(没阻尼&有阻尼)

无阻尼的单摆力学公式:

Matplotlib animation模块实现动态图

附加阻尼项:

Matplotlib animation模块实现动态图

这里需要用到scipy.integrate的odeint模块,具体用法找时间再专门写一篇blog吧,动态图代码如下:

# -*- coding: utf-8 -*-

from math import sin, cos
import numpy as np
from scipy.integrate import odeint
import matplotlib.pyplot as plt
import matplotlib.animation as animation

g = 9.8
leng = 1.0
b_const = 0.2

# no decay case:
def pendulum_equations1(w, t, l):
  th, v = w
  dth = v
  dv = - g/l * sin(th)
  return dth, dv

# the decay exist case:
def pendulum_equations2(w, t, l, b):
  th, v = w
  dth = v
  dv = -b/l * v - g/l * sin(th)
  return dth, dv

t = np.arange(0, 20, 0.1)
track = odeint(pendulum_equations1, (1.0, 0), t, args=(leng,))
#track = odeint(pendulum_equations2, (1.0, 0), t, args=(leng, b_const))
xdata = [leng*sin(track[i, 0]) for i in range(len(track))]
ydata = [-leng*cos(track[i, 0]) for i in range(len(track))]

fig, ax = plt.subplots()
ax.grid()
line, = ax.plot([], [], 'o-', lw=2)
time_template = 'time = %.1fs'
time_text = ax.text(0.05, 0.9, '', transform=ax.transAxes)

def init():
  ax.set_xlim(-2, 2)
  ax.set_ylim(-2, 2)
  time_text.set_text('')
  return line, time_text

def update(i):
  newx = [0, xdata[i]]
  newy = [0, ydata[i]]
  line.set_data(newx, newy)
  time_text.set_text(time_template %(0.1*i))
  return line, time_text

ani = animation.FuncAnimation(fig, update, range(1, len(xdata)), init_func=init, interval=50)
#ani.save('single_pendulum_decay.gif', writer='imagemagick', fps=100)
ani.save('single_pendulum_nodecay.gif', writer='imagemagick', fps=100)
plt.show()

Matplotlib animation模块实现动态图 

Matplotlib animation模块实现动态图

例子4. 滚动的球

import numpy as np 
import matplotlib.pyplot as plt 
import matplotlib.animation as animation

fig = plt.figure(figsize=(6, 6))
ax = plt.gca()
ax.grid()
ln1, = ax.plot([], [], '-', lw=2)
ln2, = ax.plot([], [], '-', color='r', lw=2)
theta = np.linspace(0, 2*np.pi, 100)
r_out = 1
r_in = 0.5

def init():
  ax.set_xlim(-2, 2)
  ax.set_ylim(-2, 2)
  x_out = [r_out*np.cos(theta[i]) for i in range(len(theta))]
  y_out = [r_out*np.sin(theta[i]) for i in range(len(theta))]
  ln1.set_data(x_out, y_out)
  return ln1,

def update(i):
  x_in = [(r_out-r_in)*np.cos(theta[i])+r_in*np.cos(theta[j]) for j in range(len(theta))]
  y_in = [(r_out-r_in)*np.sin(theta[i])+r_in*np.sin(theta[j]) for j in range(len(theta))]
  ln2.set_data(x_in, y_in)
  return ln2,

ani = animation.FuncAnimation(fig, update, range(len(theta)), init_func=init, interval=30)
ani.save('roll.gif', writer='imagemagick', fps=100)

plt.show()

Matplotlib animation模块实现动态图

到此这篇关于Matplotlib animation模块实现动态图 的文章就介绍到这了,更多相关Matplotlib 动态图 内容请搜索三水点靠木以前的文章或继续浏览下面的相关文章希望大家以后多多支持三水点靠木!

Python 相关文章推荐
基于wxpython开发的简单gui计算器实例
May 30 Python
python版本的读写锁操作方法
Apr 25 Python
Python实现简单的HttpServer服务器示例
Sep 25 Python
python使用json序列化datetime类型实例解析
Feb 11 Python
Python基于pandas实现json格式转换成dataframe的方法
Jun 22 Python
利用Python正则表达式过滤敏感词的方法
Jan 21 Python
Python之pymysql的使用小结
Jul 01 Python
django的ORM操作 增加和查询
Jul 26 Python
PyQt5+Pycharm安装和配置图文教程详解
Mar 24 Python
python安装和pycharm环境搭建设置方法
May 27 Python
在keras中实现查看其训练loss值
Jun 16 Python
keras model.fit 解决validation_spilt=num 的问题
Jun 19 Python
python连接手机自动搜集蚂蚁森林能量的实现代码
Feb 24 #Python
Python爬取你好李焕英豆瓣短评生成词云的示例代码
Feb 24 #Python
用pip给python安装matplotlib库的详细教程
Feb 24 #Python
matplotlib 范围选区(SpanSelector)的使用
Feb 24 #Python
matplotlib之多边形选区(PolygonSelector)的使用
Feb 24 #Python
matplotlib部件之套索Lasso的使用
Feb 24 #Python
matplotlib之属性组合包(cycler)的使用
Feb 24 #Python
You might like
php 向访客和爬虫显示不同的内容
2009/11/09 PHP
php中字符查找函数strpos、strrchr与strpbrk用法
2014/11/18 PHP
PHP下 Mongodb 连接远程数据库的实例代码
2017/08/30 PHP
改进:论坛UBB代码自动插入方式
2006/12/22 Javascript
Js 刷新框架页的代码
2010/04/13 Javascript
利用javascript解决图片缩放及其优化的代码
2012/05/23 Javascript
JavaScript严格模式禁用With语句的原因
2014/10/20 Javascript
NodeJS学习笔记之MongoDB模块
2015/01/13 NodeJs
jquery validate.js表单验证入门实例(附源码)
2015/11/10 Javascript
Bootstrap插件全集
2016/07/18 Javascript
酷! 不同风格页面布局幻灯片特效js实现
2021/02/19 Javascript
最常见和最有用的字符串相关的方法详解
2017/02/06 Javascript
Vue组件开发初探
2017/02/14 Javascript
node文件上传功能简易实现代码
2017/06/16 Javascript
基于滚动条位置判断的简单实例
2017/12/14 Javascript
基于vue开发的在线付费课程应用过程
2018/01/25 Javascript
jQuery常见的遍历DOM操作详解
2018/09/05 jQuery
自定义javascript验证框架示例【附源码下载】
2019/05/31 Javascript
vue proxy 的优势与使用场景实现
2020/06/15 Javascript
Python 错误和异常小结
2013/10/09 Python
Python常用内置模块之xml模块(详解)
2017/05/23 Python
python生成器,可迭代对象,迭代器区别和联系
2018/02/04 Python
python3如何将docx转换成pdf文件
2018/03/23 Python
用Python将一个列表分割成小列表的实例讲解
2018/07/02 Python
Django2.1集成xadmin管理后台所遇到的错误集锦(填坑)
2018/12/20 Python
Python匿名函数及应用示例
2019/04/09 Python
Python中的 sort 和 sorted的用法与区别
2019/08/10 Python
Python数据处理篇之Sympy系列(五)---解方程
2019/10/12 Python
Python 实现黑客帝国中的字符雨的示例代码
2020/02/20 Python
python 实现两个npy档案合并
2020/07/01 Python
Python return语句如何实现结果返回调用
2020/10/15 Python
cookies应对python反爬虫知识点详解
2020/11/25 Python
使用CSS3来绘制一个月食图案
2015/07/18 HTML / CSS
德国黑胶唱片、街头服装及运动鞋网上商店:HHV
2018/08/24 全球购物
世界排名第一的万圣节服装店:Spirit Halloween
2018/10/16 全球购物
2014年健康教育工作总结
2014/11/20 职场文书