-
-
Notifications
You must be signed in to change notification settings - Fork 468
/
Copy pathstatic_word_checks.py
executable file
·144 lines (118 loc) · 4.92 KB
/
static_word_checks.py
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
#!/usr/bin/env python3
import argparse
import os
import re
import sys
class StaticChecker:
"""Run simple checks on the entire document or specific lines."""
def __init__(self, replace: bool):
"""Initialize a :class:`.StaticChecker` instance.
:param replace: Whether to make replacements.
"""
self.full_file_checks = [
self.check_for_double_syntax
# add more checks to the list as they are added
]
self.line_checks = [
self.check_for_noreturn,
# add more checks to the list as they are added
]
self.replace = replace
def check_for_double_syntax(self, filename: str, content: str) -> bool:
"""Checks a file for double-slash statements (``/r/`` and ``/u/``).
:param filename: The name of the file to check & replace.
:param content: The content of the file.
:returns: A boolean with the status of the check.
"""
if os.path.join("praw", "const.py") in filename: # fails due to bytes blocks
return True
new_content = re.sub(r"(^|\s)/(u|r)/", r"\1\2/", content)
# will only replace if the character behind a /r/ is a whitespace character or
# the start of a line
if content == new_content:
return True
if self.replace:
with open(filename, "w") as fp:
fp.write(new_content)
print(
f"{filename}: Replaced all instances of '/r/' and/or '/u/' to"
" 'r/' and/or 'u/'."
)
return True
print(
f"{filename}: This file contains instances of '/r/' and/or '/u/'."
" Please change them to 'r/' and/or 'u/'."
)
return False
def check_for_noreturn(self, filename: str, line_number: int, content: str) -> bool:
"""Checks a line for ``NoReturn`` statements.
:param filename: The name of the file to check & replace.
:param line_number: The line number.
:param content: The content of the line.
:returns: A boolean with the status of the check.
"""
if "noreturn" in content.lower():
print(
f"{filename}: Line {line_number} has phrase 'noreturn', please edit and"
" remove this."
)
return False
return True
def run_checks(self) -> bool:
"""Scan a directory and run the checks.
The directory is assumed to be the praw directory located in the parent
directory of the file, so if this file exists in
``~/praw/tools/static_word_checks.py``, it will check ``~/praw/praw``.
It runs the checks located in the ``self.full_file_checks`` and
``self.line_checks`` lists, with full file checks being run first.
Full-file checks are checks that can also fix the errors they find, while the
line checks can just warn about found errors.
- Full file checks:
- :meth:`.check_for_double_syntax`
- Line checks:
- :meth:`.check_for_noreturn`
"""
status = True
directory = os.path.abspath(os.path.join(__file__, "..", "..", "praw"))
for current_directory, _directories, filenames in os.walk(directory):
for filename in filenames:
if not filename.endswith(".py"):
continue
filename = os.path.join(current_directory, filename)
for check in self.full_file_checks:
# this is done to make sure that the checks are not
# replacing each other and creating an infinite loop
with open(filename) as fp:
full_content = fp.read()
status &= check(filename, full_content)
for check in self.line_checks:
# this is done to make sure that the checks are not
# replacing each other and creating an infinite loop
with open(filename) as fp:
lines = fp.readlines()
for line_number, line in enumerate(lines, 1):
status &= check(filename, line_number, line)
return status
def main():
"""The main function."""
parser = argparse.ArgumentParser(
description=(
"Run static line checks and optionally replace values that"
" should not be used."
)
)
parser.add_argument(
"-r",
"--replace",
action="store_true",
default=False,
help=(
"If it is possible, tries to reformat values. Not all checks can reformat"
" values, and those will have to be edited manually."
),
)
args = parser.parse_args()
check = StaticChecker(args.replace)
return int(not check.run_checks()) # True -> False, False -> 0 (success)
if __name__ == "__main__":
sys.exit(main())