-
Notifications
You must be signed in to change notification settings - Fork 36
/
test_e2e.py
executable file
·395 lines (338 loc) · 15.5 KB
/
test_e2e.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
#!/usr/bin/env python3
# Copyright (C) 2018-2023 Marcin Owsiany <[email protected]>
#
# This program is free software: you can redistribute it and/or modify
# it under the terms of the GNU General Public License as published by
# the Free Software Foundation, either version 3 of the License, or
# (at your option) any later version.
#
# This program is distributed in the hope that it will be useful,
# but WITHOUT ANY WARRANTY; without even the implied warranty of
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
# GNU General Public License for more details.
#
# You should have received a copy of the GNU General Public License
# along with this program. If not, see <http://www.gnu.org/licenses/>.
"""Checks whether bambam works.
This is intended to be run by autopkgtest, with the environment set up to
connect to an Xvfb server in order to take screenshots from its XWD output
file.
See the main() function for a high-level overview of what the script does.
"""
import argparse
import io
import logging
import os
import random
import re
import shutil
import subprocess
import sys
import tempfile
import threading
import time
_COLOR_PATTERN = re.compile(r'(\d+),(\d+),(\d+)')
_EXIT_SECONDS = 5
_BAMBAM_PROGRAM = os.getenv('AUTOPKGTEST_BAMBAM_PROGRAM', '/usr/games/bambam')
_GOLDEN_FILE_BASE_DIR = os.path.join(os.path.dirname(os.path.abspath(__file__)), 'test', 'golden')
_ARTIFACTS_DIR = os.getenv('AUTOPKGTEST_ARTIFACTS', '.')
_TMP_DIR = os.getenv('AUTOPKGTEST_TMP', tempfile.gettempdir())
_AUDIO_FILE = os.path.join(_TMP_DIR, 'sdlaudio.raw')
_SEED = os.environ.get('BAMBAM_RANDOM_SEED', None)
_GOLDEN_SUBDIR = None
_GOLDEN_FILE_SUCCESS = True
if _SEED:
random.seed(_SEED)
def main():
parser = argparse.ArgumentParser()
parser.add_argument('--expect-audio-output', action=argparse.BooleanOptionalAction, default=True)
parser.add_argument('--expect-sounds', action=argparse.BooleanOptionalAction, default=True)
parser.add_argument('--expect-light-mode', action=argparse.BooleanOptionalAction, default=True)
parser.add_argument('--sdl-audio-driver', default='disk')
parser.add_argument('--golden-subdir',
help='Generate, or - if they exist - compare screenshot golden files in this subdirectory.')
parser.add_argument('--ignored', help='Ignored flag, used by CI to simplify argument processing.')
parser.add_argument('bambam_args', nargs='*')
args = parser.parse_args()
global _GOLDEN_SUBDIR
_GOLDEN_SUBDIR = args.golden_subdir
remove_if_exists(_AUDIO_FILE)
env = os.environ.copy() | dict(SDL_AUDIODRIVER=args.sdl_audio_driver, SDL_DISKAUDIOFILE=_AUDIO_FILE)
bambam = subprocess.Popen([_BAMBAM_PROGRAM, '--trace'] + args.bambam_args, env=env, stderr=subprocess.PIPE)
try:
checker_builder = check_stream(bambam.stderr, sys.stderr)
if args.expect_audio_output:
checker_builder.not_contains_line("Warning: Sound support not available.")
else:
checker_builder.contains_line("Warning: Sound support not available.")
checker = checker_builder.start()
check_still_running(bambam)
await_welcome_screen(args.expect_light_mode)
send_keycodes('space') # any keypress should do
check_still_running(bambam)
await_blank_screen(args.expect_light_mode)
test_functionality(bambam, args.expect_sounds, args.expect_light_mode)
shut_bambam_down(bambam)
logging.info('Waiting for game to exit cleanly.')
exit_code = bambam.wait(timeout=_EXIT_SECONDS)
if exit_code != 0:
raise Exception('Bambam exited with unexpected code %d.' % exit_code)
if not checker.check():
raise Exception('Unexpected standard error output.')
except: # noqa: E722
take_screenshot('exception')
bambam.kill()
raise
check_audio(args.expect_audio_output, args.expect_sounds)
logging.info('Test successful.')
if _GOLDEN_SUBDIR and not _GOLDEN_FILE_SUCCESS:
logging.error('One or more golden file comparisons failed.')
sys.exit(1)
def remove_if_exists(file_path: str):
try:
os.remove(file_path)
except FileNotFoundError:
pass
def await_welcome_screen(expect_light):
if expect_light:
comment = 'light blue'
hsl_ranges = ((50, 70), (20, 40), (80, 100))
else:
comment = 'dark blue'
hsl_ranges = ((50, 70), (10, 30), (1, 20))
logging.info(
'Polling to observe a %s screen (which means that bambam '
'has started AND is displaying a welcome screen where the text '
'is blue).' % comment)
attempt_count = 400
sleep_delay = 0.25
for attempt in range(attempt_count):
current_average_hsl = get_average_hsl()
logging.info('On attempt %d the average screen HSL was %s.', attempt, current_average_hsl)
h, s, l = current_average_hsl # noqa: E741
hr, sr, lr = hsl_ranges
if hr[0] < h and h < hr[1] and sr[0] < s and s < sr[1] and lr[0] < l and l < lr[1]:
logging.info('Found %s screen, looks like bambam started up OK.', comment)
take_screenshot('welcome')
return
time.sleep(sleep_delay)
raise Exception(
'Failed to see bambam start and display %s background, '
'after polling %d times every %f seconds.' % (comment, attempt_count, sleep_delay))
def await_blank_screen(expect_light: bool):
attempt_count = 400
sleep_delay = 0.25
if expect_light:
def check(c): return c >= 248
comment = 'mostly white screen'
else:
def check(c): return c < 2
comment = 'mostly black screen'
logging.info('Polling to observe a %s (which means that welcome screen was cleared).', comment)
for attempt in range(attempt_count):
current_average_color = get_average_color()
logging.info('On attempt %d the average screen color was %s.', attempt, current_average_color)
if all(check(color_component) for color_component in current_average_color):
logging.info('Found %s, looks like bambam cleared the welcome screen OK.', comment)
take_screenshot('blank')
return
time.sleep(sleep_delay)
raise Exception(
'Failed to see bambam clear the startup screen and display %s, '
'after polling %d times every %f seconds.' % (comment, attempt_count, sleep_delay))
def check_still_running(bambam: subprocess.Popen):
time.sleep(0.01)
if bambam.returncode is not None:
raise Exception('Bambam unexpectedly exited with code %d' % bambam.returncode)
def test_functionality(bambam: subprocess.Popen, try_unmute: bool, expect_light: bool):
check_still_running(bambam)
logging.info('Exercising runtime mute.')
send_keycodes('m', 'u')
time.sleep(0.25) # let the event propagate and bambam process it (leave some time for sound to play)
send_keycodes('t', 'e')
if try_unmute:
logging.info('Exercising runtime unmute.')
send_keycodes('u', 'n', 'm', 'u', 't', 'e')
check_still_running(bambam)
logging.info('Simulating space and letter keypresses and measuring average screen color, to test functionality.')
attempt_count = 1000
for attempt in range(attempt_count):
send_keycodes('space', 'm', '4') # any letter will do, but em is nice and big
send_mouse_move()
time.sleep(0.25) # let the event propagate and bambam process it (leave some time for sound to play)
# Do not bother checking screen if bambam crashed.
check_still_running(bambam)
if is_screen_colorful_enough(attempt, expect_light):
take_screenshot('success')
return
raise Exception('Failed to see a colorful enough screen after %d key presses.' % (attempt_count * 2))
def is_screen_colorful_enough(attempt, expect_light: bool):
r, g, b = get_average_color()
if any(color < 10 for color in (r, g, b)):
logging.info('On attempt %d the average screen color was too close to black: %d,%d,%d.', attempt, r, g, b)
return False
if any(color > 225 for color in (r, g, b)):
logging.info('On attempt %d the average screen color was too close to white: %d,%d,%d.', attempt, r, g, b)
return False
else:
logging.info('Found colorful enough screen, colors %d, %d, %d.', r, g, b)
return True
def shut_bambam_down(bambam: subprocess.Popen):
check_still_running(bambam)
logging.info('Simulating shutdown keypresses.')
send_keycodes('q', 'U', 'i', 't') # make sure command-lower-casing works
def check_audio(assert_audio_output_exists=True, assert_contains_sounds=True):
if assert_audio_output_exists:
logging.info('Checking that audio output was created.')
if not os.path.exists(_AUDIO_FILE):
raise Exception('Output audio file %s not found.' % _AUDIO_FILE)
else:
logging.info('Checking that audio output was NOT created.')
if os.path.exists(_AUDIO_FILE):
raise Exception('Output audio file %s was unexpectedly found.' % _AUDIO_FILE)
return
logging.info('Checking that emitted audio %s sounds.' % (
'contains' if assert_contains_sounds else 'does NOT contain'))
# Create WAV file as an artifact, as it is easier to handle thanks to embedded metadata.
audio_artifact = os.path.join(_ARTIFACTS_DIR, 'audio.wav')
remove_if_exists(audio_artifact)
# Audio parameters based on pygame.mixer.init() defaults:
# https://www.pygame.org/docs/ref/mixer.html#pygame.mixer.init
subprocess.check_call([
'sox', '-r', '44.1k', '-e', 'signed', '-b', '16', '-c', '2',
_AUDIO_FILE, audio_artifact
])
# Remove silence anywhere in the file:
trimmed_audio = os.path.join(_TMP_DIR, 'trimmed.raw')
remove_if_exists(trimmed_audio)
subprocess.check_call([
'sox', audio_artifact, trimmed_audio,
'silence', '1', '0', '0%', '-1', '0', '0%',
])
size = os.stat(trimmed_audio).st_size
if assert_contains_sounds and size < 100000:
raise Exception('Audio file unexpectedly small after trimming silence: %d bytes' % size)
elif not assert_contains_sounds and size > 0:
raise Exception('Audio file is not empty after trimming silence: %d bytes' % size)
def take_screenshot(title):
try:
_take_screenshot(title)
except BaseException as e:
logging.exception('Ignoring exception raised when taking %s screenshot.' % title)
if isinstance(e, subprocess.CalledProcessError):
logging.error('Command output: %s', e.output)
def _take_screenshot(title):
file_name = os.path.join(_ARTIFACTS_DIR, '%s.png' % title)
subprocess.call([
'convert',
'xwd:' + os.path.join(_TMP_DIR, 'Xvfb_screen0'),
file_name])
logging.info('Took a screenshot to: %s', file_name)
if not _GOLDEN_SUBDIR:
return
golden_file_subdir = os.path.join(_GOLDEN_FILE_BASE_DIR, _GOLDEN_SUBDIR)
golden_file_name = os.path.join(golden_file_subdir, '%s.png' % title)
diff_file_name = os.path.join(_ARTIFACTS_DIR, '%s-diff.png' % title)
if not os.path.exists(golden_file_name):
logging.info('No golden file for %s found, creating one.', title)
os.makedirs(golden_file_subdir, exist_ok=True)
shutil.copyfile(file_name, golden_file_name)
else:
logging.info('Comparing to golden file for %s...', title)
try:
difference_found = False
cmp = subprocess.run([
'compare', '-metric', 'AE', golden_file_name, file_name, diff_file_name
], stdout=subprocess.PIPE, stderr=subprocess.STDOUT, check=True, universal_newlines=True)
except: # noqa: E722
difference_found = True
raise
else:
if cmp.stdout.strip() != '0':
print('Difference', cmp.stdout)
difference_found = True
finally:
if difference_found:
logging.info('Updating golden file %s.', golden_file_name)
os.makedirs(golden_file_subdir, exist_ok=True)
shutil.copyfile(file_name, golden_file_name)
global _GOLDEN_FILE_SUCCESS
_GOLDEN_FILE_SUCCESS = False
else:
logging.info('No difference found.')
def get_average_color():
return summarize_screen('r*255', 'g*255', 'b*255')
def get_average_hsl():
return summarize_screen('hue*100', 'saturation*100', 'lightness*100')
def summarize_screen(*fx_expressions):
if len(fx_expressions) != 3:
raise Exception('Expected three FX expressions, got %s' % fx_expressions)
format_arg = ','.join(('%%[fx:int(%s)]' % e) for e in fx_expressions)
color_str = subprocess.check_output([
'convert',
'xwd:' + os.path.join(_TMP_DIR, 'Xvfb_screen0'),
'-resize', '1x1!',
'-format', format_arg,
'info:-']).decode()
m = _COLOR_PATTERN.match(color_str)
if not m:
raise Exception('Failed to parse color ' + color_str)
return [int(i) for i in m.group(1, 2, 3)]
def xdotool(*args):
subprocess.check_call(['xdotool', 'search', '--class', 'bambam'] + list(args))
def send_keycodes(*keycodes):
xdotool('key', *keycodes)
def random_move():
return random.choice(['+', '-']) + str(random.choice(range(1, 50)))
def send_mouse_move():
x, y = random_move(), random_move()
xdotool('mousedown', '1', 'mousemove_relative', '--', x, y, 'mouseup', '1')
class StreamChecker:
def __init__(self, input_stream: io.IOBase, output_stream: io.IOBase, checks, negative_checks) -> None:
self._input_stream = input_stream
self._output_stream = output_stream
self._checks = list(checks)
self._negative_checks = list(negative_checks)
self._result = False if self._checks else True
self._thread = threading.Thread(target=self._ingest, name='StreamChecker for %s' % input_stream)
self._thread.start()
def _ingest(self):
while True:
line = self._input_stream.readline()
if not line:
return
print(line.decode(), end='', flush=True, file=self._output_stream)
line = line.rstrip()
for check in self._checks:
if line == check:
self._result = True
for check in self._negative_checks:
if line == check:
self._result = False
def check(self):
self._thread.join()
return self._result
class _StreamCheckerBuilder:
def __init__(self, input_stream: io.IOBase, output_stream: io.IOBase) -> None:
self._input_stream = input_stream
self._output_stream = output_stream
self._checks = []
self._negative_checks = []
def contains_line(self, line: str):
if self._negative_checks:
raise ValueError('contains_line() must not be used together with not_contains_line()')
self._checks.append(bytes(line, 'utf-8'))
return self
def not_contains_line(self, line: str):
if self._checks:
raise ValueError('contains_line() must not be used together with not_contains_line()')
self._negative_checks.append(bytes(line, 'utf-8'))
return self
def start(self) -> StreamChecker:
checker = StreamChecker(self._input_stream, self._output_stream, self._checks, self._negative_checks)
return checker
def check_stream(input: io.IOBase, output: io.IOBase) -> _StreamCheckerBuilder:
return _StreamCheckerBuilder(input, output)
if __name__ == '__main__':
logging.basicConfig(level=logging.INFO, format="%(asctime)s %(levelname)s %(name)s: %(message)s")
main()