1

我想像这样在 matplolib 图形上设置线条动画:

线条动画

只有水平线让我感兴趣。

我制作了一个函数,它可以像上面的模型那样对一条线进行动画处理:

def animate(i):
    line.set_ydata(0 - np.exp(i/20))
    return line,

line, = ax.plot((-100, 100), (0,0), 'r', lw=1)

ani = animation.FuncAnimation(fig, animate, frames=np.linspace(0, 78, 79), blit=True, interval=20,
repeat=True)

现在的问题是我需要十个带有换行的动画。我尝试了几件事,例如每行创建一个函数,创建 10 行,在“ani”中放置一个 init 函数,但没有任何效果,因为我对动画的工作原理知之甚少。

4

1 回答 1

1

该动画的主要目的是使间距正确,以产生连续性的错觉。我尽量保持你的结构不变。

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

#hey, it's in CinemaScope   
fig, ax = plt.subplots(figsize=(11.75, 5))
xrange = (-100, 100)
numb_of_lines = 8
frames = 30
scal_fac = 50
#define the y-range, so that the last line disappears outside the frame
#also set the upper range in a ratio that is used in photography to evoke a pleasant image composition 
yrange = (-0.99 * np.exp(frames * numb_of_lines/scal_fac), np.exp(frames * numb_of_lines /scal_fac)/2)
ax.set_xlim(xrange)
ax.set_ylim(yrange)
ax.set_xticks([])
ax.set_yticks([])

#set unchanging horizon line to improve the illusion of continuity
ax.plot(xrange, (-1,-1), 'r', lw=1)

#set initial lines
line_coll = []
for j in range(numb_of_lines):
    line,  = ax.plot(xrange, (-np.exp(frames * j/scal_fac),-np.exp(frames * j/scal_fac)), 'r', lw=1)
    line_coll.append(line)    

def animate(i):   
    for j in range(numb_of_lines):
        line_coll[j].set_ydata(-np.exp((i + j * frames)/scal_fac)) 
    return line_coll  
    
ani = anim.FuncAnimation(fig, animate, frames=frames, blit=True, repeat=True, interval=20)
plt.show()

输出:

在此处输入图像描述

于 2021-01-17T14:03:39.750 回答