-
Notifications
You must be signed in to change notification settings - Fork 0
/
run_tests.py
executable file
·1041 lines (924 loc) · 40.3 KB
/
run_tests.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
#
# Copyright (c) 2013-2024, Intel Corporation
#
# SPDX-License-Identifier: BSD-3-Clause
# Supported operating systems
from enum import Enum, unique
@unique
class OS(Enum):
Unknown = 0
Windows = 1
Linux = 2
Mac = 3
FreeBSD = 4
@unique
class Status(Enum):
Success = 0
Compfail = 1
Runfail = 2
Skip = 3
StatusStr = {Status.Success: "PASSED",
Status.Compfail: "FAILED compilation",
Status.Runfail: "FAILED execution",
Status.Skip: "SKIPPED",
}
# The description of host testing system
class Host(object):
def set_os(self, system):
if system == 'Windows' or 'CYGWIN_NT' in system:
self.os = OS.Windows
elif system == 'Darwin':
self.os = OS.Mac
elif system == 'Linux':
self.os = OS.Linux
elif system == 'FreeBSD':
self.os = OS.FreeBSD
else:
self.os = OS.Unknown
# set ispc exe using ISPC_HOME or PATH environment variables
def set_ispc_exe(self):
ispc_exe = ""
ispc_ext = ""
if self.is_windows():
ispc_ext = ".exe"
if "ISPC_HOME" in os.environ:
if os.path.exists(os.environ["ISPC_HOME"] + os.sep + "ispc" + ispc_ext):
ispc_exe = os.environ["ISPC_HOME"] + os.sep + "ispc" + ispc_ext
PATH_dir = os.environ["PATH"].split(os.pathsep)
for counter in PATH_dir:
if ispc_exe == "":
if os.path.exists(counter + os.sep + "ispc" + ispc_ext):
ispc_exe = counter + os.sep + "ispc" + ispc_ext
# checks the required ispc compiler otherwise prints an error message
if ispc_exe == "":
error("ISPC compiler not found.\nAdd path to ispc compiler to your PATH or ISPC_HOME env variable\n", 1)
# use relative path
self.ispc_exe = os.path.relpath(ispc_exe, os.getcwd())
def __init__(self, system):
self.set_os(system)
self.set_ispc_exe()
def is_windows(self):
return self.os == OS.Windows
def is_linux(self):
return self.os == OS.Linux
def is_mac(self):
return self.os == OS.Mac
def is_freebsd(self):
return self.os == OS.FreeBSD
def set_ispc_cmd(self, ispc_flags):
self.ispc_cmd = self.ispc_exe + " " + ispc_flags
# The description of testing target configuration
class TargetConfig(object):
def __init__(self, arch, target, cpu):
if arch == "x86_64" or arch == "x86-64":
self.arch = "x86-64"
else:
self.arch = arch
self.target = target
self.xe = target.find("gen9") != -1 or target.find("xe") != -1
self.set_cpu(cpu)
self.set_target()
def is_xe(self):
return self.xe
def set_cpu(self, cpu):
if cpu is not None:
self.cpu = cpu
# Alias all of acm-* devices to dg2.
if cpu.startswith("acm-"):
self.cpu = "dg2"
# Alias all of mtl-* devices to mtl.
if cpu.startswith("mtl-"):
self.cpu = "mtl"
else:
self.cpu = "unspec"
# set arch/target
def set_target(self):
if self.target == 'neon':
self.arch = 'aarch64'
# Representation of output which goes to console.
# It consist of stdout & stderr.
class Output(object):
stdout: str
stderr: str
def __init__(self, stdout, stderr):
self.stdout = stdout
self.stderr = stderr
# By default we can get string from instance of this class
# which will return merged stdout with stderr.
def __str__(self):
return self.stdout + self.stderr
# test-running driver for ispc
# utility routine to print an update on the number of tests that have been
# finished. Should be called with the lock held..
def update_progress(fn, total_tests_arg, counter, max_test_length_arg):
counter.value += 1
if options.non_interactive == False:
progress_str = " Done %d / %d [%s]" % (counter.value, total_tests_arg, fn)
# spaces to clear out detrius from previous printing...
spaces_needed = max_test_length_arg - len(fn)
for x in range(spaces_needed):
progress_str += ' '
progress_str += '\r'
sys.stdout.write(progress_str)
sys.stdout.flush()
def run_command(cmd, timeout=600, cwd="."):
if options.verbose:
print_debug("Running: %s\n" % cmd, s, run_tests_log)
# Here's a bit tricky part. To pass a command for execution we should
# break down the line in to arguments. shlex class is designed exactly
# for this purpose, but by default it interprets escape sequences.
# On Windows backslaches are all over the place and they are treates as
# ESC-sequences, so we have to set manually to not interpret them.
lexer = shlex.shlex(cmd, posix=True)
lexer.whitespace_split = True
lexer.escape = ''
arg_list = list(lexer)
# prepare for OSError exceptions raised in the child process (re-raised in the parent)
try:
proc = subprocess.Popen(arg_list, stdin=None, stdout=subprocess.PIPE, stderr=subprocess.PIPE, cwd=cwd)
except:
print_debug("ERROR: The child (%s) raised an exception: %s\n" % (arg_list, sys.exc_info()[1]), s, run_tests_log)
raise
is_timeout = False
# read data from stdout and stderr
try:
out = proc.communicate(timeout=timeout)
except subprocess.TimeoutExpired:
proc.kill()
out = proc.communicate()
is_timeout = True
except:
print_debug("ERROR: The child (%s) raised an exception: %s\n" % (arg_list, sys.exc_info()[1]), s, run_tests_log)
raise
output = Output(out[0].decode("utf-8"), out[1].decode("utf-8"))
return (proc.returncode, output, is_timeout)
# checks whether print ouput is correct
# (whether test and reference outputs are same)
# NOTE: output contains both test and reference lines
def check_print_output(output):
lines = output.splitlines()
if len(lines) == 0 or len(lines) % 2:
return False
else:
return lines[0:len(lines)//2] == lines[len(lines)//2:len(lines)]
# run the commands in cmd_list
def run_cmds(compile_cmds, run_cmd, filename, expect_failure, sig, exe_wd="."):
for cmd in compile_cmds:
(return_code, output, timeout) = run_command(cmd, options.test_time)
compile_failed = (return_code != 0)
if compile_failed:
print_debug("Compilation of test %s failed %s \n" % (filename, "due to TIMEOUT" if timeout else ""), s, run_tests_log)
if output != "":
print_debug("%s" % output, s, run_tests_log)
return Status.Compfail
if not options.save_bin:
(return_code, output, timeout) = run_command(run_cmd, options.test_time, cwd=exe_wd)
if sig < 32:
run_failed = (return_code != 0) or timeout
else:
# check only stdout
output_equality = check_print_output(output.stdout)
if not output_equality:
print_debug("Print outputs check failed\n", s, run_tests_log)
run_failed = (return_code != 0) or not output_equality or timeout
else:
run_failed = 0
surprise = ((expect_failure and not run_failed) or
(not expect_failure and run_failed))
if surprise == True:
print_debug("Test %s %s (return code %d) \n" % \
(filename, "unexpectedly passed" if expect_failure else "failed",
return_code), s, run_tests_log)
if str(output):
print_debug("%s\n" % output, s, run_tests_log)
if surprise == True:
return Status.Runfail
else:
return Status.Success
def add_prefix(path, host, target):
if host.is_windows():
# On Windows we run tests in tmp dir, so the root is one level up.
input_prefix = "..\\"
else:
# For Xe target we run tests in tmp dir since output file has
# the same name for all tests, so the root is one level up
if target.is_xe():
input_prefix = "../"
else:
input_prefix = ""
path = input_prefix + path
path = os.path.abspath(path)
return path
# Return True if test should be skipped,
# return False otherwise.
#
# Default rules are to run always:
# //rule: run on <key>=*
#
# Rules can be overrriden by putting
# comments to test file:
# //rule: run on <key>=<value>
# //rule: skip on <key>=<value>
#
# Currently supported keys are:
# [arch, OS, cpu].
#
# * (asterisk) represent any value.
#
# Rules order is important,
# rule may override all previous rules.
#
# Examples:
#
# 1. Run only on arch xe64:
# // rule: skip on arch=*
# // rule: run on arch=xe64
#
# 2. Run only on Linux OS:
# // rule: skip on OS=*
# // rule: run on OS=Linux
#
def check_if_skip_test(filename, host, target):
# by default we're not skipping test
skip = False
if host.is_windows():
oss = "windows"
elif host.is_linux():
oss = "linux"
elif host.is_mac():
oss = "mac"
elif host.is_freebsd():
oss = "freebsd"
else:
oss = "unknown"
target_cpu = target.cpu
rule_values = {"arch": target.arch, "OS": oss, "cpu": target_cpu}
test_file_path = add_prefix(filename, host, target)
with open(test_file_path) as test_file:
# scan test file line by line
while True:
test_line = test_file.readline()
# EOF
if not test_line:
break;
rule = re.search('// *rule: (run|skip) on (arch|OS|cpu)=(.*)', test_line)
# no match for this line -> look at next line
if rule == None:
continue
rule_action = rule.group(1)
rule_key = rule.group(2)
rule_value = rule.group(3)
for key in rule_values.keys():
if rule_key == key:
if rule_value == rule_values[key] or rule_value == "*":
if rule_action == "run":
skip = False
elif rule_action == "skip":
skip = True
return skip
def run_test(testname, host, target):
# testname is a path to the test from the root of ispc dir
# filename is a path to the test from the current dir
# ispc_exe_rel is a relative path to ispc
filename = add_prefix(testname, host, target)
# Debug check is now supported only for xe
if options.debug_check and target.is_xe():
ispc_exe_rel = add_prefix(host.ispc_cmd + " -g", host, target)
else:
ispc_exe_rel = add_prefix(host.ispc_cmd, host, target)
# is this a test to make sure an error is issued?
want_error = (filename.find("tests_errors") != -1)
if want_error == True:
ispc_cmd = ispc_exe_rel + " --werror --nowrap %s --arch=%s --target=%s" % \
(filename, target.arch, target.target)
(return_code, output, timeout) = run_command(ispc_cmd, options.test_time)
got_error = (return_code != 0) or timeout
# figure out the error message we're expecting
file = open(filename, 'r')
firstline = file.readline()
firstline = firstline.replace("//", "")
firstline = firstline.lstrip()
firstline = firstline.rstrip()
file.close()
if re.search(firstline, output.__str__()) == None:
print_debug("Didn't see expected error message %s from test %s.\nActual output:\n%s\n" % \
(firstline, testname, output), s, run_tests_log)
return Status.Compfail
elif got_error == False:
print_debug("Unexpectedly no errors issued from test %s\n" % testname, s, run_tests_log)
return Status.Compfail
else:
return Status.Success
else:
# do we expect this test to fail?
should_fail = (testname.find("failing_") != -1)
# We need to figure out the signature of the test
# function that this test has.
sig2def = { "f_v(" : 0, "f_f(" : 1, "f_fu(" : 2, "f_fi(" : 3,
"f_du(" : 4, "f_duf(" : 5, "f_di(" : 6, "f_sz" : 7,
"f_t(" : 8, "print_uf(" : 32, "print_f(" : 33,
"print_fuf(" : 34, "print_no(" : 35 }
file = open(filename, 'r')
match = -1
for line in file:
# look for lines with 'export'...
if line.find("task") == -1 and line.find("export") == -1:
continue
# one of them should have a function with one of the
# declarations in sig2def
for pattern, ident in list(sig2def.items()):
if line.find(pattern) != -1:
match = ident
break
file.close()
# Figure out target width
width = -1
target_match = re.match('.*-(i[0-9]*)?x([0-9]*)', options.target)
# If target does not contain width in a standard way:
if target_match == None:
error("Unable to detect the target width for target %s\nOnly canonical form of the target names is supported, deprecated forms are not supported" % options.target, 0)
return Status.Compfail
width = int(target_match.group(2))
if match == -1:
error("Unable to find function signature in test %s\n" % testname, 0)
return Status.Compfail
else:
xe_target = options.target
if host.is_windows():
if target.is_xe():
obj_name = "test_xe.bin" if options.ispc_output == "ze" else "test_xe.spv"
else:
obj_name = "%s.obj" % os.path.basename(filename)
if target.arch == "wasm32" or target.arch == "wasm64":
exe_name = "%s.js" % os.path.realpath(filename)
else:
exe_name = "%s.exe" % os.path.basename(filename)
cc_cmd = "%s /I. /Zi /nologo /DTEST_SIG=%d /DTEST_WIDTH=%d %s %s /Fe%s" % \
(options.compiler_exe, match, width, add_prefix("test_static.cpp", host, target), obj_name, exe_name)
if target.is_xe():
cc_cmd = "%s /I. /I%s\\include /nologo /DTEST_SIG=%d /DTEST_WIDTH=%d %s %s /Fe%s ze_loader.lib /link /LIBPATH:%s\\lib" % \
(options.compiler_exe, options.l0loader, match, width, " /DTEST_ZEBIN" if options.ispc_output == "ze" else " /DTEST_SPV", \
add_prefix("test_static_l0.cpp", host, target), exe_name, options.l0loader)
if should_fail:
cc_cmd += " /DEXPECT_FAILURE"
else:
if target.is_xe():
obj_name = "test_xe.bin" if options.ispc_output == "ze" else "test_xe.spv"
else:
obj_name = "%s.o" % testname
if target.arch == "wasm32" or target.arch == "wasm64":
exe_name = "%s.js" % os.path.realpath(testname)
else:
exe_name = "%s.run" % testname
if target.arch == 'arm':
gcc_arch = '--with-fpu=hardfp -marm -mfpu=neon -mfloat-abi=hard'
elif target.arch == 'x86' or target.arch == "wasm32":
gcc_arch = '-m32'
elif target.arch == 'aarch64':
gcc_arch = '-march=armv8-a'
elif target.arch == 'wasm64':
gcc_arch = '-sMEMORY64'
else:
gcc_arch = '-m64'
cc_cmd = "%s -O2 -I. %s test_static.cpp -DTEST_SIG=%d -DTEST_WIDTH=%d %s -o %s" % \
(options.compiler_exe, gcc_arch, match, width, obj_name, exe_name)
# Produce position independent code for both c++ and ispc compilations.
# The motivation for this is that Clang 15 changed default
# from "-mrelocation-model static" to "-mrelocation-model pic", so
# we enable PIC compilation to have it consistently regardless compiler version.
cc_cmd += ' -fPIE'
if should_fail:
cc_cmd += " -DEXPECT_FAILURE"
if target.is_xe():
exe_name = "%s.run" % os.path.basename(testname)
cc_cmd = "%s -O0 -I. -I %s/include -lze_loader -L %s/lib \
%s %s -DTEST_SIG=%d -DTEST_WIDTH=%d -o %s" % \
(options.compiler_exe, options.l0loader, options.l0loader, gcc_arch, add_prefix("test_static_l0.cpp", host, target),
match, width, exe_name)
exe_name = "./" + exe_name
cc_cmd += " -DTEST_ZEBIN" if options.ispc_output == "ze" else " -DTEST_SPV"
ispc_cmd = ispc_exe_rel + " --pic --woff %s -o %s --arch=%s --target=%s -DTEST_SIG=%d" % \
(filename, obj_name, options.arch, xe_target if target.is_xe() else options.target, match)
if target.is_xe():
ispc_cmd += " --emit-zebin" if options.ispc_output == "ze" else " --emit-spirv"
ispc_cmd += " -DISPC_GPU"
if options.device != None:
ispc_cmd += " --device="+ options.device
if options.opt == 'O0':
ispc_cmd += " -O0"
elif options.opt == 'O1':
ispc_cmd += " -O1"
elif options.opt == 'O2':
ispc_cmd += " -O2"
exe_wd = "."
if target.arch == "wasm32" or target.arch == "wasm64":
cc_cmd += " -D__WASM__"
options.wrapexe = os.environ["EMSDK_NODE"]
if target.arch == "wasm64":
options.wrapexe += " --experimental-wasm-memory64"
exe_wd = os.path.realpath("./tests")
# compile the ispc code, make the executable, and run it...
ispc_cmd += " -h " + filename + ".h"
cc_cmd += " -DTEST_HEADER=\"<" + filename + ".h>\""
status = run_cmds([ispc_cmd, cc_cmd], options.wrapexe + " " + exe_name,
testname, should_fail, match, exe_wd=exe_wd)
# clean up after running the test
try:
os.unlink(filename + ".h")
if not options.save_bin:
if status != Status.Runfail:
os.unlink(exe_name)
if host.is_windows():
basename = os.path.basename(filename)
os.unlink("%s.pdb" % basename)
os.unlink("%s.ilk" % basename)
os.unlink(obj_name)
os.unlink(filename + ".wasm")
os.unlink(filename + ".js")
os.unlink(filename + ".html")
except:
None
return status
# pull tests to run from the given queue and run them. Multiple copies of
# this function will be running in parallel across all of the CPU cores of
# the system.
def run_tasks_from_queue(queue, queue_ret, total_tests_arg, max_test_length_arg, counter, mutex, glob_var):
# This is needed on windows because windows doesn't copy globals from parent process while multiprocessing
host = glob_var[0]
global options
options = glob_var[1]
global s
s = glob_var[2]
target = glob_var[3]
global run_tests_log
run_tests_log = glob_var[4]
if host.is_windows() or target.is_xe():
tmpdir = "tmp%d" % os.getpid()
while os.access(tmpdir, os.F_OK):
tmpdir = "%sx" % tmpdir
os.mkdir(tmpdir)
os.chdir(tmpdir)
else:
olddir = ""
for filename in iter(queue.get, 'STOP'):
status = Status.Skip
if not check_if_skip_test(filename, host, target):
try:
status = run_test(filename, host, target)
except:
# This is in case the child has unexpectedly died or some other exception happened
# Count it as runfail and continue with next test.
exc_type, exc_value, exc_traceback = sys.exc_info()
traceback.print_tb(exc_traceback, file=sys.stderr)
print_debug("ERROR: run_test function raised an exception: %s\n" % (sys.exc_info()[1]), s, run_tests_log)
status = Status.Runfail
queue_ret.put((filename, status))
with mutex:
update_progress(filename, total_tests_arg, counter, max_test_length_arg)
# Task done for the test.
queue.task_done()
if host.is_windows():
try:
os.remove("test_static.obj")
# vc*.pdb trick is in anticipaton of new versions of VS.
vcpdb = glob.glob("vc*.pdb")[0]
os.remove(vcpdb)
os.chdir("..")
# This will fail if there were failing tests or
# Windows is in bad mood.
os.rmdir(tmpdir)
except:
None
else:
if target.is_xe():
try:
os.chdir("..")
os.rmdir(tmpdir)
except:
None
# Task done for terminating `STOP`.
queue.task_done()
def sigint(signum, frame):
for t in task_threads:
t.terminate()
sys.exit(1)
def file_check(results, host, target):
global exit_code
exit_code = 0
compfails = [fname for fname, status in results if status == Status.Compfail]
runfails = [fname for fname, status in results if status == Status.Runfail]
errors = len(compfails) + len(runfails)
new_compfails = []
new_runfails = []
new_passes_compfails = []
new_passes_runfails = []
# Open fail db file
f = open(options.fail_db, 'r')
f_lines = f.readlines()
f.close()
# Detect OS
if platform.system() == 'Windows' or 'CYGWIN_NT' in platform.system():
OS = "Windows"
else:
if platform.system() == 'Darwin':
OS = "Mac"
else:
OS = "Linux"
# Detect opt_set
opt = options.opt
# Detect testing output
ispc_output = options.ispc_output
# Detect LLVM version
temp1 = common.take_lines(host.ispc_exe + " --version", "first")
temp2 = re.search(r'LLVM [0-9]*\.[0-9]*', temp1)
if temp2 != None:
llvm_version = temp2.group()
else:
llvm_version = "unknown LLVM"
# Detect compiler version
if OS != "Windows":
temp1 = common.take_lines(options.compiler_exe + " --version", "first")
temp2 = re.search(r"[0-9]*\.[0-9]*\.[0-9]", temp1)
if temp2 == None:
temp3 = re.search(r"[0-9]*\.[0-9]*", temp1)
else:
temp3 = re.search(r"[0-9]*\.[0-9]*", temp2.group())
compiler_version = options.compiler_exe + temp3.group()
else:
compiler_version = "cl"
cpu = target.cpu
possible_compilers=set()
for x in f_lines:
if x.startswith("."):
possible_compilers.add(x.split(' ')[-3])
#if not compiler_version in possible_compilers:
# error("\n**********\nWe don't have history of fails for compiler " +
# compiler_version +
# "\nAll fails will be new!!!\n**********", 2)
new_line = " "+target.arch.rjust(6)+" "+target.target.rjust(14)+" "+cpu+" "+OS.rjust(7)+" "+llvm_version+" "+compiler_version.rjust(10)+" "+opt+ " " + ispc_output + " *\n"
new_compfails = compfails[:]
new_runfails = runfails[:]
new_f_lines = f_lines[:]
for j in range(0, len(f_lines)):
if (((" "+target.arch+" ") in f_lines[j]) and
((" "+target.target+" ") in f_lines[j]) and
((" "+cpu+" ") in f_lines[j]) and
((" "+OS+" ") in f_lines[j]) and
((" "+llvm_version+" ") in f_lines[j]) and
((" "+compiler_version+" ") in f_lines[j]) and
((" "+opt+" ") in f_lines[j]) and
((" "+ispc_output+" ") in f_lines[j])):
if (" compfail " in f_lines[j]):
f = 0
for i in range(0, len(compfails)):
if compfails[i] in f_lines[j]:
new_compfails.remove(compfails[i])
else:
f = f + 1
if f == len(compfails):
temp3 = f_lines[j].split(" ")
new_passes_compfails.append(temp3[0])
if options.update == "FP":
new_f_lines.remove(f_lines[j])
if (" runfail " in f_lines[j]):
f = 0
for i in range(0, len(runfails)):
if runfails[i] in f_lines[j]:
new_runfails.remove(runfails[i])
else:
f = f + 1
if f == len(runfails):
temp3 = f_lines[j].split(" ")
new_passes_runfails.append(temp3[0])
if options.update == "FP":
new_f_lines.remove(f_lines[j])
if len(new_runfails) != 0:
new_runfails.sort()
print_debug("NEW RUNFAILS:\n", s, run_tests_log)
exit_code = 1
for i in range (0,len(new_runfails)):
new_f_lines.append(new_runfails[i] + " runfail " + new_line)
print_debug("\t" + new_runfails[i] + "\n", s, run_tests_log)
if len(new_compfails) != 0:
new_compfails.sort()
print_debug("NEW COMPFAILS:\n", s, run_tests_log)
exit_code = 1
for i in range (0,len(new_compfails)):
new_f_lines.append(new_compfails[i] + " compfail " + new_line)
print_debug("\t" + new_compfails[i] + "\n", s, run_tests_log)
if len(new_runfails) == 0 and len(new_compfails) == 0:
print_debug("No new fails\n", s, run_tests_log)
if len(new_passes_runfails) != 0:
new_passes_runfails.sort()
print_debug("NEW PASSES after RUNFAILS:\n", s, run_tests_log)
for i in range (0,len(new_passes_runfails)):
print_debug("\t" + new_passes_runfails[i] + "\n", s, run_tests_log)
if len(new_passes_compfails) != 0:
new_passes_compfails.sort()
print_debug("NEW PASSES after COMPFAILS:\n", s, run_tests_log)
for i in range (0,len(new_passes_compfails)):
print_debug("\t" + new_passes_compfails[i] + "\n", s, run_tests_log)
if options.update != "":
output = open(options.fail_db, 'w')
output.writelines(new_f_lines)
output.close()
return [new_runfails, new_compfails, new_passes_runfails, new_passes_compfails, new_line, errors]
# TODO: This function is out of date, it needs update and test coverage.
def verify():
# Open fail db file
f = open(options.fail_db, 'r')
f_lines = f.readlines()
f.close()
check = [["g++", "clang++", "cl"],["-O0", "-O2"],["x86","x86-64"],
["Linux","Windows","Mac"],["LLVM 3.2","LLVM 3.3","LLVM 3.4","LLVM 3.5","LLVM 3.6","LLVM trunk"],
["sse2-i32x4", "sse2-i32x8",
"sse4-i32x4", "sse4-i32x8", "sse4-i16x8", "sse4-i8x16",
"sse4.1-i32x4", "sse4.1-i32x8", "sse4.1-i16x8", "sse4.1-i8x16",
"avx1-i32x4", "avx1-i32x8", "avx1-i32x16", "avx1-i64x4",
"avx2-i32x4", "avx2-i32x8", "avx2-i32x16", "avx2-i64x4",
"avx512knl-x16", "avx512skx-x16", "avx512skx-x8", "avx512skx-x4", "avx512skx-x64", "avx512skx-x32"]]
for i in range (0,len(f_lines)):
if f_lines[i][0] == "%":
continue
for j in range(0,len(check)):
temp = 0
for t in range(0,len(check[j])):
if " " + check[j][t] + " " in f_lines[i]:
temp = temp + 1
if temp != 1:
print_debug("error in line " + str(i) + "\n", False, run_tests_log)
break
# populate ex_state test table and run info with testing results
def populate_ex_state(options, target, total_tests, test_result):
# Detect opt_set
opt = options.opt
try:
common.ex_state.add_to_rinf_testall(total_tests)
for fname, status in test_result:
# one-hot encoding
succ = status == Status.Success
runf = status == Status.Runfail
comp = status == Status.Compfail
skip = status == Status.Skip
# We do not add skipped tests to test table as we do not know the test result
if status != Status.Skip:
common.ex_state.add_to_tt(fname, target.arch, opt, target.target, runf, comp)
common.ex_state.add_to_rinf(target.arch, opt, target.target, succ, runf, comp, skip)
except:
print_debug("Exception in ex_state. Skipping...\n", s, run_tests_log)
# set compiler exe depending on the OS
def set_compiler_exe(host, options):
if options.compiler_exe == None:
if options.arch == "wasm32" or options.arch == "wasm64":
options.compiler_exe = "emcc"
elif host.is_windows():
options.compiler_exe = "cl.exe"
else:
options.compiler_exe = "clang++"
# checks the required compiler otherwise prints an error message
check_compiler_exists(options.compiler_exe)
# set ISPC output format
def set_ispc_output(target, options):
if options.ispc_output == None:
if target.is_xe():
options.ispc_output = "spv"
else:
options.ispc_output = "obj"
else:
if not target.is_xe() and not options.ispc_output=="obj" or target.is_xe() and options.ispc_output=="obj":
error("unsupported test output \"%s\" is specified for target: %s \n" % (options.ispc_output, target.target), 1)
# returns the list of test files
def get_test_files(host, args):
if len(args) == 0:
ispc_root = "."
files = glob.glob(ispc_root + os.sep + "tests" + os.sep + "*ispc") + \
glob.glob(ispc_root + os.sep + "tests_errors" + os.sep + "*ispc")
else:
if host.is_windows():
argfiles = [ ]
for f in args:
# we have to glob ourselves if this is being run under a DOS
# shell, as it passes wildcard as is.
argfiles += glob.glob(f)
else:
argfiles = args
files = [ ]
for f in argfiles:
if os.path.splitext(f.lower())[1] != ".ispc":
error("Ignoring file %s, which doesn't have an .ispc extension.\n" % f, 2)
else:
files += [ f ]
return files
# checks the required compiler in PATH otherwise prints an error message
def check_compiler_exists(compiler_exe):
for path in os.environ["PATH"].split(os.pathsep):
if os.path.exists(path + os.sep + compiler_exe):
return
error("missing the required compiler: %s \n" % compiler_exe, 1)
def print_result(status, results, s, run_tests_log, csv):
title = StatusStr[status]
file_list = [fname for fname, fstatus in results if status == fstatus]
total_tests = len(results)
print_debug("%d / %d tests %s\n" % (len(file_list), total_tests, title), s, run_tests_log)
if status == Status.Success:
return
for f in sorted(file_list):
print_debug("\t%s\n" % f, s, run_tests_log)
print_debug("%s;%s\n" % (f, title), csv, csv) # dump result to csv if filename is non-empty
def run_tests(options1, args, print_version):
global exit_code
global options
options = options1
global s
s = options.silent
# prepare run_tests_log and fail_db file
if len(args) != 0 and not os.path.exists(options.fail_db):
print("Fail database file not found!")
exit_code = 1
return 0
global run_tests_log
if options.in_file:
run_tests_log = os.getcwd() + os.sep + options.in_file
if print_version == 1:
common.remove_if_exists(run_tests_log)
else:
run_tests_log = ""
if options.verify:
verify()
return 0
# disable fancy error/warning printing with ANSI colors, so grepping for error
# messages doesn't get confused
os.environ["TERM"] = "dumb"
host = Host(platform.system())
host.set_ispc_cmd(options.ispc_flags)
target = TargetConfig(options.arch, options.target, options.device)
if options.debug_check and (not target.is_xe() or not host.is_linux()):
print("--debug_check is supported only for xe target and only on Linux OS")
exit_code = 1
return 0
print_debug("Testing ISPC compiler: " + host.ispc_exe + "\n", s, run_tests_log)
print_debug("Testing ISPC target: %s\n" % options.target, s, run_tests_log)
print_debug("Testing ISPC arch: %s\n" % options.arch, s, run_tests_log)
set_compiler_exe(host, options)
set_ispc_output(target, options)
# print compilers versions
if print_version > 0:
common.print_version(host.ispc_exe, "", options.compiler_exe, False, run_tests_log, host.is_windows())
# if no specific test files are specified, run all of the tests in tests/
# and tests_errors/
files = get_test_files(host, args)
# max_test_length is used to issue exact number of whitespace characters when
# updating status. Otherwise update causes new lines standard 80 char terminal
# on both Linux and Windows.
max_test_length = max([len(f) for f in files])
# randomly shuffle the tests if asked to do so
if (options.random):
random.seed()
random.shuffle(files)
# counter
total_tests = len(files)
results = []
nthreads = min([multiprocessing.cpu_count(), options.num_jobs, len(files)])
print_debug("Running %d jobs in parallel. Running %d tests.\n" % (nthreads, total_tests), s, run_tests_log)
# put each of the test filenames into a queue
test_queue = multiprocessing.JoinableQueue()
for fn in files:
test_queue.put(fn)
for x in range(nthreads):
test_queue.put('STOP')
# qret is a queue for returned data
qret = multiprocessing.Queue()
# need to catch sigint so that we can terminate all of the tasks if
# we're interrupted
signal.signal(signal.SIGINT, sigint)
finished_tests_counter = multiprocessing.Value('i') # 'i' is typecode of ctypes.c_int
# lock to protect counter increment and stdout printing
lock = multiprocessing.Lock()
start_time = time.time()
# launch jobs to run tests
glob_var = [host, options, s, target, run_tests_log]
# task_threads has to be global as it is used in sigint handler
global task_threads
task_threads = [0] * nthreads
for x in range(nthreads):
task_threads[x] = multiprocessing.Process(target=run_tasks_from_queue, args=(test_queue, qret, total_tests,
max_test_length, finished_tests_counter, lock, glob_var))
task_threads[x].start()
# wait for them all to finish and rid the queue of STOPs
# join() here just waits for synchronization
test_queue.join()
if options.non_interactive == False:
print_debug("\n", s, run_tests_log)
temp_time = (time.time() - start_time)
elapsed_time = time.strftime('%Hh%Mm%Ssec.', time.gmtime(temp_time))
while not qret.empty():
results.append(qret.get())
# populate ex_state test table and run info with testing results
populate_ex_state(options, target, total_tests, results)
run_succeed_files = [fname for fname, fstatus in results if fstatus == Status.Success]
skip_files = [fname for fname, fstatus in results if fstatus == Status.Skip]
total_tests_executed = total_tests-len(skip_files)
if options.non_interactive:
print_debug(" Done %d / %d\n" % (finished_tests_counter.value, total_tests), s, run_tests_log)
print_debug("\nExecuted %d / %d (%d skipped)\n\n" % (total_tests_executed, total_tests, len(skip_files)), s, run_tests_log)
# Pass rate
if (total_tests_executed) > 0:
pass_rate = (len(run_succeed_files)/total_tests_executed)*100
else:
pass_rate = -1
print_debug("PASSRATE (%d/%d) = %d%% \n\n" % (len(run_succeed_files), total_tests_executed, pass_rate), s, run_tests_log)
for status in Status:
print_result(status, results, s, run_tests_log, options.csv)
fails = [status != Status.Compfail and status != Status.Runfail for _, status in results]
if sum(fails) == 0:
print_debug("No fails\n", s, run_tests_log)
if len(args) == 0:
R = file_check(results, host, target)
else:
error("don't check new fails for incomplete suite of tests", 2)
R = 0
if options.time:
print_debug("Elapsed time: " + elapsed_time + "\n", s, run_tests_log)
return [R, elapsed_time]
from optparse import OptionParser
import multiprocessing
import os
import sys
import glob
import re
import signal
import random
import threading
import subprocess
import shlex
import platform
import tempfile
import os.path
import time
# our functions
import common
import traceback
print_debug = common.print_debug
error = common.error
exit_code = 0
# Use different default targets on different architectures.
default_target = "sse4-i32x4"
default_arch = "x86-64"
if platform.machine() == "arm":
default_target = "neon-i32x4"
default_arch = "arm"
elif platform.machine() == "aarch64":
default_target = "neon-i32x4"
default_arch = "aarch64"
elif platform.machine() == "arm64":
default_target = "neon-i32x4"
default_arch = "aarch64"
elif "86" in platform.machine() or platform.machine() == "AMD64":
# Some variant of x86: x86_64, i386, i486, i586, i686
# Windows reports platform as AMD64
pass
else:
print_debug("WARNING: host machine was not recognized - " + str(platform.machine()), False, "")
if __name__ == "__main__":