Matplotlib boxplot仅显示最大和最小传单

时间:2015-02-15 00:29:32

标签: python matplotlib boxplot

我正在使用plt.boxplot()命令制作标准的Matplotlib箱图。 我创建boxplot的代码行是:

bp = plt.boxplot(data, whis=[5, 95], showfliers=True)

因为我的数据分布很大,所以我在胡须范围之外得到了很多传单。为了获得更清晰的出版质量情节,我想只展示单个传单。而在最低点。数据的值,而不是所有传单。这可能吗?我没有在文档中看到任何内置选项来执行此操作。

(我可以将胡须的范围设置为最大/分钟,但这不是我想要的。我希望将胡须保持在第5和第95百分位数。)

以下是我正在处理的数字。注意飞行员的密度。 Boxplots

2 个答案:

答案 0 :(得分:3)

plt.boxplot()返回一个字典,其中键fliers包含上层和下层传单作为line2d对象。您可以在绘制之前操纵它们:

仅适用于matplotlib> = 1.4.0

bp = plt.boxplot(data, whis=[5, 95], showfliers=True)

# Get a list of Line2D objects, representing a single line from the
# minimum to the maximum flier points.
fliers = bp['fliers']

# Iterate over it!
for fly in fliers:
    fdata = fly.get_data()
    fly.set_data([fdata[0][0],fdata[0][-1]],[fdata[1][0],fdata[1][-1]])

旧版本

如果您使用的是较旧版本的matplotlib,则每个boxplot的传单由两个行代表,而不是一行。因此,循环看起来像这样:

import numpy as np
for i in range(len(fliers)):
    fdata = fliers[i].get_data()
    # Get the index of the maximum y in data if 
    # i is 0 or even, else get index of minimum y.
    if i%2 == 0:
        id = np.where(fdata[1] == fdata[1].max())[0][0]
    else:
        id = np.where(fdata[1] == fdata[1].min())[0][0]
    fliers[i].set_data([fdata[0][id], fdata[1][id]])

另请注意,matplotlib< 1.4x中不存在showfliers参数,whisk参数不接受列表。

当然(对于简单的应用程序),您可以绘制没有传单的箱线图,并将最大和最小点添加到图中:

bp = plt.boxplot(data, whis=[5, 95], showfliers=False)
sc = plt.scatter([1, 1], [data.min(), data.max()])

其中[1, 1]是点的x位置。

答案 1 :(得分:1)

fliers = bp['fliers'] 
for i in range(len(fliers)): # iterate through the Line2D objects for the fliers for each boxplot
    box = fliers[i] # this accesses the x and y vectors for the fliers for each box 
    box.set_data([[box.get_xdata()[0],box.get_xdata()[0]],[np.min(box.get_ydata()),‌​np.max(box.get_ydata())]]) 
    # note that you can use any two values from the xdata vector

结果图,仅显示最大和最小传单: enter image description here