matplotlib 在箱线图中显示均值

wh6knrhe  于 2023-05-01  发布在  其他
关注(0)|答案(2)|浏览(160)

我是Matplotlib的新手,当我学习如何在Python中绘制箱线图时,我想知道是否有一种方法可以在箱线图中显示均值?下面是我的代码。.

from pylab import *
import matplotlib.pyplot as plt
data1=np.random.rand(100,1)
data2=np.random.rand(100,1)
data_to_plot=[data1,data2]
#Create a figure instance
fig = plt.figure(1, figsize=(9, 6))
# Create an axes instance
axes = fig.add_subplot(111)    
# Create the boxplot
bp = axes.boxplot(data_to_plot,**showmeans=True**)

即使我打开了showmean标志,它也会给我以下错误。

TypeError: boxplot() got an unexpected keyword argument 'showmeans'
omjgkv6w

omjgkv6w1#

这是一个最小的例子,并产生了期望的结果:

import matplotlib.pyplot as plt
import numpy as np

data_to_plot = np.random.rand(100,5)

fig = plt.figure(1, figsize=(9, 6))
ax = fig.add_subplot(111)    
bp = ax.boxplot(data_to_plot, showmeans=True)

plt.show()

编辑:

如果你想用matplotlib版本1实现同样的功能。3.1您必须手动绘制平均值。下面是一个如何执行此操作的示例:

import matplotlib.pyplot as plt
import numpy as np

data_to_plot = np.random.rand(100,5)
positions = np.arange(5) + 1

fig, ax = plt.subplots(1,2, figsize=(9,4))

# matplotlib > 1.4
bp = ax[0].boxplot(data_to_plot, positions=positions, showmeans=True)
ax[0].set_title("Using showmeans")

#matpltolib < 1.4
bp = ax[1].boxplot(data_to_plot, positions=positions)
means = [np.mean(data) for data in data_to_plot.T]
ax[1].plot(positions, means, 'rs')
ax[1].set_title("Plotting means manually")

plt.show()

结果:

h9vpoimq

h9vpoimq2#

你也可以升级matplotlib:

pip2 install matplotlib --upgrade

然后

bp = axes.boxplot(data_to_plot,showmeans=True)

相关问题