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
|
# -*- coding: utf-8 -*-
from __future__ import (absolute_import, division, print_function,
unicode_literals)
import glob
import math
import optparse
import os
import random
import shutil
import subprocess
import sys
import threading
import traceback
# Number of jobs to run in parallel.
def default_num_jobs():
try:
# One job per processor should be about right.
import multiprocessing
return 2 * multiprocessing.cpu_count()
except ImportError:
# Couldn't determine number of processors (probably because
# Python version is < 2.6); use a conservative fallback.
return 4
class TestQueue(object):
def __init__(self, tests, cleanup):
def cleanup_jobs(top_dirs):
for td in top_dirs:
for e in os.listdir(td):
yield os.path.join(td, e)
self.__remaining = sorted(tests, reverse=True)
self.__running = set()
self.__success = set()
self.__fail = set()
self.__clean_jobs = set(cleanup)
self.__clean_todo = set(cleanup_jobs(self.__clean_jobs))
self.__clean_running = set()
self.__clean_done = set()
self.lock = threading.Lock()
self.__cv = threading.Condition(self.lock)
def __iter__(self):
return self
# True if all jobs have completed.
def __done(self):
# Called with self.lock held.
return (not self.__remaining and not self.__running
and not len(self.__clean_todo) and not self.__clean_running)
# Make progress report, and check if we're all done.
def __report(self):
# Called with self.lock held.
cd = len(self.__clean_done) + 1e-3 # clever way to avoid div by zero
cr = len(self.__clean_running)
ct = len(self.__clean_todo)
print("\rQueue: %3d," % len(self.__remaining),
"Running: %3d," % len(self.__running),
"OK: %3d," % len(self.__success),
"Failed: %3d," % len(self.__fail),
"Cleanup: %3d%%" % math.floor(100 * cd / (cd + cr + ct)),
sep=" ", end='', file=sys.stdout)
if self.__done():
print(file=sys.stdout)
self.__cv.notifyAll()
sys.stdout.flush()
# Yield free jobs until none are left.
def __next__(self):
with self.lock:
if not self.__remaining:
raise StopIteration
t = self.__remaining.pop()
self.__running.add(t)
self.__report()
return t
next = __next__
# Report that a job has completed.
def finished(self, t, success):
with self.lock:
self.__running.remove(t)
if success:
self.__success.add(t)
else:
self.__fail.add(t)
self.__report()
# Yield free cleaning jobs until none are left.
def cleaning_jobs(self):
while True:
with self.lock:
if not self.__clean_todo:
return
c = self.__clean_todo.pop()
self.__clean_running.add(c)
yield c
# Report that a cleaning job has completed.
def deleted(self, c):
with self.lock:
self.__clean_running.remove(c)
self.__clean_done.add(c)
self.__report()
# Wait for all jobs to complete.
def wait(self):
with self.lock:
while not self.__done():
self.__cv.wait()
for c in self.__clean_jobs:
os.rmdir(c)
return set(self.__fail)
def start_worker(q):
def w():
for t in q:
try:
ok = False # assume the worst until proven otherwise
s = os.path.join("trash", t)
e = dict(os.environ)
e["SCRATCHDIR"] = s
p = subprocess.Popen([os.path.join(os.getcwd(), t), "-v"],
stdout=subprocess.PIPE,
stderr=subprocess.STDOUT,
env=e)
(out, err) = p.communicate()
assert err is None
with open(os.path.join(s, "output"), "wb") as f:
f.write(out)
msg = '\nExited with code %d\n' % p.returncode
f.write(msg.encode())
if p.returncode == 0:
ok = True
except:
# Log the traceback. Use the mutex so that we
# won't write multiple tracebacks to stderr at the
# same time.
with q.lock:
traceback.print_exc()
finally:
q.finished(t, ok)
threading.Thread(target=w).start()
def start_cleaner(q):
def w():
for c in q.cleaning_jobs():
try:
if os.path.isdir(c):
shutil.rmtree(c)
else:
os.remove(c)
finally:
q.deleted(c)
threading.Thread(target=w).start()
def main():
this_dir = os.path.dirname(__file__)
if this_dir:
os.chdir(this_dir)
p = optparse.OptionParser()
p.add_option("-j", "--jobs", type="int",
help="number of tests to run in parallel")
(opts, tests) = p.parse_args()
if not tests:
tests = glob.glob("t[0-9][0-9][0-9][0-9]-*.sh")
if opts.jobs is None:
opts.jobs = default_num_jobs()
print("Running %d tests in parallel" % opts.jobs)
if os.path.exists("trash"):
os.rename("trash", "trash-being-deleted-%016x" % random.getrandbits(64))
os.mkdir("trash")
q = TestQueue(tests, glob.glob("trash-being-deleted-*"))
w = min(opts.jobs, len(tests))
for i in range(w):
start_worker(q)
for i in range(max(w // 4, 1)):
start_cleaner(q)
failed = q.wait()
if failed:
print("Failed:")
for t in sorted(failed):
print(" ", t)
print("Done")
return 1
else:
return 0
if __name__ == "__main__":
sys.exit(main())
|