Reputation: 2456
I would like to plot the corresponding x for a given name.
by that I mean, for foo
it has to plot [10,20,30]
in the form of a histogram and all foo, bar, baz need to be in the same graph.(I don't require 3d :) )
import pylab as P
name = ['foo', 'bar', 'baz']
x = [[10,20,30],[40,50,60],[70,80,90]]
P.figure()
P.hist(x, 10, histtype='bar',
color=['crimson', 'burlywood', 'chartreuse'],
label=['Crimson', 'Burlywood', 'Chartreuse'])
P.show()
Upvotes: 4
Views: 4109
Reputation: 85615
Hope this helps you:
from matplotlib import pyplot as plt
import numpy as np
names = ['foo', 'bar', 'baz']
x = [[10, 20, 30], [40, 50, 60], [70, 80, 90]]
colors = ['crimson', 'burlywood', 'chartreuse']
y = zip(*x)
groups = len(x)
members = len(y)
pos = np.arange(groups)
width = 1. / (1 + members)
fig, ax = plt.subplots()
for idx, (serie, color) in enumerate(zip(y, colors)):
ax.bar(pos + idx * width, serie, width, color=color)
ax.set_xticks(pos + width)
ax.set_xticklabels(names)
plt.show()
Upvotes: 6