包含控制和监控鼠标或触摸板的类
- pynput.mouse
-
包含控制和监控键盘的类
- pynput.keyboard:
-
鼠标模块
鼠标基本操作
导入pynput控制鼠标的模块
- from pynput import mouse
-
获取鼠标的操控对象
- control = mouse.Controller()
-
获取当前鼠标的位置
- print(control.position)
-
改变鼠标的位置
- control.position = (100, 100)
-
移动鼠标的位置(x,y)
- control.move(10, 10)
-
鼠标按键类型
- 左键 mouse.Button.left
- 右键 mouse.Button.right
- 中键 mouse.Button.middle
-
按下鼠标左键
- control.press(mouse.Button.left)
-
释放鼠标左键
- control.release(mouse.Button.left)
-
单击鼠标左键
- control.click(mouse.Button.left, 1)
-
双击鼠标左键
- control.click(mouse.Button.left, 2)
-
鼠标滚轮向上滚动
- control.scroll(0, -100)
-
鼠标滚轮向下滚动
- control.scroll(0, 100)
-
鼠标事件监听
from pynput import mouse
- def on_move(x, y):
- print(f'Current position: ({x}, {y})')
-
- def on_click(x, y, button, pressed):
- print(f'Click position: ({x}, {y})')
- print(f'Click button: {button}')
- print(f'Click state: {"Pressed" if pressed else "Release"}')
-
- def on_scroll(x, y, dx, dy):
- print(f'Scroll position: ({x}, {y})')
- print(f'Scroll direction: ({dx}, {dy})')
- with mouse.Listener(on_move=on_move, on_click=on_click, on_scroll=on_scroll) as listener:
- listener.join()
-
键盘模块
键盘模拟控制
导入pynput控制键盘的模块
- from pynput import keyboard
-
获取按键
获取特殊按键,可以通过 keyboard.Key找到
- shift keyboard.Key.shift
- ctrl keyboard.Key.ctrl
- alt keyboard.Key.alt
-
获取普通按键
可以通过keyboard.KeyCode.from_char’获取,特殊按键不可以,使用时会报ArgumentError`
两者都可以使用keyboard.KeyCode.from_vk通过键盘的映射码来获取
键位码表
获取键盘操作对象
- control = keyboard.Controller()
-
模拟按键操作
按下a键
- control.press(keyboard.KeyCode.from_char(“a”))
-
- control.press(“a”)
-
释放a键
- control.release(keyboard.KeyCode.from_char(“a”))
-
- control.release(“a”)
-
同时按下shift和a键
- from pynput import keyboard
-
- control = keyboard.Controller()
- with control.pressed(keyboard.Key.shift):
- control.press('a')
- control.release('a')
-
使用press()方法的时候需要release()进行扫尾释放
- keyboard.Controller.press('a')
- keyboard.Controller.release('a')
-
使用pressed()方法的时候加上with封装,进入语句时顺序按下提供的按键,退出时逆序释放按键
- with keyboard.Controller.pressed(
- keyboard.Key.ctrl,
- keyboard.Key.shift,
- 's'):
- pass
-
输出字符串’hello word.’
- from pynput import keyboard
-
- control = keyboard.Controller()
- control.type('hello word.')
-
键盘事件监听
- from pynput import keyboard
- 1
- def on_press(key):
- """按下按键时执行。"""
- try:
- print('alphanumeric key {0} pressed'.format(
- key.char))
- except AttributeError:
- print('special key {0} pressed'.format(
- key))
- #通过属性判断按键类型。
-
- def on_release(key):
- """松开按键时执行。"""
- print('{0} released'.format(
- key))
- if key == keyboard.Key.esc:
- # Stop listener
- return False
-
- with keyboard.Listener(
- on_press=on_press,
- on_release=on_release) as listener:
- listener.join()
-
当两个函数中任意一个返回False(还有就是释放Exception或继承自Exception的异常)时,就会结束进程。
可以用listener.start()和listener.stop()代替with语句。