我正在编写简单的Waypoits跟随者,但遇到了问题。一切都进行得很顺利(这意味着添加新的航路点并显示它们是可行的),直到我想“开始关注”为止。如果我想执行此操作,则该路标列表的行为就好像是空的(“没有路标”),但是如果我要显示它们,则一切看起来都很好。我不知道该怎么办。
import pyautogui
from pynput import mouse, keyboard
import os
class Mouse_Part:
def __init__(self):
self.waypoints = []
def on_click(self, x, y, button, pressed):
if button == button.left and (x, y) not in self.waypoints:
self.waypoints.append((x, y))
print('{}, {} has been added'.format(x, y))
def show_waypoints(self):
print(self.waypoints)
class Keyboard_Part:
def __init__(self):
self.mouse_part = Mouse_Part()
self.mouse_listener =
mouse.Listener(on_click=self.mouse_part.on_click)
self.bot = Bot()
def on_press(self, key):
if key == keyboard.KeyCode.from_char('a'):
os.system('clear')
menu_print()
self.mouse_listener.start()
if key == keyboard.KeyCode.from_char('s'):
os.system('clear')
menu_print()
self.mouse_listener.stop()
if key == keyboard.KeyCode.from_char('d'):
os.system('clear')
menu_print()
self.mouse_part.show_waypoints()
if key == keyboard.KeyCode.from_char('f'):
os.system('clear')
menu_print()
self.bot.start()
class Bot:
def __init__(self):
self.mouse_part = None
def start(self):
self.mouse_part = Mouse_Part()
if len(self.mouse_part.waypoints) > 0:
for x in self.mouse_part.waypoints:
pyautogui.moveTo(x, duration=0.25)
else:
print('there are no waypoints')
def menu_print():
print('1.To add new waypoints click \'a\' then click at desired
position on the screen\n2.To stop adding new waypoints click
\'s\'\n3.To print waypoints click \'d\'\n4.To start follow
waypoints
click\'f\'\n')
if __name__ == '__main__':
menu_print()
keyboard_part = Keyboard_Part()
with keyboard.Listener(on_press=keyboard_part.on_press) as
listener:
listener.join()
答案 0 :(得分:1)
您的航点是实例变量-它们不属于类本身,而是实例。在Bot.start(..)
中,您将给机器人Mouse_Part()
变量分配一个新的self.mouse_part
实例,该实例具有空的航路点。
修复:
班
Bot:
def __init__(self):
self.mouse_part = None
def start(self, mouseParts):
# this creates a new Mouse_Part() instance that is empty
# self.mouse_part = Mouse_Part() - replace with given one
self.mouse_part = mouseParts
if len(self.mouse_part.waypoints) > 0:
for x in self.mouse_part.waypoints:
pyautogui.moveTo(x, duration=0.25)
else:
print('there are no waypoints')
keyboard_part = Keyboard_Part()
with keyboard.Listener(on_press=keyboard_part.on_press) as
listener:
listener.join()
完成航点记录后:
b = Bot()
# provide the instance of Keyboard_part.mouse_part that was filled
# before to your bot:
b.start(keyboard_part.mouse_part)