Matplotlib堆叠条形图顺序错误

pkwftd7m  于 2023-08-06  发布在  其他
关注(0)|答案(1)|浏览(140)

我在matplotlib中做了一个条形图。我想做的是把最大的一组(橙子)放在底部,小一点的放在顶部。如何在Python中实现这一点?


的数据

qyyhg6bp

qyyhg6bp1#

默认情况下,组按照hist函数给定的顺序从下到上绘制。
因此,您可以根据需要对序列进行排序,例如按每个组的大小的相反顺序:

  1. import matplotlib.pyplot as plt
  2. import numpy as np
  3. vmin, vmax = 0, 10
  4. # By default data is plot in the order given
  5. sizes1 = (10, 50, 100)
  6. data1 = [np.random.randint(vmin, vmax, s) for s in sizes1]
  7. labels1 = [f"Size: {len(x)}" for x in data1]
  8. # You can sort the data the way you want
  9. data2 = sorted(data1, key=lambda x: -len(x))
  10. labels2 = [f"Size: {len(x)}" for x in data2]
  11. sizes2 = tuple(len(x) for x in data2)
  12. fig, (ax1, ax2) = plt.subplots(ncols=2)
  13. ax1.hist(data1, stacked=True, rwidth=0.5, label=labels1)
  14. ax1.set_title(sizes1)
  15. ax1.legend()
  16. ax2.hist(data2, stacked=True, rwidth=0.5, label=labels2)
  17. ax2.set_title(sizes2)
  18. ax2.legend()
  19. plt.show()

字符串


的数据

**编辑:**使用ax.bar

仍然是同样的想法,对数据进行充分排序并按该顺序绘制,但在这里您对绘制顺序负有全部责任。
因此,取已经排序的data2,我们有:

  1. bins = np.arange(vmin, vmax + 1)
  2. x = bins[:-1] + 0.5
  3. ys = [np.histogram(data, bins=bins)[0] for data in data2]
  4. fig, ax = plt.subplots()
  5. bottom = np.zeros_like(ys[0])
  6. for y, label in zip(ys, labels2):
  7. ax.bar(x, y, bottom=bottom, label=label)
  8. bottom += y
  9. ax.legend()
  10. plt.show()


展开查看全部

相关问题