xref: /libCEED/tests/junit.py (revision 7b6fac6b22b60e6240f91980eb9d87fbfb688f61)
1#!/usr/bin/env python3
2from junit_common import *
3
4
5def create_argparser() -> argparse.ArgumentParser:
6    """Creates argument parser to read command line arguments
7
8    Returns:
9        argparse.ArgumentParser: Created `ArgumentParser`
10    """
11    parser = argparse.ArgumentParser('Test runner with JUnit and TAP output')
12    parser.add_argument(
13        '-c',
14        '--ceed-backends',
15        type=str,
16        nargs='*',
17        default=['/cpu/self'],
18        help='libCEED backend to use with convergence tests')
19    parser.add_argument(
20        '-m',
21        '--mode',
22        type=RunMode,
23        action=CaseInsensitiveEnumAction,
24        help='Output mode, junit or tap',
25        default=RunMode.JUNIT)
26    parser.add_argument('-n', '--nproc', type=int, default=1, help='number of MPI processes')
27    parser.add_argument('-b', '--junit-batch', type=str, default='', help='Name of JUnit batch for output file')
28    parser.add_argument('-np', '--pool-size', type=int, default=1, help='Number of test cases to run in parallel')
29    parser.add_argument('-s', '--search', type=str, default='.*',
30                        help='Search string to filter tests, using `re` package format')
31    parser.add_argument('-v', '--verbose', action='store_true', default=False,
32                        help='print details for all runs, not just failures')
33    parser.add_argument('test', help='Test executable', nargs='?')
34
35    return parser
36
37
38# Necessary functions for running tests
39class CeedSuiteSpec(SuiteSpec):
40    def __init__(self):
41        pass
42
43    def get_source_path(self, test: str) -> Path:
44        """Compute path to test source file
45
46        Args:
47            test (str): Name of test
48
49        Returns:
50            Path: Path to source file
51        """
52        prefix, rest = test.split('-', 1)
53        if prefix == 'rustqfunctions':
54            return (Path('examples') / 'rust-qfunctions' / rest).with_suffix('.c')
55        if prefix == 'petsc':
56            return (Path('examples') / 'petsc' / rest).with_suffix('.c')
57        elif prefix == 'mfem':
58            return (Path('examples') / 'mfem' / rest).with_suffix('.cpp')
59        elif prefix == 'nek':
60            return (Path('examples') / 'nek' / 'bps' / rest).with_suffix('.usr')
61        elif prefix == 'dealii':
62            return (Path('examples') / 'deal.II' / rest).with_suffix('.cc')
63        elif prefix == 'fluids':
64            return (Path('examples') / 'fluids' / rest).with_suffix('.c')
65        elif prefix == 'solids':
66            return (Path('examples') / 'solids' / rest).with_suffix('.c')
67        elif test.startswith('ex'):
68            if test.endswith('-f'):
69                return (Path('examples') / 'ceed' / test).with_suffix('.f90')
70            else:
71                return (Path('examples') / 'ceed' / test).with_suffix('.c')
72        elif test.endswith('-f'):
73            return (Path('tests') / test).with_suffix('.f90')
74        else:
75            return (Path('tests') / test).with_suffix('.c')
76
77    # get path to executable
78    def get_run_path(self, test: str) -> Path:
79        """Compute path to built test executable file
80
81        Args:
82            test (str): Name of test
83
84        Returns:
85            Path: Path to test executable
86        """
87        return Path('build') / test
88
89    def get_output_path(self, test: str, output_file: str) -> Path:
90        """Compute path to expected output file
91
92        Args:
93            test (str): Name of test
94            output_file (str): File name of output file
95
96        Returns:
97            Path: Path to expected output file
98        """
99        return Path('tests') / 'output' / output_file
100
101    def check_pre_skip(self, test: str, spec: TestSpec, resource: str, nproc: int) -> Optional[str]:
102        """Check if a test case should be skipped prior to running, returning the reason for skipping
103
104        Args:
105            test (str): Name of test
106            spec (TestSpec): Test case specification
107            resource (str): libCEED backend
108            nproc (int): Number of MPI processes to use when running test case
109
110        Returns:
111            Optional[str]: Skip reason, or `None` if test case should not be skipped
112        """
113        if test.startswith('t318') and contains_any(resource, ['/gpu/cuda/ref']):
114            return 'CUDA ref backend not supported'
115        if test.startswith('t506') and contains_any(resource, ['/gpu/cuda/shared']):
116            return 'CUDA shared backend not supported'
117        for condition in spec.only:
118            if (condition == 'cpu') and ('gpu' in resource):
119                return 'CPU only test with GPU backend'
120
121    def check_post_skip(self, test: str, spec: TestSpec, resource: str, stderr: str) -> Optional[str]:
122        """Check if a test case should be allowed to fail, based on its stderr output
123
124        Args:
125            test (str): Name of test
126            spec (TestSpec): Test case specification
127            resource (str): libCEED backend
128            stderr (str): Standard error output from test case execution
129
130        Returns:
131            Optional[str]: Skip reason, or `None` if unexpeced error
132        """
133        if 'Backend does not implement' in stderr:
134            return f'Backend does not implement'
135        elif 'Can only provide HOST memory for this backend' in stderr:
136            return f'Device memory not supported'
137        elif 'Can only set HOST memory for this backend' in stderr:
138            return f'Device memory not supported'
139        elif 'Test not implemented in single precision' in stderr:
140            return f'Test not implemented in single precision'
141        elif 'No SYCL devices of the requested type are available' in stderr:
142            return f'SYCL device type not available'
143        elif 'You may need to add --download-ctetgen or --download-tetgen' in stderr:
144            return f'Tet mesh generator not installed for {test}, {spec.name}'
145        return None
146
147    def check_required_failure(self, test: str, spec: TestSpec, resource: str, stderr: str) -> Tuple[str, bool]:
148        """Check whether a test case is expected to fail and if it failed expectedly
149
150        Args:
151            test (str): Name of test
152            spec (TestSpec): Test case specification
153            resource (str): libCEED backend
154            stderr (str): Standard error output from test case execution
155
156        Returns:
157            tuple[str, bool]: Tuple of the expected failure string and whether it was present in `stderr`
158        """
159        test_id: str = test[:4]
160        fail_str: str = ''
161        if test_id in ['t006', 't007']:
162            fail_str = 'No suitable backend:'
163        elif test_id in ['t008']:
164            fail_str = 'Available backend resources:'
165        elif test_id in ['t110', 't111', 't112', 't113', 't114']:
166            fail_str = 'Cannot grant CeedVector array access'
167        elif test_id in ['t115']:
168            fail_str = 'Cannot grant CeedVector read-only array access, the access lock is already in use'
169        elif test_id in ['t116']:
170            fail_str = 'Cannot destroy CeedVector, the writable access lock is in use'
171        elif test_id in ['t117']:
172            fail_str = 'Cannot restore CeedVector array access, access was not granted'
173        elif test_id in ['t118']:
174            fail_str = 'Cannot sync CeedVector, the access lock is already in use'
175        elif test_id in ['t215']:
176            fail_str = 'Cannot destroy CeedElemRestriction, a process has read access to the offset data'
177        elif test_id in ['t303']:
178            fail_str = 'Input/output vectors too short for basis and evaluation mode'
179        elif test_id in ['t408']:
180            fail_str = 'CeedQFunctionContextGetData(): Cannot grant CeedQFunctionContext data access, a process has read access'
181        elif test_id in ['t409'] and contains_any(resource, ['memcheck']):
182            fail_str = 'Context data changed while accessed in read-only mode'
183
184        return fail_str, fail_str in stderr
185
186    def check_allowed_stdout(self, test: str) -> bool:
187        """Check whether a test is allowed to print console output
188
189        Args:
190            test (str): Name of test
191
192        Returns:
193            bool: True if the test is allowed to print console output
194        """
195        return test[:4] in ['t003']
196
197
198if __name__ == '__main__':
199    args = create_argparser().parse_args()
200
201    result: TestSuite = run_tests(
202        args.test,
203        args.ceed_backends,
204        args.mode,
205        args.nproc,
206        CeedSuiteSpec(),
207        args.pool_size,
208        search=args.search,
209        verbose=args.verbose)
210
211    # write output and check for failures
212    if args.mode is RunMode.JUNIT:
213        write_junit_xml(result, args.junit_batch)
214        if has_failures(result):
215            sys.exit(1)
216