1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
|
import time
import pyatspi
def get_root():
return Node(pyatspi.Registry.getDesktop(0))
def retry_find(func):
def wrapped(*args, **kwargs):
n_retries = 1
while n_retries <= 10:
print "Try %d, name=%s role_name=%s" % \
(kwargs["name"], kwargs["role_name"])
result = func(*args, **kwargs)
if result is not None:
return result
time.sleep(5)
n_retries = n_retries + 1
return None
return wrapped
class Node:
def __init__(self, accessible):
self._accessible = accessible
def _predicate(self, accessible, name, role_name):
if name is not None and name != accessible.name:
return False
if role_name is not None and role_name != accessible.getRoleName():
return False
return True
@retry_find
def find_child(self, name=None, role_name=None):
def predicate(accessible):
return self._predicate(accessible, name, role_name)
accessible = pyatspi.findDescendant(self._accessible, predicate)
if accessible is None:
return None
return Node(accessible)
@retry_find
def find_children(self, name=None, role_name=None):
def predicate(accessible):
return self._predicate(accessible, name, role_name)
all_accessibles = pyatspi.findAllDescendants(self._accessible, predicate)
if not all_accessibles:
return None
return [Node(accessible) for accessible in all_accessibles]
def _dump_accessible(self, accessible, depth):
print "" * depth + str(accessible)
def _crawl_accessible(self, accessible, depth):
self._dump_accessible(accessible, depth)
for child in self.find_children():
self._crawl_accessible(child, depth + 1)
def dump(self):
self._crawl_accessible(self._accessible, 0)
def do_action(self, name):
action = self._accessible.queryAction()
for i in range(action.nActions):
if action.getName(i) == name:
action.doAction(i)
def click(self, button=1):
component = self._accessible.queryComponent()
x, y = component.getPosition(pyatspi.DESKTOP_COORDS)
pyatspi.Registry.generateMouseEvent(x, y, "b%sc" % button)
@property
def name(self):
return self._accessible.name
@property
def text(self):
return self._accessible.queryText().getText(0, -1)
|