How to delay mouse click using python? - python

I am using pynput based listener to detect and record mouse clicks using python.
def on_click(x, y, button, pressed):
if pressed:
on_release("clicked")
button = str(button).replace("Button.","")
inverted_comma = "'"
button = f"{inverted_comma}{button}{inverted_comma}"
mouse_values = [x, y, button]
macro_writer('click',mouse_values)
#image based click
time.sleep(1)
pyautogui.moveTo(1,1)
time.sleep(2)
x = x-50
y = y-50
im3 = pyautogui.screenshot(r"D:\Library\Project\Project\theautomater\src\macro\prett2.png",region=(x,y, 100 , 100))
I am able to record the coordinates of the mouse. Problem is I want to record the image/icon where the mouse clicks and as you can see the last line, I can do that but it happens AFTER the click.
This creates the problem that the icon is in "clicked" or "hover" state.
The solution I am thinking of implementing is pausing the click function taking screenshot then clicking.
For this, I need to figure out how to delay the mouse click using python. Can anyone suggest something?
The other question on SO, does not work as intended (Delay mouse click 0.5 second), please do not mark as duplicate.

Related

Python - How to stimulate mouse click without moving cursor?

I'm trying to use pyautogui and click at a certain area on my screen, but I want it to click without physically moving my cursor, kind of like an invisible click. So far, I have no idea how to do it, only the typical automate clicking and moving of cursor position to the area.
I used the following:
pyautogui.click(x=100, y=13)
But, it moved the cursor to that specific position instead of sending click. Is there any possible way to do so with pyautogui or any other module ?
import pyautogui
# Get the x and y coordinates of the target location
x = 100
y = 13
# Move the cursor to the target location
pyautogui.moveTo(x, y)
# Simulate a left mouse button down at the target location
pyautogui.mouseDown(button='left', x=x, y=y)
# Simulate a left mouse button up at the target location
pyautogui.mouseUp(button='left', x=x, y=y)
This usually works on the primary monitor. I tested with the right click.
import pyautogui
# Get the size of the primary monitor.
screenWidth, screenHeight = pyautogui.size()
print(screenWidth, screenHeight)
pyautogui.click(100, 200, button='right')
The pyautogui.click() function can simulate a mouse click without moving the cursor. You can use it by specifying the x and y coordinates of the location you want to click.
Here's an example code snippet:
import pyautogui
# Click at position (100, 13)
pyautogui.click(x=100, y=13)
This will simulate a left mouse click at the coordinates (100, 13) on the screen, without moving the cursor. Note that you may need to adjust the coordinates to match the position where you want to click on your specific screen.

Autoclicker does not activate the window

I wanted to create an autoclicker that would "remember" current position of my mouse pointer, move to specific location on the desktop, perform a double click and then come back to where it was and will do this randomly every 1 to 4 seconds. This way I wanted to achieve an autoclick in a specific place and more or less be able to use my mouse to browse other stuff.
What I want to click is in a different window, it is a program that I leave open visible on one half of my desktop and on the other half I want to do other things. The problem is that auto clicker does not make the program an active window and the click does not work.
import pyautogui
import threading
import random
def makro():
z = random.randint(1,4) #timer set to random value between 1 and 4 seconds
(x, y) = pyautogui.position() #remember current position of mouse pointer
threading.Timer(z, makro).start()
pyautogui.doubleClick(1516, 141) #perform a double click in this location (this clicks do not make the window active and clicks do not work)
pyautogui.moveTo(x, y) #come back to original mouse pointer location
makro()
Thank you for help
I think adding
pyautogui.click(1516, 141) before pyautogui.doubleClick(1516, 141) could activate the window.

Taking Single Click Event and Propagating it to Multiple Areas - python, pynput, pyautogui

Having trouble turning 1 mouse click into multiple mouse clicks. Basically what I want to do is to control multiple windows at once. I want to click on one master window and have the clicks propagate to the subsequent windows. In this snippet there are 4 windows and I track them via determining the offset between it and the master window.
I'm using python3 with pynput for the mouse listener and pyautogui for mouse control.
What I'm having a problem with is setting up the mouse listener such that it listens to my actual clicks but ignores the programmatic clicks. Right now, I think it's getting stuck in an infinite loop where my initial click triggers the on_click event, propagates the clicks, each triggering an additional on_click event, propagates the clicks, etc. When I run the below code it starts fine, and then when I first click it just heavily lags my mouse for a minute before return back to normal with no mouse listener active anymore. My guess is that a failsafe kicks in to return it to normal.
Things I have tried:
using pynput for listener and control - this does not change the outcome
stopping the listener and creating a new one after propagated clicks have finished - bad hacky solution that still did not change the outcome
semaphore locking with _value peeking to ignore events if semaphore has already been acquired - also hacky and did not work
calling propagateActions via threading and waiting for completion before returning from on_click event - did not work
commenting out pyautogui.click() - this allows for expected behavior to move the mouse to the subsequent locations and return it back to its initial position after. Without the click, it works perfect. With the click, it lags and the listener dies.
searching stackoverflow - this question bears a resemblance in terms of outcome, but is unanswered and is trying to achieve something different.
My snippet is below:
from pynput import mouse, keyboard
import pyautogui
pyautogui.PAUSE = 0.01
mouseListener = None
killSwitch = False
# this is just a keyboard listener for a kill switch
def on_release(key):
if key == keyboard.Key.f1:
global killSwitch
print('### Kill switch activated ###')
killSwitch = True
# on mouse release I want to propogate a click to 4 other areas
def on_click(x, y, button, pressed):
print('{0} at {1}'.format('Pressed' if pressed else 'Released', (x, y)))
if not pressed:
propogateActions(x, y, button)
# propogates clicks
def propogateActions(x, y, button):
print('propogating actions to {0} windows'.format(len(offsets)+1))
for offset in offsets:
pyautogui.moveTo(x+offset.x, y+offset.y)
print('mouse moved')
if button == mouse.Button.left:
print('left clicking at ({0}, {1})'.format(x+offset.x, y+offset.y))
pyautogui.click()
pyautogui.moveTo(x, y)
# point class for ease of use
class Point():
def __init__(self, x, y):
self.x = x
self.y = y
def __repr__(self):
return 'Point(x={0}, y={1})'.format(self.x, self.y)
# main method
def doTheThing():
print('started')
while not killSwitch:
pass
# initializations and starting listeners
# offsets tracks how far the subsequent clicks are from the initial click point
offsets = [Point(50, 0), Point(50, 50), Point(0, 50)]
keyboardListener = keyboard.Listener(on_release=on_release)
mouseListener = mouse.Listener(on_click=on_click)
keyboardListener.start()
mouseListener.start()
doTheThing()
My Question:
Is there some way to listen only for "real" clicks and not programmatic clicks?
If not, can I pause the mouse listener and then restart it some way after the propagated clicks have occurred?
This is the small section of code that's relevant to the issue at hand. offsets has an initialization that sets it more appropriately and there's other bells and whistles, but this is the section relevant to the problem. I appreciate your help.
Found the answer! Had to go a layer deeper.
Pynput has a method of suppressing events that exposes the win32 data behind the click event. Ran a test of one of my clicks vs a pyautogui.click() and lo-and-behold there is a difference. The data.flags was set to value 0 on a user click event and set to value 1 on a programmatic click.
That's good enough for me to filter on. This is the pertinent filter:
def win32_event_filter(msg, data):
if data.flags:
print('suppressing event')
return False
added that to my above code and changed the
mouseListener = mouse.Listener(on_click=on_click)
to
mouseListener = mouse.Listener(on_click=on_click, win32_event_filter=win32_event_filter)
and it works!
My real clicks prevail, programmatic clicks are propagated, and I am not stuck in an infinite loop. Hope this helps if others run into this issue.

pyautogui to detect the button change

pyautogui works well when using it to click on the buttons (of a software ) on the screen
but is there any way to detect the change in button state, because when the first click is completed and the required task is accomplished then the button disappears and a new "yes" button appears and if the task is not accomplished then the "NO" button appears , the problem is , both buttons appear at the same x and y coordinates i mean either yes or no appears at that place , is there any way to find out if yes appeared or no appeared? and then clicking if yes appeared ?
You can use image recognition technique in pyautogui package.
You can use locateOnScreen function of pyautogui. First you can screenshot and save yes and no button image. You crop the image tightly around the button.
And then save them into "yes.png", and "no.png" respectively.
And then,
btnYesButton = None
btnNoButton = None
while btnYesButton == None and btnNoButton == None:
btnYesButton = pyautogui.locateOnScreen("yes.png")
btnNoButton = pyautogui.locateOnScreen("no.png")
if btnYesButton:
tmpCenter = pyautogui.center(btnYesButton)
pyautogui.click(tmpCenter)

How to click a specific button?

I am new to python.
I am trying to make the game start, when the button "pull" is clicked.
But what I have, the game starts wherever I click in the win.
from graphics import*
from random import*
from time import*
def main():
# Creating the window
win = GraphWin("Clay Target Control Panel",400,400)
# "Pull" rectangle and color
pullrec = Rectangle(Point(150,290),Point(250,330))
pullrec.setFill("light salmon")
pullrec.draw(win)
pullmess = Text(Point(200,310),"PULL")
pullmess.setSize(11)
pullmess.setStyle("bold")
pullmess.draw(win)
# Start the game when "Pull" rectangle is clicked.
while True:
mouse = win.getMouse()
if pullrec:
win.getMouse()
I suspect that win.getMouse blocks, waiting for a mouse click. pullrec is bound to a rectangle. bool(<rectangle>) is True, so if rectangle always fires. You need to instead call some method that looks at where the mouse was clicked. I know how to do this with tkinter, but not graphics.

Categories