File: VTKTestsByLanguage.py

package info (click to toggle)
vtk9 9.1.0%2Breally9.1.0%2Bdfsg2-5
  • links: PTS, VCS
  • area: main
  • in suites: bookworm
  • size: 153,832 kB
  • sloc: cpp: 1,800,419; ansic: 261,033; python: 86,332; yacc: 4,033; java: 3,977; xml: 3,068; sh: 2,702; perl: 2,189; lex: 1,761; objc: 143; makefile: 139; tcl: 59
file content (445 lines) | stat: -rwxr-xr-x 16,515 bytes parent folder | download | duplicates (5)
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
#!/usr/bin/env python
'''
This program takes one mandatory parameter, the VTK base folder, and up to
 four optional parameters corresponding to the names of the testing language
 subfolders, e.g Cxx, Python, and, possibly, an optional print option along
 with some other optional options.

If no optional parameters are given, then some statistics about the number
 of tests are provided. These statistics are also displayed when optional
 parameters are provided.

Optional parameters are one or more of: Cxx or Python.

If one optional parameter e.g Python, is provided, then a list of the tests
 by folder for that parameter are given if the print option is specified.

If two optional parameters, e.g Cxx Python, are provided, then a list
 of the tests by folder corresponding to those tests that are in Cxx but
 not Python is provided if the print option is specified.

These are the additional options:
  -e: include only those tests enabled in the CMakeLists.txt file.
  -d: include only those tests disabled in the CMakeLists.txt file.
  -n: include only those tests not in the CMakeLists.txt file.
  The above are mutually exclusive.
  -p Print out a list of files.

  Some examples of typical usage:
  <program file Name> <path to VTK> Python Cxx
  <program file Name> <path to VTK> Python Cxx -p
  <program file Name> <path to VTK> Python -n -p
  <program file Name> <path to VTK> -d -p

'''

from __future__ import absolute_import
from __future__ import division
from __future__ import print_function
from __future__ import unicode_literals

import sys
import os
import re
import errno
import shutil
from collections import defaultdict
import string
import copy
import argparse

class FindTests(object):
    '''
    Search through the VTK folder and create a dictionary of all the tests.
    Only the Testing folder's subdirectories: Cxx, Python and Tcl are searched.
    '''
    def __init__(self, inputPath):
        self.patterns = {'Cxx': re.compile(r'(^.*Testing)(\/Cxx)(.?|\/)$'),
                         'Python': re.compile(
                                        r'(^.*Testing)(\/Python)(.?|\/)$')}

        self.inputPath = inputPath

        # Dictionary of test names keyed by type e.g Python
        self.tests = dict()
        for key in self.patterns:
            self.tests[key] = defaultdict(set)
        self.fileExtensions = dict()
        for key in self.patterns:
            self.fileExtensions[key] = key.lower()
        self.fileExtensions['Python'] = 'py'
        # Used to validate input.
        self.keys = {'cpp': 'Cxx', 'cxx': 'Cxx', 'c++': 'Cxx',
                      'python': 'Python'}

    def ParseCMakeFile(self, dir):
        '''
        Parse the CMakeLists.txt file as best we can by eliminating spurious
         lines and return two strings that can be searched for
         programs/scripts.

         The approach here is to just partition the file into two strings,
          one containing comments and the other the non-comment lines.

        :param: dir - the directory
        :return: a pair of strings containing the enabled programs/scripts and
                commented out programs/scripts.
        '''
        filePath = os.path.abspath(os.path.join(dir, 'CMakeLists.txt'))
        if not os.path.exists(filePath):
            return None, None
        fh = open(filePath, 'rb')
        nonComments = []
        comments = []
        for line in fh:
            # convert bytes to a string.
            line = line.strip().decode()
            if not line:
                continue
            if line[0] == '#':
                if len(line) > 1:
                    comments.append(line[1:])
                    continue
            if line:
                nonComments.append(line)
        # Remove duplicates.
        nonComments = set(nonComments)
        comments = set(comments)
        return '\n'.join(nonComments), '\n'.join(comments)
#        return '\n'.join(map(str, nonComments)), '\n'.join(map(str, comments))

    def AddValue(self, fn, key, v):
        '''
        :param: fn - the dictionary
        :param: key - the key
        :param: v - the value to add to the set of values in fn[key].
        '''
        try:
            values = fn[key]
            values.add(v)
            fn[key] = values
        except KeyError:
            # Key is not present
            fn[key] = set([v])

    def WalkPaths(self, option=0):
        """
        Walk the paths producing a dictionary keyed by the testing
         subdirectory type e.g Cxx, whose value is dictionary keyed by
         relative path
         whose value is a set of all the programs in that particular path.

        :param: option - This relates to the CMakeLists.txt file.
                         If 1: only enabled programs/scripts are selected,
                            2: only disabled programs/scripts are selected,
                            3: only programs/scripts not in CMakeLists.txt
                                 are selected.
                         Any other value - all programs/scripts are selected.
        """
        for root, dirs, files in os.walk(self.inputPath, topdown=True):
            for key in self.patterns:
                # Need to do this for Windows.
                r = root.replace('\\', '/')
                match = re.search(self.patterns[key], r)
                if match:
                    newKey = match.group(1)
                    if option > 0 and option < 4:
                        nonComments, comments = self.ParseCMakeFile(root)
                    for name in files:
                        fn = os.path.splitext(name)[0]
                        if option == 1:
                            if nonComments:
                                if fn in nonComments:
                                    if name.lower().endswith(
                                            self.fileExtensions[key]):
                                        self.AddValue(
                                            self.tests[key], newKey, fn)
                        elif option == 2:
                            if comments:
                                if fn in comments:
                                    if name.lower().endswith(
                                            self.fileExtensions[key]):
                                        self.AddValue(
                                            self.tests[key], newKey, fn)
                        elif option == 3:
                            s = None
                            if comments and nonComments:
                                s = comments + nonComments
                            elif comments:
                                s = comments
                            else:
                                s = nonComments
                            if s:
                                if not(fn in s):
                                    if name.lower().endswith(
                                            self.fileExtensions[key]):
                                        self.AddValue(self.tests[key],
                                                         newKey, fn)
                        else:
                            if name.lower().endswith(self.fileExtensions[key]):
                                self.AddValue(self.tests[key], newKey, fn)

    def Difference(self, a, b):
        '''
        :param: a - A dictionary of values.
        :param: b - A dictionary of values.
        :return: A dictionary where the values are the differences of the
                 values in a and b for each key.
        '''
        c = defaultdict(set)
        for key in a:
            if key in b:
                setDifference = a[key] - b[key]
                if setDifference:
                    for fn in setDifference:
                        try:
                            values = c[key]
                            values.add(fn)
                            c[key] = values
                        except KeyError:
                            # Key is not present
                            c[key] = set([fn])
            else:
                for fn in a[key]:
                    try:
                        values = c[key]
                        values.add(fn)
                        c[key] = values
                    except KeyError:
                        # Key is not present
                        c[key] = set([fn])
        return c

    def Union(self, a, b):
        '''
        :param: a - A dictionary of values.
        :param: b - A dictionary of values.
        :return: A dictionary of where the values are the union of the
                 values in a and b for each key.
        '''
        c = copy.deepcopy(a)
        for key in b:
            if key in a:
                setUnion = c[key] | b[key]
            else:
                setUnion = b[key]
            if setUnion:
                for fn in setUnion:
                    newKey = key
                    try:
                        values = c[newKey]
                        values.add(fn)
                        c[newKey] = values
                    except KeyError:
                        # Key is not present
                        c[newKey] = set([fn])
        return c

    def GetTotalNumberOfItems(self, a):
        '''
        :param: a - the dictionary.
        :return: The sum of all the elements in each value in the dictionary.
        '''
        numberOfItems = 0;
        for key in a:
            numberOfItems += len(a[key])
        return numberOfItems

    def NumberOfTestsByLanguage(self, tl):
        '''
        :param: tl - the language, e.g. Cxx or Python.
        :return: The sum of all the elements in the dictionary for that language.
        '''
        return self.GetTotalNumberOfItems(self.tests[tl])

    def NumberOfUniqueTestsByLanguage(self, tl1, tl2):
        '''
        :param: tl - the language, e.g. Cxx or Python.
        :param: t2 - the language, e.g. Cxx or Python.
        :return: The sum of all the elements in the dictionary for
                  the language tl1 that are unique.
        '''
        x = self.InANotBOrC(tl1, tl2)
        return self.GetTotalNumberOfItems(x)

    def InANotB(self, a, b):
        '''
        :param: a - The key for the first dictionary.
        :param: b - The key for the second dictionary.
        :return: d[a] - d[b], where d is a dictionary.
        '''
        try:
            v1 = self.tests[self.keys[a.lower()]]
            v2 = self.tests[self.keys[b.lower()]]
            return self.Difference(v1, v2)
        except:
            return None

    def InANotBOrC(self, a, b, c):
        '''
        :param: a - The key for the first dictionary.
        :param: b - The key for the second dictionary.
        :return: d[a] - (d[b] + d[c]), where d is a dictionary.
        '''
        try:
            v1 = self.tests[self.keys[a.lower()]]
            v2 = self.tests[self.keys[b.lower()]]
            v3 = self.tests[self.keys[c.lower()]]
            u = self.Union(v2, v3)
            return self.Difference(v1, u)
        except:
            return None

    def MakeSorted(self, d, s=None):
        '''
        :param: d - The dictionary.
        :param: s the string to append to the key.
        :return: A string containing a sorted list of the keys and values.
        '''
        l = list()
        for key, value in sorted(d.items()):
            if s:
                l.append(key + '/' + s)
            else:
                l.append(key)
            for v in sorted(value):
                if s:
                    l.append('  {:s}'.format(v))
                else:
                    l.append('  {:s}'.format(v))
        return '\n'.join(l)

def GetProgramParameters():
    description = 'Review the testing programs and scripts in VTK.'
    epilogue = '''
        This program produces statistics about the number of tests in VTK.
        It can also list programs/scripts that are in one language but not
         in other languages.
    '''
    parser = argparse.ArgumentParser(description=description, epilog=epilogue)
    parser.add_argument('inputPath',
        help='The path to the VTK source folder.', action='store')
    parser.add_argument('a',
        help='Tests in this folder e.g. one of Cxx, Python, Tcl.',
        nargs='?', default=None, action='store')
    parser.add_argument('b',
        help='Exclude tests in this folder e.g. one of Cxx, Python, Tcl.',
        nargs='?', default=None, action='store')
    parser.add_argument('c',
        help='Exclude tests in this folder e.g. one of Cxx, Python, Tcl.',
        nargs='?', default=None, action='store')
    group = parser.add_mutually_exclusive_group()
    group.add_argument('-e', '--enabled',
        help='Tests enabled as determined by the CMakeLists.txt file.',
        action='store_true')
    group.add_argument('-d', '--disabled',
        help='Tests disabled as determined by the CMakeLists.txt file.',
        action='store_true')
    group.add_argument('-n', '--notIn',
        help='Tests not in the CMakeLists.txt file.',
        action='store_true')
    group1 = parser.add_argument_group()
    group1.add_argument('-p', '--printFileNames',
        help='Print the filenames sorted by folder.',
        action='store_true')
    args = parser.parse_args()
    return args.inputPath, \
            [args.a, args.b, args.enabled, args.disabled,
             args.notIn, args.printFileNames]

def CheckPythonVersion(ver):
    '''
    Check the Python version.

    :param: ver - the minimum required version number as hexadecimal.
    :return: True if the Python version is greater than or equal to ver.
    '''
    if sys.hexversion < ver:
        return False
    return True

def main():
    if not CheckPythonVersion(0x02070000):
        print('This program requires Python 2.7 or greater.')
        return

    Ok = True

    inputPath, opts = GetProgramParameters()
    if not(os.path.exists(inputPath) and os.path.isdir(inputPath)):
        print(
    'Input path: {:s}\n should be the VTK top-level folder.'.format(inputPath))
        Ok = False

    tests = FindTests(inputPath)

    # An index for the number of languages selected.
    select = 0
    idx = 0
    for v in opts[:2]:
        if v:
            if not v.lower() in tests.keys:
                print('Invalid value: ', v)
                Ok = False
            else:
                opts[idx] = tests.keys[v.lower()]
                select += 1
        idx += 1
    if not Ok:
        return

    testOptions = 0
    testType = 'All tests'
    if opts[2]:
        testOptions = 1
        testType = 'Enabled tests'
    if opts[3]:
        testOptions = 2
        estType = 'Disabled tests'
    if opts[4]:
        testOptions = 3
        testType = 'Not in CmakeLists.txt'

    tests.WalkPaths(testOptions)

    c = tests.NumberOfTestsByLanguage('Cxx')
    ce = tests.NumberOfUniqueTestsByLanguage('Cxx', 'Python')
    p = tests.NumberOfTestsByLanguage('Python')
    pe = tests.NumberOfUniqueTestsByLanguage('Python', 'Cxx')

    print('-' * 40)
    print(testType + '.')
    print('-' * 40)
    print('{:32s}:{:6d}'.format('Unique Cxx tests', ce))
    print('{:32s}:{:6d}'.format('Total number of Cxx tests', c))
    print('-' * 40)
    print('{:32s}:{:6d}'.format('Unique Python tests', pe))
    print('{:32s}:{:6d}'.format('Total number of Python tests', p))
    print('-' * 40)
    print('{:32s}:{:6d}'.format('Total number of unique tests', ce + pe))
    print('{:32s}:{:6d}'.format('Total number of tests', c + p))
    print('-' * 40)
    if opts[5]:  # Print the filenames.
        if testOptions >= 0 and testOptions < 4:
            if select > 0:
                if select == 1:
                    print('In {:s}.'.format(opts[0]))
                    print('-' * 40)
                    print(tests.MakeSorted(tests.tests[opts[0]], opts[0]))
                elif select == 2:
                    inANotB = tests.InANotB(opts[0], opts[1])
                    if inANotB:
                        print('In {:s} but not in {:s}.'.format(
                                opts[0], opts[1]))
                        print('-' * 40)
                        print(tests.MakeSorted(inANotB, opts[0]))
            else:
                for k in sorted(tests.tests.keys()):
                    print('-' * 40)
                    print(tests.MakeSorted(tests.tests[k], k))
            print('-' * 40)

    return Ok

if __name__ == '__main__':
    main()