forked from facebook/watchman
-
Notifications
You must be signed in to change notification settings - Fork 0
/
runtests.py
executable file
·501 lines (414 loc) · 14.4 KB
/
runtests.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
#!/usr/bin/env python
# vim:ts=4:sw=4:et:
from __future__ import absolute_import
from __future__ import division
from __future__ import print_function
# no unicode literals
import os
import os.path
# in the FB internal test infra, ensure that we are running from the
# dir that houses this script rather than some other higher level dir
# in the containing tree. We can't use __file__ to determine this
# because our PAR machinery can generate a name like /proc/self/fd/3/foo
# which won't resolve to anything useful by the time we get here.
if not os.path.exists('runtests.py') and os.path.exists('watchman/runtests.py'):
os.chdir('watchman')
try:
import unittest2 as unittest
except ImportError:
import unittest
import sys
# Ensure that we can find pywatchman and integration tests (if we're not the
# main module, a wrapper is probably loading us up and we shouldn't screw around
# with sys.path).
if __name__ == '__main__':
sys.path.insert(0, os.path.join(os.getcwd(), 'python'))
sys.path.insert(0, os.path.join(os.getcwd(), 'tests', 'integration'))
import json
import shutil
import subprocess
import traceback
import time
import argparse
import WatchmanInstance
import TempDir
import threading
import multiprocessing
import math
import signal
import Interrupt
import random
try:
import queue
except Exception:
import Queue
queue = Queue
parser = argparse.ArgumentParser(
description="Run the watchman unit and integration tests")
parser.add_argument('-v', '--verbosity', default=2,
help="test runner verbosity")
parser.add_argument(
"--keep",
action='store_true',
help="preserve all temporary files created during test execution")
parser.add_argument(
"--keep-if-fail",
action='store_true',
help="preserve all temporary files created during test execution if failed")
parser.add_argument(
"files",
nargs='*',
help='specify which test files to run')
parser.add_argument(
'--method',
action='append',
help='specify which python test method names to run')
def default_concurrency():
# Python 2.7 hangs when we use threads, so avoid it
# https://bugs.python.org/issue20318
if sys.version_info >= (3, 0):
level = min(4, math.ceil(1.5 * multiprocessing.cpu_count()))
if 'CIRCLECI' in os.environ:
# Use fewer cores in circle CI because the inotify sysctls
# are pretty low, and we sometimes hit those limits.
level = level / 2
return int(level)
return 1
parser.add_argument(
'--concurrency',
default=default_concurrency(),
type=int,
help='How many tests to run at once')
parser.add_argument(
'--watcher',
action='store',
default='auto',
help='Specify which watcher should be used to run the tests')
parser.add_argument(
'--debug-watchman',
action='store_true',
help='Pauses start up and prints out the PID for watchman server process.' +
'Forces concurrency to 1.')
parser.add_argument(
'--watchman-path',
action='store',
help='Specify the path to the watchman binary')
parser.add_argument(
'--win7',
action='store_true',
help='Set env to force win7 compatibility tests')
parser.add_argument(
'--retry-flaky',
action='store',
type=int,
default=2,
help='How many additional times to retry flaky tests.')
parser.add_argument(
'--testpilot-json',
action='store_true',
help='Output test results in Test Pilot JSON format')
args = parser.parse_args()
# We test for this in a test case
os.environ['WATCHMAN_EMPTY_ENV_VAR'] = ''
if args.win7:
os.environ['WATCHMAN_WIN7_COMPAT'] = '1'
# Ensure that we find the watchman we built in the tests
if args.watchman_path:
bin_dir = os.path.dirname(args.watchman_path)
else:
bin_dir = os.path.dirname(__file__)
os.environ['PATH'] = '%s%s%s' % (os.path.abspath(bin_dir),
os.pathsep,
os.environ['PATH'])
# We'll put all our temporary stuff under one dir so that we
# can clean it all up at the end
temp_dir = TempDir.get_temp_dir(args.keep)
def interrupt_handler(signo, frame):
Interrupt.setInterrupted()
signal.signal(signal.SIGINT, interrupt_handler)
class Result(unittest.TestResult):
# Make it easier to spot success/failure by coloring the status
# green for pass, red for fail and yellow for skip.
# also print the elapsed time per test
transport = None
encoding = None
attempt = 0
def shouldStop(self):
if Interrupt.wasInterrupted():
return True
return super(Result, self).shouldStop()
def startTest(self, test):
self.startTime = time.time()
super(Result, self).startTest(test)
def addSuccess(self, test):
elapsed = time.time() - self.startTime
super(Result, self).addSuccess(test)
if args.testpilot_json:
print(json.dumps({
'op': 'test_done',
'status': 'passed',
'test': test.id(),
'start_time': self.startTime,
'end_time': time.time()}))
else:
print('\033[32mPASS\033[0m %s (%.3fs)%s' % (
test.id(), elapsed, self._attempts()))
def addSkip(self, test, reason):
elapsed = time.time() - self.startTime
super(Result, self).addSkip(test, reason)
if args.testpilot_json:
print(json.dumps({
'op': 'test_done',
'status': 'skipped',
'test': test.id(),
'details': reason,
'start_time': self.startTime,
'end_time': time.time()}))
else:
print('\033[33mSKIP\033[0m %s (%.3fs) %s' %
(test.id(), elapsed, reason))
def __printFail(self, test, err):
elapsed = time.time() - self.startTime
t, val, trace = err
if args.testpilot_json:
print(json.dumps({
'op': 'test_done',
'status': 'failed',
'test': test.id(),
'details': ''.join(traceback.format_exception(t, val, trace)),
'start_time': self.startTime,
'end_time': time.time()}))
else:
print('\033[31mFAIL\033[0m %s (%.3fs)%s\n%s' % (
test.id(),
elapsed,
self._attempts(),
''.join(traceback.format_exception(t, val, trace))))
def addFailure(self, test, err):
self.__printFail(test, err)
super(Result, self).addFailure(test, err)
def addError(self, test, err):
self.__printFail(test, err)
super(Result, self).addError(test, err)
def setAttemptNumber(self, attempt):
self.attempt = attempt
def _attempts(self):
if self.attempt > 0:
return ' (%d attempts)' % self.attempt
return ''
def expandFilesList(files):
""" expand any dir names into a full list of files """
res = []
for g in args.files:
if os.path.isdir(g):
for dirname, _dirs, files in os.walk(g):
for f in files:
if not f.startswith('.'):
res.append(os.path.normpath(os.path.join(dirname, f)))
else:
res.append(os.path.normpath(g))
return res
if args.files:
args.files = expandFilesList(args.files)
def shouldIncludeTestFile(filename):
""" used by our loader to respect the set of tests to run """
global args
fname = os.path.relpath(filename.replace('.pyc', '.py'))
if args.files:
for f in args.files:
if f == fname:
return True
return False
if args.method:
# implies python tests only
if not fname.endswith('.py'):
return False
return True
def shouldIncludeTestName(name):
""" used by our loader to respect the set of tests to run """
global args
if args.method:
method = name.split('.').pop()
for f in args.method:
if method == f:
return True
return False
return True
class Loader(unittest.TestLoader):
""" allows us to control the subset of which tests are run """
def __init__(self):
super(Loader, self).__init__()
def loadTestsFromTestCase(self, testCaseClass):
return super(Loader, self).loadTestsFromTestCase(testCaseClass)
def getTestCaseNames(self, testCaseClass):
names = super(Loader, self).getTestCaseNames(testCaseClass)
return filter(lambda name: shouldIncludeTestName(name), names)
def loadTestsFromModule(self, module, *args, **kw):
if not shouldIncludeTestFile(module.__file__):
return unittest.TestSuite()
return super(Loader, self).loadTestsFromModule(module, *args, **kw)
loader = Loader()
suite = unittest.TestSuite()
for d in ['python/tests', 'tests/integration']:
suite.addTests(loader.discover(d, top_level_dir=d))
if os.name == 'nt':
t_globs = 'tests/*.exe'
else:
t_globs = 'tests/*.t'
tls = threading.local()
# Manage printing from concurrent threads
# http://stackoverflow.com/a/3030755/149111
class ThreadSafeFile(object):
def __init__(self, f):
self.f = f
self.lock = threading.RLock()
self.nesting = 0
def _getlock(self):
self.lock.acquire()
self.nesting += 1
def _droplock(self):
nesting = self.nesting
self.nesting = 0
for _ in range(nesting):
self.lock.release()
def __getattr__(self, name):
if name == 'softspace':
return tls.softspace
else:
raise AttributeError(name)
def __setattr__(self, name, value):
if name == 'softspace':
tls.softspace = value
else:
return object.__setattr__(self, name, value)
def write(self, data):
self._getlock()
self.f.write(data)
if data == '\n':
self._droplock()
def flush(self):
self._getlock()
self.f.flush()
self._droplock()
sys.stdout = ThreadSafeFile(sys.stdout)
tests_queue = queue.Queue()
results_queue = queue.Queue()
def runner():
global results_queue
global tests_queue
broken = False
try:
# Start up a shared watchman instance for the tests.
inst = WatchmanInstance.Instance({
"watcher": args.watcher
}, debug_watchman=args.debug_watchman)
inst.start()
# Allow tests to locate this default instance
WatchmanInstance.setSharedInstance(inst)
except Exception as e:
print('while starting watchman: %s' % str(e))
traceback.print_exc()
broken = True
while not broken:
test = tests_queue.get()
try:
if test == 'terminate':
break
if Interrupt.wasInterrupted() or broken:
continue
result = None
for attempt in range(0, args.retry_flaky + 1):
try:
result = Result()
result.setAttemptNumber(attempt)
if hasattr(test, 'setAttemptNumber'):
test.setAttemptNumber(attempt)
test.run(result)
if hasattr(test, 'setAttemptNumber') and \
not result.wasSuccessful():
# Facilitate retrying this possibly flaky test
continue
break
except Exception as e:
print(e)
if hasattr(test, 'setAttemptNumber') and \
not result.wasSuccessful():
# Facilitate retrying this possibly flaky test
continue
if not result.wasSuccessful() and \
'TRAVIS' in os.environ and \
hasattr(test, 'dumpLogs'):
test.dumpLogs()
results_queue.put(result)
finally:
tests_queue.task_done()
if not broken:
inst.stop()
def expand_suite(suite, target=None):
""" recursively expand a TestSuite into a list of TestCase """
if target is None:
target = []
for test in suite:
if isinstance(test, unittest.TestSuite):
expand_suite(test, target)
else:
target.append(test)
# randomize both because we don't want tests to have relatively
# dependency ordering and also because this can help avoid clumping
# longer running tests together
random.shuffle(target)
return target
def queue_jobs(tests):
for test in tests:
tests_queue.put(test)
all_tests = expand_suite(suite)
if args.debug_watchman:
args.concurrency = 1
elif len(all_tests) < args.concurrency:
args.concurrency = len(all_tests)
queue_jobs(all_tests)
if args.concurrency > 1:
for _ in range(args.concurrency):
t = threading.Thread(target=runner)
t.daemon = True
t.start()
# also send a termination sentinel
tests_queue.put('terminate')
# Wait for all tests to have been dispatched
tests_queue.join()
else:
# add a termination sentinel
tests_queue.put('terminate')
runner()
# Now pull out and aggregate the results
tests_run = 0
tests_failed = 0
tests_skipped = 0
while not results_queue.empty():
res = results_queue.get()
tests_run = tests_run + res.testsRun
tests_failed = tests_failed + len(res.errors) + len(res.failures)
tests_skipped = tests_skipped + len(res.skipped)
if not args.testpilot_json:
print('Ran %d, failed %d, skipped %d, concurrency %d' % (
tests_run, tests_failed, tests_skipped, args.concurrency))
if 'APPVEYOR' in os.environ:
shutil.copytree(temp_dir.get_dir(), 'logs')
subprocess.call(['7z', 'a', 'logs.zip', 'logs'])
subprocess.call(['appveyor', 'PushArtifact', 'logs.zip'])
if 'CIRCLE_ARTIFACTS' in os.environ:
print('Creating %s/logs.zip' % os.environ['CIRCLE_ARTIFACTS'])
subprocess.call(['zip',
'-q',
'-r',
'%s/logs.zip' % os.environ['CIRCLE_ARTIFACTS'],
temp_dir.get_dir()])
if tests_failed or (tests_run == 0):
if args.keep_if_fail:
temp_dir.set_keep(True)
if args.testpilot_json:
# When outputting JSON, our return code indicates if we successfully
# produced output or not, not whether the tests passed. The JSON
# output contains the detailed test pass/failure information.
sys.exit(0)
sys.exit(1)