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
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
|
#!/usr/bin/python
# Copyright (c) 2011 The Chromium Authors. All rights reserved.
# Use of this source code is governed by a BSD-style license that can be
# found in the LICENSE file.
import copy
import email
import logging
import os
import smtplib
import subprocess
import types
import pyauto_functional
import pyauto
import pyauto_utils
"""Commonly used functions for PyAuto tests."""
def DownloadFileFromDownloadsDataDir(test, file_name):
"""Download a file from downloads data directory, in first tab first window.
Args:
test: derived from pyauto.PyUITest - base class for UI test cases
file_name: name of file to download
"""
file_url = test.GetFileURLForDataPath(os.path.join('downloads', file_name))
downloaded_pkg = os.path.join(test.GetDownloadDirectory().value(),
file_name)
# Check if file already exists. If so then delete it.
if os.path.exists(downloaded_pkg):
RemoveDownloadedTestFile(test, file_name)
test.DownloadAndWaitForStart(file_url)
test.WaitForAllDownloadsToComplete()
def RemoveDownloadedTestFile(test, file_name):
"""Delete a file from the downloads directory.
Arg:
test: derived from pyauto.PyUITest - base class for UI test cases
file_name: name of file to remove
"""
downloaded_pkg = os.path.join(test.GetDownloadDirectory().value(),
file_name)
pyauto_utils.RemovePath(downloaded_pkg)
pyauto_utils.RemovePath(downloaded_pkg + '.crdownload')
def GoogleAccountsLogin(test, username, password, tab_index=0, windex=0):
"""Log into Google Accounts.
Attempts to login to Google by entering the username/password into the google
login page and click submit button.
Args:
test: derived from pyauto.PyUITest - base class for UI test cases.
username: users login input.
password: users login password input.
tab_index: The tab index, default is 0.
windex: The window index, default is 0.
"""
test.NavigateToURL('https://www.google.com/accounts/', windex, tab_index)
email_id = 'document.getElementById("Email").value = "%s"; ' \
'window.domAutomationController.send("done")' % username
password = 'document.getElementById("Passwd").value = "%s"; ' \
'window.domAutomationController.send("done")' % password
test.ExecuteJavascript(email_id, windex, tab_index);
test.ExecuteJavascript(password, windex, tab_index);
test.ExecuteJavascript('document.getElementById("gaia_loginform").submit();'
'window.domAutomationController.send("done")',
windex, tab_index)
def VerifyGoogleAccountCredsFilled(test, username, password, tab_index=0,
windex=0):
"""Verify stored/saved user and password values to the values in the field.
Args:
test: derived from pyauto.PyUITest - base class for UI test cases.
username: user log in input.
password: user log in password input.
tab_index: The tab index, default is 0.
windex: The window index, default is 0.
"""
email_value = test.GetDOMValue('document.getElementById("Email").value',
windex, tab_index)
passwd_value = test.GetDOMValue('document.getElementById("Passwd").value',
windex, tab_index)
test.assertEqual(email_value, username)
# Not using assertEqual because if it fails it would end up dumping the
# password (which is supposed to be private)
test.assertTrue(passwd_value == password)
def ClearPasswords(test):
"""Clear saved passwords."""
test.ClearBrowsingData(['PASSWORDS'], 'EVERYTHING')
def Shell2(cmd_string, bg=False):
"""Run a shell command.
Args:
cmd_string: command to run
bg: should the process be run in background? Default: False
Returns:
Output, return code
"""
if not cmd_string: return ('', 0)
if bg:
cmd_string += ' 1>/dev/null 2>&1 &'
proc = os.popen(cmd_string)
if bg: return ('Background process: %s' % cmd_string, 0)
out = proc.read()
retcode = proc.close()
if not retcode: # Success
retcode = 0
return (out, retcode)
def SendMail(send_from, send_to, subject, text, smtp, file_to_send=None):
"""Send mail to all the group to notify about the crash and uploaded data.
Args:
send_from: from mail id.
send_to: to mail id.
subject: mail subject.
text: mail body.
smtp: The smtp to use.
file_to_send: attachments for the mail.
"""
msg = email.MIMEMultipart.MIMEMultipart()
msg['From'] = send_from
msg['To'] = send_to
msg['Date'] = email.Utils.formatdate(localtime=True)
msg['Subject'] = subject
# To send multiple files in one message, introduce for loop here for files.
msg.attach(email.MIMEText.MIMEText(text))
part = email.MIMEBase.MIMEBase('application', 'octet-stream')
if file_to_send is not None:
part.set_payload(open(file_to_send,'rb').read())
email.Encoders.encode_base64(part)
part.add_header('Content-Disposition',
'attachment; filename="%s"'
% os.path.basename(file_to_send))
msg.attach(part)
smtp_obj = smtplib.SMTP(smtp)
smtp_obj.sendmail(send_from, send_to, msg.as_string())
smtp_obj.close()
def StripUnmatchedKeys(item_to_strip, reference_item):
"""Returns a copy of 'item_to_strip' where unmatched key-value pairs in
every dictionary are removed.
This will examine each dictionary in 'item_to_strip' recursively, and will
remove keys that are not found in the corresponding dictionary in
'reference_item'. This is useful for testing equality of a subset of data.
Items may contain dictionaries, lists, or primitives, but only corresponding
dictionaries will be stripped. A corresponding entry is one which is found
in the same index in the corresponding parent array or at the same key in the
corresponding parent dictionary.
Arg:
item_to_strip: item to copy and remove all unmatched key-value pairs
reference_item: item that serves as a reference for which keys-value pairs
to strip from 'item_to_strip'
Returns:
a copy of 'item_to_strip' where all key-value pairs that do not have a
matching key in 'reference_item' are removed
Example:
item_to_strip = {'tabs': 3,
'time': 5908}
reference_item = {'tabs': 2}
StripUnmatchedKeys(item_to_strip, reference_item) will return {'tabs': 3}
"""
def StripList(list1, list2):
return_list = copy.deepcopy(list2)
for i in range(min(len(list1), len(list2))):
return_list[i] = StripUnmatchedKeys(list1[i], list2[i])
return return_list
def StripDict(dict1, dict2):
return_dict = {}
for key in dict1:
if key in dict2:
return_dict[key] = StripUnmatchedKeys(dict1[key], dict2[key])
return return_dict
item_to_strip_type = type(item_to_strip)
if item_to_strip_type is type(reference_item):
if item_to_strip_type is types.ListType:
return StripList(item_to_strip, reference_item)
elif item_to_strip_type is types.DictType:
return StripDict(item_to_strip, reference_item)
return copy.deepcopy(item_to_strip)
def StringContentCheck(test, content_string, have_list, nothave_list):
"""Check for the presence or absence of strings within content.
Confirm all strings in |have_list| are found in |content_string|.
Confirm all strings in |nothave_list| are not found in |content_string|.
Args:
content_string: string containing the content to check.
have_list: list of strings expected to be found within the content.
nothave_list: list of strings expected to not be found within the content.
"""
for s in have_list:
test.assertTrue(s in content_string,
msg='"%s" missing from content.' % s)
for s in nothave_list:
test.assertTrue(s not in content_string,
msg='"%s" unexpectedly contained in content.' % s)
def CallFunctionWithNewTimeout(self, new_timeout, function):
"""Sets the timeout to |new_timeout| and calls |function|.
This method resets the timeout before returning.
"""
timeout_changer = pyauto.PyUITest.ActionTimeoutChanger(
self, new_timeout)
logging.info('Automation execution timeout has been changed to %d. '
'If the timeout is large the test might appear to hang.'
% new_timeout)
function()
del timeout_changer
def GetOmniboxMatchesFor(self, text, windex=0, attr_dict=None):
"""Fetch omnibox matches with the given attributes for the given query.
Args:
text: the query text to use
windex: the window index to work on. Defaults to 0 (first window)
attr_dict: the dictionary of properties to be satisfied
Returns:
a list of match items
"""
self.SetOmniboxText(text, windex=windex)
self.WaitUntilOmniboxQueryDone(windex=windex)
if not attr_dict:
matches = self.GetOmniboxInfo(windex=windex).Matches()
else:
matches = self.GetOmniboxInfo(windex=windex).MatchesWithAttributes(
attr_dict=attr_dict)
return matches
def GetMemoryUsageOfProcess(pid):
"""Queries the system for the current memory usage of a specified process.
This function only works in Linux and ChromeOS.
Args:
pid: The integer process identifier for the process to use.
Returns:
The memory usage of the process in MB, given as a float. If the process
doesn't exist on the machine, then the value 0 is returned.
"""
assert pyauto.PyUITest.IsLinux() or pyauto.PyUITest.IsChromeOS()
process = subprocess.Popen('ps h -o rss -p %s' % pid, shell=True,
stdout=subprocess.PIPE, stderr=subprocess.PIPE)
stdout = process.communicate()[0]
if stdout:
return float(stdout.strip()) / 1024
else:
return 0
|