1#!/usr/bin/env python3 2# Copyright 2018 The Android Open Source Project 3# 4# Licensed under the Apache License, Version 2.0 (the "License"); 5# you may not use this file except in compliance with the License. 6# You may obtain a copy of the License at 7# 8# http://www.apache.org/licenses/LICENSE-2.0 9# 10# Unless required by applicable law or agreed to in writing, software 11# distributed under the License is distributed on an "AS IS" BASIS, 12# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. 13# See the License for the specific language governing permissions and 14# limitations under the License. 15 16"""Validate TEST_MAPPING files in Android source code. 17 18The goal of this script is to validate the format of TEST_MAPPING files: 191. It must be a valid json file. 202. Each test group must have a list of test that containing name and options. 213. Each import must have only one key `path` and one value for the path to 22 import TEST_MAPPING files. 23""" 24 25import argparse 26import json 27import os 28import re 29import sys 30 31_path = os.path.realpath(__file__ + '/../..') 32if sys.path[0] != _path: 33 sys.path.insert(0, _path) 34del _path 35 36# We have to import our local modules after the sys.path tweak. We can't use 37# relative imports because this is an executable program, not a module. 38# pylint: disable=wrong-import-position 39import rh.git 40 41IMPORTS = 'imports' 42NAME = 'name' 43OPTIONS = 'options' 44PATH = 'path' 45HOST = 'host' 46PREFERRED_TARGETS = 'preferred_targets' 47FILE_PATTERNS = 'file_patterns' 48TEST_MAPPING_URL = ( 49 'https://source.android.com/compatibility/tests/development/' 50 'test-mapping') 51 52# Pattern used to identify line-level '//'-format comment in TEST_MAPPING file. 53_COMMENTS_RE = re.compile(r'^\s*//') 54 55 56class Error(Exception): 57 """Base exception for all custom exceptions in this module.""" 58 59 60class InvalidTestMappingError(Error): 61 """Exception to raise when detecting an invalid TEST_MAPPING file.""" 62 63 64def filter_comments(json_data): 65 """Remove '//'-format comments in TEST_MAPPING file to valid format. 66 67 Args: 68 json_data: TEST_MAPPING file content (as a string). 69 70 Returns: 71 Valid json string without comments. 72 """ 73 return ''.join('\n' if _COMMENTS_RE.match(x) else x for x in 74 json_data.splitlines()) 75 76 77def _validate_import(entry, test_mapping_file): 78 """Validate an import setting. 79 80 Args: 81 entry: A dictionary of an import setting. 82 test_mapping_file: Path to the TEST_MAPPING file to be validated. 83 84 Raises: 85 InvalidTestMappingError: if the import setting is invalid. 86 """ 87 if len(entry) != 1: 88 raise InvalidTestMappingError( 89 'Invalid import config in test mapping file %s. each import can ' 90 'only have one `path` setting. Failed entry: %s' % 91 (test_mapping_file, entry)) 92 if list(entry.keys())[0] != PATH: 93 raise InvalidTestMappingError( 94 'Invalid import config in test mapping file %s. import can only ' 95 'have one `path` setting. Failed entry: %s' % 96 (test_mapping_file, entry)) 97 98 99def _validate_test(test, test_mapping_file): 100 """Validate a test declaration. 101 102 Args: 103 entry: A dictionary of a test declaration. 104 test_mapping_file: Path to the TEST_MAPPING file to be validated. 105 106 Raises: 107 InvalidTestMappingError: if the a test declaration is invalid. 108 """ 109 if NAME not in test: 110 raise InvalidTestMappingError( 111 'Invalid test config in test mapping file %s. test config must ' 112 'a `name` setting. Failed test config: %s' % 113 (test_mapping_file, test)) 114 if not isinstance(test.get(HOST, False), bool): 115 raise InvalidTestMappingError( 116 'Invalid test config in test mapping file %s. `host` setting in ' 117 'test config can only have boolean value of `true` or `false`. ' 118 'Failed test config: %s' % (test_mapping_file, test)) 119 preferred_targets = test.get(PREFERRED_TARGETS, []) 120 if (not isinstance(preferred_targets, list) or 121 any(not isinstance(t, str) for t in preferred_targets)): 122 raise InvalidTestMappingError( 123 'Invalid test config in test mapping file %s. `preferred_targets` ' 124 'setting in test config can only be a list of strings. Failed test ' 125 'config: %s' % (test_mapping_file, test)) 126 file_patterns = test.get(FILE_PATTERNS, []) 127 if (not isinstance(file_patterns, list) or 128 any(not isinstance(p, str) for p in file_patterns)): 129 raise InvalidTestMappingError( 130 'Invalid test config in test mapping file %s. `file_patterns` ' 131 'setting in test config can only be a list of strings. Failed test ' 132 'config: %s' % (test_mapping_file, test)) 133 for option in test.get(OPTIONS, []): 134 if len(option) != 1: 135 raise InvalidTestMappingError( 136 'Invalid option setting in test mapping file %s. each option ' 137 'setting can only have one key-val setting. Failed entry: %s' % 138 (test_mapping_file, option)) 139 140 141def _load_file(test_mapping_file): 142 """Load a TEST_MAPPING file as a json file.""" 143 try: 144 return json.loads(filter_comments(test_mapping_file)) 145 except ValueError as e: 146 # The file is not a valid JSON file. 147 print( 148 'Failed to parse JSON file %s, error: %s' % (test_mapping_file, e), 149 file=sys.stderr) 150 raise 151 152 153def process_file(test_mapping_file): 154 """Validate a TEST_MAPPING file.""" 155 test_mapping = _load_file(test_mapping_file) 156 # Validate imports. 157 for import_entry in test_mapping.get(IMPORTS, []): 158 _validate_import(import_entry, test_mapping_file) 159 # Validate tests. 160 all_tests = [test for group, tests in test_mapping.items() 161 if group != IMPORTS for test in tests] 162 for test in all_tests: 163 _validate_test(test, test_mapping_file) 164 165 166def get_parser(): 167 """Return a command line parser.""" 168 parser = argparse.ArgumentParser(description=__doc__) 169 parser.add_argument('--commit', type=str, 170 help='Specify the commit to validate.') 171 parser.add_argument('project_dir') 172 parser.add_argument('files', nargs='+') 173 return parser 174 175 176def main(argv): 177 parser = get_parser() 178 opts = parser.parse_args(argv) 179 try: 180 for filename in opts.files: 181 if opts.commit: 182 json_data = rh.git.get_file_content(opts.commit, filename) 183 else: 184 with open(os.path.join(opts.project_dir, filename)) as f: 185 json_data = f.read() 186 process_file(json_data) 187 except: 188 print('Visit %s for details about the format of TEST_MAPPING ' 189 'file.' % TEST_MAPPING_URL, file=sys.stderr) 190 raise 191 192 193if __name__ == '__main__': 194 sys.exit(main(sys.argv[1:])) 195