blob: 352b55eaa89dc069b8afe96fa1c8917ff6179027 [file] [log] [blame]
Darryl Green10d9ce32018-02-28 10:02:55 +00001#!/usr/bin/env python3
Gilles Peskine7dfcfce2019-07-04 19:31:02 +02002
Bence Szépkúti1e148272020-08-07 13:07:28 +02003# Copyright The Mbed TLS Contributors
Bence Szépkútic7da1fe2020-05-26 01:54:15 +02004# SPDX-License-Identifier: Apache-2.0
5#
6# Licensed under the Apache License, Version 2.0 (the "License"); you may
7# not use this file except in compliance with the License.
8# You may obtain a copy of the License at
9#
10# http://www.apache.org/licenses/LICENSE-2.0
11#
12# Unless required by applicable law or agreed to in writing, software
13# distributed under the License is distributed on an "AS IS" BASIS, WITHOUT
14# WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
15# See the License for the specific language governing permissions and
16# limitations under the License.
Gilles Peskine7dfcfce2019-07-04 19:31:02 +020017
Darryl Green10d9ce32018-02-28 10:02:55 +000018"""
Darryl Green10d9ce32018-02-28 10:02:55 +000019This script checks the current state of the source code for minor issues,
20including incorrect file permissions, presence of tabs, non-Unix line endings,
Gilles Peskine55b49ee2019-07-04 19:31:33 +020021trailing whitespace, and presence of UTF-8 BOM.
Darryl Green10d9ce32018-02-28 10:02:55 +000022Note: requires python 3, must be run from Mbed TLS root.
23"""
24
25import os
26import argparse
27import logging
28import codecs
Gilles Peskine0598db82020-05-10 16:57:16 +020029import re
Gilles Peskine3e2ee3c2020-05-10 17:18:06 +020030import subprocess
Darryl Green10d9ce32018-02-28 10:02:55 +000031import sys
Gilles Peskineac9e7c02020-08-11 15:11:50 +020032try:
33 from typing import FrozenSet, Optional, Pattern # pylint: disable=unused-import
34except ImportError:
35 pass
Darryl Green10d9ce32018-02-28 10:02:55 +000036
Gilles Peskine7ff47662022-09-18 21:17:09 +020037import scripts_path # pylint: disable=unused-import
38from mbedtls_dev import build_tree
39
Darryl Green10d9ce32018-02-28 10:02:55 +000040
Gilles Peskine184c0962020-03-24 18:25:17 +010041class FileIssueTracker:
Gilles Peskine6ee576e2019-02-25 20:59:05 +010042 """Base class for file-wide issue tracking.
43
44 To implement a checker that processes a file as a whole, inherit from
Gilles Peskine1e9698a2019-02-25 21:10:04 +010045 this class and implement `check_file_for_issue` and define ``heading``.
46
Gilles Peskine05a51a82020-05-10 16:52:44 +020047 ``suffix_exemptions``: files whose name ends with a string in this set
Gilles Peskine1e9698a2019-02-25 21:10:04 +010048 will not be checked.
49
Gilles Peskine0598db82020-05-10 16:57:16 +020050 ``path_exemptions``: files whose path (relative to the root of the source
51 tree) matches this regular expression will not be checked. This can be
52 ``None`` to match no path. Paths are normalized and converted to ``/``
53 separators before matching.
54
Gilles Peskine1e9698a2019-02-25 21:10:04 +010055 ``heading``: human-readable description of the issue
Gilles Peskine6ee576e2019-02-25 20:59:05 +010056 """
Darryl Green10d9ce32018-02-28 10:02:55 +000057
Gilles Peskineac9e7c02020-08-11 15:11:50 +020058 suffix_exemptions = frozenset() #type: FrozenSet[str]
59 path_exemptions = None #type: Optional[Pattern[str]]
Gilles Peskine1e9698a2019-02-25 21:10:04 +010060 # heading must be defined in derived classes.
61 # pylint: disable=no-member
62
Darryl Green10d9ce32018-02-28 10:02:55 +000063 def __init__(self):
Darryl Green10d9ce32018-02-28 10:02:55 +000064 self.files_with_issues = {}
65
Gilles Peskine0598db82020-05-10 16:57:16 +020066 @staticmethod
67 def normalize_path(filepath):
Gilles Peskineeca95db2020-05-28 18:19:20 +020068 """Normalize ``filepath`` with / as the directory separator."""
Gilles Peskine0598db82020-05-10 16:57:16 +020069 filepath = os.path.normpath(filepath)
Gilles Peskineeca95db2020-05-28 18:19:20 +020070 # On Windows, we may have backslashes to separate directories.
71 # We need slashes to match exemption lists.
Gilles Peskine0598db82020-05-10 16:57:16 +020072 seps = os.path.sep
73 if os.path.altsep is not None:
74 seps += os.path.altsep
75 return '/'.join(filepath.split(seps))
76
Darryl Green10d9ce32018-02-28 10:02:55 +000077 def should_check_file(self, filepath):
Gilles Peskineaaee4442020-03-24 16:49:21 +010078 """Whether the given file name should be checked.
79
Gilles Peskine05a51a82020-05-10 16:52:44 +020080 Files whose name ends with a string listed in ``self.suffix_exemptions``
81 or whose path matches ``self.path_exemptions`` will not be checked.
Gilles Peskineaaee4442020-03-24 16:49:21 +010082 """
Gilles Peskine05a51a82020-05-10 16:52:44 +020083 for files_exemption in self.suffix_exemptions:
Darryl Green10d9ce32018-02-28 10:02:55 +000084 if filepath.endswith(files_exemption):
85 return False
Gilles Peskine0598db82020-05-10 16:57:16 +020086 if self.path_exemptions and \
87 re.match(self.path_exemptions, self.normalize_path(filepath)):
88 return False
Darryl Green10d9ce32018-02-28 10:02:55 +000089 return True
90
Darryl Green10d9ce32018-02-28 10:02:55 +000091 def check_file_for_issue(self, filepath):
Gilles Peskineaaee4442020-03-24 16:49:21 +010092 """Check the specified file for the issue that this class is for.
93
94 Subclasses must implement this method.
95 """
Gilles Peskine6ee576e2019-02-25 20:59:05 +010096 raise NotImplementedError
Darryl Green10d9ce32018-02-28 10:02:55 +000097
Gilles Peskine04398052018-11-23 21:11:30 +010098 def record_issue(self, filepath, line_number):
Gilles Peskineaaee4442020-03-24 16:49:21 +010099 """Record that an issue was found at the specified location."""
Gilles Peskine04398052018-11-23 21:11:30 +0100100 if filepath not in self.files_with_issues.keys():
101 self.files_with_issues[filepath] = []
102 self.files_with_issues[filepath].append(line_number)
103
Darryl Green10d9ce32018-02-28 10:02:55 +0000104 def output_file_issues(self, logger):
Gilles Peskineaaee4442020-03-24 16:49:21 +0100105 """Log all the locations where the issue was found."""
Darryl Green10d9ce32018-02-28 10:02:55 +0000106 if self.files_with_issues.values():
107 logger.info(self.heading)
108 for filename, lines in sorted(self.files_with_issues.items()):
109 if lines:
110 logger.info("{}: {}".format(
111 filename, ", ".join(str(x) for x in lines)
112 ))
113 else:
114 logger.info(filename)
115 logger.info("")
116
Gilles Peskined4a853d2020-05-10 16:57:59 +0200117BINARY_FILE_PATH_RE_LIST = [
118 r'docs/.*\.pdf\Z',
119 r'programs/fuzz/corpuses/[^.]+\Z',
120 r'tests/data_files/[^.]+\Z',
121 r'tests/data_files/.*\.(crt|csr|db|der|key|pubkey)\Z',
122 r'tests/data_files/.*\.req\.[^/]+\Z',
123 r'tests/data_files/.*malformed[^/]+\Z',
124 r'tests/data_files/format_pkcs12\.fmt\Z',
Gilles Peskine66548d12023-01-05 20:27:18 +0100125 r'tests/data_files/.*\.bin\Z',
Gilles Peskined4a853d2020-05-10 16:57:59 +0200126]
127BINARY_FILE_PATH_RE = re.compile('|'.join(BINARY_FILE_PATH_RE_LIST))
128
Gilles Peskine6ee576e2019-02-25 20:59:05 +0100129class LineIssueTracker(FileIssueTracker):
130 """Base class for line-by-line issue tracking.
Darryl Green10d9ce32018-02-28 10:02:55 +0000131
Gilles Peskine6ee576e2019-02-25 20:59:05 +0100132 To implement a checker that processes files line by line, inherit from
133 this class and implement `line_with_issue`.
134 """
135
Gilles Peskined4a853d2020-05-10 16:57:59 +0200136 # Exclude binary files.
137 path_exemptions = BINARY_FILE_PATH_RE
138
Gilles Peskineff723d82023-01-05 20:28:30 +0100139 def issue_with_line(self, line, filepath, line_number):
Gilles Peskineaaee4442020-03-24 16:49:21 +0100140 """Check the specified line for the issue that this class is for.
141
142 Subclasses must implement this method.
143 """
Gilles Peskine6ee576e2019-02-25 20:59:05 +0100144 raise NotImplementedError
145
146 def check_file_line(self, filepath, line, line_number):
Gilles Peskineff723d82023-01-05 20:28:30 +0100147 if self.issue_with_line(line, filepath, line_number):
Gilles Peskine6ee576e2019-02-25 20:59:05 +0100148 self.record_issue(filepath, line_number)
149
150 def check_file_for_issue(self, filepath):
Gilles Peskineaaee4442020-03-24 16:49:21 +0100151 """Check the lines of the specified file.
152
153 Subclasses must implement the ``issue_with_line`` method.
154 """
Gilles Peskine6ee576e2019-02-25 20:59:05 +0100155 with open(filepath, "rb") as f:
156 for i, line in enumerate(iter(f.readline, b"")):
157 self.check_file_line(filepath, line, i + 1)
158
Gilles Peskine2c618732020-03-24 22:26:01 +0100159
160def is_windows_file(filepath):
161 _root, ext = os.path.splitext(filepath)
Gilles Peskined2df86f2020-05-10 17:36:51 +0200162 return ext in ('.bat', '.dsp', '.dsw', '.sln', '.vcxproj')
Gilles Peskine2c618732020-03-24 22:26:01 +0100163
164
Gilles Peskine6ee576e2019-02-25 20:59:05 +0100165class PermissionIssueTracker(FileIssueTracker):
Gilles Peskine0d060ef2019-02-25 20:35:31 +0100166 """Track files with bad permissions.
167
168 Files that are not executable scripts must not be executable."""
Darryl Green10d9ce32018-02-28 10:02:55 +0000169
Gilles Peskine1e9698a2019-02-25 21:10:04 +0100170 heading = "Incorrect permissions:"
Darryl Green10d9ce32018-02-28 10:02:55 +0000171
Gilles Peskine15898ee2020-08-08 23:14:27 +0200172 # .py files can be either full scripts or modules, so they may or may
173 # not be executable.
174 suffix_exemptions = frozenset({".py"})
175
Darryl Green10d9ce32018-02-28 10:02:55 +0000176 def check_file_for_issue(self, filepath):
Gilles Peskine23e64f22019-02-25 21:24:27 +0100177 is_executable = os.access(filepath, os.X_OK)
Gilles Peskine15898ee2020-08-08 23:14:27 +0200178 should_be_executable = filepath.endswith((".sh", ".pl"))
Gilles Peskine23e64f22019-02-25 21:24:27 +0100179 if is_executable != should_be_executable:
Darryl Green10d9ce32018-02-28 10:02:55 +0000180 self.files_with_issues[filepath] = None
181
182
Gilles Peskine4aebb8d2020-08-08 23:15:18 +0200183class ShebangIssueTracker(FileIssueTracker):
184 """Track files with a bad, missing or extraneous shebang line.
185
186 Executable scripts must start with a valid shebang (#!) line.
187 """
188
189 heading = "Invalid shebang line:"
190
191 # Allow either /bin/sh, /bin/bash, or /usr/bin/env.
192 # Allow at most one argument (this is a Linux limitation).
193 # For sh and bash, the argument if present must be options.
Shaun Case0e7791f2021-12-20 21:14:10 -0800194 # For env, the argument must be the base name of the interpreter.
Gilles Peskine4aebb8d2020-08-08 23:15:18 +0200195 _shebang_re = re.compile(rb'^#! ?(?:/bin/(bash|sh)(?: -[^\n ]*)?'
196 rb'|/usr/bin/env ([^\n /]+))$')
197 _extensions = {
198 b'bash': 'sh',
199 b'perl': 'pl',
200 b'python3': 'py',
201 b'sh': 'sh',
202 }
203
204 def is_valid_shebang(self, first_line, filepath):
205 m = re.match(self._shebang_re, first_line)
206 if not m:
207 return False
208 interpreter = m.group(1) or m.group(2)
209 if interpreter not in self._extensions:
210 return False
211 if not filepath.endswith('.' + self._extensions[interpreter]):
212 return False
213 return True
214
215 def check_file_for_issue(self, filepath):
216 is_executable = os.access(filepath, os.X_OK)
217 with open(filepath, "rb") as f:
218 first_line = f.readline()
219 if first_line.startswith(b'#!'):
220 if not is_executable:
221 # Shebang on a non-executable file
222 self.files_with_issues[filepath] = None
223 elif not self.is_valid_shebang(first_line, filepath):
224 self.files_with_issues[filepath] = [1]
225 elif is_executable:
226 # Executable without a shebang
227 self.files_with_issues[filepath] = None
228
229
Gilles Peskine6ee576e2019-02-25 20:59:05 +0100230class EndOfFileNewlineIssueTracker(FileIssueTracker):
Gilles Peskine0d060ef2019-02-25 20:35:31 +0100231 """Track files that end with an incomplete line
232 (no newline character at the end of the last line)."""
Darryl Green10d9ce32018-02-28 10:02:55 +0000233
Gilles Peskine1e9698a2019-02-25 21:10:04 +0100234 heading = "Missing newline at end of file:"
Darryl Green10d9ce32018-02-28 10:02:55 +0000235
Gilles Peskined4a853d2020-05-10 16:57:59 +0200236 path_exemptions = BINARY_FILE_PATH_RE
237
Darryl Green10d9ce32018-02-28 10:02:55 +0000238 def check_file_for_issue(self, filepath):
239 with open(filepath, "rb") as f:
Gilles Peskine12b180a2020-05-10 17:36:42 +0200240 try:
241 f.seek(-1, 2)
242 except OSError:
243 # This script only works on regular files. If we can't seek
244 # 1 before the end, it means that this position is before
245 # the beginning of the file, i.e. that the file is empty.
246 return
247 if f.read(1) != b"\n":
Darryl Green10d9ce32018-02-28 10:02:55 +0000248 self.files_with_issues[filepath] = None
249
250
Gilles Peskine6ee576e2019-02-25 20:59:05 +0100251class Utf8BomIssueTracker(FileIssueTracker):
Gilles Peskine0d060ef2019-02-25 20:35:31 +0100252 """Track files that start with a UTF-8 BOM.
253 Files should be ASCII or UTF-8. Valid UTF-8 does not start with a BOM."""
Darryl Green10d9ce32018-02-28 10:02:55 +0000254
Gilles Peskine1e9698a2019-02-25 21:10:04 +0100255 heading = "UTF-8 BOM present:"
Darryl Green10d9ce32018-02-28 10:02:55 +0000256
Gilles Peskine05a51a82020-05-10 16:52:44 +0200257 suffix_exemptions = frozenset([".vcxproj", ".sln"])
Gilles Peskined4a853d2020-05-10 16:57:59 +0200258 path_exemptions = BINARY_FILE_PATH_RE
Gilles Peskine2c618732020-03-24 22:26:01 +0100259
Darryl Green10d9ce32018-02-28 10:02:55 +0000260 def check_file_for_issue(self, filepath):
261 with open(filepath, "rb") as f:
262 if f.read().startswith(codecs.BOM_UTF8):
263 self.files_with_issues[filepath] = None
264
265
Gilles Peskineb60b7a32023-01-05 20:28:57 +0100266class UnicodeIssueTracker(LineIssueTracker):
267 """Track lines with invalid characters or invalid text encoding."""
268
269 heading = "Invalid UTF-8 or forbidden character:"
270
Aditya Deshpandee76dc392023-01-30 13:46:58 +0000271 # Only allow valid UTF-8, and only other explicitly allowed characters.
Gilles Peskineb60b7a32023-01-05 20:28:57 +0100272 # We deliberately exclude all characters that aren't a simple non-blank,
273 # non-zero-width glyph, apart from a very small set (tab, ordinary space,
274 # line breaks, "basic" no-break space and soft hyphen). In particular,
275 # non-ASCII control characters, combinig characters, and Unicode state
276 # changes (e.g. right-to-left text) are forbidden.
277 # Note that we do allow some characters with a risk of visual confusion,
278 # for example '-' (U+002D HYPHEN-MINUS) vs '­' (U+00AD SOFT HYPHEN) vs
279 # '‐' (U+2010 HYPHEN), or 'A' (U+0041 LATIN CAPITAL LETTER A) vs
280 # 'Α' (U+0391 GREEK CAPITAL LETTER ALPHA).
281 GOOD_CHARACTERS = ''.join([
282 '\t\n\r -~', # ASCII (tabs and line endings are checked separately)
283 '\u00A0-\u00FF', # Latin-1 Supplement (for NO-BREAK SPACE and punctuation)
284 '\u2010-\u2027\u2030-\u205E', # General Punctuation (printable)
285 '\u2070\u2071\u2074-\u208E\u2090-\u209C', # Superscripts and Subscripts
286 '\u2190-\u21FF', # Arrows
287 '\u2200-\u22FF', # Mathematical Symbols
Aditya Deshpandea9186f32023-02-01 13:30:26 +0000288 '\u2500-\u257F' # Box Drawings characters used in markdown trees
Gilles Peskineb60b7a32023-01-05 20:28:57 +0100289 ])
290 # Allow any of the characters and ranges above, and anything classified
291 # as a word constituent.
292 GOOD_CHARACTERS_RE = re.compile(r'[\w{}]+\Z'.format(GOOD_CHARACTERS))
293
294 def issue_with_line(self, line, _filepath, line_number):
295 try:
296 text = line.decode('utf-8')
297 except UnicodeDecodeError:
298 return True
299 if line_number == 1 and text.startswith('\uFEFF'):
300 # Strip BOM (U+FEFF ZERO WIDTH NO-BREAK SPACE) at the beginning.
301 # Which files are allowed to have a BOM is handled in
302 # Utf8BomIssueTracker.
303 text = text[1:]
304 return not self.GOOD_CHARACTERS_RE.match(text)
305
Gilles Peskine2c618732020-03-24 22:26:01 +0100306class UnixLineEndingIssueTracker(LineIssueTracker):
Gilles Peskine0d060ef2019-02-25 20:35:31 +0100307 """Track files with non-Unix line endings (i.e. files with CR)."""
Darryl Green10d9ce32018-02-28 10:02:55 +0000308
Gilles Peskine2c618732020-03-24 22:26:01 +0100309 heading = "Non-Unix line endings:"
310
311 def should_check_file(self, filepath):
Gilles Peskine0598db82020-05-10 16:57:16 +0200312 if not super().should_check_file(filepath):
313 return False
Gilles Peskine2c618732020-03-24 22:26:01 +0100314 return not is_windows_file(filepath)
Darryl Green10d9ce32018-02-28 10:02:55 +0000315
Gilles Peskineff723d82023-01-05 20:28:30 +0100316 def issue_with_line(self, line, _filepath, _line_number):
Darryl Green10d9ce32018-02-28 10:02:55 +0000317 return b"\r" in line
318
319
Gilles Peskine545e13f2020-03-24 22:29:11 +0100320class WindowsLineEndingIssueTracker(LineIssueTracker):
Gilles Peskined703a2e2020-04-01 13:35:46 +0200321 """Track files with non-Windows line endings (i.e. CR or LF not in CRLF)."""
Gilles Peskine545e13f2020-03-24 22:29:11 +0100322
323 heading = "Non-Windows line endings:"
324
325 def should_check_file(self, filepath):
Gilles Peskine0598db82020-05-10 16:57:16 +0200326 if not super().should_check_file(filepath):
327 return False
Gilles Peskine545e13f2020-03-24 22:29:11 +0100328 return is_windows_file(filepath)
329
Gilles Peskineff723d82023-01-05 20:28:30 +0100330 def issue_with_line(self, line, _filepath, _line_number):
Gilles Peskined703a2e2020-04-01 13:35:46 +0200331 return not line.endswith(b"\r\n") or b"\r" in line[:-2]
Gilles Peskine545e13f2020-03-24 22:29:11 +0100332
333
Gilles Peskine6ee576e2019-02-25 20:59:05 +0100334class TrailingWhitespaceIssueTracker(LineIssueTracker):
Gilles Peskine0d060ef2019-02-25 20:35:31 +0100335 """Track lines with trailing whitespace."""
Darryl Green10d9ce32018-02-28 10:02:55 +0000336
Gilles Peskine1e9698a2019-02-25 21:10:04 +0100337 heading = "Trailing whitespace:"
Gilles Peskine05a51a82020-05-10 16:52:44 +0200338 suffix_exemptions = frozenset([".dsp", ".md"])
Darryl Green10d9ce32018-02-28 10:02:55 +0000339
Gilles Peskineff723d82023-01-05 20:28:30 +0100340 def issue_with_line(self, line, _filepath, _line_number):
Darryl Green10d9ce32018-02-28 10:02:55 +0000341 return line.rstrip(b"\r\n") != line.rstrip()
342
343
Gilles Peskine6ee576e2019-02-25 20:59:05 +0100344class TabIssueTracker(LineIssueTracker):
Gilles Peskine0d060ef2019-02-25 20:35:31 +0100345 """Track lines with tabs."""
Darryl Green10d9ce32018-02-28 10:02:55 +0000346
Gilles Peskine1e9698a2019-02-25 21:10:04 +0100347 heading = "Tabs present:"
Gilles Peskine05a51a82020-05-10 16:52:44 +0200348 suffix_exemptions = frozenset([
Gilles Peskine344da1c2020-05-10 17:37:02 +0200349 ".pem", # some openssl dumps have tabs
Gilles Peskine2c618732020-03-24 22:26:01 +0100350 ".sln",
Gilles Peskine6e8d5a02020-03-24 22:01:28 +0100351 "/Makefile",
352 "/Makefile.inc",
353 "/generate_visualc_files.pl",
Gilles Peskine1e9698a2019-02-25 21:10:04 +0100354 ])
Darryl Green10d9ce32018-02-28 10:02:55 +0000355
Gilles Peskineff723d82023-01-05 20:28:30 +0100356 def issue_with_line(self, line, _filepath, _line_number):
Darryl Green10d9ce32018-02-28 10:02:55 +0000357 return b"\t" in line
358
359
Gilles Peskine6ee576e2019-02-25 20:59:05 +0100360class MergeArtifactIssueTracker(LineIssueTracker):
Gilles Peskine0d060ef2019-02-25 20:35:31 +0100361 """Track lines with merge artifacts.
362 These are leftovers from a ``git merge`` that wasn't fully edited."""
Gilles Peskinec117d592018-11-23 21:11:52 +0100363
Gilles Peskine1e9698a2019-02-25 21:10:04 +0100364 heading = "Merge artifact:"
Gilles Peskinec117d592018-11-23 21:11:52 +0100365
Gilles Peskineff723d82023-01-05 20:28:30 +0100366 def issue_with_line(self, line, _filepath, _line_number):
Gilles Peskinec117d592018-11-23 21:11:52 +0100367 # Detect leftover git conflict markers.
368 if line.startswith(b'<<<<<<< ') or line.startswith(b'>>>>>>> '):
369 return True
370 if line.startswith(b'||||||| '): # from merge.conflictStyle=diff3
371 return True
372 if line.rstrip(b'\r\n') == b'=======' and \
Gilles Peskine6ee576e2019-02-25 20:59:05 +0100373 not _filepath.endswith('.md'):
Gilles Peskinec117d592018-11-23 21:11:52 +0100374 return True
375 return False
376
Darryl Green10d9ce32018-02-28 10:02:55 +0000377
Gilles Peskine184c0962020-03-24 18:25:17 +0100378class IntegrityChecker:
Gilles Peskine0d060ef2019-02-25 20:35:31 +0100379 """Sanity-check files under the current directory."""
Darryl Green10d9ce32018-02-28 10:02:55 +0000380
381 def __init__(self, log_file):
Gilles Peskine0d060ef2019-02-25 20:35:31 +0100382 """Instantiate the sanity checker.
383 Check files under the current directory.
384 Write a report of issues to log_file."""
Gilles Peskine7ff47662022-09-18 21:17:09 +0200385 build_tree.check_repo_path()
Darryl Green10d9ce32018-02-28 10:02:55 +0000386 self.logger = None
387 self.setup_logger(log_file)
Darryl Green10d9ce32018-02-28 10:02:55 +0000388 self.issues_to_check = [
389 PermissionIssueTracker(),
Gilles Peskine4aebb8d2020-08-08 23:15:18 +0200390 ShebangIssueTracker(),
Darryl Green10d9ce32018-02-28 10:02:55 +0000391 EndOfFileNewlineIssueTracker(),
392 Utf8BomIssueTracker(),
Gilles Peskineb60b7a32023-01-05 20:28:57 +0100393 UnicodeIssueTracker(),
Gilles Peskine2c618732020-03-24 22:26:01 +0100394 UnixLineEndingIssueTracker(),
Gilles Peskine545e13f2020-03-24 22:29:11 +0100395 WindowsLineEndingIssueTracker(),
Darryl Green10d9ce32018-02-28 10:02:55 +0000396 TrailingWhitespaceIssueTracker(),
397 TabIssueTracker(),
Gilles Peskinec117d592018-11-23 21:11:52 +0100398 MergeArtifactIssueTracker(),
Darryl Green10d9ce32018-02-28 10:02:55 +0000399 ]
400
Darryl Green10d9ce32018-02-28 10:02:55 +0000401 def setup_logger(self, log_file, level=logging.INFO):
402 self.logger = logging.getLogger()
403 self.logger.setLevel(level)
404 if log_file:
405 handler = logging.FileHandler(log_file)
406 self.logger.addHandler(handler)
407 else:
408 console = logging.StreamHandler()
409 self.logger.addHandler(console)
410
Gilles Peskine3e2ee3c2020-05-10 17:18:06 +0200411 @staticmethod
412 def collect_files():
413 bytes_output = subprocess.check_output(['git', 'ls-files', '-z'])
414 bytes_filepaths = bytes_output.split(b'\0')[:-1]
415 ascii_filepaths = map(lambda fp: fp.decode('ascii'), bytes_filepaths)
416 # Prepend './' to files in the top-level directory so that
417 # something like `'/Makefile' in fp` matches in the top-level
418 # directory as well as in subdirectories.
419 return [fp if os.path.dirname(fp) else os.path.join(os.curdir, fp)
420 for fp in ascii_filepaths]
Gilles Peskine95c55752018-09-28 11:48:10 +0200421
Darryl Green10d9ce32018-02-28 10:02:55 +0000422 def check_files(self):
Gilles Peskine3e2ee3c2020-05-10 17:18:06 +0200423 for issue_to_check in self.issues_to_check:
424 for filepath in self.collect_files():
425 if issue_to_check.should_check_file(filepath):
426 issue_to_check.check_file_for_issue(filepath)
Darryl Green10d9ce32018-02-28 10:02:55 +0000427
428 def output_issues(self):
429 integrity_return_code = 0
430 for issue_to_check in self.issues_to_check:
431 if issue_to_check.files_with_issues:
432 integrity_return_code = 1
433 issue_to_check.output_file_issues(self.logger)
434 return integrity_return_code
435
436
437def run_main():
Gilles Peskine7dfcfce2019-07-04 19:31:02 +0200438 parser = argparse.ArgumentParser(description=__doc__)
Darryl Green10d9ce32018-02-28 10:02:55 +0000439 parser.add_argument(
440 "-l", "--log_file", type=str, help="path to optional output log",
441 )
442 check_args = parser.parse_args()
443 integrity_check = IntegrityChecker(check_args.log_file)
444 integrity_check.check_files()
445 return_code = integrity_check.output_issues()
446 sys.exit(return_code)
447
448
449if __name__ == "__main__":
450 run_main()