7

对于重复标记:我完全知道 中存在一些类似的问题matplotlib,例如这个。我的问题是关于Tkintermatplotlib

我现在将 Lena 导入 python 并在她的帽子上画一个绿点

In [72]: from PIL import Image
   ....: import matplotlib.pylab as plt
   ....: im = Image.open('lena.jpg')
   ....: fig = plt.figure()
   ....: axes = fig.add_axes([0.1, 0.1, 0.8, 0.8])
   ....: axes.imshow(im)
   ....: axes.scatter(50, 50, marker='s', color='green')
Out[72]: <matplotlib.collections.PathCollection at 0xb3e2ef0>

(请忽略红点)

在此处输入图像描述

我现在希望绿点(50, 50)仍在 Lena 的帽子上,但我还希望将绿点绘制在左下角而不是左上角。

我期待这样的事情:

在此处输入图像描述

正如所见,我设法通过matplotlib另外一行轻松地做到了这一点:

axes.invert_yaxis()

问题

我现在正在画布上绘图Tkinter。我怎样才能达到同样的效果?


更新

莉娜只是为了说明我的目的。在我真正的问题中,我没有在Tkinter. 我只是在空的画布上画画。我不愿意修改我的数据,我只想把图纸倒过来。就像在我的莉娜插图中一样,坐标仍然是(50, 50)。不同的是现在它在左下角而不是上角。

4

3 回答 3

2

可以像这样使用角度:

image = Image.open("lena.jpg")
angle = 180
tkimage = ImageTk.PhotoImage(image.rotate(angle))
...

可以绘制图片并使用反转坐标(因此,当您知道画布的大小时50x50,可以使用(max-50)x(max-50).

问题是axes.imshow能不能处理ImageTk.PhotoImage。再说一次,我不完全确定您是否只想在 Tkinter 画布上使用它,例如:

canvas_obj = self.canvas.create_image(250, 250, image=tkimage)
于 2013-10-27T09:26:34.697 回答
1

在我看来,这很简单,如下所示:

import Tkinter
#Set up a basic canvas
top = Tkinter.Tk()
canv = Tkinter.Canvas(top, bg="brown", height=250, width=300)

#Replace with what ever values you want
x = 50
y = 50

#Draw the first dot
line1 = canv.create_line(x, y, x - 2, y - 2, fill="green", width=3)
#This next line is pretty much all it takes to find the Y inverse
y = canv.winfo_reqheight() - y
#Draw the second dot
line2 = canv.create_line(x, y, x - 2, y - 2, fill="green", width = 3)

canv.pack()
top.mainloop()

这将返回以下内容:

翻转 Y 轴

基本上我所做的只是获取画布高度(250),然后从中减去之前的 Y 值(50),返回 Y 倒数(200)。不完全是内置功能,但实际的翻转部分非常简单。希望这就是你要找的……祝你好运!

于 2013-11-03T04:06:36.443 回答
0

您似乎要求的是 2D 世界到视口的转换:

取一个在“世界坐标”中定义的区域(比如 10 米乘 10 米)并将其映射到画布坐标中定义的区域。

例如。

from tkinter import *

xmin,ymin,xmax,ymax = 0,0,10,10   # world
umin,vmin,umax,vmax = 0,480,640,0 # viewport (note: y reversed)

points = [(2,2), (4,4), (7,7), (8,8)]  # some "world" points

def world_to_viewport(worldpoint):
    x,y = worldpoint
    u = (x - xmin)*((umax - umin)/(xmax - xmin)) + umin
    v = (y - ymin)*((vmax - vmin)/(ymax - ymin)) + vmin
    return u,v

def pixel_to_world(pixel):
    u,v = pixel
    x = (u - umin)*((xmax - xmin)/(umax - umin)) + xmin
    y = (v - vmin)*((ymax - ymin)/(vmax - vmin)) + ymin
    return x,y

root = Tk()
canvas = Canvas(root, width=640, height=480, bd=0, highlightthickness=0)
canvas.pack()

def on_click(event):
    root.title('%s,%s' %(pixel_to_world((event.x,event.y))))

canvas.bind('<ButtonPress-1>', on_click)

r = 5
for point in points:
    cx,cy = world_to_viewport(point)
    canvas.create_oval(cx-r,cy-r,cx+r,cy+r,fill='red')

root.mainloop()
于 2013-10-27T22:23:13.970 回答