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
build / toolchain / apple / compile_xcassets.py [blame]
# Copyright 2016 The Chromium Authors
# Use of this source code is governed by a BSD-style license that can be
# found in the LICENSE file.
"""Wrapper around actool to compile assets catalog.
The script compile_xcassets.py is a wrapper around actool to compile
assets catalog to Assets.car that turns warning into errors. It also
fixes some quirks of actool to make it work from ninja (mostly that
actool seems to require absolute path but gn generates command-line
with relative paths).
The wrapper filter out any message that is not a section header and
not a warning or error message, and fails if filtered output is not
empty. This should to treat all warnings as error until actool has
an option to fail with non-zero error code when there are warnings.
"""
import argparse
import os
import re
import shutil
import subprocess
import sys
import tempfile
import zipfile
# Pattern matching a section header in the output of actool.
SECTION_HEADER = re.compile('^/\\* ([^ ]*) \\*/$')
# Name of the section containing informational messages that can be ignored.
NOTICE_SECTION = 'com.apple.actool.compilation-results'
# Map special type of asset catalog to the corresponding command-line
# parameter that need to be passed to actool.
ACTOOL_FLAG_FOR_ASSET_TYPE = {
'.appiconset': '--app-icon',
'.launchimage': '--launch-image',
}
def FixAbsolutePathInLine(line, relative_paths):
"""Fix absolute paths present in |line| to relative paths."""
absolute_path = line.split(':')[0]
relative_path = relative_paths.get(absolute_path, absolute_path)
if absolute_path == relative_path:
return line
return relative_path + line[len(absolute_path):]
def FilterCompilerOutput(compiler_output, relative_paths):
"""Filers actool compilation output.
The compiler output is composed of multiple sections for each different
level of output (error, warning, notices, ...). Each section starts with
the section name on a single line, followed by all the messages from the
section.
The function filter any lines that are not in com.apple.actool.errors or
com.apple.actool.document.warnings sections (as spurious messages comes
before any section of the output).
See crbug.com/730054, crbug.com/739163 and crbug.com/770634 for some example
messages that pollute the output of actool and cause flaky builds.
Args:
compiler_output: string containing the output generated by the
compiler (contains both stdout and stderr)
relative_paths: mapping from absolute to relative paths used to
convert paths in the warning and error messages (unknown paths
will be left unaltered)
Returns:
The filtered output of the compiler. If the compilation was a
success, then the output will be empty, otherwise it will use
relative path and omit any irrelevant output.
"""
filtered_output = []
current_section = None
data_in_section = False
for line in compiler_output.splitlines():
# TODO:(crbug.com/348008793): Ignore Dark and Tintable App Icon unassigned
# children warning when building with Xcode 15
if 'The app icon set "AppIcon" has 2 unassigned children' in line:
continue
match = SECTION_HEADER.search(line)
if match is not None:
data_in_section = False
current_section = match.group(1)
continue
if current_section and current_section != NOTICE_SECTION:
if not data_in_section:
data_in_section = True
filtered_output.append('/* %s */\n' % current_section)
fixed_line = FixAbsolutePathInLine(line, relative_paths)
filtered_output.append(fixed_line + '\n')
return ''.join(filtered_output)
def CompileAssetCatalog(output, platform, target_environment, product_type,
min_deployment_target, possibly_zipped_inputs,
compress_pngs, partial_info_plist, temporary_dir):
"""Compile the .xcassets bundles to an asset catalog using actool.
Args:
output: absolute path to the containing bundle
platform: the targeted platform
product_type: the bundle type
min_deployment_target: minimum deployment target
possibly_zipped_inputs: list of absolute paths to .xcassets bundles or zips
compress_pngs: whether to enable compression of pngs
partial_info_plist: path to partial Info.plist to generate
temporary_dir: path to directory for storing temp data
"""
command = [
'xcrun',
'actool',
'--output-format=human-readable-text',
'--notices',
'--warnings',
'--errors',
'--minimum-deployment-target',
min_deployment_target,
]
if compress_pngs:
command.extend(['--compress-pngs'])
if product_type != '':
command.extend(['--product-type', product_type])
if platform == 'mac':
command.extend([
'--platform',
'macosx',
'--target-device',
'mac',
])
elif platform == 'ios':
if target_environment == 'simulator':
command.extend([
'--platform',
'iphonesimulator',
'--target-device',
'iphone',
'--target-device',
'ipad',
])
elif target_environment == 'device':
command.extend([
'--platform',
'iphoneos',
'--target-device',
'iphone',
'--target-device',
'ipad',
])
elif target_environment == 'catalyst':
command.extend([
'--platform',
'macosx',
'--target-device',
'ipad',
'--ui-framework-family',
'uikit',
])
else:
sys.stderr.write('Unsupported ios environment: %s' % target_environment)
sys.exit(1)
elif platform == 'watchos':
if target_environment == 'simulator':
command.extend([
'--platform',
'watchsimulator',
'--target-device',
'watch',
])
elif target_environment == 'device':
command.extend([
'--platform',
'watchos',
'--target-device',
'watch',
])
else:
sys.stderr.write(
'Unsupported watchos environment: %s' % target_environment)
sys.exit(1)
# Unzip any input zipfiles to a temporary directory.
inputs = []
for relative_path in possibly_zipped_inputs:
if os.path.isfile(relative_path) and zipfile.is_zipfile(relative_path):
catalog_name = os.path.basename(relative_path)
unzip_path = os.path.join(temporary_dir, os.path.dirname(relative_path))
with zipfile.ZipFile(relative_path) as z:
invalid_files = [
x for x in z.namelist()
if '..' in x or not x.startswith(catalog_name)
]
if invalid_files:
sys.stderr.write('Invalid files in zip: %s' % invalid_files)
sys.exit(1)
z.extractall(unzip_path)
inputs.append(os.path.join(unzip_path, catalog_name))
else:
inputs.append(relative_path)
# Scan the input directories for the presence of asset catalog types that
# require special treatment, and if so, add them to the actool command-line.
for relative_path in inputs:
if not os.path.isdir(relative_path):
continue
for file_or_dir_name in os.listdir(relative_path):
if not os.path.isdir(os.path.join(relative_path, file_or_dir_name)):
continue
asset_name, asset_type = os.path.splitext(file_or_dir_name)
if asset_type not in ACTOOL_FLAG_FOR_ASSET_TYPE:
continue
command.extend([ACTOOL_FLAG_FOR_ASSET_TYPE[asset_type], asset_name])
# Always ask actool to generate a partial Info.plist file. If no path
# has been given by the caller, use a temporary file name.
temporary_file = None
if not partial_info_plist:
temporary_file = tempfile.NamedTemporaryFile(suffix='.plist')
partial_info_plist = temporary_file.name
command.extend(['--output-partial-info-plist', partial_info_plist])
# Dictionary used to convert absolute paths back to their relative form
# in the output of actool.
relative_paths = {}
# actool crashes if paths are relative, so convert input and output paths
# to absolute paths, and record the relative paths to fix them back when
# filtering the output.
absolute_output = os.path.abspath(output)
relative_paths[output] = absolute_output
relative_paths[os.path.dirname(output)] = os.path.dirname(absolute_output)
command.extend(['--compile', os.path.dirname(os.path.abspath(output))])
for relative_path in inputs:
absolute_path = os.path.abspath(relative_path)
relative_paths[absolute_path] = relative_path
command.append(absolute_path)
try:
# Run actool and redirect stdout and stderr to the same pipe (as actool
# is confused about what should go to stderr/stdout).
process = subprocess.Popen(command,
stdout=subprocess.PIPE,
stderr=subprocess.STDOUT)
stdout = process.communicate()[0].decode('utf-8')
# If the invocation of `actool` failed, copy all the compiler output to
# the standard error stream and exit. See https://crbug.com/1205775 for
# example of compilation that failed with no error message due to filter.
if process.returncode:
for line in stdout.splitlines():
fixed_line = FixAbsolutePathInLine(line, relative_paths)
sys.stderr.write(fixed_line + '\n')
sys.exit(1)
# Filter the output to remove all garbage and to fix the paths. If the
# output is not empty after filtering, then report the compilation as a
# failure (as some version of `actool` report error to stdout, yet exit
# with an return code of zero).
stdout = FilterCompilerOutput(stdout, relative_paths)
if stdout:
sys.stderr.write(stdout)
sys.exit(1)
finally:
if temporary_file:
temporary_file.close()
def Main():
parser = argparse.ArgumentParser(
description='compile assets catalog for a bundle')
parser.add_argument('--platform',
'-p',
required=True,
choices=('mac', 'ios', 'watchos'),
help='target platform for the compiled assets catalog')
parser.add_argument('--target-environment',
'-e',
default='',
choices=('simulator', 'device', 'catalyst'),
help='target environment for the compiled assets catalog')
parser.add_argument(
'--minimum-deployment-target',
'-t',
required=True,
help='minimum deployment target for the compiled assets catalog')
parser.add_argument('--output',
'-o',
required=True,
help='path to the compiled assets catalog')
parser.add_argument('--compress-pngs',
'-c',
action='store_true',
default=False,
help='recompress PNGs while compiling assets catalog')
parser.add_argument('--product-type',
'-T',
help='type of the containing bundle')
parser.add_argument('--partial-info-plist',
'-P',
help='path to partial info plist to create')
parser.add_argument('inputs',
nargs='+',
help='path to input assets catalog sources')
args = parser.parse_args()
if os.path.basename(args.output) != 'Assets.car':
sys.stderr.write('output should be path to compiled asset catalog, not '
'to the containing bundle: %s\n' % (args.output, ))
sys.exit(1)
if os.path.exists(args.output):
if os.path.isfile(args.output):
os.unlink(args.output)
else:
shutil.rmtree(args.output)
with tempfile.TemporaryDirectory() as temporary_dir:
CompileAssetCatalog(args.output, args.platform, args.target_environment,
args.product_type, args.minimum_deployment_target,
args.inputs, args.compress_pngs,
args.partial_info_plist, temporary_dir)
if __name__ == '__main__':
sys.exit(Main())