我希望在matplotlib中绘制两个并排堆叠的直方图(类似于下面的示例图片)。
我尝试了几种变体bins = np.arange(10)
a1,b1,c1 =plt.hist([arr1,arr2,arr3],bins,stacked=True)
a2,b2,c2 =plt.hist([arr4,arr5,arr6],bins,stacked=True)
但似乎无法避免第二个情节直接覆盖第一个情节。 关于如何解决这个问题的任何想法?
答案 0 :(得分:3)
图片显示bar chart而不是histogram。我指出这一点,不仅因为我是一个讨厌的学究,而且因为我相信它可以帮助你找到合适的工具:-)
事实上,出于您的目的,plt.bar
可能是比plt.hist
更好的选择。
根据Scironic的建议,我修改了这个demonstration example来制作堆叠的条形图,就像你图中的条形图一样。
向位置索引添加偏移量(plt.bar()
中的第一个参数)可以防止条形图相互重叠。
import numpy as np
import matplotlib.pyplot as plt
N = 5
men1 = (130, 90, 70, 64, 55)
men2 = (120, 85, 62, 50, 53)
men3 = (100, 70, 60, 45, 50)
ind = np.arange(N) + .15 # the x locations for the groups
width = 0.35 # the width of the bars
fig, ax = plt.subplots()
rects1 = ax.bar(ind, men1, width, color='g')
rects2 = ax.bar(ind, men2, width, color='r')
rects3 = ax.bar(ind, men3, width, color='b')
women4 = (140, 90, 78, 65, 50)
women5 = (130, 80, 70, 60, 45)
women6 = (120, 60, 60, 55, 44)
xtra_space = 0.05
rects2 = ax.bar(ind + width + xtra_space , women1, width, color='orange')
rects2 = ax.bar(ind + width + xtra_space, women2, width, color='cyan')
rects2 = ax.bar(ind + width + xtra_space, women3, width, color='purple')
# add some text for labels, title and axes ticks
ax.set_ylabel('Population, millions')
ax.set_title('Population: Age Structure')
ax.set_xticks(ind+width+xtra_space)
ax.set_xticklabels( ('USA', 'Brazil', 'Russia', 'Japan', 'Mexico') )
plt.show()