-
Notifications
You must be signed in to change notification settings - Fork 10
/
Copy pathconftest.py
601 lines (492 loc) · 18.9 KB
/
conftest.py
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
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
import datetime
import logging
import os
import platform
import re
import sys
from shutil import unpack_archive
from subprocess import check_output, run
from typing import Callable, List, Tuple, Union
import pytest
from PIL import Image, ImageGrab
from selenium.common.exceptions import TimeoutException, WebDriverException
from selenium.webdriver import Firefox
from selenium.webdriver.common.by import By
from selenium.webdriver.firefox.options import Options
from selenium.webdriver.support import expected_conditions as EC
from selenium.webdriver.support.ui import WebDriverWait
from modules import crypto
from modules import testrail_integration as tri
from modules.taskcluster import get_tc_secret
FX_VERSION_RE = re.compile(r"Mozilla Firefox (\d+)\.(\d\d?)b(\d\d?)")
TESTRAIL_FX_DESK_PRJ = "17"
TESTRAIL_RUN_FMT = "[{channel} {major}] Automated testing {major}.{minor}b{build}"
# Number of suites that exist in the repo, that shouldn't report to TR. Currently meta and pocket.
SUITE_COVERAGE_TOLERANCE = 2
def screenshot_content(driver: Firefox, opt_ci: bool, test_name: str) -> None:
"""
Screenshots the current browser, saves with appropriate test name and date for reference
"""
current_time = str(datetime.datetime.now())
current_time = re.sub(r"[^\w_. -]", "_", current_time)
filename = f"{test_name}_{current_time}_image"
try:
_screenshot_whole_screen(f"{filename}_screen", driver, opt_ci)
except Exception as e:
logging.error(f"Unable to screenshot entire screen {e}")
try:
_screenshot(filename, driver, opt_ci)
except Exception as e:
logging.error(f"Unable to screenshot driver window {e}")
def log_content(opt_ci: bool, driver: Firefox, test_name: str) -> None:
"""
Logs the current browser content, with the appropriate test name and date for reference.
"""
artifacts_loc = "artifacts" if opt_ci else ""
current_time = str(datetime.datetime.now())
current_time = re.sub(r"[^\w_. -]", "_", current_time)
fullpath_content = os.path.join(
artifacts_loc, f"{test_name}_{current_time}_content.txt"
)
fullpath_chrome = os.path.join(
artifacts_loc, f"{test_name}_{current_time}_chrome.txt"
)
try:
# Save Chrome context page source
with open(fullpath_chrome, "w", encoding="utf-8") as fh:
with driver.context(driver.CONTEXT_CHROME):
output_contents = driver.page_source
fh.write(output_contents)
# Save Content context page source
with open(fullpath_content, "w", encoding="utf-8") as fh:
output_contents = driver.page_source
fh.write(output_contents)
except Exception as e:
logging.error(f"Could not log the html content because of {e}")
return
def sanitize_filename(filename):
# Remove invalid characters
sanitized = re.sub(r'[<>:"/\\|?*]', "", filename)
# Limit to 200 characters
return sanitized[:200]
def pytest_exception_interact(node, call, report):
"""
Method that wraps all test execution, on any exception/failure an artifact with the information about the failure is kept.
"""
if report.failed:
try:
test_name = node.name
test_name = sanitize_filename(test_name)
logging.info(f"Handling exception for test: {test_name}")
if hasattr(node, "funcargs"):
logging.info(
f"NODE LOGS HERE {node.funcargs}\n THE FAILED TEST: {test_name}"
)
driver = node.funcargs.get("driver")
opt_ci = node.funcargs.get("opt_ci")
if driver and opt_ci:
logging.info("Writing artifacts...")
log_content(opt_ci, driver, test_name)
screenshot_content(driver, opt_ci, test_name)
else:
logging.error("Error occurred during collection.")
except Exception:
logging.error("Something went wrong with the exception catching.")
def pytest_addoption(parser):
"""Set custom command-line options"""
parser.addoption(
"--ci",
action="store_true",
default=False,
help="Is this running in a CI environment?",
)
parser.addoption(
"--fx-channel",
action="store",
default="Custom",
help="Firefox channel to test. See README for exact paths to builds",
)
parser.addoption(
"--fx-executable",
action="store",
default="",
help="Path to Fx executable. Will overwrite --fx-channel.",
)
parser.addoption(
"--run-headless",
action="store_true",
default=False,
help="Run in headless mode: --run-headless",
)
parser.addoption(
"--implicit-timeout",
action="store",
default=10,
help="Timeout for implicit waits, set 0 for no wait (default 10)",
)
parser.addoption(
"--window-size",
action="store",
default="1152x864",
help="Size for Fx window, default is '1152x864'",
)
def _screenshot(filename: str, driver: Firefox, opt_ci: bool):
if not filename.endswith(".png"):
filename = filename + ".png"
artifacts_loc = ""
if opt_ci:
artifacts_loc = "artifacts"
fullpath = os.path.join(artifacts_loc, filename)
driver.save_screenshot(fullpath)
return fullpath
def _screenshot_whole_screen(filename: str, driver: Firefox, opt_ci: bool):
if not filename.endswith(".png"):
filename = filename + ".png"
artifacts_loc = ""
if opt_ci:
artifacts_loc = "artifacts"
fullpath = os.path.join(artifacts_loc, filename)
screenshot = None
if platform.system() == "Darwin":
screenshot = ImageGrab.grab()
screenshot.save(fullpath)
# compress the image (OSX generates large screenshots)
image = Image.open(fullpath)
width, height = image.size
new_size = (width // 2, height // 2)
resized_image = image.resize(new_size)
resized_image.save(fullpath, optimize=True, quality=50)
elif platform.system() == "Linux":
check_output(["gnome-screenshot", f"--file={fullpath}"])
else:
screenshot = ImageGrab.grab()
screenshot.save(fullpath)
return fullpath
@pytest.fixture()
def opt_headless(request):
return request.config.getoption("--run-headless")
@pytest.fixture()
def opt_implicit_timeout(request):
return request.config.getoption("--implicit-timeout")
@pytest.fixture(scope="session")
def opt_ci(request):
return request.config.getoption("--ci")
@pytest.fixture()
def opt_window_size(request):
return request.config.getoption("--window-size")
@pytest.fixture(scope="session")
def sys_platform():
return platform.system()
@pytest.fixture()
def downloads_folder(sys_platform):
"""Return the downloads folder location for this OS"""
if sys_platform == "Windows":
user = os.environ.get("USERNAME")
return f"C:\\Users\\{user}\\Downloads"
elif sys_platform == "Darwin": # MacOS
user = os.environ.get("USER")
return f"/Users/{user}/Downloads"
elif sys_platform == "Linux":
user = os.environ.get("USER")
return f"/home/{user}/Downloads"
@pytest.fixture(scope="session")
def fx_executable(request, sys_platform):
"""Get the Fx executable path based on platform and edition request."""
version = request.config.getoption("--fx-channel")
location = request.config.getoption("--fx-executable")
if location:
return location
# Path to build location. Use Custom by installing your incident build to the coinciding path.
location = ""
if sys_platform == "Windows":
if version == "Firefox":
location = "C:\\Program Files\\Mozilla Firefox\\firefox.exe"
elif version == "Nightly":
location = "C:\\Program Files\\Firefox Nightly\\firefox.exe"
elif version == "Custom":
location = "C:\\Program Files\\Custom Firefox\\firefox.exe"
elif sys_platform == "Darwin":
if version == "Firefox":
location = "/Applications/Firefox.app/Contents/MacOS/firefox"
elif version == "Nightly":
location = "/Applications/Firefox Nightly.app/Contents/MacOS/firefox"
elif version == "Custom":
location = "/Applications/Custom Firefox.app/Contents/MacOS/firefox"
elif sys_platform == "Linux":
user = os.environ.get("USER")
if version == "Firefox":
location = f"/home/{user}/Desktop/Firefox/firefox"
elif version == "Nightly":
location = f"/home/{user}/Desktop/Firefox Nightly/firefox"
elif version == "Custom":
location = f"/home/{user}/Desktop/Custom Firefox/firefox"
return location
@pytest.fixture(autouse=True)
def env_prep():
logging.getLogger("werkzeug").setLevel(logging.WARNING)
@pytest.fixture()
def use_profile():
"""
Return or yield <string> in a fixture of this name in a test
to use ./profiles/<string> as the profile for a given test
"""
yield False
@pytest.fixture(scope="session")
def version(fx_executable: str, opt_ci):
"""Return the Firefox version string"""
if opt_ci:
version = (
check_output([sys.executable, "./collect_executables.py", "-n"])
.strip()
.decode()
)
else:
version = check_output([fx_executable, "--version"]).strip().decode()
return version
@pytest.fixture()
def machine_config():
"""Return the os type, version, and architecture for the machine"""
uname = platform.uname()
if uname.system == "Darwin":
mac_major = platform.mac_ver()[0].split(".")[0]
return f"MacOS {mac_major} {uname.machine.lower()}"
else:
os_major = uname.version.split(".")[0]
return f"{uname.system} {os_major} {uname.machine.lower()}"
@pytest.fixture
def test_case():
return None
def pytest_configure(config):
# Check if run is "reportable": if it is on a never-reported Fx version
if os.environ.get("TESTRAIL_REPORT"):
logging.warning("Checking to see if session would be reportable...")
if os.environ.get("TASKCLUSTER_ROOT_URL") and os.environ.get("FX_EXECUTABLE"):
logging.warning("Getting TC credentials...")
creds = get_tc_secret()
if creds:
os.environ["TESTRAIL_USERNAME"] = creds.get("TESTRAIL_USERNAME")
os.environ["TESTRAIL_API_KEY"] = creds.get("TESTRAIL_API_KEY")
os.environ["TESTRAIL_BASE_URL"] = creds.get("TESTRAIL_BASE_URL")
elif not os.environ.get("TESTRAIL_USERNAME"):
logging.error(
"Attempted to log into TestRail, but could not find credentials."
)
raise OSError("Could not find TestRail credentials")
if not tri.reportable():
pytest.exit("Test run is not reportable. Exiting.")
def pytest_sessionfinish(session):
if not hasattr(session.config, "workerinput"):
import psutil
reporter = session.config.pluginmanager.get_plugin("terminalreporter")
# Kill all Firefox processes remaining
for proc in psutil.process_iter(["name", "pid", "status"]):
try:
if (
proc.create_time() > reporter._sessionstarttime
and proc.name().startswith("firefox")
):
logging.info(f"found remaining process: {proc.pid}")
proc.kill()
except (ProcessLookupError, psutil.NoSuchProcess):
logging.warning("Failed to kill process.")
pass
# TestRail reporting
if not os.environ.get("TESTRAIL_REPORT"):
logging.warning(
"Not reporting to TestRail. Set env var TESTRAIL_REPORT to activate reporting."
)
return None
if not hasattr(session.config, "_json_report"):
logging.warning("No json_report in config, will try again with other workers.")
return None
report = session.config._json_report.report
if report is None or report.get("tests") is None:
logging.warning(
"Not reporting to TestRail. This thread does not have a report in its config object."
)
return None
creds = get_tc_secret()
if creds:
os.environ["TESTRAIL_USERNAME"] = creds.get("TESTRAIL_USERNAME")
os.environ["TESTRAIL_API_KEY"] = creds.get("TESTRAIL_API_KEY")
os.environ["TESTRAIL_BASE_URL"] = creds.get("TESTRAIL_BASE_URL")
elif not os.environ.get("TESTRAIL_USERNAME"):
logging.error(
"Attempted to report to TestRail, but could not find credentials."
)
raise OSError("Could not find TestRail credentials")
tr_session = tri.testrail_init()
passes = tri.collect_changes(tr_session, report)
tri.mark_results(tr_session, passes)
@pytest.fixture()
def hard_quit():
return False
@pytest.fixture(autouse=True)
def driver(
fx_executable: str,
opt_headless: bool,
opt_implicit_timeout: int,
prefs_list: List[Tuple],
opt_ci: bool,
opt_window_size: str,
use_profile: Union[bool, str],
suite_id: str,
test_case: str,
machine_config: str,
env_prep,
tmp_path,
request,
version,
json_metadata,
hard_quit,
create_profiles,
):
"""
Return the webdriver object.
All arguments are fixtures being requested, rather than parameters.
Fixtures
--------
fx_executable: str
Location of the Firefox executable.
opt_headless: bool
Whether pytest was run with --run-headless.
opt_implicit_timeout: int
Timeout, in seconds for driver-level wait attribute.
prefs_list: List[Tuple]
Preferences to set before the Firefox object is created.
Usually set in the conftest.py inside a test suite folder.
opt_ci: bool
Whether pytest was run with --ci.
opt_window_size: str
String describing the window size for the Firefox window.
use_profile: Union[bool, str]
Location inside ./profiles to find the profile to use, False if no profile needed.
version: str
The result of calling the Fx executable with `--version`.
env_prep: None
Fixture that does other environment work, like set logging levels.
"""
try:
options = Options()
options.add_argument("--remote-allow-system-access")
if opt_headless:
options.add_argument("--headless")
options.binary_location = fx_executable
if use_profile:
profile_path = tmp_path / use_profile
unpack_archive(os.path.join("profiles", f"{use_profile}.zip"), profile_path)
options.profile = profile_path
for opt, value in prefs_list:
options.set_preference(opt, value)
driver = Firefox(options=options)
separator = "x"
if separator not in opt_window_size:
if "by" in opt_window_size:
separator = "by"
elif "," in opt_window_size:
separator = ","
elif " " in opt_window_size:
separator = " "
winsize = [int(s) for s in opt_window_size.split(separator)]
driver.set_window_size(*winsize)
timeout = 30 if opt_ci else opt_implicit_timeout
driver.implicitly_wait(timeout)
WebDriverWait(driver, timeout=40).until(
EC.presence_of_element_located((By.TAG_NAME, "body"))
)
json_metadata["fx_version"] = version
json_metadata["machine_config"] = machine_config
json_metadata["suite_id"] = suite_id
json_metadata["test_case"] = test_case
yield driver
except (WebDriverException, TimeoutException) as e:
logging.warning(f"DRIVER exception: {e}")
finally:
if hard_quit:
return
if "driver" in locals() or "driver" in globals():
driver.quit()
@pytest.hookimpl(tryfirst=True, hookwrapper=True)
def pytest_runtest_makereport(item, call):
# Execute all other hooks to obtain the report object
outcome = yield
rep = outcome.get_result()
# Store the test result in the item
setattr(item, "rep_" + rep.when, rep)
@pytest.fixture()
def screenshot(driver: Firefox, opt_ci: bool) -> Callable:
"""
Factory fixture that returns a screenshot function.
"""
def screenshot_wrapper(filename: str) -> str:
return _screenshot(filename, driver, opt_ci)
return screenshot_wrapper
@pytest.fixture()
def home_folder(sys_platform):
"""Return the home folder location"""
if sys_platform.startswith("Win"):
home_folder = os.path.join(
os.environ.get("HOMEDRIVE"), os.environ.get("HOMEPATH")
)
else:
home_folder = os.environ.get("HOME")
return home_folder
@pytest.fixture()
def delete_files_regex_string():
"""
Tell the delete_files fixture re.match() what files to delete.
In ./conftest.py, use a regex that is unlikely to match things.
"""
return r"zzxqxzqx"
@pytest.fixture()
def delete_files(sys_platform, delete_files_regex_string, home_folder):
"""Remove the files after the test finishes, should work for Mac/Linux/MinGW"""
downloads_folder = os.path.join(home_folder, "Downloads")
def _delete_files():
for file in os.listdir(downloads_folder):
delete_files_regex = re.compile(delete_files_regex_string)
if delete_files_regex.match(file):
os.remove(os.path.join(downloads_folder, file))
_delete_files()
yield True
_delete_files()
@pytest.fixture()
def use_secrets(opt_ci):
"""Function factory: grab a named secret from a secrets file"""
if os.environ.get("TASKCLUSTER_ROOT_URL") and opt_ci:
level = 3 if os.environ.get("TESTRAIL_REPORT") else 1
os.environ["SVC_ACCT_DECRYPT"] = get_tc_secret(
"test-accts-key", level=level
).get("SVC_ACCT_DECRYPT")
def _use_secrets(filename: str, secret_name: str) -> dict:
secrets = crypto.decrypt(filename)
return secrets.get(secret_name)
return _use_secrets
@pytest.fixture(scope="session", autouse=True)
def faker_seed():
return 19980331
@pytest.fixture(scope="session")
def fillable_pdf_url():
return "https://www.uscis.gov/sites/default/files/document/forms/i-9.pdf"
@pytest.fixture()
def close_file_manager(sys_platform):
"""Closes the file manager window"""
yield
if sys_platform == "Windows":
run(["taskkill", "/F", "/IM", "explorer.exe"], check=True)
run(["start", "explorer.exe"], shell=True)
elif sys_platform == "Darwin":
applescript = """
tell application "Finder"
close every Finder window
end tell
"""
run(["osascript", "-e", applescript], check=True)
@pytest.fixture()
def create_profiles():
"""Creates profiles that will be recognised in about:profiles"""
return
@pytest.fixture()
def profile_paths():
"""returns a list of profile zips, eg. ["profiles/theme_change.zip"]"""
return []