-
Notifications
You must be signed in to change notification settings - Fork 1
/
action_helpers.py
131 lines (110 loc) · 3.94 KB
/
action_helpers.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
# Copyright 2023 The Chromium Authors
# Use of this source code is governed by a BSD-style license that can be
# found in the LICENSE file.
"""Helper functions useful when writing scripts used by action() targets."""
import contextlib
import filecmp
import os
import pathlib
import posixpath
import shutil
import tempfile
import gn_helpers
from typing import Optional
from typing import Sequence
@contextlib.contextmanager
def atomic_output(path, mode='w+b', only_if_changed=True):
"""Prevent half-written files and dirty mtimes for unchanged files.
Args:
path: Path to the final output file, which will be written atomically.
mode: The mode to open the file in (str).
only_if_changed: Whether to maintain the mtime if the file has not changed.
Returns:
A Context Manager that yields a NamedTemporaryFile instance. On exit, the
manager will check if the file contents is different from the destination
and if so, move it into place.
Example:
with action_helpers.atomic_output(output_path) as tmp_file:
subprocess.check_call(['prog', '--output', tmp_file.name])
"""
# Create in same directory to ensure same filesystem when moving.
dirname = os.path.dirname(path) or '.'
os.makedirs(dirname, exist_ok=True)
with tempfile.NamedTemporaryFile(mode,
suffix=os.path.basename(path),
dir=dirname,
delete=False) as f:
try:
yield f
# File should be closed before comparison/move.
f.close()
if not (only_if_changed and os.path.exists(path)
and filecmp.cmp(f.name, path)):
shutil.move(f.name, path)
finally:
f.close()
if os.path.exists(f.name):
os.unlink(f.name)
def add_depfile_arg(parser):
if hasattr(parser, 'add_option'):
func = parser.add_option
else:
func = parser.add_argument
func('--depfile', help='Path to depfile (refer to "gn help depfile")')
def write_depfile(depfile_path: str,
first_gn_output: str,
inputs: Optional[Sequence[str]] = None) -> None:
"""Writes a ninja depfile.
See notes about how to use depfiles in //build/docs/writing_gn_templates.md.
Args:
depfile_path: Path to file to write.
first_gn_output: Path of first entry in action's outputs.
inputs: List of inputs to add to depfile.
"""
assert depfile_path != first_gn_output # http://crbug.com/646165
assert not isinstance(inputs, str) # Easy mistake to make
def _process_path(path):
assert not os.path.isabs(path), f'Found abs path in depfile: {path}'
if os.path.sep != posixpath.sep:
path = str(pathlib.Path(path).as_posix())
assert '\\' not in path, f'Found \\ in depfile: {path}'
return path.replace(' ', '\\ ')
sb = []
sb.append(_process_path(first_gn_output))
if inputs:
# Sort and uniquify to ensure file is hermetic.
# One path per line to keep it human readable.
sb.append(': \\\n ')
sb.append(' \\\n '.join(sorted(_process_path(p) for p in set(inputs))))
else:
sb.append(': ')
sb.append('\n')
path = pathlib.Path(depfile_path)
path.parent.mkdir(parents=True, exist_ok=True)
path.write_text(''.join(sb))
def parse_gn_list(value):
"""Converts a "GN-list" command-line parameter into a list.
Conversions handled:
* None -> []
* '' -> []
* 'asdf' -> ['asdf']
* '["a", "b"]' -> ['a', 'b']
* ['["a", "b"]', 'c'] -> ['a', 'b', 'c'] (action='append')
This allows passing args like:
gn_list = [ "one", "two", "three" ]
args = [ "--items=$gn_list" ]
"""
# Convert None to [].
if not value:
return []
# Convert a list of GN lists to a flattened list.
if isinstance(value, list):
ret = []
for arg in value:
ret.extend(parse_gn_list(arg))
return ret
# Convert normal GN list.
if value.startswith('['):
return gn_helpers.GNValueParser(value).ParseList()
# Convert a single string value to a list.
return [value]