blob: 79d403c39616fb5837ed4d1aecd3fbcc86fac727 [file] [log] [blame]
Takuto Ikuta0d0f28a2023-11-28 05:49:19 +00001#!/usr/bin/env vpython3
Bruce Dawsonebebd952017-05-31 14:24:38 -07002# Copyright (c) 2017 The Chromium Authors. All rights reserved.
3# Use of this source code is governed by a BSD-style license that can be
4# found in the LICENSE file.
Bruce Dawsonebebd952017-05-31 14:24:38 -07005"""
6This script (intended to be invoked by autoninja or autoninja.bat) detects
Simeon Anfinrud5dba9c92020-09-03 20:02:05 +00007whether a build is accelerated using a service like goma. If so, it runs with a
8large -j value, and otherwise it chooses a small one. This auto-adjustment
9makes using remote build acceleration simpler and safer, and avoids errors that
10can cause slow goma builds or swap-storms on unaccelerated builds.
Bruce Dawson30c1cba2023-09-15 18:20:32 +000011
12autoninja tries to detect relevant build settings such as use_remoteexec, and it
13does handle import statements, but it can't handle conditional setting of build
14settings.
Bruce Dawsonebebd952017-05-31 14:24:38 -070015"""
16
Takuto Ikuta0d0f28a2023-11-28 05:49:19 +000017import json
Bruce Dawsone952fae2021-02-27 23:33:37 +000018import multiprocessing
Bruce Dawsonebebd952017-05-31 14:24:38 -070019import os
Takuto Ikuta6a1494e2022-05-06 01:22:16 +000020import platform
Bruce Dawsonebebd952017-05-31 14:24:38 -070021import re
Philipp Wollermann0b943402023-10-12 07:13:30 +000022import shlex
Takuto Ikuta0d0f28a2023-11-28 05:49:19 +000023import shutil
Bruce Dawsone952fae2021-02-27 23:33:37 +000024import subprocess
Bruce Dawsonebebd952017-05-31 14:24:38 -070025import sys
Takuto Ikuta0d0f28a2023-11-28 05:49:19 +000026import warnings
27
28import google.auth
29from google.auth.transport.requests import AuthorizedSession
Bruce Dawsonebebd952017-05-31 14:24:38 -070030
Philipp Wollermann0b943402023-10-12 07:13:30 +000031import autosiso
32import ninja
33import ninja_reclient
34import siso
35
Takuto Ikutadf3e5772023-11-16 07:14:49 +000036if sys.platform in ["darwin", "linux"]:
Mike Frysinger124bb8e2023-09-06 05:48:55 +000037 import resource
Sylvain Defresne7b4ecc72023-07-27 16:24:54 +000038
Yoshisato Yanagisawa4b497072018-11-07 02:52:33 +000039SCRIPT_DIR = os.path.dirname(os.path.realpath(__file__))
40
Philipp Wollermann0b943402023-10-12 07:13:30 +000041# See [1] and [2] for the painful details of this next section, which handles
42# escaping command lines so that they can be copied and pasted into a cmd
43# window.
44#
45# pylint: disable=line-too-long
46# [1] https://learn.microsoft.com/en-us/archive/blogs/twistylittlepassagesallalike/everyone-quotes-command-line-arguments-the-wrong-way # noqa
47# [2] https://web.archive.org/web/20150815000000*/https://www.microsoft.com/resources/documentation/windows/xp/all/proddocs/en-us/set.mspx # noqa
Takuto Ikutadf3e5772023-11-16 07:14:49 +000048_UNSAFE_FOR_CMD = set("^<>&|()%")
Philipp Wollermann0b943402023-10-12 07:13:30 +000049_ALL_META_CHARS = _UNSAFE_FOR_CMD.union(set('"'))
50
51
Takuto Ikuta0d0f28a2023-11-28 05:49:19 +000052def _adc_account():
53 """Returns account used to authenticate with GCP application default credentials."""
54
55 try:
56 # Suppress warnings from google.auth.default.
57 # https://github.com/googleapis/google-auth-library-python/issues/271
58 warnings.filterwarnings(
59 "ignore",
60 "Your application has authenticated using end user credentials from"
61 " Google Cloud SDK without a quota project.",
62 )
63 credentials, _ = google.auth.default(
64 scopes=["https://www.googleapis.com/auth/userinfo.email"])
65 except google.auth.exceptions.DefaultCredentialsError:
66 # Application Default Crendetials is not configured.
67 return None
68 finally:
69 warnings.resetwarnings()
70
71 with AuthorizedSession(credentials) as session:
72 response = session.get("https://www.googleapis.com/oauth2/v1/userinfo")
73 return response.json().get("email")
74
75
76def _gcloud_auth_account():
77 """Returns active account authenticated with `gcloud auth login`."""
78 if shutil.which("gcloud") is None:
79 return None
80
81 accounts = json.loads(
82 subprocess.check_output("gcloud auth list --format=json",
83 shell=True,
84 text=True))
85 for account in accounts:
86 if account["status"] == "ACTIVE":
87 return account["account"]
88 return None
89
90
91def _is_google_corp_machine():
92 """This assumes that corp machine has gcert binary in known location."""
93 return shutil.which("gcert") is not None
94
95
96def _is_google_corp_machine_using_external_account():
97 if not _is_google_corp_machine():
98 return False
99
100 account = _adc_account()
101 if account and not account.endswith("@google.com"):
102 return True
103
104 account = _gcloud_auth_account()
105 return account and not account.endswith("@google.com")
106
107
Philipp Wollermann0b943402023-10-12 07:13:30 +0000108def _quote_for_cmd(arg):
109 # First, escape the arg so that CommandLineToArgvW will parse it properly.
Takuto Ikutadf3e5772023-11-16 07:14:49 +0000110 if arg == "" or " " in arg or '"' in arg:
Philipp Wollermann0b943402023-10-12 07:13:30 +0000111 quote_re = re.compile(r'(\\*)"')
112 arg = '"%s"' % (quote_re.sub(lambda mo: 2 * mo.group(1) + '\\"', arg))
113
114 # Then check to see if the arg contains any metacharacters other than
115 # double quotes; if it does, quote everything (including the double
116 # quotes) for safety.
117 if any(a in _UNSAFE_FOR_CMD for a in arg):
Takuto Ikutadf3e5772023-11-16 07:14:49 +0000118 arg = "".join("^" + a if a in _ALL_META_CHARS else a for a in arg)
Philipp Wollermann0b943402023-10-12 07:13:30 +0000119 return arg
120
121
122def _print_cmd(cmd):
123 shell_quoter = shlex.quote
Takuto Ikutadf3e5772023-11-16 07:14:49 +0000124 if sys.platform.startswith("win"):
Philipp Wollermann0b943402023-10-12 07:13:30 +0000125 shell_quoter = _quote_for_cmd
126 print(*[shell_quoter(arg) for arg in cmd], file=sys.stderr)
127
Yoshisato Yanagisawaf66e5512018-11-15 00:40:39 +0000128
Bruce Dawson30c1cba2023-09-15 18:20:32 +0000129def _gn_lines(output_dir, path):
130 """
131 Generator function that returns args.gn lines one at a time, following
132 import directives as needed.
133 """
134 import_re = re.compile(r'\s*import\("(.*)"\)')
Takuto Ikutadf3e5772023-11-16 07:14:49 +0000135 with open(path, encoding="utf-8") as f:
Bruce Dawson30c1cba2023-09-15 18:20:32 +0000136 for line in f:
137 match = import_re.match(line)
138 if match:
Samuel Attard8a259982023-09-18 17:12:55 +0000139 raw_import_path = match.groups()[0]
140 if raw_import_path[:2] == "//":
141 import_path = os.path.normpath(
Takuto Ikutadf3e5772023-11-16 07:14:49 +0000142 os.path.join(output_dir, "..", "..",
Samuel Attard8a259982023-09-18 17:12:55 +0000143 raw_import_path[2:]))
144 else:
145 import_path = os.path.normpath(
146 os.path.join(os.path.dirname(path), raw_import_path))
Bruce Dawson30c1cba2023-09-15 18:20:32 +0000147 for import_line in _gn_lines(output_dir, import_path):
148 yield import_line
149 else:
150 yield line
151
152
Takuto Ikuta381db682022-04-27 23:54:02 +0000153def main(args):
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000154 # The -t tools are incompatible with -j
155 t_specified = False
156 j_specified = False
157 offline = False
Takuto Ikutadf3e5772023-11-16 07:14:49 +0000158 output_dir = "."
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000159 input_args = args
Takuto Ikutadf3e5772023-11-16 07:14:49 +0000160 summarize_build = os.environ.get("NINJA_SUMMARIZE_BUILD") == "1"
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000161 # On Windows the autoninja.bat script passes along the arguments enclosed in
162 # double quotes. This prevents multiple levels of parsing of the special '^'
163 # characters needed when compiling a single file but means that this script
164 # gets called with a single argument containing all of the actual arguments,
165 # separated by spaces. When this case is detected we need to do argument
166 # splitting ourselves. This means that arguments containing actual spaces
167 # are not supported by autoninja, but that is not a real limitation.
Takuto Ikutadf3e5772023-11-16 07:14:49 +0000168 if (sys.platform.startswith("win") and len(args) == 2
169 and input_args[1].count(" ") > 0):
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000170 input_args = args[:1] + args[1].split()
Bruce Dawson655afeb2020-11-02 23:30:37 +0000171
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000172 # Ninja uses getopt_long, which allow to intermix non-option arguments.
173 # To leave non supported parameters untouched, we do not use getopt.
174 for index, arg in enumerate(input_args[1:]):
Takuto Ikutadf3e5772023-11-16 07:14:49 +0000175 if arg.startswith("-j"):
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000176 j_specified = True
Takuto Ikutadf3e5772023-11-16 07:14:49 +0000177 if arg.startswith("-t"):
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000178 t_specified = True
Takuto Ikutadf3e5772023-11-16 07:14:49 +0000179 if arg == "-C":
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000180 # + 1 to get the next argument and +1 because we trimmed off
181 # input_args[0]
182 output_dir = input_args[index + 2]
Takuto Ikutadf3e5772023-11-16 07:14:49 +0000183 elif arg.startswith("-C"):
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000184 # Support -Cout/Default
185 output_dir = arg[2:]
Takuto Ikutadf3e5772023-11-16 07:14:49 +0000186 elif arg in ("-o", "--offline"):
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000187 offline = True
Takuto Ikutadf3e5772023-11-16 07:14:49 +0000188 elif arg == "-h":
189 print(
190 "autoninja: Use -o/--offline to temporary disable goma.",
191 file=sys.stderr,
192 )
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000193 print(file=sys.stderr)
Bruce Dawsone952fae2021-02-27 23:33:37 +0000194
Takuto Ikuta381db682022-04-27 23:54:02 +0000195 use_goma = False
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000196 use_remoteexec = False
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000197 use_siso = False
Yoshisato Yanagisawa43a35d22018-11-15 03:00:51 +0000198
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000199 # Attempt to auto-detect remote build acceleration. We support gn-based
200 # builds, where we look for args.gn in the build tree, and cmake-based
201 # builds where we look for rules.ninja.
Takuto Ikutadf3e5772023-11-16 07:14:49 +0000202 if os.path.exists(os.path.join(output_dir, "args.gn")):
203 for line in _gn_lines(output_dir, os.path.join(output_dir, "args.gn")):
Takuto Ikuta5cbc5212023-11-16 02:38:31 +0000204 # use_goma, or use_remoteexec will activate build
Bruce Dawson30c1cba2023-09-15 18:20:32 +0000205 # acceleration.
206 #
207 # This test can match multi-argument lines. Examples of this
208 # are: is_debug=false use_goma=true is_official_build=false
209 # use_goma=false# use_goma=true This comment is ignored
210 #
211 # Anything after a comment is not consider a valid argument.
Takuto Ikutadf3e5772023-11-16 07:14:49 +0000212 line_without_comment = line.split("#")[0]
213 if re.search(r"(^|\s)(use_goma)\s*=\s*true($|\s)",
Bruce Dawson30c1cba2023-09-15 18:20:32 +0000214 line_without_comment):
215 use_goma = True
216 continue
Takuto Ikutadf3e5772023-11-16 07:14:49 +0000217 if re.search(
218 r"(^|\s)(use_remoteexec)\s*=\s*true($|\s)",
219 line_without_comment,
220 ):
Bruce Dawson30c1cba2023-09-15 18:20:32 +0000221 use_remoteexec = True
222 continue
Takuto Ikutadf3e5772023-11-16 07:14:49 +0000223 if re.search(r"(^|\s)(use_siso)\s*=\s*true($|\s)",
Bruce Dawson30c1cba2023-09-15 18:20:32 +0000224 line_without_comment):
225 use_siso = True
226 continue
Bruce Dawsonb3b46a22019-09-06 15:57:52 +0000227
Takuto Ikutadf3e5772023-11-16 07:14:49 +0000228 siso_marker = os.path.join(output_dir, ".siso_deps")
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000229 if use_siso:
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000230 # autosiso generates a .ninja_log file so the mere existence of a
231 # .ninja_log file doesn't imply that a ninja build was done. However
232 # if there is a .ninja_log but no .siso_deps then that implies a
233 # ninja build.
Takuto Ikutadf3e5772023-11-16 07:14:49 +0000234 ninja_marker = os.path.join(output_dir, ".ninja_log")
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000235 if os.path.exists(ninja_marker) and not os.path.exists(siso_marker):
Takuto Ikutadf3e5772023-11-16 07:14:49 +0000236 print(
237 "Run gn clean before switching from ninja to siso in %s" %
238 output_dir,
239 file=sys.stderr,
240 )
Philipp Wollermann0b943402023-10-12 07:13:30 +0000241 return 1
Fumitoshi Ukai406be822023-10-18 04:18:24 +0000242 if use_goma:
Takuto Ikutadf3e5772023-11-16 07:14:49 +0000243 print("Siso does not support Goma.", file=sys.stderr)
244 print(
245 "Do not use use_siso=true and use_goma=true",
246 file=sys.stderr,
247 )
Fumitoshi Ukai406be822023-10-18 04:18:24 +0000248 return 1
Philipp Wollermann0b943402023-10-12 07:13:30 +0000249 if use_remoteexec:
Takuto Ikutadf3e5772023-11-16 07:14:49 +0000250 return autosiso.main(["autosiso"] + input_args[1:])
251 return siso.main(["siso", "ninja", "--offline"] + input_args[1:])
Michael Savigny20eda952021-01-20 01:16:27 +0000252
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000253 if os.path.exists(siso_marker):
Takuto Ikutadf3e5772023-11-16 07:14:49 +0000254 print(
255 "Run gn clean before switching from siso to ninja in %s" %
256 output_dir,
257 file=sys.stderr,
258 )
Philipp Wollermann0b943402023-10-12 07:13:30 +0000259 return 1
Ben Segall467991e2023-08-09 19:02:09 +0000260
Takuto Ikuta381db682022-04-27 23:54:02 +0000261 else:
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000262 for relative_path in [
Takuto Ikutadf3e5772023-11-16 07:14:49 +0000263 "", # GN keeps them in the root of output_dir
264 "CMakeFiles",
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000265 ]:
Takuto Ikutadf3e5772023-11-16 07:14:49 +0000266 path = os.path.join(output_dir, relative_path, "rules.ninja")
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000267 if os.path.exists(path):
Takuto Ikutadf3e5772023-11-16 07:14:49 +0000268 with open(path, encoding="utf-8") as file_handle:
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000269 for line in file_handle:
Takuto Ikutadf3e5772023-11-16 07:14:49 +0000270 if re.match(r"^\s*command\s*=\s*\S+gomacc", line):
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000271 use_goma = True
272 break
Takuto Ikuta381db682022-04-27 23:54:02 +0000273
Takuto Ikuta0d0f28a2023-11-28 05:49:19 +0000274 if use_remoteexec or use_siso:
275 if _is_google_corp_machine_using_external_account():
276 print(
277 "You can't use a non-@google.com account (%s and/or %s) on a"
278 " corp machine.\n"
279 "Please login via `gcloud auth login --update-adc` with your"
280 " @google.com account instead.\n" %
281 (_adc_account(), _gcloud_auth_account()),
282 file=sys.stderr,
283 )
284 return 1
285
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000286 # Strip -o/--offline so ninja doesn't see them.
Takuto Ikutadf3e5772023-11-16 07:14:49 +0000287 input_args = [arg for arg in input_args if arg not in ("-o", "--offline")]
Takuto Ikuta381db682022-04-27 23:54:02 +0000288
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000289 # If GOMA_DISABLED is set to "true", "t", "yes", "y", or "1"
290 # (case-insensitive) then gomacc will use the local compiler instead of
291 # doing a goma compile. This is convenient if you want to briefly disable
292 # goma. It avoids having to rebuild the world when transitioning between
293 # goma/non-goma builds. However, it is not as fast as doing a "normal"
294 # non-goma build because an extra process is created for each compile step.
295 # Checking this environment variable ensures that autoninja uses an
296 # appropriate -j value in this situation.
Takuto Ikutadf3e5772023-11-16 07:14:49 +0000297 goma_disabled_env = os.environ.get("GOMA_DISABLED", "0").lower()
298 if offline or goma_disabled_env in ["true", "t", "yes", "y", "1"]:
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000299 use_goma = False
Takuto Ikuta381db682022-04-27 23:54:02 +0000300
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000301 if use_goma:
Takuto Ikutadf3e5772023-11-16 07:14:49 +0000302 gomacc_file = ("gomacc.exe"
303 if sys.platform.startswith("win") else "gomacc")
304 goma_dir = os.environ.get("GOMA_DIR",
305 os.path.join(SCRIPT_DIR, ".cipd_bin"))
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000306 gomacc_path = os.path.join(goma_dir, gomacc_file)
307 # Don't invoke gomacc if it doesn't exist.
308 if os.path.exists(gomacc_path):
309 # Check to make sure that goma is running. If not, don't start the
310 # build.
Takuto Ikutadf3e5772023-11-16 07:14:49 +0000311 status = subprocess.call(
312 [gomacc_path, "port"],
313 stdout=subprocess.PIPE,
314 stderr=subprocess.PIPE,
315 shell=False,
316 )
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000317 if status == 1:
318 print(
319 'Goma is not running. Use "goma_ctl ensure_start" to start '
Takuto Ikutadf3e5772023-11-16 07:14:49 +0000320 "it.",
321 file=sys.stderr,
322 )
323 if sys.platform.startswith("win"):
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000324 # Set an exit code of 1 in the batch file.
325 print('cmd "/c exit 1"')
326 else:
327 # Set an exit code of 1 by executing 'false' in the bash
328 # script.
Takuto Ikutadf3e5772023-11-16 07:14:49 +0000329 print("false")
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000330 sys.exit(1)
331
332 # A large build (with or without goma) tends to hog all system resources.
Philipp Wollermann0b943402023-10-12 07:13:30 +0000333 # Depending on the operating system, we might have mechanisms available
334 # to run at a lower priority, which improves this situation.
Takuto Ikutadf3e5772023-11-16 07:14:49 +0000335 if os.environ.get("NINJA_BUILD_IN_BACKGROUND") == "1":
336 if sys.platform in ["darwin", "linux"]:
Philipp Wollermann0b943402023-10-12 07:13:30 +0000337 # nice-level 10 is usually considered a good default for background
338 # tasks. The niceness is inherited by child processes, so we can
339 # just set it here for us and it'll apply to the build tool we
340 # spawn later.
341 os.nice(10)
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000342
Philipp Wollermann0b943402023-10-12 07:13:30 +0000343 # Tell goma or reclient to do local compiles.
344 if offline:
Takuto Ikutadf3e5772023-11-16 07:14:49 +0000345 os.environ["RBE_remote_disabled"] = "1"
346 os.environ["GOMA_DISABLED"] = "1"
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000347
Henrique Ferreiro8bde1642023-09-14 11:41:19 +0000348 # On macOS and most Linux distributions, the default limit of open file
349 # descriptors is too low (256 and 1024, respectively).
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000350 # This causes a large j value to result in 'Too many open files' errors.
351 # Check whether the limit can be raised to a large enough value. If yes,
352 # use `ulimit -n .... &&` as a prefix to increase the limit when running
353 # ninja.
Takuto Ikutadf3e5772023-11-16 07:14:49 +0000354 if sys.platform in ["darwin", "linux"]:
Henrique Ferreiro8bde1642023-09-14 11:41:19 +0000355 # Increase the number of allowed open file descriptors to the maximum.
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000356 fileno_limit, hard_limit = resource.getrlimit(resource.RLIMIT_NOFILE)
Henrique Ferreiro8bde1642023-09-14 11:41:19 +0000357 if fileno_limit < hard_limit:
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000358 try:
359 resource.setrlimit(resource.RLIMIT_NOFILE,
Henrique Ferreiro8bde1642023-09-14 11:41:19 +0000360 (hard_limit, hard_limit))
Philipp Wollermann0b943402023-10-12 07:13:30 +0000361 except Exception:
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000362 pass
363 fileno_limit, hard_limit = resource.getrlimit(
364 resource.RLIMIT_NOFILE)
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000365
366 # Call ninja.py so that it can find ninja binary installed by DEPS or one in
367 # PATH.
Takuto Ikutadf3e5772023-11-16 07:14:49 +0000368 ninja_path = os.path.join(SCRIPT_DIR, "ninja.py")
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000369 # If using remoteexec, use ninja_reclient.py which wraps ninja.py with
370 # starting and stopping reproxy.
371 if use_remoteexec:
Takuto Ikutadf3e5772023-11-16 07:14:49 +0000372 ninja_path = os.path.join(SCRIPT_DIR, "ninja_reclient.py")
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000373
Philipp Wollermann0b943402023-10-12 07:13:30 +0000374 args = [sys.executable, ninja_path] + input_args[1:]
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000375
376 num_cores = multiprocessing.cpu_count()
377 if not j_specified and not t_specified:
Takuto Ikuta5cbc5212023-11-16 02:38:31 +0000378 if not offline and (use_goma or use_remoteexec):
Takuto Ikutadf3e5772023-11-16 07:14:49 +0000379 args.append("-j")
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000380 default_core_multiplier = 80
Takuto Ikutadf3e5772023-11-16 07:14:49 +0000381 if platform.machine() in ("x86_64", "AMD64"):
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000382 # Assume simultaneous multithreading and therefore half as many
383 # cores as logical processors.
384 num_cores //= 2
385
386 core_multiplier = int(
Takuto Ikutadf3e5772023-11-16 07:14:49 +0000387 os.environ.get("NINJA_CORE_MULTIPLIER",
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000388 default_core_multiplier))
389 j_value = num_cores * core_multiplier
390
Takuto Ikutadf3e5772023-11-16 07:14:49 +0000391 core_limit = int(os.environ.get("NINJA_CORE_LIMIT", j_value))
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000392 j_value = min(j_value, core_limit)
393
Henrique Ferreiro8bde1642023-09-14 11:41:19 +0000394 # On Windows, a -j higher than 1000 doesn't improve build times.
Henrique Ferreiro7eb4e482023-09-20 20:25:20 +0000395 # On macOS, ninja is limited to at most FD_SETSIZE (1024) open file
Henrique Ferreiro8bde1642023-09-14 11:41:19 +0000396 # descriptors.
Takuto Ikutadf3e5772023-11-16 07:14:49 +0000397 if sys.platform in ["darwin", "win32"]:
Henrique Ferreiro7eb4e482023-09-20 20:25:20 +0000398 j_value = min(j_value, 1000)
399
400 # Use a j value that reliably works with the open file descriptors
401 # limit.
Takuto Ikutadf3e5772023-11-16 07:14:49 +0000402 if sys.platform in ["darwin", "linux"]:
Henrique Ferreiro8bde1642023-09-14 11:41:19 +0000403 j_value = min(j_value, int(fileno_limit * 0.8))
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000404
Takuto Ikutadf3e5772023-11-16 07:14:49 +0000405 args.append("%d" % j_value)
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000406 else:
407 j_value = num_cores
408 # Ninja defaults to |num_cores + 2|
Takuto Ikutadf3e5772023-11-16 07:14:49 +0000409 j_value += int(os.environ.get("NINJA_CORE_ADDITION", "2"))
410 args.append("-j")
411 args.append("%d" % j_value)
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000412
Philipp Wollermann0b943402023-10-12 07:13:30 +0000413 if summarize_build:
414 # Enable statistics collection in Ninja.
Takuto Ikutadf3e5772023-11-16 07:14:49 +0000415 args += ["-d", "stats"]
Philipp Wollermann0b943402023-10-12 07:13:30 +0000416 # Print the command-line to reassure the user that the right settings
417 # are being used.
418 _print_cmd(args)
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000419
Philipp Wollermann0b943402023-10-12 07:13:30 +0000420 if use_remoteexec:
421 return ninja_reclient.main(args[1:])
422 return ninja.main(args[1:])
Takuto Ikuta381db682022-04-27 23:54:02 +0000423
424
Takuto Ikutadf3e5772023-11-16 07:14:49 +0000425if __name__ == "__main__":
Philipp Wollermann0b943402023-10-12 07:13:30 +0000426 try:
427 sys.exit(main(sys.argv))
428 except KeyboardInterrupt:
429 sys.exit(1)