Merge pull request #14583 from FanaticsKang:fix_undistortPoint_bug
[platform/upstream/opencv.git] / modules / ts / misc / run_suite.py
1 #!/usr/bin/env python
2 import os
3 import re
4 import sys
5 from run_utils import Err, log, execute, getPlatformVersion, isColorEnabled, TempEnvDir
6 from run_long import LONG_TESTS_DEBUG_VALGRIND, longTestFilter
7
8
9 class TestSuite(object):
10     def __init__(self, options, cache, id):
11         self.options = options
12         self.cache = cache
13         self.nameprefix = "opencv_" + self.options.mode + "_"
14         self.tests = self.cache.gatherTests(self.nameprefix + "*", self.isTest)
15         self.id = id
16
17     def getOS(self):
18         return getPlatformVersion() or self.cache.getOS()
19
20     def getLogName(self, app):
21         return self.getAlias(app) + '_' + str(self.id) + '.xml'
22
23     def listTests(self, short=False, main=False):
24         if len(self.tests) == 0:
25             raise Err("No tests found")
26         for t in self.tests:
27             if short:
28                 t = self.getAlias(t)
29             if not main or self.cache.isMainModule(t):
30                 log.info("%s", t)
31
32     def getAlias(self, fname):
33         return sorted(self.getAliases(fname), key=len)[0]
34
35     def getAliases(self, fname):
36         def getCuts(fname, prefix):
37             # filename w/o extension (opencv_test_core)
38             noext = re.sub(r"\.(exe|apk)$", '', fname)
39             # filename w/o prefix (core.exe)
40             nopref = fname
41             if fname.startswith(prefix):
42                 nopref = fname[len(prefix):]
43             # filename w/o prefix and extension (core)
44             noprefext = noext
45             if noext.startswith(prefix):
46                 noprefext = noext[len(prefix):]
47             return noext, nopref, noprefext
48         # input is full path ('/home/.../bin/opencv_test_core') or 'java'
49         res = [fname]
50         fname = os.path.basename(fname)
51         res.append(fname)  # filename (opencv_test_core.exe)
52         for s in getCuts(fname, self.nameprefix):
53             res.append(s)
54             if self.cache.build_type == "Debug" and "Visual Studio" in self.cache.cmake_generator:
55                 res.append(re.sub(r"d$", '', s))  # MSVC debug config, remove 'd' suffix
56         log.debug("Aliases: %s", set(res))
57         return set(res)
58
59     def getTest(self, name):
60         # return stored test name by provided alias
61         for t in self.tests:
62             if name in self.getAliases(t):
63                 return t
64         raise Err("Can not find test: %s", name)
65
66     def getTestList(self, white, black):
67         res = [t for t in white or self.tests if self.getAlias(t) not in black]
68         if len(res) == 0:
69             raise Err("No tests found")
70         return set(res)
71
72     def isTest(self, fullpath):
73         if fullpath in ['java', 'python2', 'python3']:
74             return self.options.mode == 'test'
75         if not os.path.isfile(fullpath):
76             return False
77         if self.cache.getOS() == "nt" and not fullpath.endswith(".exe"):
78             return False
79         return os.access(fullpath, os.X_OK)
80
81     def wrapCommand(self, module, cmd, env):
82         if self.options.valgrind:
83             res = ['valgrind']
84             supp = self.options.valgrind_supp or []
85             for f in supp:
86                 if os.path.isfile(f):
87                     res.append("--suppressions=%s" % f)
88                 else:
89                     print("WARNING: Valgrind suppression file is missing, SKIP: %s" % f)
90             res.extend(self.options.valgrind_opt)
91             has_gtest_filter = next((True for x in cmd if x.startswith('--gtest_filter=')), False)
92             return res + cmd + ([longTestFilter(LONG_TESTS_DEBUG_VALGRIND, module)] if not has_gtest_filter else [])
93         elif self.options.qemu:
94             import shlex
95             res = shlex.split(self.options.qemu)
96             for (name, value) in [entry for entry in os.environ.items() if entry[0].startswith('OPENCV') and not entry[0] in env]:
97                 res += ['-E', '"{}={}"'.format(name, value)]
98             for (name, value) in env.items():
99                 res += ['-E', '"{}={}"'.format(name, value)]
100             return res + ['--'] + cmd
101         return cmd
102
103     def tryCommand(self, cmd, workingDir):
104         try:
105             if 0 == execute(cmd, cwd=workingDir):
106                 return True
107         except:
108             pass
109         return False
110
111     def runTest(self, module, path, logfile, workingDir, args=[]):
112         args = args[:]
113         exe = os.path.abspath(path)
114         if module == "java":
115             cmd = [self.cache.ant_executable, "-Dopencv.build.type=%s" % self.cache.build_type]
116             if self.options.package:
117                 cmd += ["-Dopencv.test.package=%s" % self.options.package]
118             cmd += ["buildAndTest"]
119             ret = execute(cmd, cwd=self.cache.java_test_dir)
120             return None, ret
121         elif module in ['python2', 'python3']:
122             executable = os.getenv('OPENCV_PYTHON_BINARY', None)
123             if executable is None or module == 'python{}'.format(sys.version_info[0]):
124                 executable = sys.executable
125             if executable is None:
126                 executable = path
127                 if not self.tryCommand([executable, '--version'], workingDir):
128                     executable = 'python'
129             cmd = [executable, self.cache.opencv_home + '/modules/python/test/test.py', '--repo', self.cache.opencv_home, '-v'] + args
130             module_suffix = '' if 'Visual Studio' not in self.cache.cmake_generator else '/' + self.cache.build_type
131             env = {}
132             env['PYTHONPATH'] = self.cache.opencv_build + '/lib' + module_suffix + os.pathsep + os.getenv('PYTHONPATH', '')
133             if self.cache.getOS() == 'nt':
134                 env['PATH'] = self.cache.opencv_build + '/bin' + module_suffix + os.pathsep + os.getenv('PATH', '')
135             else:
136                 env['LD_LIBRARY_PATH'] = self.cache.opencv_build + '/bin' + os.pathsep + os.getenv('LD_LIBRARY_PATH', '')
137             ret = execute(cmd, cwd=workingDir, env=env)
138             return None, ret
139         else:
140             if isColorEnabled(args):
141                 args.append("--gtest_color=yes")
142             env = {}
143             if not self.options.valgrind and self.options.trace:
144                 env['OPENCV_TRACE'] = '1'
145                 env['OPENCV_TRACE_LOCATION'] = 'OpenCVTrace-{}'.format(self.getLogBaseName(exe))
146                 env['OPENCV_TRACE_SYNC_OPENCL'] = '1'
147             tempDir = TempEnvDir('OPENCV_TEMP_PATH', "__opencv_temp.")
148             tempDir.init()
149             cmd = self.wrapCommand(module, [exe] + args, env)
150             log.warning("Run: %s" % " ".join(cmd))
151             ret = execute(cmd, cwd=workingDir, env=env)
152             try:
153                 if not self.options.valgrind and self.options.trace and int(self.options.trace_dump) >= 0:
154                     import trace_profiler
155                     trace = trace_profiler.Trace(env['OPENCV_TRACE_LOCATION']+'.txt')
156                     trace.process()
157                     trace.dump(max_entries=int(self.options.trace_dump))
158             except:
159                 import traceback
160                 traceback.print_exc()
161                 pass
162             tempDir.clean()
163             hostlogpath = os.path.join(workingDir, logfile)
164             if os.path.isfile(hostlogpath):
165                 return hostlogpath, ret
166             return None, ret
167
168     def runTests(self, tests, black, workingDir, args=[]):
169         args = args[:]
170         logs = []
171         test_list = self.getTestList(tests, black)
172         if len(test_list) != 1:
173             args = [a for a in args if not a.startswith("--gtest_output=")]
174         ret = 0
175         for test in test_list:
176             more_args = []
177             exe = self.getTest(test)
178
179             if exe in ["java", "python2", "python3"]:
180                 logname = None
181             else:
182                 userlog = [a for a in args if a.startswith("--gtest_output=")]
183                 if len(userlog) == 0:
184                     logname = self.getLogName(exe)
185                     more_args.append("--gtest_output=xml:" + logname)
186                 else:
187                     logname = userlog[0][userlog[0].find(":")+1:]
188
189             log.debug("Running the test: %s (%s) ==> %s in %s", exe, args + more_args, logname, workingDir)
190             if self.options.dry_run:
191                 logfile, r = None, 0
192             else:
193                 logfile, r = self.runTest(test, exe, logname, workingDir, args + more_args)
194             log.debug("Test returned: %s ==> %s", r, logfile)
195
196             if r != 0:
197                 ret = r
198             if logfile:
199                 logs.append(os.path.relpath(logfile, workingDir))
200         return logs, ret
201
202
203 if __name__ == "__main__":
204     log.error("This is utility file, please execute run.py script")