3 # adt-run is part of autopkgtest
4 # autopkgtest is a tool for testing Debian binary packages
6 # autopkgtest is Copyright (C) 2006-2007 Canonical Ltd.
8 # This program is free software; you can redistribute it and/or modify
9 # it under the terms of the GNU General Public License as published by
10 # the Free Software Foundation; either version 2 of the License, or
11 # (at your option) any later version.
13 # This program is distributed in the hope that it will be useful,
14 # but WITHOUT ANY WARRANTY; without even the implied warranty of
15 # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
16 # GNU General Public License for more details.
18 # You should have received a copy of the GNU General Public License
19 # along with this program; if not, write to the Free Software
20 # Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA.
22 # See the file CREDITS for a full list of credits information (often
23 # installed as /usr/share/doc/autopkgtest/CREDITS).
40 from optparse import OptionParser
41 signal.signal(signal.SIGINT, signal.SIG_DFL) # undo stupid Python SIGINT thing
43 #---------- global variables
45 tmpdir = None # pathstring on host
46 testbed = None # Testbed
47 errorcode = 0 # exit status that we are going to use
48 timeouts = { 'short':10, 'install':300, 'test':300, 'build':3000 }
49 binaries = None # Binaries (.debs we have registered)
50 build_essential = ["build-essential"]
52 #---------- output handling
54 # There are at least the following kinds of output:
56 # 1. stderr output which consists of
58 # 1b. stuff printed to stderr by the virtualisation server
59 # 1c. stuff printed to stderr by our short-lived subprocesseses
60 # which we don't expect to fail
62 # 2. trace information, which consists of
63 # 2a. our trace information from calls to debug()
64 # 2b. progress information and stderr output from
65 # general scripts we run on the host
66 # 2c. progress information and stderr output from things
67 # we run on the testbed including builds
68 # 2d. stderr and stdout output from actual tests
71 # 3. actual test results (printed to our stdout)
73 # Cloning of 1a and 2a, where necessary, is done by us writing
74 # the data twice. Cloning of 1[bc] and 2[bc], where necessary,
75 # is done by forking off a copy of ourselves to do plumbing,
76 # which copy we wait for at the appropriate point.
79 def __init__(do): do.debuglevel = 0
87 if trace_stream is not None: print >>trace_stream, m
89 def debug(m, minlevel=0):
90 if opts.debuglevel < minlevel: return
91 if opts.quiet and trace_stream is None: return
93 if minlevel: p += `minlevel`
95 for l in m.rstrip('\n').split('\n'):
97 if not opts.quiet: print >>sys.stderr, s
98 if trace_stream is not None: print >>trace_stream, s
100 def debug_file(hp, minlevel=0):
101 if opts.debuglevel < minlevel: return
102 def do_copy(stream, what):
103 rc = subprocess.call(['cat',hp], stdout=stream)
104 if rc: bomb('cat failed copying data from %s'
105 ' to %s, exit code %d' % (hp, what, rc))
106 if not opts.quiet: do_copy(sys.stderr, 'stderr')
107 if trace_stream is not None: do_copy(trace_stream, 'trace log')
110 def __init__(ep, critical=False):
111 to_stderr = critical or not opts.quiet
112 count = to_stderr + (trace_stream is not None)
114 ep.stream = open('/dev/null','w')
117 if to_stderr: ep.stream = sys.stderr
118 else: ep.stream = trace_stream
121 ep._sp = subprocess.Popen(['tee','-a','/dev/stderr'],
122 stdin=subprocess.PIPE, stdout=trace_stream,
124 ep.stream = ep._sp.stdin
126 if ep._sp is None: return
129 if rc: bomb('stderr plumbing tee(1) failed, exit code %d' % rc)
132 def subprocess_cooked(cmdl, critical=False, dbg=None, **kwargs):
134 if isinstance(dbg,tuple): (what,script) = dbg
135 else: (what,script) = (dbg,None)
136 debug_subprocess(what, cmdl, script=script)
137 ep = Errplumb(critical)
138 running = subprocess.Popen(cmdl, stderr=ep.stream, **kwargs)
139 output = running.communicate()[0]
145 if summary_stream is not None: print >>summary_stream, m
150 if trace_stream is not None: print >>trace_stream, m
153 def report(tname, result):
154 preport('%-20s %s' % (tname, result))
156 #---------- errors we define
159 def __init__(q,ec,m): q.ec = ec; q.m = m
162 raise Quit(20, "unexpected error: %s" % m)
165 preport('blame: ' + ' '.join(testbed.blamed))
166 preport('badpkg: ' + m)
167 raise Quit(12, "erroneous package: %s" % m)
170 def __init__(u, lno, m):
171 if lno >= 0: u.m = '%s (control line %d)' % (m, lno)
173 def report(u, tname):
176 report(tname, 'SKIP %s' % u.m)
178 #---------- convenience function
180 def mkdir_okexist(pathname, mode=02755):
182 os.mkdir(pathname, mode)
184 if oe.errno != errno.EEXIST: raise
186 def rmtree(what, pathname):
187 debug('/ %s rmtree %s' % (what, pathname), 2)
188 shutil.rmtree(pathname)
190 def debug_subprocess(what, cmdl=None, script=None):
195 if x is script: x = '<SCRIPT>'
196 ol.append(x. replace('\\','\\\\').
198 o += ' '+ ' '.join(ol)
200 if script is not None and opts.debuglevel >= 1:
202 for l in script.rstrip('\n').split('\n'):
207 return reduce((lambda a,b: a + b), l, [])
209 #---------- fancy automatic file-copying class
213 # p.path[tb] None or path not None => path known
214 # p.file[tb] None or path not None => file exists
215 # p.spec string or None
216 # p.spec_tbp True or False, or not set if spec is None
219 def __init__(p, what):
227 return "<AF@%s>" % p.__str__()
230 if p.path[tbp] is None: return '-'+p.dir
231 elif p.file[tbp] is None: return p.path[tbp]+p.dir+'?'
232 else: return p.path[tbp]+p.dir+'!'
234 if p.spec is not None:
235 if not hasattr(p,'spec_tb'): out += '~'
236 elif p.spec_tbp: out += '#'
247 if p.spec is not None:
248 xtra = ' spec[%s]=%s' % (p.spec, getattr(p,'spec_tb',None))
249 raise ("internal error: %s (%s)" % (how, str(p)))
251 def _ensure_path(p, tbp):
252 if p.path[tbp] is None:
254 p._debug('tmp-parent %s...' % 'HT'[tbp])
255 TemporaryDir(os.path.dirname(p.what)).write(tbp)
257 p.path[tbp] = tmpdir+'/'+p.what
259 p.path[tbp] = testbed.scratch.path[True]+'/'+p.what
261 def write(p, tbp=False):
262 p._debug('write %s...' % 'HT'[tbp])
265 if p.dir and not p.file[tbp]:
268 mkdir_okexist(p.path[tbp])
271 'test -d "$1" || mkdir -p "$1"',
273 tf_what = urllib.quote(p.what).replace('/','%2F')
274 rc = testbed.execute('mkdir-'+tf_what, cmdl)
275 if rc: bomb('failed to create directory %s' %
278 p.file[tbp] = p.path[tbp]
281 def read(p, tbp=False):
282 p._debug('read %s...' % 'HT'[tbp])
285 if p.file[tbp] is None:
286 if p.file[not tbp] is None:
287 p._wrong("requesting read but nonexistent")
288 cud = ['copyup','copydown'][tbp]
289 src = p.file[not tbp] + p.dir
290 dst = p.path[tbp] + p.dir
291 testbed.command(cud, (src, dst))
292 p.file[tbp] = p.path[tbp]
294 return p.file[tbp] + p.dir
296 def invalidate(p, tbp=False):
298 p._debug('invalidated %s' % 'HT'[tbp])
301 debug('/ %s#%x: %s' % (p.what, id(p), m), 3)
304 p._debug('constructed: '+str(p))
308 for tbp in [False,True]:
309 for pf in [p.path, p.file]:
310 if pf[tbp] is None: continue
311 if not pf[tbp]: bomb('empty path specified for %s' % p.what)
312 if p.dir and pf[tbp].endswith('/'):
313 pf[tbp] = pf[tbp].rstrip('/')
314 if not pf[tbp]: pf[tbp] = '/'
315 if not p.dir and pf[tbp].endswith('/'):
316 bomb("directory `%s' specified for "
317 "non-directory %s" % (pf[tbp], p.what))
319 def _relative_init(p, what, parent, leaf, onlyon_tbp, setfiles, sibling):
320 AutoFile.__init__(p,what)
321 sh_on = ''; sh_sibl = ''
322 if onlyon_tbp is not None: sh_on = ' (on %s)' % ('HT'[onlyon_tbp])
323 if sibling: sh_sibl=' (sibling)'
324 parent._debug('using as base: %s: %s%s%s' %
325 (str(parent), leaf, sh_on, sh_sibl))
326 if not sibling and not parent.dir:
327 parent._wrong('asked for non-sibling relative path of non-dir')
328 if sibling: trim = os.path.dirname
329 else: trim = lambda x: x
330 for tbp in [False,True]:
331 if parent.path[tbp] is None: continue
332 trimmed = trim(parent.path[tbp])
333 if trimmed: trimmed += '/'
334 p.path[tbp] = trimmed + leaf
335 if setfiles and (onlyon_tbp is None or onlyon_tbp == tbp):
336 p.file[tbp] = p.path[tbp]
338 class InputFile(AutoFile):
339 def _init(p, what, spec, spec_tbp=False):
340 AutoFile.__init__(p, what)
342 p.spec_tbp = spec_tbp
343 p.path[spec_tbp] = spec
344 p.file[p.spec_tbp] = p.path[p.spec_tbp]
345 def __init__(p, what, spec, spec_tbp=False):
346 p._init(what,spec,spec_tbp)
349 class InputDir(InputFile):
350 def __init__(p, what, spec, spec_tbp=False):
351 InputFile._init(p,what,spec,spec_tbp)
355 class OutputFile(AutoFile):
356 def _init(p, what, spec, spec_tbp=False):
357 AutoFile.__init__(p, what)
359 p.spec_tbp = spec_tbp
360 p.path[spec_tbp] = spec
361 def __init__(p, what, spec, spec_tbp=False):
362 p._init(what,spec,spec_tbp)
365 class OutputDir(OutputFile):
366 def __init__(p, what, spec, spec_tbp=False):
367 OutputFile._init(p,what,spec,spec_tbp)
371 class RelativeInputFile(AutoFile):
372 def __init__(p, what, parent, leaf, onlyon_tbp=None, sibling=False):
373 p._relative_init(what, parent, leaf, onlyon_tbp, True, sibling)
376 class RelativeOutputFile(AutoFile):
377 def __init__(p, what, parent, leaf, sibling=False):
378 p._relative_init(what, parent, leaf, None, False, sibling)
381 class TemporaryFile(AutoFile):
382 def __init__(p, what):
383 AutoFile.__init__(p, what)
386 class TemporaryDir(AutoFile):
387 def __init__(p, what):
388 AutoFile.__init__(p, what)
392 #---------- parsing and representation of the arguments
395 def __init__(a, kind, af, arghandling, what):
396 # extra attributes get added during processing
401 a.missing_tests_control = False
403 return "<Action %s %s %s>" % (a.kind, a.what, `a.af`)
407 global n_non_actions # argh, stupid python scoping rules
408 usage = "%prog <options> --- <virt-server>..."
409 parser = OptionParser(usage=usage)
410 pa = parser.add_option
411 pe = parser.add_option
416 'deb_forbuilds': 'auto',
417 'deb_fortests': 'auto',
419 'override_control': None
421 initial_arghandling = arghandling.copy()
425 # actions (ie, test sets to run, sources to build, binaries to use):
427 def cb_action(op,optstr,value,parser, long,kindpath,is_act):
429 parser.largs.append((value,kindpath))
430 n_non_actions += not(is_act)
432 def pa_action(long, metavar, kindpath, help, is_act=True):
433 pa('','--'+long, action='callback', callback=cb_action,
434 nargs=1, type='string',
435 callback_args=(long,kindpath,is_act), help=help)
437 pa_action('built-tree', 'TREE', '@/',
438 help='run tests from build tree TREE')
440 pa_action('unbuilt-tree', 'TREE', '@//',
441 help='run tests from build tree TREE')
443 pa_action('source', 'DSC', '@.dsc',
444 help='build DSC and use its tests and/or'
445 ' generated binary packages')
447 pa_action('binary', 'DEB', '@.deb',
448 help='use binary package DEB according'
449 ' to most recent --binaries-* settings')
451 def cb_actnoarg(op,optstr,value,parser, largsentry):
452 parser.largs.append(largsentry)
453 pa('','--instantiate', action='callback', callback=cb_actnoarg,
454 callback_args=((None, ('instantiate',)),),
455 help='instantiate testbed now (during testing phase)'
456 ' and install packages'
457 ' selected for automatic installation, even'
458 ' if this might apparently not be required otherwise')
460 pa_action('override-control', 'CONTROL', ('control',), is_act=0,
461 help='run tests from control file CONTROL instead,'
462 ' (applies to next test suite only)')
465 # argument handling settings (what ways to use action
466 # arguments, and pathname processing):
468 def cb_setah(option, opt_str, value, parser, toset,setval):
469 if type(setval) == list:
470 if not value in setval:
471 parser.error('value for %s option (%s) is not '
472 'one of the permitted values (%s)' %
473 (value, opt_str, setval.join(' ')))
474 elif setval is not None:
477 arghandling[v] = value
478 parser.largs.append(arghandling.copy())
480 def pa_setah(long, affected,effect, metavar=None, **kwargs):
482 if type is not None: type = 'string'
483 pa('',long, action='callback', callback=cb_setah,
484 callback_args=(affected,effect), **kwargs)
486 #---- paths: host or testbed:
488 pa_setah('--paths-testbed', ['tb'],True,
489 help='subsequent path specifications refer to the testbed')
490 pa_setah('--paths-host', ['tb'],False,
491 help='subsequent path specifications refer to the host')
493 #---- source processing settings:
495 pa_setah('--sources-tests', ['dsc_tests'],True,
496 help='run tests from builds of subsequent sources')
497 pa_setah('--sources-no-tests', ['dsc_tests'],False,
498 help='do not run tests from builds of subsequent sources')
500 pa_setah('--built-binaries-filter', ['dsc_filter'],None,
501 type='string', metavar='PATTERN-LIST',
502 help='from subsequent sources, use binaries matching'
503 ' PATTERN-LIST (comma-separated glob patterns)'
504 ' according to most recent --binaries-* settings')
505 pa_setah('--no-built-binaries', ['dsc_filter'], '_',
506 help='from subsequent sources, do not use any binaries')
508 #---- binary package processing settings:
510 def pa_setahbins(long,toset,how):
511 pa_setah(long, toset,['ignore','auto','install'],
512 type='string', metavar='IGNORE|AUTO|INSTALL', default='auto',
513 help=how+' ignore binaries, install them as needed'
514 ' for dependencies, or unconditionally install'
515 ' them, respectively')
516 pa_setahbins('--binaries', ['deb_forbuilds','deb_fortests'], '')
517 pa_setahbins('--binaries-forbuilds', ['deb_forbuilds'], 'for builds, ')
518 pa_setahbins('--binaries-fortests', ['deb_fortests'], 'for tests, ')
523 def cb_vserv(op,optstr,value,parser):
524 parser.values.vserver = list(parser.rargs)
527 def cb_path(op,optstr,value,parser, constructor,long,dir):
528 name = long.replace('-','_')
529 af = constructor(long, value,arghandling['tb'])
530 setattr(parser.values, name, af)
532 def pa_path(long, constructor, help, dir=False):
533 pa('','--'+long, action='callback', callback=cb_path,
534 callback_args=(constructor,long,dir),
535 nargs=1, type='string',
536 help=help, metavar='PATH')
538 pa_path('output-dir', OutputDir, dir=True,
539 help='write stderr/out files in PATH')
541 pa('','--tmp-dir', type='string', dest='tmpdir',
542 help='write temporary files to TMPDIR, emptying it'
543 ' beforehand and leaving it behind at the end')
544 pa('','--log-file', type='string', dest='logfile',
545 help='write the log LOGFILE, emptying it beforehand,'
546 ' instead of using OUTPUT-DIR/log or TMPDIR/log')
547 pa('','--summary-file', type='string', dest='summary',
548 help='write a summary report to SUMMARY,'
549 ' emptying it beforehand')
551 pa('','--user', type='string', dest='user',
552 help='run tests as USER (needs root on testbed)')
553 pa('','--gain-root', type='string', dest='gainroot',
554 help='prefix debian/rules binary with GAINROOT')
555 pa('-q', '--quiet', action='store_false', dest='quiet', default=False);
556 pa('-d', '--debug', action='count', dest='debuglevel', default=0);
557 pa('','--gnupg-home', type='string', dest='gnupghome',
558 default='~/.autopkgtest/gpg',
559 help='use GNUPGHOME rather than ~/.autopkgtest (for'
560 " signing private apt archive);"
561 " `fresh' means generate new key each time.")
566 class SpecialOption(optparse.Option): pass
567 vs_op = SpecialOption('','--VSERVER-DUMMY')
568 vs_op.action = 'callback'
572 vs_op.callback = cb_vserv
573 vs_op.callback_args = ( )
574 vs_op.callback_kwargs = { }
575 vs_op.help = 'introduces virtualisation server and args'
576 vs_op._short_opts = []
577 vs_op._long_opts = ['---']
581 (opts,args) = parser.parse_args()
582 if not hasattr(opts,'vserver'):
583 parser.error('you must specifiy --- <virt-server>...')
584 if n_non_actions >= len(parser.largs):
585 parser.error('nothing to do specified')
587 arghandling = initial_arghandling
591 if type(act) == dict:
594 elif type(act) == tuple:
596 elif type(act) == str:
599 raise ("unknown action in list `%s' having"
600 " type `%s'" % (act, type(act)))
601 (pathstr, kindpath) = act
603 constructor = InputFile
604 if type(kindpath) is tuple: kind = kindpath[0]
605 elif kindpath.endswith('.deb'): kind = 'deb'
606 elif kindpath.endswith('.dsc'): kind = 'dsc'
607 elif kindpath.endswith('//'):
609 constructor = InputDir
610 elif kindpath.endswith('/'):
612 constructor = InputDir
613 else: parser.error("do not know how to handle filename \`%s';"
614 " specify --source --binary or --build-tree")
616 what = '%s%s' % (kind,ix); ix += 1
618 if kind == 'dsc': fwhatx = '/' + os.path.basename(pathstr)
619 else: fwhatx = '-'+kind
621 if pathstr is None: af = None
622 else: af = constructor(what+fwhatx, pathstr, arghandling['tb'])
623 opts.actions.append(Action(kind, af, arghandling, what))
626 global trace_stream, tmpdir, summary_stream
628 if opts.tmpdir is not None:
629 rmtree('tmpdir(specified)',opts.tmpdir)
630 mkdir_okexist(opts.tmpdir, 0700)
633 assert(tmpdir is None)
634 tmpdir = tempfile.mkdtemp()
636 if opts.logfile is None:
637 if opts.output_dir is not None and opts.output_dir.spec_tbp:
638 opts.logfile = opts.output_dir.spec + '/log'
639 elif opts.tmpdir is not None:
640 opts.logfile = opts.tmpdir + '/log'
641 if opts.logfile is not None:
642 trace_stream = open(opts.logfile, 'w', 0)
643 if opts.summary is not None:
644 summary_stream = open(opts.summary, 'w', 0)
646 debug('options: '+`opts`, 1)
648 def finalise_options():
649 global opts, tb, build_essential
651 if opts.user is None and 'root-on-testbed' not in testbed.caps:
654 if opts.user is None:
655 su = 'suggested-normal-user='
658 for e in testbed.caps
667 if 'root-on-testbed' not in testbed.caps:
668 pstderr("warning: virtualisation"
669 " system does not offer root on testbed,"
670 " but --user option specified: failure likely")
671 opts.user_wrap = lambda x: "su %s -c '%s'" % (opts.user, x)
673 opts.user_wrap = lambda x: x
675 if opts.gainroot is None:
678 'root-on-testbed' not in testbed.caps):
679 opts.gainroot = 'fakeroot'
680 build_essential += ['fakeroot']
682 if opts.gnupghome.startswith('~/'):
683 try: home = os.environ['HOME']
685 parser.error("HOME environment variable"
686 " not set, needed for --gnupghome=`%s"
688 opts.gnupghome = home + opts.gnupghome[1:]
689 elif opts.gnupghome == 'fresh':
690 opts.gnupghome = None
692 #---------- testbed management - the Testbed class
703 tb._need_reset_apt = False
704 def _debug(tb, m, minlevel=0):
705 debug('** '+m, minlevel)
709 debug_subprocess('vserver', opts.vserver)
710 tb._errplumb = Errplumb(True)
711 tb.sp = subprocess.Popen(opts.vserver,
712 stdin=p, stdout=p, stderr=tb._errplumb.stream)
714 tb.caps = tb.commandr('capabilities')
718 if tb.sp is None: return
719 ec = tb.sp.returncode
726 tb.bomb('testbed gave exit status %d after quit' % ec)
729 tb._debug('open, scratch=%s' % tb.scratch)
730 if tb.scratch is not None: return
731 pl = tb.commandr('open')
732 tb.scratch = InputDir('tb-scratch', pl[0], True)
733 tb.deps_processed = []
734 def mungeing_apt(tb):
735 if not 'revert' in tb.caps:
736 tb._need_reset_apt = True
738 if not tb._need_reset_apt: return
739 what = 'aptget-update-reset'
740 cmdl = ['apt-get','-qy','update']
741 rc = tb.execute(what, cmdl, kind='install')
743 pstderr("\n" "warning: failed to restore"
744 " testbed apt cache, exit code %d" % rc)
745 tb._need_reset_apt = False
747 tb._debug('close, scratch=%s' % tb.scratch)
748 if tb.scratch is None: return
750 if tb.sp is None: return
752 def prepare1(tb, deps_new):
753 tb._debug('prepare1, modified=%s, deps_processed=%s, deps_new=%s' %
754 (tb.modified, tb.deps_processed, deps_new), 1)
755 if 'revert' in tb.caps and (tb.modified or
756 [d for d in tb.deps_processed if d not in deps_new]):
757 for af in tb._ephemeral: af.read(False)
758 tb._debug('reset **')
761 for af in tb._ephemeral: af.invalidate(True)
763 def prepare2(tb, deps_new):
764 tb._debug('prepare2, deps_new=%s' % deps_new, 1)
766 tb._install_deps(deps_new)
767 def prepare(tb, deps_new):
768 tb.prepare1(deps_new)
769 tb.prepare2(deps_new)
770 def register_ephemeral(tb, af):
771 tb._ephemeral.append(af)
772 def _install_deps(tb, deps_new):
773 tb._debug(' installing dependencies '+`deps_new`, 1)
774 tb.deps_processed = deps_new
775 if not deps_new: return
776 dstr = ', '.join(deps_new)
777 script = binaries.apt_pkg_gdebi_script(
779 'from GDebi.DebPackage import DebPackage',
780 'd = DebPackage(cache)',
781 'res = d.satisfyDependsStr(arg)',
783 cmdl = ['python','-c',script]
784 what = 'install-deps'
785 rc = testbed.execute(what+'-debinstall', cmdl, script=script,
787 if rc: badpkg('dependency install failed, exit code %d' % rc)
789 tb._debug('needs_reset, previously=%s' % tb.modified, 1)
792 tb._debug('blame += %s' % m, 1)
795 tb._debug('bomb %s' % m)
796 if tb.sp is not None:
800 if ec: pstderr('adt-run: testbed failing,'
801 ' exit status %d' % ec)
803 raise Quit(16, 'testbed failed: %s' % m)
804 def send(tb, string):
807 debug('>> '+string, 2)
808 print >>tb.sp.stdin, string
812 (type, value, dummy) = sys.exc_info()
813 tb.bomb('cannot send to testbed: %s' % traceback.
814 format_exception_only(type, value))
815 def expect(tb, keyword, nresults=None):
816 l = tb.sp.stdout.readline()
817 if not l: tb.bomb('unexpected eof from the testbed')
818 if not l.endswith('\n'): tb.bomb('unterminated line from the testbed')
822 if not ll: tb.bomb('unexpected whitespace-only line from the testbed')
824 if tb.lastsend is None:
825 tb.bomb("got banner `%s', expected `%s...'" %
828 tb.bomb("sent `%s', got `%s', expected `%s...'" %
829 (tb.lastsend, l, keyword))
831 if nresults is not None and len(ll) != nresults:
832 tb.bomb("sent `%s', got `%s' (%d result parameters),"
833 " expected %d result parameters" %
834 (string, l, len(ll), nresults))
836 def commandr(tb, cmd, args=(), nresults=None):
837 # pass args=[None,...] or =(None,...) to avoid more url quoting
838 if type(cmd) is str: cmd = [cmd]
839 if len(args) and args[0] is None: args = args[1:]
840 else: args = map(urllib.quote, args)
842 tb.send(string.join(al))
843 ll = tb.expect('ok', nresults)
844 rl = map(urllib.unquote, ll)
846 def command(tb, cmd, args=()):
847 tb.commandr(cmd, args, 0)
848 def commandr1(tb, cmd, args=()):
849 rl = tb.commandr(cmd, args, 1)
851 def execute(tb, what, cmdl,
852 si='/dev/null', so='/dev/null', se=None, cwd=None,
853 script=False, tmpdir=None, kind='short'):
854 # Options for script:
855 # False - do not call debug_subprocess, no synch. reporting required
856 # None or string - call debug_subprocess with that value,
857 # plumb stderr through synchronously if possible
859 # None - usual Errplumb (output is of kind 2c)
860 # string - path on testbed (output is of kind 2d)
862 timeout = timeouts[kind]
864 if script is not False: debug_subprocess(what, cmdl, script=script)
865 if cwd is None: cwd = tb.scratch.write(True)
870 se_catch = TemporaryFile(what+'-xerr')
871 se_use = se_catch.write(True)
872 if not opts.quiet: xdump = 'debug=2-2'
873 elif trace_stream is not None:
874 xdump = 'debug=2-%d' % trace_stream.fileno()
881 ','.join(map(urllib.quote, cmdl)),
884 if timeout is not None and timeout > 0:
885 cmdl.append('timeout=%d' % timeout)
887 if xdump is not None and 'execute-debug' in tb.caps: cmdl += [xdump]
888 if tmpdir is not None: cmdl.append('env=TMPDIR=%s' % tmpdir)
889 if kind=='install': cmdl.append('env=DEBIAN_FRONTEND=noninteractive')
891 rc = tb.commandr1('execute', cmdl)
893 except ValueError: bomb("execute for %s gave invalid response `%s'"
896 if se_catch is not None:
897 debug_file(se_catch.read())
903 #---------- representation of test control files: Field*, Test, etc.
906 def __init__(f, fname, stz, base, tnames, vl):
916 r = map((lambda w: (lno, w)), r)
918 return flatten(map(distribute, f.vl))
923 raise Unsupported(f.vl[1][0],
924 'only one %s field allowed' % fn)
927 class FieldIgnore(FieldBase):
931 def __init__(r,rname,base): pass
933 class Restriction_rw_build_tree(Restriction): pass
934 class Restriction_breaks_testbed(Restriction):
935 def __init__(r, rname, base):
936 if 'revert' not in testbed.caps:
937 raise Unsupported(f.lno,
938 'Test breaks testbed but testbed cannot revert')
939 class Restriction_needs_root(Restriction):
940 def __init__(r, rname, base):
941 if 'root-on-testbed' not in testbed.caps:
942 raise Unsupported(f.lno,
943 'Test needs root on testbed which is not available')
945 class Field_Restrictions(FieldBase):
947 for wle in f.words():
949 nrname = rname.replace('-','_')
950 try: rclass = globals()['Restriction_'+nrname]
951 except KeyError: raise Unsupported(lno,
952 'unknown restriction %s' % rname)
953 r = rclass(nrname, f.base)
954 f.base['restriction_names'].append(rname)
955 f.base['restrictions'].append(r)
957 class Field_Features(FieldIgnore):
959 for wle in f.words():
961 f.base['feature_names'].append(fname)
962 nfname = fname.replace('-','_')
963 try: fclass = globals()['Feature_'+nfname]
964 except KeyError: continue
965 ft = fclass(nfname, f.base)
966 f.base['features'].append(ft)
968 class Field_Tests(FieldIgnore): pass
970 class Field_Depends(FieldBase):
972 print >>sys.stderr, "Field_Depends:", `f.stz`, `f.base`, `f.tnames`, `f.vl`
973 dl = map(lambda x: x.strip(),
974 flatten(map(lambda (lno, v): v.split(','), f.vl)))
975 re = regexp.compile('[^-.+:~0-9a-z()<>=*@]')
978 badpkg("Test Depends field contains dependency"
979 " `%s' with invalid characters" % d)
980 f.base['depends'] = dl
982 class Field_Tests_directory(FieldBase):
985 if td.startswith('/'): raise Unspported(f.lno,
986 'Tests-Directory may not be absolute')
987 f.base['testsdir'] = td
989 def run_tests(stanzas, tree):
990 global errorcode, testbed
992 report('*', 'SKIP no tests in this package')
994 for stanza in stanzas:
995 tests = stanza[' tests']
997 report('*', 'SKIP package has metadata but no tests')
1002 if 'breaks-testbed' in t.restriction_names:
1003 testbed.needs_reset()
1004 testbed.needs_reset()
1007 def __init__(t, tname, base, act):
1008 if '/' in tname: raise Unsupported(base[' lno'],
1009 'test name may not contain / character')
1010 for k in base: setattr(t,k,base[k])
1013 t.what = act.what+'t-'+tname
1014 if len(base['testsdir']): t.path = base['testsdir'] + '/' + tname
1015 else: t.path = tname
1016 t._debug('constructed; path=%s' % t.path)
1017 t._debug(' .depends=%s' % t.depends)
1019 debug('& %s: %s' % (t.what, m))
1022 def reportfail(t, m):
1025 report(t.what, 'FAIL ' + m)
1027 t._debug('preparing')
1030 t._debug(' processing dependency '+d)
1032 t._debug(' literal dependency '+d)
1035 for (pkg,bin) in t.act.binaries:
1036 d = d.replace('@',pkg)
1037 t._debug(' synthesised dependency '+d)
1041 t._debug('[----------------------------------------')
1043 idstr = t.what + '-' + oe
1044 if opts.output_dir is not None and opts.output_dir.spec_tbp:
1045 use_dir = opts.output_dir
1047 use_dir = testbed.scratch
1048 return RelativeOutputFile(idstr, use_dir, idstr)
1050 t.act.work.write(True)
1052 af = RelativeInputFile(t.what, tree, t.path)
1053 so = stdouterr('stdout')
1054 se = stdouterr('stderr')
1060 rc = testbed.execute('testchmod-'+t.what, ['chmod','+x','--',tf])
1061 if rc: bomb('failed to chmod +x %s' % tf)
1063 if 'needs-root' not in t.restriction_names and opts.user is not None:
1064 tfl = ['su',opts.user,'-c',tf]
1065 tmpdir = '%s%s-tmpdir' % (testbed.scratch.read(True), t.what)
1066 script = 'rm -rf -- "$1"; mkdir -- "$1"'
1067 if opts.user: script += '; chown %s "$1"' % opts.user
1068 if 'rw-build-tree' in t.restriction_names:
1069 script += '; chown -R %s "$2"' % opts.user
1070 rc = testbed.execute('mktmpdir-'+t.what,
1071 ['sh','-xec',script,'x',tmpdir,tree.read(True)])
1072 if rc: bomb("could not create test tmpdir `%s', exit code %d"
1077 rc = testbed.execute('test-'+t.what, tfl,
1078 so=so.write(True), se=se.write(True), cwd=tree.read(True),
1079 tmpdir=tmpdir, kind='test')
1084 t._debug(' - - - - - - - - - - results - - - - - - - - - -')
1085 stab = os.stat(se_read)
1086 if stab.st_size != 0:
1087 l = open(se_read).readline()
1088 l = l.rstrip('\n \t\r')
1089 if len(l) > 35: l = l[:35] + '...'
1090 t.reportfail('status: %d, stderr: %s' % (rc, l))
1091 t._debug(' - - - - - - - - - - stderr - - - - - - - - - -')
1094 t.reportfail('non-zero exit status %d' % rc)
1098 stab = os.stat(so_read)
1099 if stab.st_size != 0:
1100 t._debug(' - - - - - - - - - - stdout - - - - - - - - - -')
1103 t._debug('----------------------------------------]')
1105 def read_control(act, tree, control_override):
1108 if control_override is not None:
1109 control_af = control_override
1110 testbed.blame('arg:'+control_override.spec)
1112 if act.missing_tests_control:
1114 control_af = RelativeInputFile(act.what+'-testcontrol',
1115 tree, 'debian/tests/control')
1117 control = open(control_af.read(), 'r')
1119 if oe[0] != errno.ENOENT: raise
1123 def badctrl(m): act.bomb('tests/control line %d: %s' % (lno, m))
1124 stz = None # stz[field_name][index] = (lno, value)
1125 # special field names:
1126 # stz[' lno'] = number
1127 # stz[' tests'] = list of Test objects
1128 def end_stanza(stz):
1129 if stz is None: return
1135 initre = regexp.compile('([A-Z][-0-9a-z]*)\s*\:\s*(.*)$')
1137 l = control.readline()
1140 if not l.endswith('\n'): badctrl('unterminated line')
1141 if regexp.compile('\s*\#').match(l): continue
1142 if not regexp.compile('\S').match(l): end_stanza(stz); continue
1143 initmat = initre.match(l)
1145 (fname, l) = initmat.groups()
1146 fname = string.capwords(fname)
1148 stz = { ' lno': lno, ' tests': [] }
1149 if not stz.has_key(fname): stz[fname] = [ ]
1150 hcurrent = stz[fname]
1151 elif regexp.compile('\s').match(l):
1152 if not hcurrent: badctrl('unexpected continuation')
1154 badctrl('syntax error')
1155 hcurrent.append((lno, l))
1158 def testbadctrl(stz, lno, m):
1159 report_badctrl(lno, m)
1164 try: tnames = stz['Tests']
1167 raise Unsupported(stz[' lno'],
1169 tnames = map((lambda lt: lt[1]), tnames)
1170 tnames = string.join(tnames).split()
1172 'restriction_names': [],
1174 'feature_names': [],
1176 'testsdir': 'debian/tests',
1179 for fname in stz.keys():
1180 if fname.startswith(' '): continue
1182 try: fclass = globals()['Field_'+
1183 fname.replace('-','_')]
1184 except KeyError: raise Unsupported(vl[0][0],
1185 'unknown metadata field %s' % fname)
1186 f = fclass(stz, fname, base, tnames, vl)
1188 for tname in tnames:
1189 t = Test(tname, base, act)
1190 stz[' tests'].append(t)
1191 except Unsupported, u:
1192 for tname in tnames: u.report(tname)
1197 def print_exception(ei, msgprefix=''):
1198 if msgprefix: pstderr(msgprefix)
1201 pstderr('adt-run: ' + q.m)
1202 psummary('quitting: '+q.m)
1205 pstderr("adt-run: unexpected, exceptional, error:")
1206 psummary('quitting: unexpected error, consult transcript')
1207 traceback.print_exc(None, sys.stderr)
1208 if trace_stream is not None:
1209 traceback.print_exc(None, trace_stream)
1216 if opts.tmpdir is None and tmpdir is not None:
1217 rmtree('tmpdir', tmpdir)
1218 if testbed is not None:
1221 if rm_ec: bomb('rm -rf -- %s failed, code %d' % (tmpdir, ec))
1222 if trace_stream is not None:
1223 trace_stream.close()
1226 print_exception(sys.exc_info(),
1227 '\nadt-run: error cleaning up:\n')
1230 #---------- registration, installation etc. of .deb's: Binaries
1232 def determine_package(act):
1233 cmd = 'dpkg-deb --info --'.split(' ')+[act.af.read(),'control']
1234 (rc, output) = subprocess_cooked(cmd, stdout=subprocess.PIPE)
1235 if rc: badpkg('failed to parse binary package, code %d' % rc)
1236 re = regexp.compile('^\s*Package\s*:\s*([0-9a-z][-+.0-9a-z]*)\s*$')
1238 for l in output.split('\n'):
1241 if act.pkg: badpkg('two Package: lines in control file')
1242 act.pkg = m.groups()[0]
1243 if not act.pkg: badpkg('no good Package: line in control file')
1247 b.dir = TemporaryDir('binaries')
1251 if opts.gnupghome is None:
1252 opts.gnupghome = tmpdir+'/gnupg'
1254 b._debug('initialising')
1256 for x in ['pubring','secring']:
1257 os.stat(opts.gnupghome + '/' + x + '.gpg')
1260 if oe.errno != errno.ENOENT: raise
1262 if ok: b._debug('no key generation needed')
1269 b._debug('preparing for key generation')
1271 mkdir_okexist(os.path.dirname(opts.gnupghome), 02755)
1272 mkdir_okexist(opts.gnupghome, 0700)
1277 cat <<"END" >key-gen-params
1281 Name-Real: autopkgtest per-run key
1282 Name-Comment: do not trust this key
1283 Name-Email: autopkgtest@example.com
1286 gpg --homedir="$1" --batch --gen-key key-gen-params
1288 cmdl = ['sh','-ec',script,'x',opts.gnupghome]
1289 rc = subprocess_cooked(cmdl, dbg=(genkey,script))[0]
1292 f = open(opts.gnupghome+'/key-gen-log')
1294 except OSError, e: tp = e
1296 bomb('key generation failed, code %d' % rc)
1300 "Dir::Etc::sourcelist": b.dir.read(True)+'sources.list',
1303 def apt_pkg_gdebi_script(b, arg, middle):
1307 'arg = urllib.unquote("%s")' % urllib.quote(arg),
1309 for (k,v) in b.apt_configs().iteritems():
1311 script.append('apt_pkg.Config.Set("%s",urllib.unquote("%s"))'
1314 'from GDebi.Cache import Cache',
1320 'print d.missingDeps',
1321 'print d.requiredChanges',
1322 'if not res: raise "gdebi failed (%s, %s, %s): %s" % '+
1323 ' (`res`, `d.missingDeps`, `d.requiredChanges`, '+
1324 'd._failureString)',
1328 return '\n'.join(script)
1330 ag = ['apt-get','-qy']
1331 for kv in b.apt_configs().iteritems():
1332 ag += ['-o', '%s=%s' % kv]
1337 rmtree('binaries', b.dir.read())
1342 b.registered = set()
1344 def register(b, act, pkg, af, forwhat, blamed):
1345 b._debug('register what=%s deb_%s=%s pkg=%s af=%s'
1346 % (act.what, forwhat, act.ah['deb_'+forwhat], pkg, str(af)))
1348 if act.ah['deb_'+forwhat] == 'ignore': return
1350 b.blamed += testbed.blamed
1352 leafname = pkg+'.deb'
1353 dest = RelativeOutputFile('binaries--'+leafname, b.dir, leafname)
1355 try: os.remove(dest.write())
1357 if oe.errno != errno.ENOENT: raise e
1359 try: os.link(af.read(), dest.write())
1361 if oe.errno != errno.EXDEV: raise e
1362 shutil.copy(af.read(), dest)
1364 if act.ah['deb_'+forwhat] == 'install':
1365 b.install.append(pkg)
1367 b.registered.add(pkg)
1375 apt-ftparchive packages . >Packages
1376 gzip <Packages >Packages.gz
1377 apt-ftparchive release . >Release
1379 gpg --homedir="$2" --batch --detach-sign --armour -o Release.gpg Release
1380 gpg --homedir="$2" --batch --export >archive-key.pgp
1382 cmdl = ['sh','-ec',script,'x',b.dir.write(),opts.gnupghome]
1383 rc = subprocess_cooked(cmdl, dbg=('ftparchive',script))[0]
1384 if rc: bomb('apt-ftparchive or signature failed, code %d' % rc)
1386 b.dir.invalidate(True)
1387 apt_source = b.dir.read(True)
1389 so = TemporaryFile('vlds')
1392 apt-key add archive-key.pgp
1393 echo "deb file://'''+apt_source+''' /" >sources.list
1394 cat /etc/apt/sources.list >>sources.list
1395 if [ "x`ls /var/lib/dpkg/updates`" != x ]; then
1396 echo >&2 "/var/lib/dpkg/updates contains some files, aargh"; exit 1
1398 '''+ ' '.join(b.apt_get()) +''' update >&2
1399 cat /var/lib/dpkg/status >&3
1401 testbed.mungeing_apt()
1402 rc = testbed.execute('apt-key', ['sh','-ec',script],
1403 so=so.write(True), cwd=b.dir.write(True),
1404 script=script, kind='install')
1405 if rc: bomb('apt setup failed with exit code %d' % rc)
1407 testbed.blamed += b.blamed
1409 b._debug('publish reinstall checking...')
1410 pkgs_reinstall = set()
1412 for l in open(so.read()):
1413 if l.startswith('Package: '):
1414 pkg = l[9:].rstrip()
1415 elif l.startswith('Status: install '):
1416 if pkg in b.registered:
1417 pkgs_reinstall.add(pkg)
1418 b._debug(' publish reinstall needs '+pkg)
1421 for pkg in pkgs_reinstall: testbed.blame(pkg)
1422 what = 'apt-get-reinstall'
1423 cmdl = (b.apt_get() + ['--reinstall','install'] +
1424 [pkg for pkg in pkgs_reinstall])
1425 cmdl.append('env=DEBIAN_FRONTEND=noninteractive')
1426 rc = testbed.execute(what, cmdl, script=None, kind='install')
1427 if rc: badpkg("installation of basic binarries failed,"
1428 " exit code %d" % rc)
1430 b._debug('publish install...')
1431 for pkg in b.install:
1432 what = 'apt-get-install-%s' % pkg
1434 cmdl = b.apt_get() + ['install',pkg]
1435 rc = testbed.execute(what, cmdl, script=None, kind='install')
1436 if rc: badpkg("installation of %s failed, exit code %d"
1439 b._debug('publish done')
1441 #---------- processing of sources (building)
1443 def source_rules_command(act,script,what,which,work,cwd,
1444 results_lines=0,xargs=[]):
1445 script = [ "exec 3>&1 >&2",
1447 script = '\n'.join(script)
1448 so = TemporaryFile('%s-%s-results' % (what,which))
1449 rc = testbed.execute('%s-%s' % (what,which),
1450 ['sh','-ec',script]+xargs, script=script,
1451 so=so.write(True), cwd=cwd, kind='build')
1452 results = open(so.read()).read().rstrip('\n')
1453 if len(results): results = results.split("\n")
1455 if rc: badpkg("rules %s failed with exit code %d" % (which,rc))
1456 if results_lines is not None and len(results) != results_lines:
1457 badpkg("got %d lines of results from %s where %d expected"
1458 % (len(results), which, results_lines))
1459 if results_lines==1: return results[0]
1462 def build_source(act, control_override):
1463 act.blame = 'arg:'+act.af.spec
1464 testbed.blame(act.blame)
1465 testbed.prepare1([])
1466 testbed.needs_reset()
1469 basename = act.af.spec
1470 debiancontrol = None
1473 def debug_b(m): debug('* <%s:%s> %s' % (act.kind, act.what, m))
1475 if act.kind == 'dsc':
1477 dsc_file = open(dsc.read())
1479 fre = regexp.compile('^\s+[0-9a-f]+\s+\d+\s+([^/.][^/]*)$')
1482 if l.startswith('Files:'): in_files = True; continue
1483 elif l.startswith('#'): pass
1484 elif not l.startswith(' '):
1486 if l.startswith('Source:'):
1487 act.blame = 'dsc:'+l[7:].strip()
1488 testbed.blame(act.blame)
1489 if not in_files: continue
1492 if not m: badpkg(".dsc contains unparseable line"
1493 " in Files: `%s'" % l)
1494 leaf = m.groups(0)[0]
1495 subfile = RelativeInputFile(what+'/'+leaf, dsc, leaf,
1500 if act.kind == 'ubtree':
1501 debiancontrol = RelativeInputFile(what+'-debiancontrol',
1502 act.af, 'debian/control')
1503 dsc = TemporaryFile(what+'-fakedsc')
1504 dsc_w = open(dsc.write(), 'w')
1505 for l in open(debiancontrol.read()):
1507 if not len(l): break
1509 print >>dsc_w, 'Binary: none-so-this-is-not-a-package-name'
1512 if act.kind == 'dsc':
1513 testbed.prepare2([])
1514 script = binaries.apt_pkg_gdebi_script('', [[
1515 'from GDebi.DebPackage import DebPackage',
1516 'd = DebPackage(cache)',
1517 'res = d.satisfyDependsStr("dpkg-dev")',
1519 cmdl = ['python','-c',script]
1520 whatp = what+'-dpkgsource'
1521 rc = testbed.execute(what, cmdl, script=script, kind='install')
1522 if rc: badpkg('dpkg-source install failed, exit code %d' % rc)
1524 work = TemporaryDir(what+'-build')
1527 tmpdir = work.write(True)+'/tmpdir'
1530 'rm -rf -- "$TMPDIR"',
1532 opts.user_wrap('mkdir -- "$TMPDIR"'),
1535 if act.kind == 'ubtree':
1536 spec = '%s/real-tree' % work.write(True)
1537 create_command = '''
1540 cp -rP --preserve=timestamps,links -- "$origpwd"/. "$spec"/.
1542 initcwd = act.af.read(True)
1544 if act.kind == 'dsc':
1545 spec = dsc.read(True)
1546 create_command = '''
1547 dpkg-source -x $spec
1549 initcwd = work.write(True)
1554 'cd '+work.write(True)
1558 script += ([ 'chown '+opts.user+' .' ] +
1560 [ 'spec="$spec" origpwd="$origpwd" '
1561 +opts.user_wrap(create_command) ])
1563 script += (tmpdir_script +
1569 'set +e; test -f debian/tests/control; echo $? >&3'
1571 (result_pwd, control_test_rc) = source_rules_command(
1572 act,script,what,'extract',work,
1573 cwd=initcwd, results_lines=2, xargs=['x',tmpdir,spec])
1575 filter = act.ah['dsc_filter']
1577 if control_test_rc == '1': act.missing_tests_control = True
1579 # For optional builds:
1581 # We might need to build the package because:
1582 # - we want its binaries (filter isn't _ and at least one of the
1583 # deb_... isn't ignore)
1584 # - the test control file says so
1585 # (assuming we have any tests)
1587 class NeedBuildException: pass
1588 def build_needed(m):
1589 debug_b('build needed for %s' % m)
1590 raise NeedBuildException()
1593 if filter != '_' and (act.ah['deb_forbuilds'] != 'ignore' or
1594 act.ah['deb_fortests'] != 'ignore'):
1595 build_needed('binaries')
1597 result_pwd_af = InputDir(what+'-treeforcontrol',
1599 stanzas = read_control(act, result_pwd_af, control_override)
1600 for stanza in stanzas:
1601 for t in stanza[' tests']:
1602 if 'no-build-needed' not in t.feature_names:
1603 build_needed('test %s' % t.tname)
1606 build_needed('test %s '
1607 'dependency %s' % (t.tname,d))
1609 debug_b('build not needed')
1612 except NeedBuildException:
1614 if act.kind != 'dsc':
1615 testbed.prepare2([])
1617 script = binaries.apt_pkg_gdebi_script(
1619 'from GDebi.DscSrcPackage import DscSrcPackage',
1620 'd = DscSrcPackage(cache, arg)',
1621 'res = d.checkDeb()',
1623 'from GDebi.DebPackage import DebPackage',
1624 'd = DebPackage(cache)',
1625 'res = d.satisfyDependsStr("'+
1626 ','.join(build_essential)+
1630 cmdl = ['python','-c',script]
1631 whatp = what+'-builddeps'
1632 rc = testbed.execute(what, cmdl, script=script, kind='install')
1633 if rc: badpkg('build-depends install failed,'
1634 ' exit code %d' % rc)
1636 script = tmpdir_script + [
1638 'dpkg-checkbuilddeps',
1639 opts.user_wrap('debian/rules build'),
1641 source_rules_command(act,script,what,'build',work,
1642 cwd=initcwd, xargs=['x',tmpdir,result_pwd])
1644 if os.path.dirname(result_pwd)+'/' != work.read(True):
1645 badpkg("results dir `%s' is not in expected parent"
1646 " dir `%s'" % (result_pwd, work.read(True)))
1650 act.tests_tree = InputDir(what+'-tests-tree',
1651 work.read(True)+os.path.basename(result_pwd),
1653 if act.ah['dsc_tests']:
1654 testbed.register_ephemeral(act.work)
1655 testbed.register_ephemeral(act.tests_tree)
1661 act.blamed = copy.copy(testbed.blamed)
1663 debug_b('filter=%s' % filter)
1665 script = tmpdir_script + [
1666 'cd '+work.write(True)+'/*/.',
1667 opts.user_wrap(opts.gainroot+' debian/rules binary'),
1671 result_debs = source_rules_command(act,script,what,
1672 'binary',work,work.write(True),
1673 results_lines=1, xargs=['x',tmpdir])
1674 if result_debs == '*': debs = []
1675 else: debs = result_debs.split(' ')
1676 debug_b('debs='+`debs`)
1677 re = regexp.compile('^([-+.0-9a-z]+)_[^_/]+(?:_[^_/]+)\.deb$')
1680 if not m: badpkg("badly-named binary `%s'" % deb)
1682 debug_b(' deb=%s, pkg=%s' % (deb,pkg))
1683 for pat in filter.split(','):
1684 debug_b(' pat=%s' % pat)
1685 if not fnmatch.fnmatchcase(pkg,pat):
1686 debug_b(' no match')
1688 deb_what = pkg+'_'+what+'.deb'
1689 bin = RelativeInputFile(deb_what,work,deb,True)
1690 debug_b(' deb_what=%s, bin=%s' %
1691 (deb_what, str(bin)))
1692 binaries.register(act,pkg,bin,
1693 'forbuilds',testbed.blamed)
1694 act.binaries.append((pkg,bin))
1696 debug_b('all done.')
1698 #---------- main processing loop and main program
1700 def process_actions():
1703 def debug_a1(m): debug('@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@ '+m)
1704 def debug_a2(m): debug('@@@@@@@@@@@@@@@@@@@@ '+m)
1705 def debug_a3(m): debug('@@@@@@@@@@ '+m)
1707 debug_a1('starting')
1709 binaries = Binaries()
1711 for act in opts.actions:
1712 if act.af is not None and not act.af.spec_tbp:
1713 testbed.register_ephemeral(act.af)
1716 control_override = None
1718 debug_a1('builds ...')
1719 for act in opts.actions:
1721 (act.kind, act.what))
1723 if act.kind == 'control':
1724 control_override = act.af
1725 if act.kind == 'deb':
1726 testbed.blame('arg:'+act.af.spec)
1727 determine_package(act)
1728 testbed.blame('deb:'+act.pkg)
1729 binaries.register(act,act.pkg,act.af,
1730 'forbuilds',testbed.blamed)
1731 if act.kind == 'dsc' or act.kind == 'ubtree':
1732 build_source(act, control_override)
1733 if act.kind == 'tree':
1735 if act.kind.endswith('tree') or act.kind == 'dsc':
1736 control_override = None
1737 if act.kind == 'instantiate':
1740 debug_a1('builds done.')
1743 control_override = None
1745 debug_a1('tests ...')
1746 for act in opts.actions:
1747 debug_a2('test %s %s' % (act.kind, act.what))
1749 testbed.needs_reset()
1750 if act.kind == 'control':
1751 control_override = act.af
1752 if act.kind == 'deb':
1753 binaries.register(act,act.pkg,act.af,'fortests',
1755 if act.kind == 'dsc' or act.kind == 'ubtree':
1756 for (pkg,bin) in act.binaries:
1757 binaries.register(act,pkg,bin,'fortests',
1759 if act.kind == 'dsc':
1760 if act.ah['dsc_tests']:
1761 debug_a3('read control ...')
1762 stanzas = read_control(act, act.tests_tree,
1764 testbed.blamed += act.blamed
1765 debug_a3('run_tests ...')
1766 run_tests(stanzas, act.tests_tree)
1767 control_override = None
1768 if act.kind == 'tree' or act.kind == 'ubtree':
1769 testbed.blame('arg:'+act.af.spec)
1770 stanzas = read_control(act, act.af, control_override)
1771 debug_a3('run_tests ...')
1772 run_tests(stanzas, act.af)
1773 control_override = None
1774 if act.kind == 'instantiate':
1776 debug_a1('tests done.')
1783 except SystemExit, se:
1792 ec = print_exception(sys.exc_info(), '')