web-dev-qa-db-ja.com

matplotlibでプロットの隅に小さな画像を挿入するにはどうすればよいですか?

私が欲しいのは本当に簡単です。プロットの左上隅に表示したい「logo.png」という小さな画像ファイルがあります。しかし、あなたはその例をmatplotlibのサンプルギャラリーで見つけることができません

私はDjangoを使っています、そして私のコードはこのようなものです

def get_bars(request)
    ...
    fig = Figure(facecolor='#F0F0F0',figsize=(4.6,4))
    ...
    ax1 = fig.add_subplot(111,ylabel="Valeur",xlabel="Code",autoscale_on=True)
    ax1.bar(ind,values,width=width, color='#FFCC00',edgecolor='#B33600',linewidth=1)
    ...
    canvas = FigureCanvas(fig)
    response = HttpResponse(content_type='image/png')
    canvas.print_png(response)
    return response

何か案は??事前にTHX

24

(軸のコーナーではなく)実際のFigureのコーナーにイメージが必要な場合は、 figimage を調べます。

おそらくこのようなものですか? (PILを使用して画像を読み取る):

import matplotlib.pyplot as plt
import Image
import numpy as np

im = Image.open('/home/jofer/logo.png')
height = im.size[1]

# We need a float array between 0-1, rather than
# a uint8 array between 0-255
im = np.array(im).astype(np.float) / 255

fig = plt.figure()

plt.plot(np.arange(10), 4 * np.arange(10))

# With newer (1.0) versions of matplotlib, you can 
# use the "zorder" kwarg to make the image overlay
# the plot, rather than hide behind it... (e.g. zorder=10)
fig.figimage(im, 0, fig.bbox.ymax - height)

# (Saving with the same dpi as the screen default to
#  avoid displacing the logo image)
fig.savefig('/home/jofer/temp.png', dpi=80)

plt.show()

alt text

画像を図の幅/高さの固定部分にしたい場合の別のオプションは、「ダミー」の軸を作成し、imshowを使用して画像を配置することです。このように、画像のサイズと位置は、DPIとFigureの絶対サイズから独立しています。

import matplotlib.pyplot as plt
from matplotlib.cbook import get_sample_data

im = plt.imread(get_sample_data('grace_hopper.jpg'))

fig, ax = plt.subplots()
ax.plot(range(10))

# Place the image in the upper-right corner of the figure
#--------------------------------------------------------
# We're specifying the position and size in _figure_ coordinates, so the image
# will shrink/grow as the figure is resized. Remove "zorder=-1" to place the
# image in front of the axes.
newax = fig.add_axes([0.8, 0.8, 0.2, 0.2], anchor='NE', zorder=-1)
newax.imshow(im)
newax.axis('off')

plt.show()

enter image description here

43
Joe Kington