autobuild: only add autobuild.log if it exists
[samba.git] / script / land.py
1 #!/usr/bin/env python
2 # run tests on all Samba subprojects and push to a git tree on success
3 # Copyright Andrew Tridgell 2010
4 # Copyright Jelmer Vernooij 2010
5 # released under GNU GPL v3 or later
6
7 from cStringIO import StringIO
8 import fcntl
9 from subprocess import call, check_call, Popen, PIPE
10 import os, tarfile, sys, time
11 from optparse import OptionParser
12 import smtplib
13 sys.path.insert(0, os.path.join(os.path.dirname(__file__), "../selftest"))
14 sys.path.insert(0, os.path.join(os.path.dirname(__file__), "../lib/testtools"))
15 sys.path.insert(0, os.path.join(os.path.dirname(__file__), "../lib/subunit/python"))
16 import subunit
17 import testtools
18 import subunithelper
19 from email.mime.application import MIMEApplication
20 from email.mime.text import MIMEText
21 from email.mime.multipart import MIMEMultipart
22
23 samba_master = os.getenv('SAMBA_MASTER', 'git://git.samba.org/samba.git')
24 samba_master_ssh = os.getenv('SAMBA_MASTER_SSH', 'git+ssh://git.samba.org/data/git/samba.git')
25
26 cleanup_list = []
27
28 os.putenv('CC', "ccache gcc")
29
30 tasks = {
31     "source3" : [ ("autogen", "./autogen.sh", "text/plain"),
32                   ("configure", "./configure.developer ${PREFIX}", "text/plain"),
33                   ("make basics", "make basics", "text/plain"),
34                   ("make", "make -j 4 everything", "text/plain"), # don't use too many processes
35                   ("install", "make install", "text/plain"),
36                   ("test", "TDB_NO_FSYNC=1 make subunit-test", "text/x-subunit") ],
37
38     "source4" : [ ("configure", "./configure.developer ${PREFIX}", "text/plain"),
39                   ("make", "make -j", "text/plain"),
40                   ("install", "make install", "text/plain"),
41                   ("test", "TDB_NO_FSYNC=1 make subunit-test", "text/x-subunit") ],
42
43     "source4/lib/ldb" : [ ("configure", "./configure --enable-developer -C ${PREFIX}", "text/plain"),
44                           ("make", "make -j", "text/plain"),
45                           ("install", "make install", "text/plain"),
46                           ("test", "make test", "text/plain") ],
47
48     "lib/tdb" : [ ("autogen", "./autogen-waf.sh", "text/plain"),
49                   ("configure", "./configure --enable-developer -C ${PREFIX}", "text/plain"),
50                   ("make", "make -j", "text/plain"),
51                   ("install", "make install", "text/plain"),
52                   ("test", "make test", "text/plain") ],
53
54     "lib/talloc" : [ ("autogen", "./autogen-waf.sh", "text/plain"),
55                      ("configure", "./configure --enable-developer -C ${PREFIX}", "text/plain"),
56                      ("make", "make -j", "text/plain"),
57                      ("install", "make install", "text/plain"),
58                      ("test", "make test", "text/x-subunit"), ],
59
60     "lib/replace" : [ ("autogen", "./autogen-waf.sh", "text/plain"),
61                       ("configure", "./configure --enable-developer -C ${PREFIX}", "text/plain"),
62                       ("make", "make -j", "text/plain"),
63                       ("install", "make install", "text/plain"),
64                       ("test", "make test", "text/plain"), ],
65
66     "lib/tevent" : [ ("configure", "./configure --enable-developer -C ${PREFIX}", "text/plain"),
67                      ("make", "make -j", "text/plain"),
68                      ("install", "make install", "text/plain"),
69                      ("test", "make test", "text/plain"), ],
70 }
71
72
73 def run_cmd(cmd, dir=None, show=None, output=False, checkfail=True, shell=False):
74     if show is None:
75         show = options.verbose
76     if show:
77         print("Running: '%s' in '%s'" % (cmd, dir))
78     if output:
79         return Popen(cmd, stdout=PIPE, cwd=dir, shell=shell).communicate()[0]
80     elif checkfail:
81         return check_call(cmd, cwd=dir, shell=shell)
82     else:
83         return call(cmd, cwd=dir, shell=shell)
84
85
86 def clone_gitroot(test_master, revision="HEAD"):
87     run_cmd(["git", "clone", "--shared", gitroot, test_master])
88     if revision != "HEAD":
89         run_cmd(["git", "checkout", revision])
90
91
92 class RetryChecker(object):
93     """Check whether it is necessary to retry."""
94
95     def __init__(self, dir):
96         run_cmd(["git", "remote", "add", "-t", "master", "master", samba_master])
97         run_cmd(["git", "fetch", "master"])
98         cmd = '''set -e
99                 while :; do
100                   sleep 60
101                   git describe master/master > old_master.desc
102                   git fetch master
103                   git describe master/master > master.desc
104                   diff old_master.desc master.desc
105                 done
106                '''
107         self.proc = Popen(cmd, shell=True, cwd=self.dir)
108
109     def poll(self):
110         return self.proc.poll()
111
112     def kill(self):
113         self.proc.terminate()
114         self.proc.wait()
115         self.retry.proc = None
116
117
118 class TreeStageBuilder(object):
119     """Handle building of a particular stage for a tree.
120     """
121
122     def __init__(self, tree, name, command, fail_quickly=False):
123         self.tree = tree
124         self.name = name
125         self.command = command
126         self.fail_quickly = fail_quickly
127         self.exitcode = None
128         self.stdin = open(os.devnull, 'r')
129
130     def start(self):
131         raise NotImplementedError(self.start)
132
133     def poll(self):
134         self.exitcode = self.proc.poll()
135         return self.exitcode
136
137     def kill(self):
138         if self.proc is not None:
139             try:
140                 run_cmd(["killbysubdir", self.tree.sdir], checkfail=False)
141             except OSError:
142                 # killbysubdir doesn't exist ?
143                 pass
144             self.proc.terminate()
145             self.proc.wait()
146             self.proc = None
147
148     @property
149     def failure_reason(self):
150         raise NotImplementedError(self.failure_reason)
151
152     @property
153     def failed(self):
154         return (self.exitcode != 0)
155
156
157 class PlainTreeStageBuilder(TreeStageBuilder):
158
159     def start(self):
160         print '%s: [%s] Running %s' % (self.name, self.name, self.command)
161         self.proc = Popen(self.command, shell=True, cwd=self.tree.dir,
162                           stdout=self.tree.stdout, stderr=self.tree.stderr,
163                           stdin=self.stdin)
164
165     @property
166     def failure_reason(self):
167         return "failed '%s' with exit code %d" % (self.command, self.exitcode)
168
169
170 class AbortingTestResult(subunithelper.TestsuiteEnabledTestResult):
171
172     def __init__(self, stage):
173         super(AbortingTestResult, self).__init__()
174         self.stage = stage
175
176     def addError(self, test, details=None):
177         self.stage.proc.terminate()
178
179     def addFailure(self, test, details=None):
180         self.stage.proc.terminate()
181
182
183 class FailureTrackingTestResult(subunithelper.TestsuiteEnabledTestResult):
184
185     def __init__(self, stage):
186         super(FailureTrackingTestResult, self).__init__()
187         self.stage = stage
188
189     def addError(self, test, details=None):
190         if self.stage.failed_test is None:
191             self.stage.failed_test = ("error", test)
192
193     def addFailure(self, test, details=None):
194         if self.stage.failed_test is None:
195             self.stage.failed_test = ("failure", test)
196
197
198 class SubunitTreeStageBuilder(TreeStageBuilder):
199
200     def __init__(self, tree, name, command, fail_quickly=False):
201         super(SubunitTreeStageBuilder, self).__init__(tree, name, command,
202                 fail_quickly)
203         self.failed_test = None
204         self.subunit_path = os.path.join(gitroot,
205             "%s.%s.subunit" % (self.tree.tag, self.name))
206         self.tree.logfiles.append(
207             (self.subunit_path, os.path.basename(self.subunit_path),
208              "text/x-subunit"))
209         self.subunit = open(self.subunit_path, 'w')
210
211         formatter = subunithelper.PlainFormatter(False, True, {})
212         clients = [formatter, subunit.TestProtocolClient(self.subunit),
213                    FailureTrackingTestResult(self)]
214         if fail_quickly:
215             clients.append(AbortingTestResult(self))
216         self.subunit_server = subunit.TestProtocolServer(
217             testtools.MultiTestResult(*clients),
218             self.subunit)
219         self.buffered = ""
220
221     def start(self):
222         print '%s: [%s] Running' % (self.tree.name, self.name)
223         self.proc = Popen(self.command, shell=True, cwd=self.tree.dir,
224             stdout=PIPE, stderr=self.tree.stderr, stdin=self.stdin)
225         fd = self.proc.stdout.fileno()
226         fl = fcntl.fcntl(fd, fcntl.F_GETFL)
227         fcntl.fcntl(fd, fcntl.F_SETFL, fl | os.O_NONBLOCK)
228
229     def poll(self):
230         try:
231             data = self.proc.stdout.read()
232         except IOError:
233             return None
234         else:
235             self.buffered += data
236             buffered = ""
237             for l in self.buffered.splitlines(True):
238                 if l[-1] == "\n":
239                     self.subunit_server.lineReceived(l)
240                 else:
241                     buffered += l
242             self.buffered = buffered
243             self.exitcode = self.proc.poll()
244             if self.exitcode is not None:
245                 self.subunit.close()
246             return self.exitcode
247
248     @property
249     def failure_reason(self):
250         if self.failed_test:
251             return "failed '%s' with %s in test %s" (self.command, self.failed_test[0], self.failed_test[1])
252         else:
253             return "failed '%s' with exit code %d in unknown test" % (self.command, self.exitcode)
254
255
256 class TreeBuilder(object):
257     '''handle build of one directory'''
258
259     def __init__(self, name, sequence, fail_quickly=False):
260         self.name = name
261         self.fail_quickly = fail_quickly
262
263         self.tag = self.name.replace('/', '_')
264         self.sequence = sequence
265         self.next = 0
266         self.stages = []
267         self.stdout_path = os.path.join(gitroot, "%s.stdout" % (self.tag, ))
268         self.stderr_path = os.path.join(gitroot, "%s.stderr" % (self.tag, ))
269         self.logfiles = [
270             (self.stdout_path, os.path.basename(self.stdout_path), "text/plain"),
271             (self.stderr_path, os.path.basename(self.stderr_path), "text/plain"),
272             ]
273         if options.verbose:
274             print("stdout for %s in %s" % (self.name, self.stdout_path))
275             print("stderr for %s in %s" % (self.name, self.stderr_path))
276         if os.path.exists(self.stdout_path):
277             os.unlink(self.stdout_path)
278         if os.path.exists(self.stderr_path):
279             os.unlink(self.stderr_path)
280         self.stdout = open(self.stdout_path, 'w')
281         self.stderr = open(self.stderr_path, 'w')
282         self.sdir = os.path.join(testbase, self.tag)
283         if name in ['pass', 'fail', 'retry']:
284             self.dir = self.sdir
285         else:
286             self.dir = os.path.join(self.sdir, self.name)
287         self.prefix = os.path.join(testbase, "prefix", self.tag)
288         run_cmd(["rm", "-rf", self.sdir])
289         cleanup_list.append(self.sdir)
290         cleanup_list.append(self.prefix)
291         os.makedirs(self.sdir)
292         run_cmd(["rm",  "-rf", self.sdir])
293         clone_gitroot(self.sdir, revision)
294         self.start_next()
295         self.exitcode = None
296
297     def start_next(self):
298         if self.next == len(self.sequence):
299             print '%s: Completed OK' % self.name
300             self.done = True
301             self.stdout.close()
302             self.stderr.close()
303             return
304         (stage_name, cmd, output_mime_type) = self.sequence[self.next]
305         cmd = cmd.replace("${PREFIX}", "--prefix=%s" % self.prefix)
306         if output_mime_type == "text/plain":
307             self.current_stage = PlainTreeStageBuilder(self, stage_name, cmd,
308                 self.fail_quickly)
309         elif output_mime_type == "text/x-subunit":
310             self.current_stage = SubunitTreeStageBuilder(self, stage_name, cmd,
311                 self.fail_quickly)
312         else:
313             raise Exception("Unknown output mime type %s" % output_mime_type)
314         self.stages.append(self.current_stage)
315         self.current_stage.start()
316         self.next += 1
317
318     def remove_logs(self):
319         for path, name, mime_type in self.logfiles:
320             os.unlink(path)
321
322     def poll(self):
323         self.exitcode = self.current_stage.poll()
324         if self.exitcode is not None:
325             self.current_stage = None
326         return self.exitcode
327
328     def kill(self):
329         if self.current_stage is not None:
330             self.current_stage.kill()
331             self.current_stage = None
332
333     @property
334     def failed(self):
335         return any([s.failed for s in self.stages])
336
337     @property
338     def failed_stage(self):
339         for s in self.stages:
340             if s.failed:
341                 return s
342         return s
343
344     @property
345     def failure_reason(self):
346         return "%s: [%s] %s" % (self.name, self.failed_stage.name,
347             self.failed_stage.failure_reason)
348
349
350 class BuildList(object):
351     '''handle build of multiple directories'''
352
353     def __init__(self, tasklist, tasknames):
354         global tasks
355         self.tlist = []
356         self.tail_proc = None
357         self.retry = None
358         if tasknames == ['pass']:
359             tasks = { 'pass' : [ ("pass", '/bin/true', "text/plain") ]}
360         if tasknames == ['fail']:
361             tasks = { 'fail' : [ ("fail", '/bin/false', "text/plain") ]}
362         if tasknames == []:
363             tasknames = tasklist
364         for n in tasknames:
365             b = TreeBuilder(n, tasks[n], not options.fail_slowly)
366             self.tlist.append(b)
367         if options.retry:
368             self.retry = RetryChecker(self.sdir)
369             self.need_retry = False
370
371     def kill_kids(self):
372         if self.tail_proc is not None:
373             self.tail_proc.terminate()
374             self.tail_proc.wait()
375             self.tail_proc = None
376         if self.retry is not None:
377             self.retry.kill()
378         for b in self.tlist:
379             b.kill()
380
381     def wait_one(self):
382         while True:
383             none_running = True
384             for b in self.tlist:
385                 if b.current_stage is None:
386                     continue
387                 none_running = False
388                 if b.poll() is None:
389                     continue
390                 return b
391             if options.retry:
392                 ret = self.retry.poll()
393                 if ret:
394                     self.need_retry = True
395                     self.retry = None
396                     return None
397             if none_running:
398                 return None
399             time.sleep(0.1)
400
401     def run(self):
402         while True:
403             b = self.wait_one()
404             if options.retry and self.need_retry:
405                 self.kill_kids()
406                 print("retry needed")
407                 return (0, None, None, None, "retry")
408             if b is None:
409                 break
410             if b.failed:
411                 self.kill_kids()
412                 return (b.exitcode, b.name, b.failed_stage, b.tag, b.failure_reason)
413             b.start_next()
414         self.kill_kids()
415         return (0, None, None, None, "All OK")
416
417     def tarlogs(self, name=None, fileobj=None):
418         tar = tarfile.open(name=name, fileobj=fileobj, mode="w:gz")
419         for b in self.tlist:
420             for (path, name, mime_type) in b.logfiles:
421                 tar.add(path, arcname=name)
422         if os.path.exists("autobuild.log"):
423             tar.add("autobuild.log")
424         tar.close()
425
426     def attach_logs(self, outer):
427         f = StringIO()
428         self.tarlogs(fileobj=f)
429         msg = MIMEApplication(f.getvalue(), "x-gzip")
430         msg.add_header('Content-Disposition', 'attachment',
431                        filename="logs.tar.gz")
432         outer.attach(msg)
433
434     def remove_logs(self):
435         for b in self.tlist:
436             b.remove_logs()
437
438     def start_tail(self):
439         cmd = "tail -f *.stdout *.stderr"
440         self.tail_proc = Popen(cmd, shell=True, cwd=gitroot)
441
442
443 def cleanup():
444     if options.nocleanup:
445         return
446     print("Cleaning up ....")
447     for d in cleanup_list:
448         run_cmd(["rm", "-rf", d])
449
450
451 def find_git_root(p):
452     '''get to the top of the git repo'''
453     while p != '/':
454         if os.path.isdir(os.path.join(p, ".git")):
455             return p
456         p = os.path.abspath(os.path.join(p, '..'))
457     return None
458
459
460 def daemonize(logfile):
461     pid = os.fork()
462     if pid == 0: # Parent
463         os.setsid()
464         pid = os.fork()
465         if pid != 0: # Actual daemon
466             os._exit(0)
467     else: # Grandparent
468         os._exit(0)
469
470     import resource      # Resource usage information.
471     maxfd = resource.getrlimit(resource.RLIMIT_NOFILE)[1]
472     if maxfd == resource.RLIM_INFINITY:
473         maxfd = 1024 # Rough guess at maximum number of open file descriptors.
474     for fd in range(0, maxfd):
475         try:
476             os.close(fd)
477         except OSError:
478             pass
479     os.open(logfile, os.O_RDWR | os.O_CREAT)
480     os.dup2(0, 1)
481     os.dup2(0, 2)
482
483
484 def rebase_tree(url):
485     print("Rebasing on %s" % url)
486     run_cmd(["git", "remote", "add", "-t", "master", "master", url], show=True,
487             dir=test_master)
488     run_cmd(["git", "fetch", "master"], show=True, dir=test_master)
489     if options.fix_whitespace:
490         run_cmd(["git", "rebase", "--whitespace=fix", "master/master"],
491                 show=True, dir=test_master)
492     else:
493         run_cmd(["git", "rebase", "master/master"], show=True, dir=test_master)
494     diff = run_cmd(["git", "--no-pager", "diff", "HEAD", "master/master"],
495         dir=test_master, output=True)
496     if diff == '':
497         print("No differences between HEAD and master/master - exiting")
498         sys.exit(0)
499
500 def push_to(url):
501     print("Pushing to %s" % url)
502     if options.mark:
503         run_cmd("EDITOR=script/commit_mark.sh git commit --amend -c HEAD",
504             dir=test_master, shell=True)
505         # the notes method doesn't work yet, as metze hasn't allowed
506         # refs/notes/* in master
507         # run_cmd("EDITOR=script/commit_mark.sh git notes edit HEAD",
508         #     dir=test_master)
509     run_cmd(["git", "remote", "add", "-t", "master", "pushto", url], show=True,
510         dir=test_master)
511     run_cmd(["git", "push", "pushto", "+HEAD:master"], show=True,
512         dir=test_master)
513
514 def_testbase = os.getenv("AUTOBUILD_TESTBASE", "/memdisk/%s" % os.getenv('USER'))
515
516 parser = OptionParser()
517 parser.add_option("--repository", help="repository to run tests for", default=None, type=str)
518 parser.add_option("--revision", help="revision to compile if not HEAD", default=None, type=str)
519 parser.add_option("--tail", help="show output while running", default=False, action="store_true")
520 parser.add_option("--keeplogs", help="keep logs", default=False, action="store_true")
521 parser.add_option("--nocleanup", help="don't remove test tree", default=False, action="store_true")
522 parser.add_option("--testbase", help="base directory to run tests in (default %s)" % def_testbase,
523                   default=def_testbase)
524 parser.add_option("--passcmd", help="command to run on success", default=None)
525 parser.add_option("--verbose", help="show all commands as they are run",
526                   default=False, action="store_true")
527 parser.add_option("--rebase", help="rebase on the given tree before testing",
528                   default=None, type='str')
529 parser.add_option("--rebase-master", help="rebase on %s before testing" % samba_master,
530                   default=False, action='store_true')
531 parser.add_option("--pushto", help="push to a git url on success",
532                   default=None, type='str')
533 parser.add_option("--push-master", help="push to %s on success" % samba_master_ssh,
534                   default=False, action='store_true')
535 parser.add_option("--mark", help="add a Tested-By signoff before pushing",
536                   default=False, action="store_true")
537 parser.add_option("--fix-whitespace", help="fix whitespace on rebase",
538                   default=False, action="store_true")
539 parser.add_option("--retry", help="automatically retry if master changes",
540                   default=False, action="store_true")
541 parser.add_option("--email", help="send email to the given address on failure",
542                   type='str', default=None)
543 parser.add_option("--always-email", help="always send email, even on success",
544                   action="store_true")
545 parser.add_option("--daemon", help="daemonize after initial setup",
546                   action="store_true")
547 parser.add_option("--fail-slowly", help="continue running tests even after one has already failed",
548                   action="store_true")
549
550
551 def email_failure(blist, exitcode, failed_task, failed_stage, failed_tag, errstr):
552     '''send an email to options.email about the failure'''
553     user = os.getenv("USER")
554     text = '''
555 Dear Developer,
556
557 Your autobuild failed when trying to test %s with the following error:
558    %s
559
560 the autobuild has been abandoned. Please fix the error and resubmit.
561
562 You can see logs of the failed task here:
563
564   http://git.samba.org/%s/samba-autobuild/%s.stdout
565   http://git.samba.org/%s/samba-autobuild/%s.stderr
566
567 A summary of the autobuild process is here:
568
569   http://git.samba.org/%s/samba-autobuild/autobuild.log
570
571 or you can get full logs of all tasks in this job here:
572
573   http://git.samba.org/%s/samba-autobuild/logs.tar.gz
574
575 The top commit for the tree that was built was:
576
577 %s
578
579 ''' % (failed_task, errstr, user, failed_tag, user, failed_tag, user, user,
580        get_top_commit_msg(test_master))
581
582     msg = MIMEMultipart()
583     msg['Subject'] = 'autobuild failure for task %s during %s' % (
584         failed_task, failed_stage.name)
585     msg['From'] = 'autobuild@samba.org'
586     msg['To'] = options.email
587
588     main = MIMEText(text)
589     msg.attach(main)
590
591     blist.attach_logs(msg)
592
593     s = smtplib.SMTP()
594     s.connect()
595     s.sendmail(msg['From'], [msg['To']], msg.as_string())
596     s.quit()
597
598 def email_success(blist):
599     '''send an email to options.email about a successful build'''
600     user = os.getenv("USER")
601     text = '''
602 Dear Developer,
603
604 Your autobuild has succeeded.
605
606 '''
607
608     if options.keeplogs:
609         text += '''
610
611 you can get full logs of all tasks in this job here:
612
613   http://git.samba.org/%s/samba-autobuild/logs.tar.gz
614
615 ''' % user
616
617     text += '''
618 The top commit for the tree that was built was:
619
620 %s
621 ''' % (get_top_commit_msg(test_master),)
622
623     msg = MIMEMultipart()
624     msg['Subject'] = 'autobuild success'
625     msg['From'] = 'autobuild@samba.org'
626     msg['To'] = options.email
627
628     main = MIMEText(text, 'plain')
629     msg.attach(main)
630
631     blist.attach_logs(msg)
632
633     s = smtplib.SMTP()
634     s.connect()
635     s.sendmail(msg['From'], [msg['To']], msg.as_string())
636     s.quit()
637
638
639 (options, args) = parser.parse_args()
640
641 if options.retry:
642     if not options.rebase_master and options.rebase is None:
643         raise Exception('You can only use --retry if you also rebase')
644
645 testbase = os.path.join(options.testbase, "b%u" % (os.getpid(),))
646 test_master = os.path.join(testbase, "master")
647
648 if options.repository is not None:
649     repository = options.repository
650 else:
651     repository = os.getcwd()
652
653 gitroot = find_git_root(repository)
654 if gitroot is None:
655     raise Exception("Failed to find git root under %s" % repository)
656
657 # get the top commit message, for emails
658 if options.revision is not None:
659     revision = options.revision
660 else:
661     revision = "HEAD"
662
663 def get_top_commit_msg(reporoot):
664     return run_cmd(["git", "log", "-1"], dir=reporoot, output=True)
665
666 try:
667     os.makedirs(testbase)
668 except Exception, reason:
669     raise Exception("Unable to create %s : %s" % (testbase, reason))
670 cleanup_list.append(testbase)
671
672 if options.daemon:
673     logfile = os.path.join(testbase, "log")
674     print "Forking into the background, writing progress to %s" % logfile
675     daemonize(logfile)
676
677 while True:
678     try:
679         run_cmd(["rm", "-rf", test_master])
680         cleanup_list.append(test_master)
681         clone_gitroot(test_master, revision)
682     except:
683         cleanup()
684         raise
685
686     try:
687         if options.rebase is not None:
688             rebase_tree(options.rebase)
689         elif options.rebase_master:
690             rebase_tree(samba_master)
691         blist = BuildList(tasks, args)
692         if options.tail:
693             blist.start_tail()
694         (exitcode, failed_task, failed_stage, failed_tag, errstr) = blist.run()
695         if exitcode != 0 or errstr != "retry":
696             break
697         cleanup()
698     except:
699         cleanup()
700         raise
701
702 blist.kill_kids()
703 if options.tail:
704     print("waiting for tail to flush")
705     time.sleep(1)
706
707 if exitcode == 0:
708     print errstr
709     if options.passcmd is not None:
710         print("Running passcmd: %s" % options.passcmd)
711         run_cmd(options.passcmd, dir=test_master, shell=True)
712     if options.pushto is not None:
713         push_to(options.pushto)
714     elif options.push_master:
715         push_to(samba_master_ssh)
716     if options.keeplogs:
717         blist.tarlogs("logs.tar.gz")
718         print("Logs in logs.tar.gz")
719     if options.always_email:
720         email_success(blist)
721     blist.remove_logs()
722     cleanup()
723     print(errstr)
724 else:
725     # something failed, gather a tar of the logs
726     blist.tarlogs("logs.tar.gz")
727
728     if options.email is not None:
729         email_failure(blist, exitcode, failed_task, failed_stage, failed_tag,
730             errstr)
731
732     cleanup()
733     print(errstr)
734     print("Logs in logs.tar.gz")
735 sys.exit(exitcode)