-
Notifications
You must be signed in to change notification settings - Fork 45
/
runtests.py
executable file
·1027 lines (884 loc) · 38.9 KB
/
runtests.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
#!/usr/bin/env python3
'''Asterisk external test suite driver.
Copyright (C) 2015, Digium, Inc.
Russell Bryant <[email protected]>
This program is free software, distributed under the terms of
the GNU General Public License Version 2.
'''
import sys
import os
import errno
import subprocess
import optparse
import time
import yaml
import shutil
import xml.dom
import random
import select
import signal
import syslog
import re
try:
from yaml import CSafeLoader as MyLoader
except ImportError:
from yaml import SafeLoader as MyLoader
try:
import lxml.etree as ET
except:
# Ensure ET is defined
ET = None
# Re-open stdout so it's line buffered.
# This allows timely processing of piped output.
newfno = os.dup(sys.stdout.fileno())
os.close(sys.stdout.fileno())
sys.stdout = os.fdopen(newfno, 'w', 1)
# Ensure logs directory exists before importing
# anything that might use logging.
if not os.path.isdir("logs"):
os.mkdir("logs")
# The current sys.path is only used by runtests.py
sys.path.insert(1,"lib/python")
# The tests themselves are run in a separate process
# so we're going to accumulate additional paths in
# new_PYTHONPATH to pass to the new process.
# Since we're going to replace the current PYTHONPATH
# environment variable, we need to save it to our
# new_PYTHONPATH.
new_PYTHONPATH=[]
if os.getenv("PYTHONPATH"):
new_PYTHONPATH.append(os.getenv("PYTHONPATH"))
new_PYTHONPATH.insert(1,"lib/python")
from asterisk.asterisk import Asterisk
from asterisk.test_config import TestConfig
from mailer import send_email
from asterisk import test_suite_utils
TESTS_CONFIG = "tests.yaml"
TEST_RESULTS = "asterisk-test-suite-report.xml"
# If True, abandon the current running TestRun. Used by SIGTERM.
abandon_test = False
# If True, abandon the current running TestSuite. Used by SIGUSR1/SIGTERM.
abandon_test_suite = False
# Set to True if any refs logs are processed
ref_debug_is_enabled = False
class TestRun:
def __init__(self, test_name, options, global_config=None, timeout=-1):
self.can_run = False
self.did_run = False
self.time = 0.0
self.test_name = test_name
self.options = options
self.test_config = TestConfig(test_name, global_config)
self.failure_message = ""
self.__check_can_run()
self.stdout = ""
self.timeout = timeout
self.cleanup = options.cleanup
self.keep_full_logs = options.keep_full_logs
self.skipped_reason = ""
assert self.test_name.startswith('tests/')
self.test_relpath = self.test_name[6:]
def stdout_print(self, msg):
self.stdout += msg + u"\n"
print(msg)
def run(self):
self.passed = False
self.did_run = True
start_time = time.time()
os.environ['TESTSUITE_ACTIVE_TEST'] = self.test_name
os.environ['PYTHONPATH'] = os.pathsep.join(new_PYTHONPATH)
cmd = [
"%s/run-test" % self.test_name,
]
if not os.path.exists(cmd[0]):
cmd = [sys.executable,
"-m", "asterisk.test_runner",
"%s" % self.test_name]
if os.path.exists(cmd[0]) and os.access(cmd[0], os.X_OK):
if self.options.pcap:
os.environ['PCAP'] = "yes"
self.stdout_print("Running %s ..." % self.test_name)
p = subprocess.Popen(cmd, stdout=subprocess.PIPE,
stderr=subprocess.STDOUT)
self.pid = p.pid
poll = select.poll()
poll.register(p.stdout, select.POLLIN)
timedout = False
has_unicode_error = False
try:
while (not abandon_test):
try:
if not poll.poll(self.timeout):
timedout = True
p.terminate()
except select.error as v:
if v[0] != errno.EINTR:
raise
l = p.stdout.readline().decode('ascii', 'ignore').strip()
if not l:
break
self.stdout_print(l)
except UnicodeEncodeError:
self.stdout_print('Unicode error reading output from test!')
has_unicode_error = True
pass
except IOError:
pass
p.wait()
# Sanitize p.returncode so it's always a boolean.
did_pass = (p.returncode == 0 and not abandon_test and not has_unicode_error)
if did_pass and not self.test_config.expect_pass:
self.stdout_print("Test passed but was expected to fail.")
if not did_pass and not self.test_config.expect_pass:
print("Test failed as expected.")
self.passed = (did_pass == self.test_config.expect_pass)
if abandon_test:
self.passed = False
core_dumps = self._check_for_core()
if (len(core_dumps)):
if self.passed:
self.stdout_print("Core dumps detected; failing test")
self.passed = False
else:
self.stdout_print("Core dumps detected; test was already failed")
self._archive_core_dumps(core_dumps)
self._process_valgrind()
self._process_ref_debug()
if not self.passed or self.keep_full_logs:
self._archive_logs()
elif self.cleanup:
try:
(run_num, run_dir, archive_dir) = self._find_run_dirs()
symlink_dir = os.path.dirname(run_dir)
absolute_dir = os.path.join(os.path.dirname(symlink_dir),
os.readlink(symlink_dir))
shutil.rmtree(absolute_dir)
os.remove(symlink_dir)
except:
print("Unable to clean up directory for"
"test %s (non-fatal)" % self.test_name)
self.__parse_run_output(self.stdout)
if timedout:
status = 'timed out'
elif abandon_test:
status = 'was abandoned'
elif self.passed:
status = 'passed'
else:
status = 'failed'
pass_str = 'Test %s %s\n' % (self.test_name, status)
print(pass_str)
if self.options.syslog:
syslog.syslog(pass_str)
else:
print("FAILED TO EXECUTE %s, it must exist and be executable" % cmd)
self.time = time.time() - start_time
def _is_asterisk_coredump(self, corefile):
file_cmd = ["file", corefile]
try:
cp = subprocess.run(file_cmd, capture_output=True, universal_newlines=True)
if not re.search("LSB core file", cp.stdout):
return False
except:
return False
gdb_cmd = ["gdb",
"-nh", "--batch-silent",
"-iex", "set auto-solib-add off",
"-ex", "set logging file /dev/stderr",
"-ex", "set logging redirect",
"-ex", "set logging enabled",
"-ex", "info proc exe",
"asterisk", corefile
]
try:
reg = re.compile(r"exe\s+=\s+.*/asterisk.*")
# The output of the gdb command will be something like...
# exe = '/usr/sbin/asterisk -fcg'
# We'll check it for "asterisk" and if it doesn't
# match it's not an asterisk coredump
cp = subprocess.run(gdb_cmd, capture_output=True, universal_newlines=True)
if reg.match(cp.stderr):
return True
else:
return False
except:
pass
return False
def _check_for_core(self):
core_files = []
contents = os.listdir('.')
for item in contents:
if self._is_asterisk_coredump(item):
core_files.append(item)
contents = os.listdir('/tmp')
for item in contents:
corepath = os.path.join('/tmp', item);
if self._is_asterisk_coredump(corepath):
core_files.append(corepath)
contents = os.listdir(self.test_name)
for item in contents:
corepath = os.path.join(self.test_name, item);
if self._is_asterisk_coredump(corepath):
core_files.append(corepath)
return core_files
def _email_crash_report(self, dest_file_name):
email_config = load_yaml_config("crash-mail-config.yaml")
smtp_server = email_config.get('smtp-server')
sender = email_config.get('sender')
recipients = email_config.get('recipients')
subject = email_config.get('subject', "Testsuite crash detected")
max_bt_len = email_config.get('truncate-backtrace', 0)
debug_level = email_config.get('debug', 0)
if not sender or len(recipients) == 0:
print("--email-on-crash requires sender and 1+ recipients")
return
with open(dest_file_name, 'r') as bt_file:
backtrace_text = bt_file.read()
if max_bt_len > 0 and backtrace_text > max_bt_len:
truncated_text = "\n--truncated to {0} chars--".format(max_bt_len)
backtrace_text = backtrace_text[0:max_bt_len] + truncated_text
email_text = "{0}\n\n{1}".format(dest_file_name, backtrace_text)
message = {'body': email_text, 'subject': subject}
try:
send_email(smtp_server, sender, recipients, message,
debug=debug_level)
except Exception as exception:
print("Failed to send email\nError: {0}".format(exception))
def _archive_core_dumps(self, core_dumps):
for core in core_dumps:
if not os.path.exists(core):
print("Unable to find core dump file %s, skipping" % core)
continue
random_num = random.randint(0, 16000)
dest_dir = "./logs/%s" % self.test_relpath
if not os.path.exists(dest_dir):
os.makedirs(dest_dir)
dest_file_name = os.path.join(dest_dir,
"backtrace_{0}.txt".format(random_num))
dest_file = open(dest_file_name, "w")
gdb_cmd = ["gdb",
"-se", "asterisk",
"-ex", "bt full",
"-ex", "thread apply all bt",
"--batch",
"-c", core]
print("Running %s" % (" ".join(gdb_cmd),))
try:
res = subprocess.call(gdb_cmd, stdout=dest_file, stderr=subprocess.STDOUT)
if res != 0:
print("error analyzing core dump; gdb exited with %d" % res)
# Copy the backtrace over to the logs
print("Archived backtrace: {0}".format(dest_file_name))
if self.options.email_on_crash:
self._email_crash_report(dest_file_name)
except OSError as ose:
print("OSError ([%d]: %s) occurred while executing %r" %
(ose.errno, ose.strerror, gdb_cmd))
except:
print("Unknown exception occurred while executing %r" % (gdb_cmd,))
finally:
dest_file.close()
if self.options.keep_core:
try:
dst_core = os.path.join(dest_dir, "core_{0}".format(random_num))
shutil.copy(core, dst_core)
print("Archived core file: {0}".format(dst_core))
except Exception as e:
print("Error occurred while copying core: {0}".format(e))
try:
os.unlink(core)
except OSError as e:
print("Error removing core file: %s: "
"Beware of the stale core file in CWD!" % (e,))
def _find_run_dirs(self):
test_run_dir = os.path.join(Asterisk.test_suite_root,
self.test_relpath)
i = 1
# Find the last run
while os.path.isdir(os.path.join(test_run_dir, 'run_%d' % i)):
i += 1
run_num = i - 1
run_dir = os.path.join(test_run_dir, 'run_%d' % run_num)
archive_dir = os.path.join('./logs',
self.test_relpath,
'run_%d' % run_num)
return (run_num, run_dir, archive_dir)
def _process_valgrind(self):
(run_num, run_dir, archive_dir) = self._find_run_dirs()
if (run_num == 0):
return
if not ET:
return
i = 1
while os.path.isdir(os.path.join(run_dir, 'ast%d/var/log/asterisk' % i)):
ast_dir = "%s/ast%d/var/log/asterisk" % (run_dir, i)
valgrind_xml = os.path.join(ast_dir, 'valgrind.xml')
valgrind_txt = os.path.join(ast_dir, 'valgrind-summary.txt')
# All instances either use valgrind or not.
if not os.path.exists(valgrind_xml):
return
dom = ET.parse(valgrind_xml)
xslt = ET.parse('contrib/valgrind/summary-lines.xsl')
transform = ET.XSLT(xslt)
newdom = transform(dom)
lines = []
for node in newdom.getroot():
if node.tag == 'line':
lines.append((node.text or '').strip())
elif node.tag == 'cols':
lines.append("%s: %s" % (
node.attrib['col1'].strip().rjust(20),
node.attrib['col2'].strip()))
self.stdout_print("\n".join(lines))
with open(valgrind_txt, 'a') as txtfile:
txtfile.write("\n".join(lines))
txtfile.close()
i += 1
def _process_ref_debug(self):
(run_num, run_dir, archive_dir) = self._find_run_dirs()
if (run_num == 0):
return
refcounter_py = os.path.join(run_dir,
"ast1/var/lib/asterisk/scripts/refcounter.py")
if not os.path.exists(refcounter_py):
return
i = 1
while os.path.isdir(os.path.join(run_dir, 'ast%d/var/log/asterisk' % i)):
ast_dir = "%s/ast%d/var/log/asterisk" % (run_dir, i)
refs_in = os.path.join(ast_dir, "refs")
if os.path.exists(refs_in):
global ref_debug_is_enabled
ref_debug_is_enabled = True
refs_txt = os.path.join(ast_dir, "refs.txt")
dest_file = open(refs_txt, "w")
refcounter = [
refcounter_py,
"-f", refs_in,
"-sn"
]
res = -1
try:
res = subprocess.call(refcounter,
stdout=dest_file,
stderr=subprocess.STDOUT)
except Exception as e:
self.stdout_print("Exception occurred while processing REF_DEBUG")
finally:
dest_file.close()
if res != 0:
dest_dir = os.path.join(archive_dir,
'ast%d/var/log/asterisk' % i)
if not os.path.exists(dest_dir):
os.makedirs(dest_dir)
hardlink_or_copy(refs_txt,
os.path.join(dest_dir, "refs.txt"))
hardlink_or_copy(refs_in,
os.path.join(dest_dir, "refs"))
if self.passed:
self.stdout_print("REF_DEBUG identified leaks, "
"mark test as failure")
self.passed = False
else:
self.stdout_print("REF_DEBUG identified leaks, "
"test was already marked as failure")
i += 1
def _archive_files(self, src_dir, dest_dir, *filenames):
for filename in filenames:
try:
srcfile = os.path.join(src_dir, filename)
if os.path.exists(srcfile):
hardlink_or_copy(srcfile, os.path.join(dest_dir, filename))
except Exception as e:
print("Exception occurred while archiving file '%s' to %s: %s" % (
srcfile, dest_dir, e
))
def _archive_logs(self):
(run_num, run_dir, archive_dir) = self._find_run_dirs()
self._archive_ast_logs(run_num, run_dir, archive_dir)
self._archive_pcap_dump(run_dir, archive_dir)
self._archive_files(run_dir, archive_dir, 'messages.txt', 'full.txt')
def _archive_ast_logs(self, run_num, run_dir, archive_dir):
"""Archive the Asterisk logs"""
i = 1
while os.path.isdir(os.path.join(run_dir, 'ast%d/var/log/asterisk' % i)):
ast_dir = "%s/ast%d/var/log/asterisk" % (run_dir, i)
dest_dir = os.path.join(archive_dir,
'ast%d/var/log/asterisk' % i)
self._archive_files(ast_dir, dest_dir,
'messages.txt', 'full.txt', 'mmlog',
'valgrind.xml', 'valgrind-summary.txt')
i += 1
def _archive_pcap_dump(self, run_dir, archive_dir):
self._archive_files(run_dir, archive_dir, 'dumpfile.pcap')
self._archive_files(run_dir, archive_dir, 'packet.pcap')
def __check_can_run(self):
"""Check tags and dependencies in the test config."""
if self.test_config.check_deps() and \
self.test_config.check_tags(self.options.tags, self.options.skip_tags):
self.can_run = True
def __parse_run_output(self, output):
self.failure_message = output
class TestSuite:
def __init__(self, options):
self.options = options
self.tests = []
self.start_time = None
self.global_config = self._parse_global_config()
self.tests = self._parse_test_yaml("tests")
if self.options.randomorder:
random.shuffle(self.tests)
else:
self.tests = sorted(self.tests, key=lambda test: test.test_name)
self.total_time = 0.0
self.total_count = 0
self.total_failures = 0
self.total_skipped = 0
def _parse_global_config(self):
return TestConfig(os.getcwd())
def _parse_test_yaml(self, test_dir):
tests = []
config = load_yaml_config("%s/%s" % (test_dir, TESTS_CONFIG))
if not config:
return tests
for t in config["tests"]:
for val in t:
path = "%s/%s" % (test_dir, t[val])
if val == "test":
# If we specified a subset of tests, there's no point loading
# the others.
if (self.options.tests and
not any((path + '/').startswith(test)
for test in self.options.tests)):
continue
if (self.options.tests_regex and
not any(re.search(test, path + '/')
for test in self.options.tests_regex)):
continue
if (self.options.skip_tests_regex and
any(re.search(test, path + '/')
for test in self.options.skip_tests_regex)):
continue
tests.append(TestRun(path, self.options,
self.global_config, self.options.timeout))
elif val == "dir":
tests += self._parse_test_yaml(path)
return tests
def list_tags(self):
def chunks(l, n):
for i in range(0, len(l), n):
yield l[i:(i + n)]
tags = set()
for test in self.tests:
tags = tags.union(test.test_config.tags)
tags = list(set(tags))
tags.sort(key=str.lower)
maxwidth = max(len(t) for t in tags)
print("Available test tags:")
tags = chunks(tags, 3)
for tag in tags:
print("\t%-*s %-*s %-*s" % (
maxwidth, tag[0],
maxwidth, len(tag) > 1 and tag[1] or '',
maxwidth, len(tag) > 2 and tag[2] or ''))
def list_tests(self):
print("Configured tests:")
i = 1
for t in self.tests:
print("%.3d) %s" % (i, t.test_config.test_name))
print(" --> Summary: %s" % t.test_config.summary)
if t.test_config.skip is not None:
print(" --> Skip: %s" % t.test_config.skip)
if t.test_config.features:
print(" --> Features:")
for feature_name in t.test_config.features:
print(" --> %s: -- Met: %s" %
(feature_name, str(t.test_config.feature_check[feature_name])))
if t.test_config.tags:
print(" --> Tags: %s" % str(t.test_config.tags))
for d in t.test_config.deps:
if d.version:
print(" --> Dependency: %s" % (d.name))
print(" --> Version: %s -- Met: %s" % (d.version, str(d.met)))
else:
print(" --> Dependency: %s -- Met: %s" % (d.name, str(d.met)))
i += 1
def list_terse(self):
i = 1
for t in self.tests:
flag = "E"
deps = ""
if t.test_config.skip:
flag = "S"
else:
for d in t.test_config.deps:
if not d.met:
if flag == "D":
deps += ","
else:
deps += " "
flag = "D"
if d.version:
deps += ("%s" % d.version)
else:
deps += ("%s" % d.name)
print("%04d %s %s%s" % (i, flag, t.test_config.test_name, deps))
i += 1
def run(self):
self.start_time = time.strftime("%Y-%m-%dT%H:%M:%S %Z", time.localtime())
test_suite_dir = os.getcwd()
i = 0
global abandon_test_suite
for t in self.tests:
if t.can_run is False:
continue
if self.global_config is not None:
for excluded in self.global_config.excluded_tests:
if excluded in t.test_name:
continue
i += 1
print("Tests to run: %d * %d time(s) = %d Maximum test inactivity time: %d sec." %
(i, self.options.number, i * self.options.number, (self.options.timeout / 1000)))
for t in self.tests:
if abandon_test_suite:
break
if t.can_run is False:
if t.test_config.skip is not None:
print("--> %s ... skipped '%s'" % (t.test_name, t.test_config.skip))
t.skipped_reason = t.test_config.skip
self.total_skipped += 1
continue
print("--> Cannot run test '%s'" % t.test_name)
for f in t.test_config.features:
print("--- --> Version Feature: %s - %s" % (
f, str(t.test_config.feature_check[f])))
print("--- --> Tags: %s" % (t.test_config.tags))
for d in t.test_config.deps:
print("--- --> Dependency: %s - %s" % (d.name, str(d.met)))
print("")
self.total_skipped += 1
t.skipped_reason = "Failed dependency"
continue
if self.global_config is not None:
exclude = False
for excluded in self.global_config.excluded_tests:
if excluded in t.test_name:
print("--- ---> Excluded test: %s" % excluded)
exclude = True
if exclude:
self.total_skipped += 1
continue
running_str = "--> Running test '%s' ..." % t.test_name
print(running_str)
if self.options.syslog:
syslog.syslog(running_str)
if self.options.dry_run:
t.passed = True
else:
# Establish Preconditions
print("Making sure Asterisk isn't running ...")
if os.system("if pidof asterisk >/dev/null; then "
"killall -9 asterisk >/dev/null 2>&1; "
"sleep 1; ! pidof asterisk >/dev/null; fi"):
print("Could not kill asterisk.")
print("Making sure SIPp isn't running...")
if os.system("if pidof sipp >/dev/null; then "
"killall -9 sipp >/dev/null 2>&1; "
"sleep 1; ! pidof sipp >/dev/null; fi"):
print("Could not kill sipp.")
# XXX TODO Hard coded path, gross.
os.system("rm -f /var/run/asterisk/asterisk.ctl")
os.system("rm -f /var/run/asterisk/asterisk.pid")
os.chdir(test_suite_dir)
# Run Test
t.run()
self.total_count += 1
self.total_time += t.time
if t.passed is False:
self.total_failures += 1
if self.options.stop_on_error:
abandon_test_suite = True
def __strip_illegal_xml_chars(self, data):
"""
Strip illegal XML characters from the given data. The character range
is taken from section 2.2 of the XML spec.
"""
bad_chars = [
(0x0, 0x8),
(0xb, 0xc),
(0xe, 0x1f),
(0x7f, 0x84),
(0x86, 0x9f),
]
tbl = {}
for r in bad_chars:
# we do +1 here to include the last item
for i in range(r[0], r[1] + 1):
tbl[chr(i)] = None
return data.translate(tbl)
def write_results_xml(self, doc, root):
# Java reserved words we need to munge so Jenkins doesn't barf
reserved = ['abstract', 'arguments', 'as', 'assert', 'await',
'boolean', 'break', 'byte', 'case', 'catch', 'char',
'class', 'const', 'continue', 'debugger', 'def',
'default', 'delete', 'do', 'double', 'else', 'enum',
'eval', 'export', 'extends', 'false', 'final',
'finally', 'float', 'for', 'function', 'goto', 'if',
'implements', 'import', 'in', 'instanceof', 'int',
'interface', 'let', 'long', 'native', 'new', 'null',
'package', 'private', 'protected', 'public', 'return',
'short', 'static', 'strictfp', 'string', 'super',
'switch', 'synchronized', 'this', 'throw', 'throws',
'trait', 'transient', 'true', 'try', 'typeof', 'var',
'void', 'volatile', 'while', 'with', 'yield'
]
ts = doc.createElement("testsuite")
root.appendChild(ts)
ts.setAttribute("errors", "0")
ts.setAttribute("tests", str(self.total_count))
ts.setAttribute("time", "%.2f" % self.total_time)
ts.setAttribute("failures", str(self.total_failures))
ts.setAttribute("name", "AsteriskTestSuite")
ts.setAttribute("timestamp", self.start_time)
if self.options.dry_run:
ts.setAttribute("skipped", str(self.total_count))
elif self.total_skipped > 0:
ts.setAttribute("skipped", str(self.total_skipped))
for t in self.tests:
tc = doc.createElement("testcase")
ts.appendChild(tc)
tc.setAttribute("time", "%.2f" % t.time)
name = re.sub('[^A-Za-z0-9_/]', '_', t.test_name)
names = name.split('/')
for i, n in enumerate(names):
if n in reserved:
names[i] = "_" + n
name_count = len(names)
classname = '.'.join(names[1:(name_count - 1)])
name = names[(name_count - 1)]
tc.setAttribute("classname", classname)
tc.setAttribute("name", name)
if t.did_run is False:
tskip = doc.createElement("skipped")
tskip.appendChild(doc.createTextNode(str(t.skipped_reason)))
tc.appendChild(tskip)
continue
if t.passed:
continue
failure = doc.createElement("failure")
failure.appendChild(doc.createTextNode(
self.__strip_illegal_xml_chars(t.failure_message)))
tc.appendChild(failure)
def generate_refleaks_summary(self):
dest_file = open("./logs/refleaks-summary.txt", "w")
try:
subprocess.call(["./contrib/scripts/refleaks-summary", "-p", "logs/"],
stdout=dest_file,
stderr=subprocess.STDOUT)
finally:
dest_file.close()
def load_yaml_config(path):
"""Load contents of a YAML config file to a dictionary"""
try:
f = open(path, "r")
except IOError:
# Ignore errors for the optional tests/custom folder.
if path != "tests/custom/tests.yaml":
print("Failed to open %s" % path)
return None
except:
print("Unexpected error: %s" % sys.exc_info()[0])
return None
config = yaml.load(f, Loader=MyLoader)
f.close()
return config
def handle_usr1(sig, stack):
"""Handle the SIGUSR1 signal
This should instruct the running test suite to exit as soon as possible
"""
global abandon_test_suite
print("SIGUSR1 received; stopping test suite after current test...")
abandon_test_suite = True
def handle_term(sig, stack):
"""Handle the SIGTERM signal
This should abandon the current running test, marking it as failed, and
gracefully exit the current running test suite as soon as possible
"""
global abandon_test
global abandon_test_suite
print("SIGTREM received; abandoning current test and stopping...")
abandon_test = True
abandon_test_suite = True
def main(argv=None):
if argv is None:
args = sys.argv
global abandon_test_suite
usage = "Usage: ./runtests.py [options]"
parser = optparse.OptionParser(usage=usage)
parser.add_option("-c", "--cleanup", action="store_true",
dest="cleanup", default=False,
help="Cleanup tmp directory after each successful test")
parser.add_option("-d", "--dry-run", action="store_true",
dest="dry_run", default=False,
help="Only show which tests would be run.")
parser.add_option("-g", "--tag", action="append",
dest="tags",
help="Specify one or more tags to select a subset of tests.")
parser.add_option("-G", "--skip-tag", action="append",
dest="skip_tags",
help="Specify one or more tags to ignore a subset of tests.")
parser.add_option("-k", "--keep-core", action="store_true",
dest="keep_core", default=False,
help="Archive the 'core' file if Asterisk crashes.")
parser.add_option("-l", "--list-tests", action="store_true",
dest="list_tests", default=False,
help="List tests instead of running them.")
parser.add_option("--list-terse", action="store_true",
dest="list_terse", default=False,
help="List tests in 'nnnn A testname [ unmet_dependency[,unmet_dependency]...]' format "
"where 'nnnn' = number, 'A' = 'S':Skipped, 'D':Dependency not met, 'E':Enabled, "
"'unmet_dependency': A CSV list of unmet dependencies, if any"
)
parser.add_option("-L", "--list-tags", action="store_true",
dest="list_tags", default=False,
help="List available tags")
parser.add_option("-s", "--syslog", action="store_true",
dest="syslog", default=False,
help="Log test start/stop to syslog")
parser.add_option("-t", "--test", action="append", default=[],
dest="tests",
help="Run a single specified test (directory) instead "
"of all tests. May be specified more than once.")
parser.add_option("--test-regex", action="append", default=[],
dest="tests_regex",
help="Run tests matching the supplied regex."
"May be specified more than once.")
parser.add_option("-T", "--skip-test-regex", action="append", default=[],
dest="skip_tests_regex",
help="Exclude tests based on regex. "
"May be specified more than once.")
parser.add_option("-v", "--version",
dest="version", default=None,
help="Specify the version of Asterisk rather then detecting it.")
parser.add_option("-V", "--valgrind", action="store_true",
dest="valgrind", default=False,
help="Run Asterisk under Valgrind")
parser.add_option("--email-on-crash", action="store_true",
dest="email_on_crash", default=False,
help="Send email on crash with a backtrace. See "
"crash-mail-config.yaml.sample for details.")
parser.add_option("--number", metavar="int", type=int,
dest="number", default=1,
help="Number of times to run the test suite. If a value of "
"-1 is provided, the test suite will loop forever.")
parser.add_option("--random-order", action="store_true",
dest="randomorder", default=False,
help="Shuffle the tests so they are run in random order")
parser.add_option("--timeout", metavar='int', type=int,
dest="timeout", default=-1,
help="Abort test after n seconds of no output.")
parser.add_option("--stop-on-error", action="store_true",
dest="stop_on_error", default=False,
help="Stops the testsuite when a test fails.")
parser.add_option("--pcap", action="store_true",
dest="pcap", default=False,
help="Capture packets. Output will be in "
" the test's log directory as packet.pcap.")
parser.add_option("--keep-full-logs", action="store_true",
dest="keep_full_logs", default=False,
help="Keep full logs even if test passes.")
(options, args) = parser.parse_args(argv)
# Install a signal handler for USR1/TERM, and use it to bail out of running
# any remaining tests
signal.signal(signal.SIGUSR1, handle_usr1)
signal.signal(signal.SIGTERM, handle_term)
if options.list_tests or options.list_tags or options.list_terse :
test_suite = TestSuite(options)
if options.list_tests:
test_suite.list_tests()
if options.list_tags:
test_suite.list_tags()
if options.list_terse:
test_suite.list_terse()
return 0
if options.timeout > 0:
options.timeout *= 1000
# Ensure that there's a trailing '/' in the tests specified with -t
for i, test in enumerate(options.tests):
if "/" not in test and "." in test:
options.tests[i] = "tests/" + test.replace(".", "/") + "/"
elif not test.endswith('/'):
options.tests[i] = test + '/'
if options.valgrind:
if not ET:
print("python lxml module not loaded, text summaries "
"from valgrind will not be produced.\n")
os.environ["VALGRIND_ENABLE"] = "true"
dom = xml.dom.getDOMImplementation()
doc = dom.createDocument(None, "testsuites", None)
continue_forever = True if options.number < 0 else False
iteration = 0
if options.syslog:
syslog.openlog('AsteriskTestsuite', syslog.LOG_PID)
while ((iteration < options.number or continue_forever) and not abandon_test_suite):
test_suite = TestSuite(options)
running_str = "Running tests for Asterisk (run {0} of {1})...\n".format(
iteration + 1, options.number)
print(running_str)
if options.syslog:
syslog.syslog(running_str)
test_suite.run()
test_suite.write_results_xml(doc, doc.documentElement)
# If exactly one test was requested, then skip the summary.
if len(test_suite.tests) != 1:
print("\n=== TEST RESULTS ===\n")
print("PATH: %s\n" % os.getenv("PATH"))
for t in test_suite.tests:
sys.stdout.write("--> %s --- " % t.test_name)
if t.did_run is False:
print("SKIPPED")
for d in t.test_config.deps:
print(" --> Dependency: %s -- Met: %s" % (d.name, str(d.met)))
if options.tags:
for t in t.test_config.tags:
print(" --> Tag: %s -- Met: %s" % (t, str(t in options.tags)))
continue
if t.passed is True:
print("PASSED")
else:
print("FAILED")
iteration += 1
if ref_debug_is_enabled:
test_suite.generate_refleaks_summary()
try:
with open(TEST_RESULTS, "w") as f:
doc.writexml(f, addindent=" ", newl="\n", encoding="utf-8")
except IOError:
print("Failed to open test results output file: %s" % TEST_RESULTS)
except:
print("Unexpected error: %s" % sys.exc_info()[0])
print("\n")
print(doc.toprettyxml(" ", encoding="utf-8").decode('utf-8', 'ignore'))
if options.syslog:
syslog.syslog("All tests concluded")
syslog.closelog()