将 HoloViews VLine 与 PyViz 面板同步 audio.time

Sync HoloViews VLine with PyViz Panel audio.time

我想在当前音频位于图表中的 HoloViews 图中进行可视化。当 PyViz 的 pn.pane.Audio.time 值更改时(正在播放音频或更改 Audio.time 时),此行应自动更新。

我的尝试:

# Python 3.7 in JupyterLab
import numpy as np
import holoviews as hv  # interactive plots
hv.notebook_extension("bokeh")
import panel as pn
pn.extension()
from holoviews.streams import Stream, param

# create sound
sps = 44100 # Samples per second
duration = 10 # Duration in seconds
modulator_frequency = 2.0
carrier_frequency = 120.0
modulation_index = 2.0

time = np.arange(sps*duration) / sps
modulator = np.sin(2.0 * np.pi * modulator_frequency * time) * modulation_index
carrier = np.sin(2.0 * np.pi * carrier_frequency * time)
waveform = np.sin(2. * np.pi * (carrier_frequency * time + modulator))
waveform_quiet = waveform * 0.3
waveform_int = np.int16(waveform_quiet * 32767)

# PyViz Panel's Audio widget to play sound
audio = pn.pane.Audio(waveform_int, sample_rate=sps)
# generated plotting data
x = np.arange(11.0)
y = np.arange(11.0, 0.0, -1) / 10
y[0::2] *= -1  # alternate positve-negative
# HoloViews line plot
line_plot = hv.Curve((x, y)).opts(width=500)

# should keep track of audio.time; DOES NOT WORK
Time = Stream.define('Time', t=param.Number(default=0.0, doc='A time parameter'))
time = Time(t=audio.time)

# callback to draw line when time value changes
def interactive_play(t):
    return hv.VLine(t).opts(color='green')

# dynamic map plot of line for current audio time
dmap_time = hv.DynamicMap(interactive_play, streams=[time])

# display Audio pane
display(audio)
# combine plot with stream of audio.time
line_plot * dmap_time

为什么这不起作用?

由于时间设置为 param.Number(),我希望它能跟踪 audio.time。因此,在播放音频时,应该不断调用interactive_play()的回调,导致一条线在情节上移动。 这不会发生,并且该行仅保留默认值 0.0(或代码执行时 audio.time 具有的任何其他值)。

如何更新 VLine 以继续跟踪 audio.time

绿线应与音频窗格的时间相匹配

Since time is set as a param.Number(), I expect this to keep track of audio.time.

在您的示例中,您没有以任何方式将面板音频对象链接到流。当你这样做时你所做的一切:

time = Time(t=audio.time)

Time 流的初始值设置为音频窗格的当前值。 audio.time 不是对参数的引用,它只是该参数的当前值。

HoloViews DynamicMaps 支持侦听其他对象参数的功能已经有一段时间了。有两种主要方法可以解决此问题,或者通过执行以下操作:

@pn.depends(t=audio.param.time)
def interactive_play(t):
    return hv.VLine(t).opts(color='green')

dmap_time = hv.DynamicMap(interactive_play)

在这里,您正在使用对 audio.time 参数的依赖来装饰 interactive_play 函数,因此每当它发生变化时,DynamicMap 都会更新。执行此操作的更明确的方法以及内部实际发生的事情是:

from holoviews.streams import Params

def interactive_play(t):
    return hv.VLine(t).opts(color='green')

stream = Params(parameters=[audio.param.time], rename={'time': 't'})
dmap_time = hv.DynamicMap(interactive_play, streams=[stream])

如果您需要使用新文件更新音频窗格,我强烈建议您使用回调而不是使用交互或反应 API 不断创建新的音频窗格。这样您也不必处理更新流以不断更改音频窗格的问题。