user2913690
user2913690

Reputation:

Return RGB Color of Image Pixel under Mouse Tkinter

I am trying to get the RGB values from where ever my mouse clicks in the an image

I am trying to do this all with just Tkinter to keep the code simple (and for some reason I can't install PIL correctly), and I don't know if it's possible. Thanks for any help, I'm stumped.

from serial import *
import Tkinter
class App:
    def __init__(self):
        # Set up the root window
        self.root = Tkinter.Tk()
        self.root.title("Color Select")

        # Useful in organization of the gui, but not used here
        #self.frame = Tkinter.Frame(self.root, width=640, height=256)
        #self.frame.bind("<Button-1>", self.click)
        #self.frame.pack()

        # LABEL allows either text or pictures to be placed
        self.image = Tkinter.PhotoImage(file = "hsv.ppm")
        self.label = Tkinter.Label(self.root, image = self.image)
        self.label.image = self.image #keep a reference see link 1 below

        # Setup a mouse event and BIND to label
        self.label.bind("<Button-1>", self.click)
        self.label.pack()
        # Setup Tkniter's main loop
        self.root.mainloop()

    def click(self, event):
        print("Clicked at: ", event.x, event.y)

if __name__ == "__main__":
    App()

Upvotes: 2

Views: 6012

Answers (2)

user2913690
user2913690

Reputation:

Well I broke down and installed PIL. I was able to get the pixel collection working, however now I have trouble sending the serial...

 def click(self, event):
    im = Image.open("hsv.ppm")
    rgbIm = im.convert("RGB")
    r,g,b = rgbIm.getpixel((event.x, event.y))
    colors = "%d,%d,%d\n" %(int(r),int(g),int(b))
    #print("Clicked at: ", event.x, event.y)
# Establish port and baud rate
    serialPort = "/dev/ttyACM0"
    baudRate = 9600
    ser = Serial(serialPort, baudRate, timeout = 0, writeTimeout = 0)
    ser.write(colors) 
    print colors

Upvotes: 1

atlasologist
atlasologist

Reputation: 3964

If you're using Python 2.5 or >, you can use the ctypes library to call a dll function that returns a color value of a pixel. Using Tkinter's x and y _root method, you can return the absolute value of a pixel, then check it with the GetPixel function. This was tested on Windows 7, Python 2.7:

from Tkinter import *
from ctypes import windll

root = Tk()

def click(event):
    dc = windll.user32.GetDC(0)
    rgb = windll.gdi32.GetPixel(dc,event.x_root,event.y_root)
    r = rgb & 0xff
    g = (rgb >> 8) & 0xff
    b = (rgb >> 16) & 0xff
    print r,g,b

for i in ['red', 'green', 'blue', 'black', 'white']:
    Label(root, width=30, background=i).pack()

root.bind('<Button-1>', click)

root.mainloop()

References:

Faster method of reading screen pixel in Python than PIL?

http://www.experts-exchange.com/Programming/Microsoft_Development/Q_22657547.html

Upvotes: 2

Related Questions