matplotlib如何填充步骤之间的功能

时间:2014-01-03 21:52:43

标签: python matplotlib

我试图遮蔽输入信号为高(值= 1)的图的区域。该区域应保持阴影,直到信号变低(值= 0)。按照一些例子,我已经非常接近了: http://matplotlib.org/examples/pylab_examples/axhspan_demo.html In a matplotlib plot, can I highlight specific x-value ranges? How do I plot a step function with Matplotlib in Python?

问题是,现在它只是直接在信号= 1的位置下着色,而不是 next 变为signal = 0(步进功能)。例如,在下面的图像/代码中,我希望在20-40和50-60(而不是20-30,以及40以下的尖峰)之间填充图。如何修改我的代码来实现这一目标?谢谢。 output plot showing incorrect shading

import numpy as np
import matplotlib.pyplot as plt

x = np.array([0,10,20,30,40,50,60])
s = np.array([0,0,1,1,0,1,0])
t = np.array([25,24,25,25,24,25,24])

fig, ax = plt.subplots()

ax.plot(x,t)
ax.step(x,s,where='post')

# xmin xmax ymin ymax
plt.axis([0,60,0,30])

ymin, ymax = plt.ylim()
# want this to fill until the next "step"
# i.e. should be filled between 20-40; 50-60
ax.fill_between(x, ymin, ymax, where=s>0, facecolor='green', alpha=0.5)

plt.show()

1 个答案:

答案 0 :(得分:2)

定义一个生成器,给出填充的间隔。

def customFilter(s):
    foundStart = False
    for i, val in enumerate(s):
        if not foundStart and val == 1:
            foundStart = True
            start = i
        if foundStart and val == 0:
            end = i
            yield (start, end+1)
            foundStart = False
    if foundStart:
        yield (start, len(s))  

使用它来获取填写的间隔。

for start, end in customFilter(s):
    print 1
    mask = np.zeros_like(s)
    mask[start: end] = 1
    ax.fill_between(x, ymin, ymax, where=mask, facecolor='green', alpha=0.5)