1 | import __main__
|
---|
2 | import argparse
|
---|
3 | import contextlib
|
---|
4 | import datetime
|
---|
5 | import fileinput
|
---|
6 | import multiprocessing
|
---|
7 | import os
|
---|
8 | import re
|
---|
9 | import resource
|
---|
10 | import signal
|
---|
11 | import stat
|
---|
12 | import subprocess
|
---|
13 | import sys
|
---|
14 | import tempfile
|
---|
15 | import time
|
---|
16 | import types
|
---|
17 |
|
---|
18 | from pybin import settings
|
---|
19 |
|
---|
20 | ################################################################################
|
---|
21 | # shell helpers
|
---|
22 | ################################################################################
|
---|
23 |
|
---|
24 | # helper functions to run terminal commands
|
---|
25 | def sh(*cmd, timeout = False, output_file = None, input_file = None, input_text = None, error = subprocess.STDOUT, ignore_dry_run = False):
|
---|
26 | try:
|
---|
27 | cmd = list(cmd)
|
---|
28 |
|
---|
29 | if input_file and input_text:
|
---|
30 | return 401, "Cannot use both text and file inputs"
|
---|
31 |
|
---|
32 | # if this is a dry_run, only print the commands that would be ran
|
---|
33 | if settings.dry_run and not ignore_dry_run:
|
---|
34 | cmd = "{} cmd: {}".format(os.getcwd(), ' '.join(cmd))
|
---|
35 | if output_file and not isinstance(output_file, int):
|
---|
36 | cmd += " > "
|
---|
37 | cmd += output_file
|
---|
38 |
|
---|
39 | if error and not isinstance(error, int):
|
---|
40 | cmd += " 2> "
|
---|
41 | cmd += error
|
---|
42 |
|
---|
43 | if input_file and not isinstance(input_file, int) and os.path.isfile(input_file):
|
---|
44 | cmd += " < "
|
---|
45 | cmd += input_file
|
---|
46 |
|
---|
47 | print(cmd)
|
---|
48 | return 0, None
|
---|
49 |
|
---|
50 | with contextlib.ExitStack() as onexit:
|
---|
51 | # add input redirection if needed
|
---|
52 | input_file = openfd(input_file, 'r', onexit, True)
|
---|
53 |
|
---|
54 | # add output redirection if needed
|
---|
55 | output_file = openfd(output_file, 'w', onexit, False)
|
---|
56 |
|
---|
57 | # add error redirection if needed
|
---|
58 | error = openfd(error, 'w', onexit, False)
|
---|
59 |
|
---|
60 | # run the desired command
|
---|
61 | # use with statement to make sure proc is cleaned
|
---|
62 | # don't use subprocess.run because we want to send SIGABRT on exit
|
---|
63 | with subprocess.Popen(
|
---|
64 | cmd,
|
---|
65 | **({'input' : bytes(input_text, encoding='utf-8')} if input_text else {'stdin' : input_file}),
|
---|
66 | stdout = output_file,
|
---|
67 | stderr = error
|
---|
68 | ) as proc:
|
---|
69 |
|
---|
70 | try:
|
---|
71 | out, _ = proc.communicate(
|
---|
72 | timeout = settings.timeout.single if timeout else None
|
---|
73 | )
|
---|
74 |
|
---|
75 | return proc.returncode, out.decode("latin-1") if out else None
|
---|
76 | except subprocess.TimeoutExpired:
|
---|
77 | if settings.timeout2gdb:
|
---|
78 | print("Process {} timeout".format(proc.pid))
|
---|
79 | proc.communicate()
|
---|
80 | return 124, str(None)
|
---|
81 | else:
|
---|
82 | proc.send_signal(signal.SIGABRT)
|
---|
83 | proc.communicate()
|
---|
84 | return 124, str(None)
|
---|
85 |
|
---|
86 | except Exception as ex:
|
---|
87 | print ("Unexpected error: %s" % ex)
|
---|
88 | raise
|
---|
89 |
|
---|
90 | def is_empty(fname):
|
---|
91 | if not os.path.isfile(fname):
|
---|
92 | return True
|
---|
93 |
|
---|
94 | if os.stat(fname).st_size == 0:
|
---|
95 | return True
|
---|
96 |
|
---|
97 | return False
|
---|
98 |
|
---|
99 | def is_ascii(fname):
|
---|
100 | if settings.dry_run:
|
---|
101 | print("is_ascii: %s" % fname)
|
---|
102 | return (True, "")
|
---|
103 |
|
---|
104 | if not os.path.isfile(fname):
|
---|
105 | return (False, "No file")
|
---|
106 |
|
---|
107 | code, out = sh("file", fname, output_file=subprocess.PIPE)
|
---|
108 | if code != 0:
|
---|
109 | return (False, "'file EXPECT' failed with code {}".format(code))
|
---|
110 |
|
---|
111 | match = re.search(".*: (.*)", out)
|
---|
112 |
|
---|
113 | if not match:
|
---|
114 | return (False, "Unreadable file type: '{}'".format(out))
|
---|
115 |
|
---|
116 | if "ASCII text" in match.group(1):
|
---|
117 | return (True, "")
|
---|
118 |
|
---|
119 | return (False, "File type should be 'ASCII text', was '{}'".format(match.group(1)))
|
---|
120 |
|
---|
121 | def is_exe(fname):
|
---|
122 | return os.path.isfile(fname) and os.access(fname, os.X_OK)
|
---|
123 |
|
---|
124 | def openfd(file, mode, exitstack, checkfile):
|
---|
125 | if not file:
|
---|
126 | return file
|
---|
127 |
|
---|
128 | if isinstance(file, int):
|
---|
129 | return file
|
---|
130 |
|
---|
131 | if checkfile and not os.path.isfile(file):
|
---|
132 | return None
|
---|
133 |
|
---|
134 | file = open(file, mode, encoding="latin-1") # use latin-1 so all chars mean something.
|
---|
135 | exitstack.push(file)
|
---|
136 | return file
|
---|
137 |
|
---|
138 | # Remove 1 or more files silently
|
---|
139 | def rm( files ):
|
---|
140 | if isinstance(files, str ): files = [ files ]
|
---|
141 | for file in files:
|
---|
142 | sh( 'rm', '-f', file, output_file=subprocess.DEVNULL, error=subprocess.DEVNULL )
|
---|
143 |
|
---|
144 | # Create 1 or more directory
|
---|
145 | def mkdir( files ):
|
---|
146 | if isinstance(files, str ): files = [ files ]
|
---|
147 | for file in files:
|
---|
148 | p = os.path.normpath( file )
|
---|
149 | d = os.path.dirname ( p )
|
---|
150 | sh( 'mkdir', '-p', d, output_file=subprocess.DEVNULL, error=subprocess.DEVNULL )
|
---|
151 |
|
---|
152 |
|
---|
153 | def chdir( dest = __main__.__file__ ):
|
---|
154 | abspath = os.path.abspath(dest)
|
---|
155 | dname = os.path.dirname(abspath)
|
---|
156 | os.chdir(dname)
|
---|
157 |
|
---|
158 | # diff two files
|
---|
159 | def diff( lhs, rhs ):
|
---|
160 | # fetch return code and error from the diff command
|
---|
161 | return sh(
|
---|
162 | '''diff''',
|
---|
163 | '''--text''',
|
---|
164 | '''--old-group-format=\t\tmissing lines :\n%<''',
|
---|
165 | '''--new-line-format=\t\t%dn\t%L''',
|
---|
166 | '''--new-group-format=\t\tnew lines : \n%>''',
|
---|
167 | '''--old-line-format=\t\t%dn\t%L''',
|
---|
168 | '''--unchanged-group-format=%=''',
|
---|
169 | '''--changed-group-format=\t\texpected :\n%<\t\tgot :\n%>''',
|
---|
170 | '''--unchanged-line-format=''',
|
---|
171 | lhs,
|
---|
172 | rhs,
|
---|
173 | output_file=subprocess.PIPE
|
---|
174 | )
|
---|
175 |
|
---|
176 | # call make
|
---|
177 | def make(target, *, flags = '', output_file = None, error = None, error_file = None, silent = False):
|
---|
178 | test_param = """test="%s" """ % (error_file) if error_file else None
|
---|
179 | cmd = [
|
---|
180 | *settings.make,
|
---|
181 | '-s' if silent else None,
|
---|
182 | test_param,
|
---|
183 | settings.ast.flags,
|
---|
184 | settings.arch.flags,
|
---|
185 | settings.debug.flags,
|
---|
186 | settings.install.flags,
|
---|
187 | settings.distcc if settings.distribute else None,
|
---|
188 | flags,
|
---|
189 | target
|
---|
190 | ]
|
---|
191 | cmd = [s for s in cmd if s]
|
---|
192 | return sh(*cmd, output_file=output_file, error=error)
|
---|
193 |
|
---|
194 | def make_recon(target):
|
---|
195 | cmd = [
|
---|
196 | *settings.make,
|
---|
197 | '-W',
|
---|
198 | os.path.abspath(os.path.join(settings.BUILDDIR, '../driver/cfa')),
|
---|
199 | '--recon',
|
---|
200 | target
|
---|
201 | ]
|
---|
202 | cmd = [s for s in cmd if s]
|
---|
203 | return sh(*cmd, output_file=subprocess.PIPE)
|
---|
204 |
|
---|
205 | def which(program):
|
---|
206 | fpath, fname = os.path.split(program)
|
---|
207 | if fpath:
|
---|
208 | if is_exe(program):
|
---|
209 | return program
|
---|
210 | else:
|
---|
211 | for path in os.environ["PATH"].split(os.pathsep):
|
---|
212 | exe_file = os.path.join(path, program)
|
---|
213 | if is_exe(exe_file):
|
---|
214 | return exe_file
|
---|
215 | return None
|
---|
216 |
|
---|
217 | @contextlib.contextmanager
|
---|
218 | def tempdir():
|
---|
219 | cwd = os.getcwd()
|
---|
220 | with tempfile.TemporaryDirectory() as temp:
|
---|
221 | os.chdir(temp)
|
---|
222 | try:
|
---|
223 | yield temp
|
---|
224 | finally:
|
---|
225 | os.chdir(cwd)
|
---|
226 |
|
---|
227 | def killgroup():
|
---|
228 | try:
|
---|
229 | os.killpg(os.getpgrp(), signal.SIGINT)
|
---|
230 | except KeyboardInterrupt:
|
---|
231 | pass # expected
|
---|
232 | except Exception as exc:
|
---|
233 | print("Unexpected exception", file=sys.stderr)
|
---|
234 | print(exc, file=sys.stderr)
|
---|
235 | sys.stderr.flush()
|
---|
236 | sys.exit(2)
|
---|
237 |
|
---|
238 | ################################################################################
|
---|
239 | # file handling
|
---|
240 | ################################################################################
|
---|
241 | # move a file
|
---|
242 | def mv(source, dest):
|
---|
243 | ret, _ = sh("mv", source, dest)
|
---|
244 | return ret
|
---|
245 |
|
---|
246 | # cat one file into the other
|
---|
247 | def cat(source, dest):
|
---|
248 | ret, _ = sh("cat", source, output_file=dest)
|
---|
249 | return ret
|
---|
250 |
|
---|
251 | # helper function to replace patterns in a file
|
---|
252 | def file_replace(fname, pat, s_after):
|
---|
253 | if settings.dry_run:
|
---|
254 | print("replacing '%s' with '%s' in %s" % (pat, s_after, fname))
|
---|
255 | return
|
---|
256 |
|
---|
257 | file = fileinput.FileInput(fname, inplace=True, backup='.bak')
|
---|
258 | for line in file:
|
---|
259 | print(line.replace(pat, s_after), end='')
|
---|
260 | file.close()
|
---|
261 |
|
---|
262 | # helper function to check if a files contains only a specific string
|
---|
263 | def file_contains_only(file, text) :
|
---|
264 | with open(file, encoding="latin-1") as f: # use latin-1 so all chars mean something.
|
---|
265 | ff = f.read().strip()
|
---|
266 | result = ff == text.strip()
|
---|
267 |
|
---|
268 | return result
|
---|
269 |
|
---|
270 | # transform path to canonical form
|
---|
271 | def canonical_path(path):
|
---|
272 | abspath = os.path.abspath(os.path.realpath(__main__.__file__))
|
---|
273 | dname = os.path.dirname(abspath)
|
---|
274 | return os.path.join(dname, os.path.normpath(path) )
|
---|
275 |
|
---|
276 | # compare path even if form is different
|
---|
277 | def path_cmp(lhs, rhs):
|
---|
278 | return canonical_path( lhs ) == canonical_path( rhs )
|
---|
279 |
|
---|
280 | # walk all files in a path
|
---|
281 | def path_walk( op ):
|
---|
282 | dname = settings.SRCDIR
|
---|
283 | for dirname, _, names in os.walk(dname):
|
---|
284 | for name in names:
|
---|
285 | path = os.path.join(dirname, name)
|
---|
286 | op( path )
|
---|
287 |
|
---|
288 | ################################################################################
|
---|
289 | # system
|
---|
290 | ################################################################################
|
---|
291 | # count number of jobs to create
|
---|
292 | def job_count( options, tests ):
|
---|
293 | # check if the user already passed in a number of jobs for multi-threading
|
---|
294 | if not options.jobs:
|
---|
295 | make_flags = os.environ.get('MAKEFLAGS')
|
---|
296 | force = bool(make_flags)
|
---|
297 | make_jobs_fds = re.search("--jobserver-(auth|fds)=\s*([0-9]+),([0-9]+)", make_flags) if make_flags else None
|
---|
298 | if make_jobs_fds :
|
---|
299 | tokens = os.read(int(make_jobs_fds.group(2)), 1024)
|
---|
300 | options.jobs = len(tokens)
|
---|
301 | os.write(int(make_jobs_fds.group(3)), tokens)
|
---|
302 | else :
|
---|
303 | if settings.distribute:
|
---|
304 | ret, jstr = sh("distcc", "-j", output_file=subprocess.PIPE, ignore_dry_run=True)
|
---|
305 | if ret == 0:
|
---|
306 | options.jobs = int(jstr.strip())
|
---|
307 | else :
|
---|
308 | options.jobs = multiprocessing.cpu_count()
|
---|
309 | else:
|
---|
310 | options.jobs = multiprocessing.cpu_count()
|
---|
311 | else :
|
---|
312 | force = True
|
---|
313 |
|
---|
314 | # make sure we have a valid number of jobs that corresponds to user input
|
---|
315 | if options.jobs <= 0 :
|
---|
316 | print('ERROR: Invalid number of jobs', file=sys.stderr)
|
---|
317 | sys.exit(1)
|
---|
318 |
|
---|
319 | return min( options.jobs, len(tests) ), force
|
---|
320 |
|
---|
321 | # enable core dumps for all the test children
|
---|
322 | resource.setrlimit(resource.RLIMIT_CORE, (resource.RLIM_INFINITY, resource.RLIM_INFINITY))
|
---|
323 |
|
---|
324 | ################################################################################
|
---|
325 | # misc
|
---|
326 | ################################################################################
|
---|
327 |
|
---|
328 | # get hash for given configuration
|
---|
329 | def config_hash():
|
---|
330 | path = os.path.normpath(os.path.join(
|
---|
331 | settings.SRCDIR,
|
---|
332 | ))
|
---|
333 |
|
---|
334 | distcc_hash = os.path.join(settings.SRCDIR, '../tools/build/distcc_hash')
|
---|
335 | config = "%s-%s" % (settings.arch.target, settings.debug.path)
|
---|
336 | _, out = sh(distcc_hash, config, output_file=subprocess.PIPE, ignore_dry_run=True)
|
---|
337 | return out.strip()
|
---|
338 |
|
---|
339 | # get pretty string for time of day
|
---|
340 | def pretty_now():
|
---|
341 | ts = time.time()
|
---|
342 | print(ts, file=sys.stderr)
|
---|
343 | return datetime.datetime.fromtimestamp(ts).strftime('%Y-%m-%d_%H:%M:%S')
|
---|
344 |
|
---|
345 | # check if arguments is yes or no
|
---|
346 | def yes_no(string):
|
---|
347 | if string == "yes" :
|
---|
348 | return True
|
---|
349 | if string == "no" :
|
---|
350 | return False
|
---|
351 | raise argparse.ArgumentTypeError(msg)
|
---|
352 |
|
---|
353 | # Convert a function that converts a string to one that converts comma separated string.
|
---|
354 | def comma_separated(elements):
|
---|
355 | return lambda string: [elements(part) for part in string.split(',')]
|
---|
356 |
|
---|
357 | def fancy_print(text):
|
---|
358 | column = which('column')
|
---|
359 | if column:
|
---|
360 | subprocess.run(column, input=bytes(text + "\n", "UTF-8"))
|
---|
361 | else:
|
---|
362 | print(text)
|
---|
363 |
|
---|
364 |
|
---|
365 | def core_info(path):
|
---|
366 | if not os.path.isfile(path):
|
---|
367 | return 1, "ERR Executable path is wrong"
|
---|
368 |
|
---|
369 | cmd = os.path.join(settings.SRCDIR, "pybin/print-core.gdb")
|
---|
370 | if not os.path.isfile(cmd):
|
---|
371 | return 1, "ERR Printing format for core dumps not found"
|
---|
372 |
|
---|
373 | core = os.path.join(os.getcwd(), "core" )
|
---|
374 |
|
---|
375 | if not os.path.isfile(core):
|
---|
376 | return 1, "ERR No core dump"
|
---|
377 |
|
---|
378 | return sh('gdb', '-n', path, core, '-batch', '-x', cmd, output_file=subprocess.PIPE)
|
---|
379 |
|
---|
380 | def core_archive(dst, name, exe):
|
---|
381 | # Get the core dump
|
---|
382 | core = os.path.join(os.getcwd(), "core" )
|
---|
383 |
|
---|
384 | # update the path for this test
|
---|
385 | dst = os.path.join(dst, name)
|
---|
386 |
|
---|
387 | # make a directory for this test
|
---|
388 | # mkdir makes the parent directory only so add a dummy
|
---|
389 | mkdir(os.path.join(dst, name ))
|
---|
390 |
|
---|
391 | # moves the files
|
---|
392 | mv( core, os.path.join(dst, "core" ) )
|
---|
393 | mv( exe , os.path.join(dst, name ) )
|
---|
394 |
|
---|
395 | # return explanatory test
|
---|
396 | return "Archiving %s (executable and core) to %s" % (os.path.relpath(exe, settings.BUILDDIR), os.path.relpath(dst, settings.original_path))
|
---|
397 |
|
---|
398 | class Timed:
|
---|
399 | def __enter__(self):
|
---|
400 | self.start = time.time()
|
---|
401 | return self
|
---|
402 |
|
---|
403 | def __exit__(self, *args):
|
---|
404 | self.end = time.time()
|
---|
405 | self.duration = self.end - self.start
|
---|
406 |
|
---|
407 | def timed(src, timeout):
|
---|
408 | expire = time.time() + timeout
|
---|
409 | i = iter(src)
|
---|
410 | with contextlib.suppress(StopIteration):
|
---|
411 | while True:
|
---|
412 | yield i.next(max(expire - time.time(), 0))
|
---|
413 |
|
---|
414 | def fmtDur( duration ):
|
---|
415 | if duration :
|
---|
416 | hours, rem = divmod(duration, 3600)
|
---|
417 | minutes, rem = divmod(rem, 60)
|
---|
418 | seconds, millis = divmod(rem, 1)
|
---|
419 | return "%2d:%02d.%03d" % (minutes, seconds, millis * 1000)
|
---|
420 | return " n/a"
|
---|