您好我是matplotlib的新手,但我正在尝试绘制一个堆积的条形图。我的酒吧不是堆叠,而是相互重叠。
这是我存储数据的字典。
eventsDict = {
'A' : [30.427007371788505, 3.821656050955414],
'B' : [15.308879925288613, 25.477707006369428],
'C' : [10.846066723627477, 1.910828025477707],
'D' : [0.32586881793073297, 0.6369426751592357],
'E' : [3.110656307747332, 11.464968152866243],
'F' : [8.183480040534901, 1.910828025477707],
'G' : [3.048065650644783, 16.560509554140125],
'H' : [9.950920976811652, 4.45859872611465]
}
我的堆积条形图有两个条形图。第一个包含列表第一个值的所有数据,第二个包含列表中的所有第二个值。 (列表是字典中的值)
首先,我将字典转换为元组:
allEvents = list(self.eventsDict.items())
这会将字典转换为此列表:
all Events = [('A', [30.427007371788505, 3.821656050955414]), ('B', [15.308879925288613, 25.477707006369428]), ('C', [10.846066723627477, 1.910828025477707]), ('D', [0.32586881793073297, 0.6369426751592357]), ('E', [3.110656307747332, 11.464968152866243]), ('F', [8.183480040534901, 1.910828025477707]), ('G', [3.048065650644783, 16.560509554140125]), ('H', [9.950920976811652, 4.45859872611465])]
这是我绘制它的地方:
range_vals = np.linspace(0, 2, 3)
mid_vals = (range_vals[0:-1] + range_vals[1:]) * 0.5
colors = ['#DC7633', '#F4D03F', '#52BE80', '#3498DB', '#9B59B6', '#C0392B', '#2471A3', '#566573', '#95A5A6']
x_label = ['All events. %s total events' % (totalEvents), 'Corrected p-value threshold p < %s. %s total events' % (self.pVal, totalAdjusted)]
#Turn the dict to a tuple. That way it is ordered and is subscriptable.
allEvents = list(self.mod_eventsDict.items())
#print (allEvents)
#Use below to index:
#list[x] key - value pairing
#list[x][0] event name (key)
#list[x][1] list of values [val 1(all), val 2(adjusted)]
#Plot the Top bar first
plt.bar(mid_vals, allEvents[0][1], color = colors[0], label = allEvents[0][0])
#Plot the rest
x = 1
for x in range(1, 20):
try:
plt.bar(mid_vals, allEvents[x-1][1], bottom =allEvents[x-1][1], color = colors[x], label = allEvents[x][0])
x = x + 1
except IndexError:
continue
plt.xticks(mid_vals) # for classic style
plt.xticks(mid_vals, x_label) # for classic style
plt.xlabel('values')
plt.ylabel('Count/Fraction')
plt.title('Stacked Bar chart')
plt.legend()
plt.axis([0, 2.5, 0, 1])
plt.show()
这是图表输出。理想情况下,堆叠时它们应该总计为1。我把它们都做成了一个整体的一小部分,这样两个条都有相同的高度。但是,它们只是相互重叠。另请注意,堆栈与字典上的名称具有不同的标签。
请帮我调试!!
答案 0 :(得分:0)
您需要以不同的方式设置bottom
- 这告诉matplotlib您要在哪里放置您正在绘制的条形图的底部,因此它需要是所有高度的总和。以前的酒吧。
例如,您可以使用如下列表跟踪柱的当前高度:
current_heights = [0] * 20
for x in range(20):
try:
plt.bar(mid_vals, allEvents[x][1], bottom=current_heights[x], color=colors[x], label=allEvents[x][0])
x = x + 1
current_heights[x] += allEvents[x][1] #increment bar height after plotting
except IndexError:
continue