user11229055
user11229055

Reputation:

Resizing image Python Tkinter

Hello I am having issues with resizing my picture. I am trying to resize the image to fit the blue drawing. However the way I am doing it, returns an error.

File "gui.py", line 42, in fileDialog
self.display = Label(image=self.photo.resize((800, 600),Image.ANTIALIAS))
AttributeError: 'PhotoImage' object has no attribute 'resize

I am just testing it to see if it fits by doing 800,600 I really don't know.

def fileDialog(self):
    self.filename = filedialog.askopenfilename(title="Select")
    self.label = ttk.Label(self.labelFrame, text="")
    self.label.grid(column=1, row=2)
    self.label.configure(text=self.filename)
    self.photo= ImageTk.PhotoImage(file = self.filename)
    self.display = Label(image=self.photo.resize((800, 600),Image.ANTIALIAS))
    self.display.grid(row=0)

Insert image in blue drawing

Is there something that I am doing incorrectly? Please advise.

Upvotes: 2

Views: 1969

Answers (1)

BlivetWidget
BlivetWidget

Reputation: 11063

You need to resize the image, not the photoimage.

import tkinter as tk
from PIL import Image, ImageTk

filename = 'bell.jpg'
img = Image.open(filename)
resized_img = img.resize((200, 100))

root = tk.Tk()
root.photoimg = ImageTk.PhotoImage(resized_img)
labelimage = tk.Label(root, image=root.photoimg)
labelimage.pack()

enter image description here

To address the new question, you do not have to know the filename at the time of label creation. The following code produces the same result:

import tkinter as tk
from PIL import Image, ImageTk

root = tk.Tk()
labelimage = tk.Label(root)
labelimage.pack()

filename = 'bell.jpg'
img = Image.open(filename)
resized_img = img.resize((200, 100))
root.photoimg = ImageTk.PhotoImage(resized_img)
labelimage.configure(image=root.photoimg)

Upvotes: 5

Related Questions