-
Notifications
You must be signed in to change notification settings - Fork 555
/
Copy pathrepo_utils.bzl
440 lines (375 loc) · 13.8 KB
/
repo_utils.bzl
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
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
# Copyright 2024 The Bazel Authors. All rights reserved.
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
"""Functionality shared only by repository rule phase code.
This code should only be loaded and used during the repository phase.
"""
REPO_DEBUG_ENV_VAR = "RULES_PYTHON_REPO_DEBUG"
REPO_VERBOSITY_ENV_VAR = "RULES_PYTHON_REPO_DEBUG_VERBOSITY"
def _is_repo_debug_enabled(mrctx):
"""Tells if debbugging output is requested during repo operatiosn.
Args:
mrctx: repository_ctx or module_ctx object
Returns:
True if enabled, False if not.
"""
return _getenv(mrctx, REPO_DEBUG_ENV_VAR) == "1"
def _logger(mrctx, name = None):
"""Creates a logger instance for printing messages.
Args:
mrctx: repository_ctx or module_ctx object. If the attribute
`_rule_name` is present, it will be included in log messages.
name: name for the logger. Optional for repository_ctx usage.
Returns:
A struct with attributes logging: trace, debug, info, warn, fail.
Please use `return logger.fail` when using the `fail` method, because
it makes `buildifier` happy and ensures that other implementation of
the logger injected into the function work as expected by terminating
on the given line.
"""
if _is_repo_debug_enabled(mrctx):
verbosity_level = "DEBUG"
else:
verbosity_level = "WARN"
env_var_verbosity = _getenv(mrctx, REPO_VERBOSITY_ENV_VAR)
verbosity_level = env_var_verbosity or verbosity_level
verbosity = {
"DEBUG": 2,
"INFO": 1,
"TRACE": 3,
}.get(verbosity_level, 0)
if hasattr(mrctx, "attr"):
rctx = mrctx # This is `repository_ctx`.
name = name or "{}(@@{})".format(getattr(rctx.attr, "_rule_name", "?"), rctx.name)
elif not name:
fail("The name has to be specified when using the logger with `module_ctx`")
def _log(enabled_on_verbosity, level, message_cb_or_str, printer = print):
if verbosity < enabled_on_verbosity:
return
if type(message_cb_or_str) == "string":
message = message_cb_or_str
else:
message = message_cb_or_str()
# NOTE: printer may be the `fail` function.
printer("\nrules_python:{} {}:".format(
name,
level.upper(),
), message) # buildifier: disable=print
return struct(
trace = lambda message_cb: _log(3, "TRACE", message_cb),
debug = lambda message_cb: _log(2, "DEBUG", message_cb),
info = lambda message_cb: _log(1, "INFO", message_cb),
warn = lambda message_cb: _log(0, "WARNING", message_cb),
fail = lambda message_cb: _log(-1, "FAIL", message_cb, fail),
)
def _execute_internal(
mrctx,
*,
op,
fail_on_error = False,
arguments,
environment = {},
logger = None,
**kwargs):
"""Execute a subprocess with debugging instrumentation.
Args:
mrctx: module_ctx or repository_ctx object
op: string, brief description of the operation this command
represents. Used to succintly describe it in logging and
error messages.
fail_on_error: bool, True if fail() should be called if the command
fails (non-zero exit code), False if not.
arguments: list of arguments; see module_ctx.execute#arguments or
repository_ctx#arguments.
environment: optional dict of the environment to run the command
in; see module_ctx.execute#environment or
repository_ctx.execute#environment.
logger: optional `Logger` to use for logging execution details. Must be
specified when using module_ctx. If not specified, a default will
be created.
**kwargs: additional kwargs to pass onto rctx.execute
Returns:
exec_result object, see repository_ctx.execute return type.
"""
if not logger and hasattr(mrctx, "attr"):
rctx = mrctx
logger = _logger(rctx)
elif not logger:
fail("logger must be specified when using 'module_ctx'")
logger.debug(lambda: (
"repo.execute: {op}: start\n" +
" command: {cmd}\n" +
" working dir: {cwd}\n" +
" timeout: {timeout}\n" +
" environment:{env_str}\n"
).format(
op = op,
cmd = _args_to_str(arguments),
cwd = _cwd_to_str(mrctx, kwargs),
timeout = _timeout_to_str(kwargs),
env_str = _env_to_str(environment),
))
mrctx.report_progress("Running {}".format(op))
result = mrctx.execute(arguments, environment = environment, **kwargs)
if fail_on_error and result.return_code != 0:
return logger.fail((
"repo.execute: {op}: end: failure:\n" +
" command: {cmd}\n" +
" return code: {return_code}\n" +
" working dir: {cwd}\n" +
" timeout: {timeout}\n" +
" environment:{env_str}\n" +
"{output}"
).format(
op = op,
cmd = _args_to_str(arguments),
return_code = result.return_code,
cwd = _cwd_to_str(mrctx, kwargs),
timeout = _timeout_to_str(kwargs),
env_str = _env_to_str(environment),
output = _outputs_to_str(result),
))
elif _is_repo_debug_enabled(mrctx):
logger.debug((
"repo.execute: {op}: end: {status}\n" +
" return code: {return_code}\n" +
"{output}"
).format(
op = op,
status = "success" if result.return_code == 0 else "failure",
return_code = result.return_code,
output = _outputs_to_str(result),
))
result_kwargs = {k: getattr(result, k) for k in dir(result)}
return struct(
describe_failure = lambda: _execute_describe_failure(
op = op,
arguments = arguments,
result = result,
mrctx = mrctx,
kwargs = kwargs,
environment = environment,
),
**result_kwargs
)
def _execute_unchecked(*args, **kwargs):
"""Execute a subprocess.
Additional information will be printed if debug output is enabled.
Args:
*args: see _execute_internal
**kwargs: see _execute_internal
Returns:
exec_result object, see repository_ctx.execute return type.
"""
return _execute_internal(fail_on_error = False, *args, **kwargs)
def _execute_checked(*args, **kwargs):
"""Execute a subprocess, failing for a non-zero exit code.
If the command fails, then fail() is called with detailed information
about the command and its failure.
Args:
*args: see _execute_internal
**kwargs: see _execute_internal
Returns:
exec_result object, see repository_ctx.execute return type.
"""
return _execute_internal(fail_on_error = True, *args, **kwargs)
def _execute_checked_stdout(*args, **kwargs):
"""Calls execute_checked, but only returns the stdout value."""
return _execute_checked(*args, **kwargs).stdout
def _execute_describe_failure(*, op, arguments, result, mrctx, kwargs, environment):
return (
"repo.execute: {op}: failure:\n" +
" command: {cmd}\n" +
" return code: {return_code}\n" +
" working dir: {cwd}\n" +
" timeout: {timeout}\n" +
" environment:{env_str}\n" +
"{output}"
).format(
op = op,
cmd = _args_to_str(arguments),
return_code = result.return_code,
cwd = _cwd_to_str(mrctx, kwargs),
timeout = _timeout_to_str(kwargs),
env_str = _env_to_str(environment),
output = _outputs_to_str(result),
)
def _which_checked(mrctx, binary_name):
"""Tests to see if a binary exists, and otherwise fails with a message.
Args:
binary_name: name of the binary to find.
mrctx: module_ctx or repository_ctx.
Returns:
mrctx.Path for the binary.
"""
result = _which_unchecked(mrctx, binary_name)
if result.binary == None:
fail(result.describe_failure())
return result.binary
def _which_unchecked(mrctx, binary_name):
"""Tests to see if a binary exists.
Watches the `PATH` environment variable if the binary doesn't exist.
Args:
binary_name: name of the binary to find.
mrctx: repository context.
Returns:
`struct` with attributes:
* `binary`: `repository_ctx.Path`
* `describe_failure`: `Callable | None`; takes no args. If the
binary couldn't be found, provides a detailed error description.
"""
binary = mrctx.which(binary_name)
if binary:
_watch(mrctx, binary)
describe_failure = None
else:
path = _getenv(mrctx, "PATH", "")
describe_failure = lambda: _which_describe_failure(binary_name, path)
return struct(
binary = binary,
describe_failure = describe_failure,
)
def _which_describe_failure(binary_name, path):
return (
"Unable to find the binary '{binary_name}' on PATH.\n" +
" PATH = {path}"
).format(
binary_name = binary_name,
path = path,
)
def _getenv(mrctx, name, default = None):
# Bazel 7+ API has (repository|module)_ctx.getenv
return getattr(mrctx, "getenv", mrctx.os.environ.get)(name, default)
def _args_to_str(arguments):
return " ".join([_arg_repr(a) for a in arguments])
def _arg_repr(value):
if _arg_should_be_quoted(value):
return repr(value)
else:
return str(value)
_SPECIAL_SHELL_CHARS = [" ", "'", '"', "{", "$", "("]
def _arg_should_be_quoted(value):
# `value` may be non-str, such as mrctx.path objects
value_str = str(value)
for char in _SPECIAL_SHELL_CHARS:
if char in value_str:
return True
return False
def _cwd_to_str(mrctx, kwargs):
cwd = kwargs.get("working_directory")
if not cwd:
cwd = "<default: {}>".format(mrctx.path(""))
return cwd
def _env_to_str(environment):
if not environment:
env_str = " <default environment>"
else:
env_str = "\n".join(["{}={}".format(k, repr(v)) for k, v in environment.items()])
env_str = "\n" + env_str
return env_str
def _timeout_to_str(kwargs):
return kwargs.get("timeout", "<default timeout>")
def _outputs_to_str(result):
lines = []
items = [
("stdout", result.stdout),
("stderr", result.stderr),
]
for name, content in items:
if content:
lines.append("===== {} start =====".format(name))
# Prevent adding an extra new line, which makes the output look odd.
if content.endswith("\n"):
lines.append(content[:-1])
else:
lines.append(content)
lines.append("===== {} end =====".format(name))
else:
lines.append("<{} empty>".format(name))
return "\n".join(lines)
# This includes the vendored _translate_cpu and _translate_os from
# @platforms//host:extension.bzl at version 0.0.9 so that we don't
# force the users to depend on it.
def _get_platforms_os_name(mrctx):
"""Return the name in @platforms//os for the host os.
Args:
mrctx: module_ctx or repository_ctx.
Returns:
`str`. The target name.
"""
os = mrctx.os.name.lower()
if os.startswith("mac os"):
return "osx"
if os.startswith("freebsd"):
return "freebsd"
if os.startswith("openbsd"):
return "openbsd"
if os.startswith("linux"):
return "linux"
if os.startswith("windows"):
return "windows"
return os
def _get_platforms_cpu_name(mrctx):
"""Return the name in @platforms//cpu for the host arch.
Args:
mrctx: module_ctx or repository_ctx.
Returns:
`str`. The target name.
"""
arch = mrctx.os.arch.lower()
if arch in ["i386", "i486", "i586", "i686", "i786", "x86"]:
return "x86_32"
if arch in ["amd64", "x86_64", "x64"]:
return "x86_64"
if arch in ["ppc", "ppc64", "ppc64le"]:
return "ppc"
if arch in ["arm", "armv7l"]:
return "arm"
if arch in ["aarch64"]:
return "aarch64"
if arch in ["s390x", "s390"]:
return "s390x"
if arch in ["mips64el", "mips64"]:
return "mips64"
if arch in ["riscv64"]:
return "riscv64"
return arch
# TODO: Remove after Bazel 6 support dropped
def _watch(mrctx, *args, **kwargs):
"""Calls mrctx.watch, if available."""
if not args and not kwargs:
fail("'watch' needs at least a single argument.")
if hasattr(mrctx, "watch"):
mrctx.watch(*args, **kwargs)
# TODO: Remove after Bazel 6 support dropped
def _watch_tree(mrctx, *args, **kwargs):
"""Calls mrctx.watch_tree, if available."""
if not args and not kwargs:
fail("'watch_tree' needs at least a single argument.")
if hasattr(mrctx, "watch_tree"):
mrctx.watch_tree(*args, **kwargs)
repo_utils = struct(
# keep sorted
execute_checked = _execute_checked,
execute_checked_stdout = _execute_checked_stdout,
execute_unchecked = _execute_unchecked,
get_platforms_cpu_name = _get_platforms_cpu_name,
get_platforms_os_name = _get_platforms_os_name,
getenv = _getenv,
is_repo_debug_enabled = _is_repo_debug_enabled,
logger = _logger,
watch = _watch,
watch_tree = _watch_tree,
which_checked = _which_checked,
which_unchecked = _which_unchecked,
)