blob: 9f9f63b41bc52947ed03809ff92aeb29a0e1abf3 [file] [log] [blame]
Ryan Tseng85ec17e2018-09-06 17:10:05 -07001# Copyright (c) 2018 The Chromium Authors. All rights reserved.
2# Use of this source code is governed by a BSD-style license that can be
3# found in the LICENSE file.
4
Jordan Baylese50a1d62020-11-30 12:31:47 -08005import os
mark a. foltz01490a42020-11-19 10:33:36 -08006import re
Jordan Baylese50a1d62020-11-30 12:31:47 -08007import sys
8
9_REPO_PATH = os.path.dirname(os.path.realpath('__file__'))
10_IMPORT_SUBFOLDERS = ['tools', os.path.join('buildtools', 'checkdeps')]
11
12# git-cl upload is not compatible with __init__.py based subfolder imports, so
13# we extend the system path instead.
14sys.path.extend(os.path.join(_REPO_PATH, p) for p in _IMPORT_SUBFOLDERS)
15
16import licenses
17from checkdeps import DepsChecker
Jordan Bayles6e279a02021-05-27 14:24:12 -070018
19# Opt-in to using Python3 instead of Python2, as part of the ongoing Python2
20# deprecation. For more information, see
21# https://issuetracker.google.com/173766869.
22USE_PYTHON3 = True
mark a. foltz01490a42020-11-19 10:33:36 -080023
mark a. foltz8c11e262020-07-22 14:29:37 -070024# Rather than pass this to all of the checks, we override the global excluded
25# list with this one.
mark a. foltz4410e8e2020-05-07 17:10:17 -070026_EXCLUDED_PATHS = (
27 # Exclude all of third_party/ except for BUILD.gns that we maintain.
28 r'third_party[\\\/].*(?<!BUILD.gn)$',
Jordan Bayles425c1362021-05-27 14:33:11 -070029
mark a. foltz4410e8e2020-05-07 17:10:17 -070030 # Exclude everything under third_party/chromium_quic/{src|build}
31 r'third_party/chromium_quic/(src|build)/.*',
Jordan Bayles425c1362021-05-27 14:33:11 -070032
mark a. foltz4410e8e2020-05-07 17:10:17 -070033 # Output directories (just in case)
34 r'.*\bDebug[\\\/].*',
35 r'.*\bRelease[\\\/].*',
36 r'.*\bxcodebuild[\\\/].*',
37 r'.*\bout[\\\/].*',
Jordan Bayles425c1362021-05-27 14:33:11 -070038
mark a. foltz4410e8e2020-05-07 17:10:17 -070039 # There is no point in processing a patch file.
40 r'.+\.diff$',
41 r'.+\.patch$',
42)
43
Ryan Tseng85ec17e2018-09-06 17:10:05 -070044
Jordan Baylese50a1d62020-11-30 12:31:47 -080045def _CheckLicenses(input_api, output_api):
46 """Checks third party licenses and returns a list of violations."""
47 return [
48 output_api.PresubmitError(v) for v in licenses.ScanThirdPartyDirs()
49 ]
btolsch9ba23712019-04-18 16:36:55 -070050
Jordan Baylese50a1d62020-11-30 12:31:47 -080051
52def _CheckDeps(input_api, output_api):
53 """Checks DEPS rules and returns a list of violations."""
54 deps_checker = DepsChecker(input_api.PresubmitLocalPath())
55 deps_checker.CheckDirectory(input_api.PresubmitLocalPath())
56 deps_results = deps_checker.results_formatter.GetResults()
57 return [output_api.PresubmitError(v) for v in deps_results]
btolsch9ba23712019-04-18 16:36:55 -070058
59
Jordan Bayles963b0a62020-12-02 13:23:59 -080060# Matches OSP_CHECK(foo.is_value()) or OSP_DCHECK(foo.is_value())
61_RE_PATTERN_VALUE_CHECK = re.compile(
62 r'\s*OSP_D?CHECK\([^)]*\.is_value\(\)\);\s*')
63
mark a. foltz01490a42020-11-19 10:33:36 -080064# Matches Foo(Foo&&) when not followed by noexcept.
65_RE_PATTERN_MOVE_WITHOUT_NOEXCEPT = re.compile(
66 r'\s*(?P<classname>\w+)\((?P=classname)&&[^)]*\)\s*(?!noexcept)\s*[{;=]')
67
68
Jordan Bayles963b0a62020-12-02 13:23:59 -080069def _CheckNoRegexMatches(regex,
70 filename,
71 clean_lines,
72 linenum,
73 error,
74 error_type,
75 error_msg,
76 include_cpp_files=True):
77 """Checks that there are no matches for a specific regex.
78
79 Args:
80 regex: regex to use for matching.
81 filename: The name of the current file.
82 clean_lines: A CleansedLines instance containing the file.
83 linenum: The number of the line to check.
84 error: The function to call with any errors found.
85 error_type: type of error, e.g. runtime/noexcept
86 error_msg: Specific message to prepend when regex match is found.
87 """
88 if not include_cpp_files and not filename.endswith('.h'):
89 return
90
91 line = clean_lines.elided[linenum]
92 matched = regex.match(line)
93 if matched:
94 error(filename, linenum, error_type, 4,
95 'Error: {} at {}'.format(error_msg,
96 matched.group(0).strip()))
97
98
99def _CheckNoValueDchecks(filename, clean_lines, linenum, error):
100 """Checks that there are no OSP_DCHECK(foo.is_value()) instances.
101
102 filename: The name of the current file.
103 clean_lines: A CleansedLines instance containing the file.
104 linenum: The number of the line to check.
105 error: The function to call with any errors found.
106 """
107 _CheckNoRegexMatches(_RE_PATTERN_VALUE_CHECK, filename, clean_lines,
108 linenum, error, 'runtime/is_value_dchecks',
109 'Unnecessary CHECK for ErrorOr::is_value()')
110
111
mark a. foltz01490a42020-11-19 10:33:36 -0800112def _CheckNoexceptOnMove(filename, clean_lines, linenum, error):
Jordan Baylese50a1d62020-11-30 12:31:47 -0800113 """Checks that move constructors are declared with 'noexcept'.
mark a. foltz01490a42020-11-19 10:33:36 -0800114
mark a. foltz01490a42020-11-19 10:33:36 -0800115 filename: The name of the current file.
116 clean_lines: A CleansedLines instance containing the file.
117 linenum: The number of the line to check.
118 error: The function to call with any errors found.
119 """
Jordan Baylese50a1d62020-11-30 12:31:47 -0800120 # We only check headers as noexcept is meaningful on declarations, not
121 # definitions. This may skip some definitions in .cc files though.
Jordan Bayles963b0a62020-12-02 13:23:59 -0800122 _CheckNoRegexMatches(_RE_PATTERN_MOVE_WITHOUT_NOEXCEPT, filename,
123 clean_lines, linenum, error, 'runtime/noexcept',
124 'Move constructor not declared \'noexcept\'', False)
mark a. foltz01490a42020-11-19 10:33:36 -0800125
126# - We disable c++11 header checks since Open Screen allows them.
127# - We disable whitespace/braces because of various false positives.
128# - There are some false positives with 'explicit' checks, but it's useful
129# enough to keep.
130# - We add a custom check for 'noexcept' usage.
131def _CheckChangeLintsClean(input_api, output_api):
Jordan Baylese50a1d62020-11-30 12:31:47 -0800132 """Checks that all '.cc' and '.h' files pass cpplint.py."""
133 cpplint = input_api.cpplint
Jordan Bayles425c1362021-05-27 14:33:11 -0700134 # Directive that allows access to a protected member _XX of a client class.
Jordan Baylese50a1d62020-11-30 12:31:47 -0800135 # pylint: disable=protected-access
136 cpplint._cpplint_state.ResetErrorCounts()
mark a. foltz01490a42020-11-19 10:33:36 -0800137
Jordan Baylese50a1d62020-11-30 12:31:47 -0800138 cpplint._SetFilters('-build/c++11,-whitespace/braces')
139 files = [
140 f.AbsoluteLocalPath() for f in input_api.AffectedSourceFiles(None)
141 ]
142 CPPLINT_VERBOSE_LEVEL = 4
143 for file_name in files:
144 cpplint.ProcessFile(file_name, CPPLINT_VERBOSE_LEVEL,
Jordan Bayles963b0a62020-12-02 13:23:59 -0800145 [_CheckNoexceptOnMove, _CheckNoValueDchecks])
mark a. foltz01490a42020-11-19 10:33:36 -0800146
Jordan Baylese50a1d62020-11-30 12:31:47 -0800147 if cpplint._cpplint_state.error_count:
148 if input_api.is_committing:
149 res_type = output_api.PresubmitError
150 else:
151 res_type = output_api.PresubmitPromptWarning
152 return [res_type('Changelist failed cpplint.py check.')]
mark a. foltz01490a42020-11-19 10:33:36 -0800153
Jordan Baylese50a1d62020-11-30 12:31:47 -0800154 return []
mark a. foltz01490a42020-11-19 10:33:36 -0800155
156
Jordan Bayles0a682462021-09-02 11:44:48 -0700157def _CheckLuciCfg(input_api, output_api):
158 """Check the main.star lucicfg generated files."""
159 return input_api.RunTests(
160 input_api.canned_checks.CheckLucicfgGenOutput(
161 input_api, output_api,
162 os.path.join('infra', 'config', 'global', 'main.star')))
163
164
btolsch333aecd2019-04-18 16:21:23 -0700165def _CommonChecks(input_api, output_api):
Jordan Baylese50a1d62020-11-30 12:31:47 -0800166 # PanProjectChecks include:
167 # CheckLongLines (@ 80 cols)
168 # CheckChangeHasNoTabs
169 # CheckChangeHasNoStrayWhitespace
170 # CheckLicense
171 # CheckChangeWasUploaded (if committing)
172 # CheckChangeHasDescription
173 # CheckDoNotSubmitInDescription
174 # CheckDoNotSubmitInFiles
175 results = input_api.canned_checks.PanProjectChecks(input_api,
176 output_api,
177 owners_check=False)
mark a. foltz4410e8e2020-05-07 17:10:17 -0700178
Jordan Baylese50a1d62020-11-30 12:31:47 -0800179 # No carriage return characters, files end with one EOL (\n).
180 results.extend(
181 input_api.canned_checks.CheckChangeHasNoCrAndHasOnlyOneEol(
182 input_api, output_api))
mark a. foltz4410e8e2020-05-07 17:10:17 -0700183
Jordan Bayles425c1362021-05-27 14:33:11 -0700184 # Ensure code change is gender inclusive.
Jordan Baylese50a1d62020-11-30 12:31:47 -0800185 results.extend(
186 input_api.canned_checks.CheckGenderNeutral(input_api, output_api))
mark a. foltz4410e8e2020-05-07 17:10:17 -0700187
Jordan Bayles425c1362021-05-27 14:33:11 -0700188 # Ensure code change to do items uses TODO(bug) or TODO(user) format.
189 # TODO(bug) is generally preferred.
Jordan Baylese50a1d62020-11-30 12:31:47 -0800190 results.extend(
191 input_api.canned_checks.CheckChangeTodoHasOwner(input_api, output_api))
mark a. foltz4410e8e2020-05-07 17:10:17 -0700192
Jordan Bayles425c1362021-05-27 14:33:11 -0700193 # Ensure code change passes linter cleanly.
Jordan Baylese50a1d62020-11-30 12:31:47 -0800194 results.extend(_CheckChangeLintsClean(input_api, output_api))
mark a. foltz4410e8e2020-05-07 17:10:17 -0700195
Jordan Bayles425c1362021-05-27 14:33:11 -0700196 # Ensure code change has already had clang-format ran.
Jordan Baylese50a1d62020-11-30 12:31:47 -0800197 results.extend(
198 input_api.canned_checks.CheckPatchFormatted(input_api,
199 output_api,
200 bypass_warnings=False))
mark a. foltz4410e8e2020-05-07 17:10:17 -0700201
Jordan Bayles425c1362021-05-27 14:33:11 -0700202 # Ensure code change has had GN formatting ran.
Jordan Baylese50a1d62020-11-30 12:31:47 -0800203 results.extend(
204 input_api.canned_checks.CheckGNFormatted(input_api, output_api))
mark a. foltz4410e8e2020-05-07 17:10:17 -0700205
Jordan Bayles425c1362021-05-27 14:33:11 -0700206 # Run buildtools/checkdeps on code change.
Jordan Baylese50a1d62020-11-30 12:31:47 -0800207 results.extend(_CheckDeps(input_api, output_api))
208
Jordan Bayles425c1362021-05-27 14:33:11 -0700209 # Run tools/licenses on code change.
mark a. foltzdec3ae52021-06-01 15:54:50 -0700210 # TODO(https://crbug.com/1215335): licenses check is confused by our
211 # buildtools checkout that doesn't actually check out the libraries.
212 licenses.PRUNE_PATHS.add(os.path.join('buildtools', 'third_party'));
Jordan Baylese50a1d62020-11-30 12:31:47 -0800213 results.extend(_CheckLicenses(input_api, output_api))
214
215 return results
btolsch333aecd2019-04-18 16:21:23 -0700216
217
Ryan Tseng85ec17e2018-09-06 17:10:05 -0700218def CheckChangeOnUpload(input_api, output_api):
Jordan Baylese50a1d62020-11-30 12:31:47 -0800219 input_api.DEFAULT_FILES_TO_SKIP = _EXCLUDED_PATHS
220 # We always run the OnCommit checks, as well as some additional checks.
221 results = CheckChangeOnCommit(input_api, output_api)
Josip Sokcevic401815e2022-02-10 10:33:13 -0800222 results.extend(
223 input_api.canned_checks.CheckChangedLUCIConfigs(input_api, output_api))
Jordan Baylese50a1d62020-11-30 12:31:47 -0800224 return results
btolsch333aecd2019-04-18 16:21:23 -0700225
226
227def CheckChangeOnCommit(input_api, output_api):
Jordan Baylese50a1d62020-11-30 12:31:47 -0800228 input_api.DEFAULT_FILES_TO_SKIP = _EXCLUDED_PATHS
229 return _CommonChecks(input_api, output_api)