8

我想知道如何在 matplotlib 中创建 100% 堆积面积图。在 matplotlib 页面上,我找不到它的示例。

这里有人可以告诉我如何实现吗?

4

1 回答 1

20

实现此目的的一种简单方法是确保对于每个 x 值,y 值的总和为 100。

我假设您将 y 值组织在一个数组中,如下例所示,即

y = np.array([[17, 19,  5, 16, 22, 20,  9, 31, 39,  8],
              [46, 18, 37, 27, 29,  6,  5, 23, 22,  5],
              [15, 46, 33, 36, 11, 13, 39, 17, 49, 17]])

为确保列总数为 100,您必须将y数组除以其列总和,然后乘以 100。这使得 y 值的范围为 0 到 100,从而成为 y 轴百分比的“单位” 。如果您希望 y 轴的值跨越从 0 到 1 的区间,请不要乘以 100。

即使您没有像上面那样将 y 值组织在一个数组中,原理也是一样的;y1每个由 y 值(例如等)组成的数组中的相应元素的y2总和应为 100(或 1)。

下面的代码是他评论中链接到的示例@LogicalKnight 的修改版本。

import numpy as np
from matplotlib import pyplot as plt

fnx = lambda : np.random.randint(5, 50, 10)
y = np.row_stack((fnx(), fnx(), fnx()))
x = np.arange(10)

# Make new array consisting of fractions of column-totals,
# using .astype(float) to avoid integer division
percent = y /  y.sum(axis=0).astype(float) * 100 

fig = plt.figure()
ax = fig.add_subplot(111)

ax.stackplot(x, percent)
ax.set_title('100 % stacked area chart')
ax.set_ylabel('Percent (%)')
ax.margins(0, 0) # Set margins to avoid "whitespace"

plt.show()

这给出了如下所示的输出。

在此处输入图像描述

于 2013-06-03T15:06:49.500 回答