Reputation: 155
I have a couple of problems with the Bar Chart that I'm trying to create in python. My code for the chart looks like this:
import matplotlib
matplotlib.use('Agg')
from pylab import *
import calendar
def webshow(img):
savefig(img,dpi=500)
print 'Content-Type: text/html\n'
print '<img width="800" height="400" src="'+img+'" />'
genres = []
n = 0
for c in sorted_list:
genres.append(sorted_list[n][0])
n += 1
grosses = []
a = 0
for c in sorted_list:
grosses.append(sorted_list[a][1])
a += 1
clf()
bar(arange(len(grosses)),grosses)
xticks( arange(len(genres)),genres, rotation=80)
webshow("barchart.png")
My chart looks like this:
(source: tumblr.com)
Basically my main problem is that the values are in decimals with scientific notation. I want to present them in millions if possible. Also, I'm not sure how to make it so the genres are not cut off at the bottom. Thank you for any help!
Upvotes: 4
Views: 13902
Reputation: 9484
First up, I would use a figure
object to work on: this makes it easier to construct the plot to your liking. To construct your graph, the following should do:
fig = plt.figure()
fig.subplots_adjust(bottom=0.2) # Remark 1
ax = fig.add_subplot(111)
ax.bar(arange(len(grosses)), grosses)
ax.ticklabel_format(style='plain') # Remark 2
ax.set_xticks(arange(len(genres)))
ax.set_xticklabels(genres, rotation=80)
savefig('barchart.png', dpi=500)
Along with the following remarks:
tight_layout
function to do this automatically for you. The alternative is to calculate the needed size by yourself based on the bounding boxes of all axes labels as shown here, but you need a renderer for this to be able to determine the sizes of all labels.sci
or plain
), you can change the rendering of the values. When using plain
, it will just render the value as is. See the docs on this function for more info. Note that you can also use the set_yticklabels
function's text
argument to control the formatting further (of course that function is also available for the x axis.Upvotes: 4