-
Notifications
You must be signed in to change notification settings - Fork 5.6k
/
Copy pathfix_headers.py
296 lines (250 loc) · 10.3 KB
/
fix_headers.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
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
"""Cleanup Bazel target headers
1. Evaluate expression into a list of cc_library targets.
2. Identify headers defined outside of the package directory.
3. Lookup target that should claim a given header.
4. If said target exists, check for cycles by modifying BUILD.bazel and building.
5. Print report with targets and buildozer commands to fix each one.
"""
# TODO(SERVER-94780) Add buildozer dep to poetry
import json
import os
import pprint
import subprocess
import sys
from typing import Annotated, Dict, List, Optional, Tuple
import typer
# Get relative imports to work when the package is not installed on the PYTHONPATH.
if __name__ == "__main__" and __package__ is None:
sys.path.append(os.path.dirname(os.path.dirname(os.path.abspath(__file__))))
import buildscripts.util.buildozer_utils as bd_utils
from buildscripts.client.jiraclient import JiraAuth, JiraClient
from buildscripts.util.codeowners_utils import Owners
JIRA_SERVER = "https://jira.mongodb.org"
CC_LIB_SUFFIX = "_with_debug"
def move_header(
fix_target: str, header: str, new_dep: Optional[str] = None, add_header: bool = False
) -> None:
bd_utils.bd_remove([fix_target], "hdrs", [header])
if new_dep:
bd_utils.bd_add([fix_target], "deps", [new_dep])
# if add_header:
# bd_utils.bd_add([new_dep], "hdrs", [header])
def undo_header_move(
fix_target: str, header: str, new_dep: Optional[str] = None, remove_header: bool = False
) -> None:
if new_dep:
bd_utils.bd_remove([fix_target], "deps", [new_dep])
# if remove_header:
# bd_utils.bd_remove([new_dep], "hdrs", [header])
# bd_utils.bd_add([fix_target], "hdrs", [header])
def new_filegroup(header: str, issue_key: str) -> str:
package = header.split(":")[0] + ":__pkg__"
target_name = header.split(".")[0]
fg_name = target_name.split(":")[1] + "_hdrs"
fg_label = package.split(":")[0] + f":{fg_name}"
bd_utils.bd_new(package, "filegroup", fg_name)
bd_utils.bd_add([fg_label], "srcs", [header])
return fg_label
def fix_cycle(fix_target: str, header: str, issue_key: str) -> str:
fg_label = new_filegroup(header, issue_key)
bd_utils.bd_add([fix_target], "hdrs", [fg_label])
return fg_label
def todo_comment(issue_key: str, header: str, new_dep: str, fg_label: str) -> None:
comment = f"TODO({issue_key}): Remove cycle created by moving {header} to {new_dep}".replace(
" ", "\ "
)
bd_utils.bd_comment([fg_label], comment)
def useful_print(fixes: Dict) -> None:
for target, target_fixes in fixes.items():
print("-", target)
print(" Fixes:\n")
for header, commands in target_fixes["fixes"].items():
print(f" -{header}:")
for cmd in commands:
print(" ", cmd)
class HeaderFixer:
def __init__(self):
# TODO(SERVER-94781) Remove SCons dep
subprocess.run(
[
sys.executable,
"buildscripts/scons.py",
"--build-profile=opt",
"--bazel-includes-info=dummy", # TODO Allow no library to be passed.
"--libdeps-linting=off",
"--ninja=disabled",
"$BUILD_ROOT/scons/$VARIANT_DIR/sconf_temp",
]
)
with open(".bazel_include_info.json") as f:
bazel_include_info = json.load(f)
self.bazel_exec = bazel_include_info["bazel_exec"]
self.bazel_config = bazel_include_info["config"]
auth = JiraAuth()
auth.pat = os.environ["JIRA_TOKEN"]
self.jira_client = JiraClient(JIRA_SERVER, auth, dry_run=False)
self.owners = Owners()
self.team_issues = {}
def _query(
self, query: str, config: bool = False, args: List[str] = []
) -> subprocess.CompletedProcess:
query_cmd = "cquery"
config_args = self.bazel_config
if not config:
query_cmd = "query"
config_args = []
p = subprocess.run(
[self.bazel_exec, query_cmd] + config_args + args + [query],
capture_output=True,
text=True,
check=True,
)
return p
def _build(self, target: str) -> subprocess.CompletedProcess:
p = subprocess.run(
[self.bazel_exec, "build"] + self.bazel_config + [target],
capture_output=True,
text=True,
)
return p
def _fix_package(self, package: str):
pass
def _create_header_target(self):
pass
def _find_misplaced_headers(self, target: str) -> List[str]:
p = self._query(f"labels(hdrs,{target}{CC_LIB_SUFFIX})")
misplaced_headers = []
target_package = target.split(":")[0] + ":"
for line in p.stdout.splitlines():
if not line.startswith("//"):
continue
if "." not in line:
continue
# skip if local
if line.startswith(target_package):
continue
misplaced_headers.append(line.split(" ")[0])
return misplaced_headers
def _find_header_target(self, header: str) -> Tuple[Optional[str], bool]:
potential_target = header.split(".")[0]
p = self._query(f"attr(srcs,{potential_target}.cpp,//...)")
target = None
for line in p.stdout.splitlines():
line = line.split()[0]
if not line.startswith("//"):
continue
if line.endswith(CC_LIB_SUFFIX):
target = line[: -len(CC_LIB_SUFFIX)]
if not target:
return None, False
p = self._query(f"filter('{header}',labels(hdrs,{target}{CC_LIB_SUFFIX}))")
filter_res = [line for line in p.stdout.splitlines() if line.startswith("//")]
if filter_res == []:
return target, False
return target, True
def _get_build_file(self, target: str) -> Optional[str]:
p = self._query(f"buildfiles({target})")
for line in p.stdout.splitlines():
if line.startswith("//src"):
return line.strip()
return None
def _check_dep_exists(self, fix_target: str, dep: str) -> bool:
p = self._query(f"filter({dep}$,deps({fix_target}))")
for line in p.stdout.splitlines():
if line.startswith("//") and line.split()[0] == dep:
return True
return False
def _fix_target(self, target: str) -> Dict:
target_fixes = {"fixes": {}, "cycles": {}}
orphaned_headers = []
for hdr in self._find_misplaced_headers(target):
new_dep, has_header = self._find_header_target(hdr)
if not new_dep:
orphaned_headers.append(hdr)
continue
# ignore if cpp file of respective header is a src of our fix target
if new_dep == target:
continue
buildozer_cmds = [f"buildozer 'remove hdrs {hdr}' {target}"]
if not has_header:
buildozer_cmds += [f"buildozer 'add hdrs {hdr}' {new_dep}"]
if self._check_dep_exists(target, new_dep):
print(f"Dep {new_dep} is already a dependency")
new_dep = None
else:
buildozer_cmds += [f"buildozer 'add deps {new_dep}' {target}"]
move_header(target, hdr, new_dep, has_header)
p = self._build(target)
if p.returncode == 0:
target_fixes["fixes"][hdr] = buildozer_cmds
elif p.returncode == 1 and "cycle in dependency graph" in p.stderr:
target_fixes["cycles"][hdr] = buildozer_cmds
issue_key = self._create_jira_ticket(hdr)
fg_label = fix_cycle(target, hdr, issue_key)
todo_comment(issue_key, hdr, new_dep, fg_label)
undo_header_move(target, hdr, new_dep, has_header)
else:
print("Unexpected bazel failure.")
print(f"Orphaned headers for {target}")
print("\n".join(orphaned_headers))
return target_fixes
def _evaluate_target_expression(self, target_exp: str) -> List[str]:
p = self._query(
f"filter('.*{CC_LIB_SUFFIX}$',kind(cc_library,deps({target_exp}, 1)))",
["--noimplicit_deps"],
)
return [
line.split()[0][: -len(CC_LIB_SUFFIX)]
for line in p.stdout.splitlines()
if line.startswith("//")
]
def _create_jira_ticket(self, header: str) -> str:
summary = "Fix cycle created by " + header
header_file_path = header.replace(":", "/")[2:]
assigned_teams = self.owners.get_jira_team_owner(header_file_path)
if not assigned_teams:
assigned_teams = ["Build"]
teams_key = ",".join(sorted(assigned_teams))
if teams_key in self.team_issues:
description = header
issue = self.team_issues[teams_key]
# Add new header to description
issue.update(description=(issue.fields.description or "") + "\n" + description)
else:
description = (
"[Header relocation info|https://github.com/10gen/mongo/blob/master/bazel/docs/header_cycle_resolution.md]\nPlease resolve dependency issues with the following headers:\n"
+ header
)
issue = self.jira_client.create_issue(
issue_type="Bug",
summary=summary,
description=description,
assigned_teams=assigned_teams,
jira_project="SERVER",
)
self.team_issues[teams_key] = issue
if not issue:
return ""
return issue.key
def fix_targets(self, target_exp: str) -> Dict:
fixes = {}
for target in self._evaluate_target_expression(target_exp):
fixes[target] = self._fix_target(target)
return fixes
def main(
target_exp: Annotated[str, typer.Argument()],
output_file: Annotated[str, typer.Option()] = "",
copy_format: Annotated[bool, typer.Option()] = False,
):
hf = HeaderFixer()
fixes = hf.fix_targets(target_exp)
json_output = pprint.pformat(json.dumps(fixes), compact=False).replace("'", '"')
if output_file:
with open(output_file, "w") as f:
print(json_output, filename, file=f)
elif copy_format:
useful_print(fixes)
else:
print(json_output)
if __name__ == "__main__":
typer.run(main)