blob: f7f8c16bf00732ac72b82b7bc497ecee71107f93 [file] [log] [blame]
Brad Bishopc342db32019-05-15 21:57:59 -04001#
Patrick Williamsc124f4f2015-09-15 14:41:29 -05002# Copyright (c) 2013-2014 Intel Corporation
3#
Brad Bishopc342db32019-05-15 21:57:59 -04004# SPDX-License-Identifier: MIT
5#
Patrick Williamsc124f4f2015-09-15 14:41:29 -05006
7# DESCRIPTION
8# This module is mainly used by scripts/oe-selftest and modules under meta/oeqa/selftest
9# It provides a class and methods for running commands on the host in a convienent way for tests.
10
11
12
13import os
14import sys
15import signal
16import subprocess
17import threading
Brad Bishopd7bf8c12018-02-25 22:55:05 -050018import time
Patrick Williamsc124f4f2015-09-15 14:41:29 -050019import logging
20from oeqa.utils import CommandError
21from oeqa.utils import ftools
22import re
23import contextlib
Patrick Williamsd8c66bc2016-06-20 12:57:21 -050024# Export test doesn't require bb
25try:
26 import bb
27except ImportError:
28 pass
Patrick Williamsc124f4f2015-09-15 14:41:29 -050029
30class Command(object):
Brad Bishopd7bf8c12018-02-25 22:55:05 -050031 def __init__(self, command, bg=False, timeout=None, data=None, output_log=None, **options):
Patrick Williamsc124f4f2015-09-15 14:41:29 -050032
33 self.defaultopts = {
34 "stdout": subprocess.PIPE,
35 "stderr": subprocess.STDOUT,
36 "stdin": None,
37 "shell": False,
38 "bufsize": -1,
39 }
40
41 self.cmd = command
42 self.bg = bg
43 self.timeout = timeout
44 self.data = data
45
46 self.options = dict(self.defaultopts)
Patrick Williamsc0f7c042017-02-23 20:41:17 -060047 if isinstance(self.cmd, str):
Patrick Williamsc124f4f2015-09-15 14:41:29 -050048 self.options["shell"] = True
49 if self.data:
50 self.options['stdin'] = subprocess.PIPE
51 self.options.update(options)
52
53 self.status = None
Brad Bishopd7bf8c12018-02-25 22:55:05 -050054 # We collect chunks of output before joining them at the end.
55 self._output_chunks = []
56 self._error_chunks = []
Patrick Williamsc124f4f2015-09-15 14:41:29 -050057 self.output = None
58 self.error = None
Brad Bishopd7bf8c12018-02-25 22:55:05 -050059 self.threads = []
Patrick Williamsc124f4f2015-09-15 14:41:29 -050060
Brad Bishopd7bf8c12018-02-25 22:55:05 -050061 self.output_log = output_log
Patrick Williamsc124f4f2015-09-15 14:41:29 -050062 self.log = logging.getLogger("utils.commands")
63
64 def run(self):
65 self.process = subprocess.Popen(self.cmd, **self.options)
66
Brad Bishopd7bf8c12018-02-25 22:55:05 -050067 def readThread(output, stream, logfunc):
68 if logfunc:
69 for line in stream:
70 output.append(line)
71 logfunc(line.decode("utf-8", errors='replace').rstrip())
72 else:
73 output.append(stream.read())
Patrick Williamsc124f4f2015-09-15 14:41:29 -050074
Brad Bishopd7bf8c12018-02-25 22:55:05 -050075 def readStderrThread():
76 readThread(self._error_chunks, self.process.stderr, self.output_log.error if self.output_log else None)
77
78 def readStdoutThread():
79 readThread(self._output_chunks, self.process.stdout, self.output_log.info if self.output_log else None)
80
81 def writeThread():
82 try:
83 self.process.stdin.write(self.data)
84 self.process.stdin.close()
85 except OSError as ex:
86 # It's not an error when the command does not consume all
87 # of our data. subprocess.communicate() also ignores that.
88 if ex.errno != EPIPE:
89 raise
90
91 # We write in a separate thread because then we can read
92 # without worrying about deadlocks. The additional thread is
93 # expected to terminate by itself and we mark it as a daemon,
94 # so even it should happen to not terminate for whatever
95 # reason, the main process will still exit, which will then
96 # kill the write thread.
97 if self.data:
Andrew Geisslerd25ed322020-06-27 00:28:28 -050098 thread = threading.Thread(target=writeThread, daemon=True)
99 thread.start()
100 self.threads.append(thread)
Brad Bishopd7bf8c12018-02-25 22:55:05 -0500101 if self.process.stderr:
102 thread = threading.Thread(target=readStderrThread)
103 thread.start()
104 self.threads.append(thread)
105 if self.output_log:
106 self.output_log.info('Running: %s' % self.cmd)
107 thread = threading.Thread(target=readStdoutThread)
108 thread.start()
109 self.threads.append(thread)
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500110
111 self.log.debug("Running command '%s'" % self.cmd)
112
113 if not self.bg:
Brad Bishopd7bf8c12018-02-25 22:55:05 -0500114 if self.timeout is None:
115 for thread in self.threads:
116 thread.join()
117 else:
118 deadline = time.time() + self.timeout
119 for thread in self.threads:
120 timeout = deadline - time.time()
121 if timeout < 0:
122 timeout = 0
123 thread.join(timeout)
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500124 self.stop()
125
126 def stop(self):
Brad Bishopd7bf8c12018-02-25 22:55:05 -0500127 for thread in self.threads:
128 if thread.isAlive():
129 self.process.terminate()
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500130 # let's give it more time to terminate gracefully before killing it
Brad Bishopd7bf8c12018-02-25 22:55:05 -0500131 thread.join(5)
132 if thread.isAlive():
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500133 self.process.kill()
Brad Bishopd7bf8c12018-02-25 22:55:05 -0500134 thread.join()
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500135
Brad Bishopd7bf8c12018-02-25 22:55:05 -0500136 def finalize_output(data):
137 if not data:
138 data = ""
139 else:
140 data = b"".join(data)
141 data = data.decode("utf-8", errors='replace').rstrip()
142 return data
143
144 self.output = finalize_output(self._output_chunks)
145 self._output_chunks = None
146 # self.error used to be a byte string earlier, probably unintentionally.
147 # Now it is a normal string, just like self.output.
148 self.error = finalize_output(self._error_chunks)
149 self._error_chunks = None
150 # At this point we know that the process has closed stdout/stderr, so
151 # it is safe and necessary to wait for the actual process completion.
152 self.status = self.process.wait()
Brad Bishopf86d0552018-12-04 14:18:15 -0800153 self.process.stdout.close()
154 if self.process.stderr:
155 self.process.stderr.close()
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500156
157 self.log.debug("Command '%s' returned %d as exit code." % (self.cmd, self.status))
158 # logging the complete output is insane
159 # bitbake -e output is really big
160 # and makes the log file useless
161 if self.status:
162 lout = "\n".join(self.output.splitlines()[-20:])
163 self.log.debug("Last 20 lines:\n%s" % lout)
164
165
166class Result(object):
167 pass
168
169
Brad Bishop6e60e8b2018-02-01 10:27:11 -0500170def runCmd(command, ignore_status=False, timeout=None, assert_error=True,
Brad Bishopd7bf8c12018-02-25 22:55:05 -0500171 native_sysroot=None, limit_exc_output=0, output_log=None, **options):
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500172 result = Result()
173
Brad Bishop6e60e8b2018-02-01 10:27:11 -0500174 if native_sysroot:
175 extra_paths = "%s/sbin:%s/usr/sbin:%s/usr/bin" % \
176 (native_sysroot, native_sysroot, native_sysroot)
Brad Bishop79641f22019-09-10 07:20:22 -0400177 extra_libpaths = "%s/lib:%s/usr/lib" % \
178 (native_sysroot, native_sysroot)
Brad Bishop6e60e8b2018-02-01 10:27:11 -0500179 nenv = dict(options.get('env', os.environ))
180 nenv['PATH'] = extra_paths + ':' + nenv.get('PATH', '')
Brad Bishop79641f22019-09-10 07:20:22 -0400181 nenv['LD_LIBRARY_PATH'] = extra_libpaths + ':' + nenv.get('LD_LIBRARY_PATH', '')
Brad Bishop6e60e8b2018-02-01 10:27:11 -0500182 options['env'] = nenv
183
Brad Bishopd7bf8c12018-02-25 22:55:05 -0500184 cmd = Command(command, timeout=timeout, output_log=output_log, **options)
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500185 cmd.run()
186
187 result.command = command
188 result.status = cmd.status
189 result.output = cmd.output
Patrick Williamsc0f7c042017-02-23 20:41:17 -0600190 result.error = cmd.error
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500191 result.pid = cmd.process.pid
192
193 if result.status and not ignore_status:
Brad Bishop6e60e8b2018-02-01 10:27:11 -0500194 exc_output = result.output
195 if limit_exc_output > 0:
196 split = result.output.splitlines()
197 if len(split) > limit_exc_output:
198 exc_output = "\n... (last %d lines of output)\n" % limit_exc_output + \
199 '\n'.join(split[-limit_exc_output:])
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500200 if assert_error:
Brad Bishop6e60e8b2018-02-01 10:27:11 -0500201 raise AssertionError("Command '%s' returned non-zero exit status %d:\n%s" % (command, result.status, exc_output))
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500202 else:
Brad Bishop6e60e8b2018-02-01 10:27:11 -0500203 raise CommandError(result.status, command, exc_output)
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500204
205 return result
206
207
Brad Bishopd7bf8c12018-02-25 22:55:05 -0500208def bitbake(command, ignore_status=False, timeout=None, postconfig=None, output_log=None, **options):
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500209
210 if postconfig:
211 postconfig_file = os.path.join(os.environ.get('BUILDDIR'), 'oeqa-post.conf')
212 ftools.write_file(postconfig_file, postconfig)
213 extra_args = "-R %s" % postconfig_file
214 else:
215 extra_args = ""
216
Patrick Williamsc0f7c042017-02-23 20:41:17 -0600217 if isinstance(command, str):
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500218 cmd = "bitbake " + extra_args + " " + command
219 else:
220 cmd = [ "bitbake" ] + [a for a in (command + extra_args.split(" ")) if a not in [""]]
221
222 try:
Brad Bishopd7bf8c12018-02-25 22:55:05 -0500223 return runCmd(cmd, ignore_status, timeout, output_log=output_log, **options)
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500224 finally:
225 if postconfig:
226 os.remove(postconfig_file)
227
228
229def get_bb_env(target=None, postconfig=None):
230 if target:
231 return bitbake("-e %s" % target, postconfig=postconfig).output
232 else:
233 return bitbake("-e", postconfig=postconfig).output
234
Patrick Williamsc0f7c042017-02-23 20:41:17 -0600235def get_bb_vars(variables=None, target=None, postconfig=None):
236 """Get values of multiple bitbake variables"""
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500237 bbenv = get_bb_env(target, postconfig=postconfig)
Patrick Williamsc0f7c042017-02-23 20:41:17 -0600238
Brad Bishop6e60e8b2018-02-01 10:27:11 -0500239 if variables is not None:
Brad Bishop316dfdd2018-06-25 12:45:53 -0400240 variables = list(variables)
Brad Bishop6e60e8b2018-02-01 10:27:11 -0500241 var_re = re.compile(r'^(export )?(?P<var>\w+(_.*)?)="(?P<value>.*)"$')
Patrick Williamsc0f7c042017-02-23 20:41:17 -0600242 unset_re = re.compile(r'^unset (?P<var>\w+)$')
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500243 lastline = None
Patrick Williamsc0f7c042017-02-23 20:41:17 -0600244 values = {}
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500245 for line in bbenv.splitlines():
Patrick Williamsc0f7c042017-02-23 20:41:17 -0600246 match = var_re.match(line)
247 val = None
248 if match:
249 val = match.group('value')
250 else:
251 match = unset_re.match(line)
252 if match:
253 # Handle [unexport] variables
254 if lastline.startswith('# "'):
255 val = lastline.split('"')[1]
256 if val:
257 var = match.group('var')
258 if variables is None:
259 values[var] = val
260 else:
261 if var in variables:
262 values[var] = val
263 variables.remove(var)
264 # Stop after all required variables have been found
265 if not variables:
266 break
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500267 lastline = line
Patrick Williamsc0f7c042017-02-23 20:41:17 -0600268 if variables:
269 # Fill in missing values
270 for var in variables:
271 values[var] = None
272 return values
273
274def get_bb_var(var, target=None, postconfig=None):
275 return get_bb_vars([var], target, postconfig)[var]
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500276
277def get_test_layer():
278 layers = get_bb_var("BBLAYERS").split()
279 testlayer = None
280 for l in layers:
281 if '~' in l:
282 l = os.path.expanduser(l)
283 if "/meta-selftest" in l and os.path.isdir(l):
284 testlayer = l
285 break
286 return testlayer
287
288def create_temp_layer(templayerdir, templayername, priority=999, recipepathspec='recipes-*/*'):
289 os.makedirs(os.path.join(templayerdir, 'conf'))
290 with open(os.path.join(templayerdir, 'conf', 'layer.conf'), 'w') as f:
291 f.write('BBPATH .= ":${LAYERDIR}"\n')
292 f.write('BBFILES += "${LAYERDIR}/%s/*.bb \\' % recipepathspec)
293 f.write(' ${LAYERDIR}/%s/*.bbappend"\n' % recipepathspec)
294 f.write('BBFILE_COLLECTIONS += "%s"\n' % templayername)
295 f.write('BBFILE_PATTERN_%s = "^${LAYERDIR}/"\n' % templayername)
296 f.write('BBFILE_PRIORITY_%s = "%d"\n' % (templayername, priority))
297 f.write('BBFILE_PATTERN_IGNORE_EMPTY_%s = "1"\n' % templayername)
Brad Bishop316dfdd2018-06-25 12:45:53 -0400298 f.write('LAYERSERIES_COMPAT_%s = "${LAYERSERIES_COMPAT_core}"\n' % templayername)
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500299
300@contextlib.contextmanager
Brad Bishop6e60e8b2018-02-01 10:27:11 -0500301def runqemu(pn, ssh=True, runqemuparams='', image_fstype=None, launch_cmd=None, qemuparams=None, overrides={}, discard_writes=True):
302 """
303 launch_cmd means directly run the command, don't need set rootfs or env vars.
304 """
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500305
306 import bb.tinfoil
307 import bb.build
308
Brad Bishopd7bf8c12018-02-25 22:55:05 -0500309 # Need a non-'BitBake' logger to capture the runner output
310 targetlogger = logging.getLogger('TargetRunner')
311 targetlogger.setLevel(logging.DEBUG)
312 handler = logging.StreamHandler(sys.stdout)
313 targetlogger.addHandler(handler)
314
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500315 tinfoil = bb.tinfoil.Tinfoil()
Brad Bishop6e60e8b2018-02-01 10:27:11 -0500316 tinfoil.prepare(config_only=False, quiet=True)
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500317 try:
318 tinfoil.logger.setLevel(logging.WARNING)
319 import oeqa.targetcontrol
Andrew Geissler82c905d2020-04-13 13:39:40 -0500320 recipedata = tinfoil.parse_recipe(pn)
321 recipedata.setVar("TEST_LOG_DIR", "${WORKDIR}/testimage")
322 recipedata.setVar("TEST_QEMUBOOT_TIMEOUT", "1000")
Brad Bishop6e60e8b2018-02-01 10:27:11 -0500323 # Tell QemuTarget() whether need find rootfs/kernel or not
324 if launch_cmd:
Andrew Geissler82c905d2020-04-13 13:39:40 -0500325 recipedata.setVar("FIND_ROOTFS", '0')
Brad Bishop6e60e8b2018-02-01 10:27:11 -0500326 else:
Andrew Geissler82c905d2020-04-13 13:39:40 -0500327 recipedata.setVar("FIND_ROOTFS", '1')
Brad Bishop6e60e8b2018-02-01 10:27:11 -0500328
Brad Bishop6e60e8b2018-02-01 10:27:11 -0500329 for key, value in overrides.items():
330 recipedata.setVar(key, value)
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500331
Brad Bishop6e60e8b2018-02-01 10:27:11 -0500332 logdir = recipedata.getVar("TEST_LOG_DIR")
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500333
Brad Bishopd7bf8c12018-02-25 22:55:05 -0500334 qemu = oeqa.targetcontrol.QemuTarget(recipedata, targetlogger, image_fstype)
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500335 finally:
336 # We need to shut down tinfoil early here in case we actually want
337 # to run tinfoil-using utilities with the running QEMU instance.
338 # Luckily QemuTarget doesn't need it after the constructor.
339 tinfoil.shutdown()
340
341 try:
342 qemu.deploy()
343 try:
Brad Bishop6e60e8b2018-02-01 10:27:11 -0500344 qemu.start(params=qemuparams, ssh=ssh, runqemuparams=runqemuparams, launch_cmd=launch_cmd, discard_writes=discard_writes)
Brad Bishop79641f22019-09-10 07:20:22 -0400345 except Exception as e:
Brad Bishop08902b02019-08-20 09:16:51 -0400346 msg = str(e) + '\nFailed to start QEMU - see the logs in %s' % logdir
Brad Bishopf86d0552018-12-04 14:18:15 -0800347 if os.path.exists(qemu.qemurunnerlog):
348 with open(qemu.qemurunnerlog, 'r') as f:
349 msg = msg + "Qemurunner log output from %s:\n%s" % (qemu.qemurunnerlog, f.read())
350 raise Exception(msg)
Patrick Williamsc124f4f2015-09-15 14:41:29 -0500351
352 yield qemu
353
354 finally:
Brad Bishopf86d0552018-12-04 14:18:15 -0800355 targetlogger.removeHandler(handler)
Andrew Geissler4ed12e12020-06-05 18:00:41 -0500356 qemu.stop()
Patrick Williamsc0f7c042017-02-23 20:41:17 -0600357
358def updateEnv(env_file):
359 """
360 Source a file and update environment.
361 """
362
363 cmd = ". %s; env -0" % env_file
364 result = runCmd(cmd)
365
366 for line in result.output.split("\0"):
367 (key, _, value) = line.partition("=")
368 os.environ[key] = value