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 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485
|
#!/usr/bin/env python3
# This Source Code Form is subject to the terms of the Mozilla Public
# License, v. 2.0. If a copy of the MPL was not distributed with this file,
# You can obtain one at http://mozilla.org/MPL/2.0/.
# This script provides one-line bootstrap support to configure systems to build
# the tree. It does so by cloning the repo before calling directly into `mach
# bootstrap`.
# Note that this script can't assume anything in particular about the host
# Python environment (except that it's run with a sufficiently recent version of
# Python 3), so we are restricted to stdlib modules.
import sys
MINIMUM_MINOR_VERSION = 9
major, minor = sys.version_info[:2]
if (major < 3) or (major == 3 and minor < MINIMUM_MINOR_VERSION):
print(
f"Bootstrap currently only runs on Python 3.{MINIMUM_MINOR_VERSION}+."
f"Please try re-running with python3.{MINIMUM_MINOR_VERSION}+."
)
sys.exit(1)
import ctypes
import os
import shutil
import subprocess
import tempfile
from optparse import OptionParser
from pathlib import Path
CLONE_MERCURIAL_PULL_FAIL = """
Failed to pull from hg.mozilla.org.
This is most likely because of unstable network connection.
Try running `cd %s && hg pull https://hg.mozilla.org/mozilla-unified` manually,
or download a mercurial bundle and use it:
https://firefox-source-docs.mozilla.org/contributing/vcs/mercurial_bundles.html"""
WINDOWS = sys.platform.startswith("win32") or sys.platform.startswith("msys")
VCS_HUMAN_READABLE = {
"hg": "Mercurial",
"git": "Git",
"git-cinnabar": "Git",
}
GIT_REPO = "https://github.com/mozilla-firefox/firefox"
HG_REPO = "https://hg.mozilla.org/mozilla-unified"
def which(name):
"""Python implementation of which.
It returns the path of an executable or None if it couldn't be found.
"""
search_dirs = os.environ["PATH"].split(os.pathsep)
potential_names = [name]
if WINDOWS:
potential_names.insert(0, name + ".exe")
for path in search_dirs:
for executable_name in potential_names:
test = Path(path) / executable_name
if test.is_file() and os.access(test, os.X_OK):
return test
return None
def validate_clone_dest(dest: Path):
dest = dest.resolve()
if not dest.exists():
return dest
if not dest.is_dir():
print(f"ERROR! Destination {dest} exists but is not a directory.")
return None
if not any(dest.iterdir()):
return dest
else:
print(f"ERROR! Destination directory {dest} exists but is nonempty.")
print(
f"To re-bootstrap the existing checkout, go into '{dest}' and run './mach bootstrap'."
)
return None
def input_clone_dest(vcs, no_interactive):
repo = GIT_REPO if vcs == "git" else HG_REPO
repo_name = repo.rpartition("/")[2]
print(f"Cloning into {repo_name} using {VCS_HUMAN_READABLE[vcs]}...")
while True:
dest = None
if not no_interactive:
dest = input(
f"Destination directory for clone (leave empty to use "
f"default destination of {repo_name}): "
).strip()
if not dest:
dest = repo_name
dest = validate_clone_dest(Path(dest).expanduser())
if dest:
return dest
if no_interactive:
return None
def hg_clone_firefox(hg: Path, dest: Path, head_repo, head_rev):
# We create an empty repo then modify the config before adding data.
# This is necessary to ensure storage settings are optimally
# configured.
args = [
str(hg),
# The unified repo is generaldelta, so ensure the client is as
# well.
"--config",
"format.generaldelta=true",
"init",
str(dest),
]
res = subprocess.call(args)
if res:
print("unable to create destination repo; please try cloning manually")
return None
# Strictly speaking, this could overwrite a config based on a template
# the user has installed. Let's pretend this problem doesn't exist
# unless someone complains about it.
with open(dest / ".hg" / "hgrc", "a") as fh:
fh.write("[paths]\n")
fh.write(f"default = {HG_REPO}\n")
fh.write("\n")
# The server uses aggressivemergedeltas which can blow up delta chain
# length. This can cause performance to tank due to delta chains being
# too long. Limit the delta chain length to something reasonable
# to bound revlog read time.
fh.write("[format]\n")
fh.write("# This is necessary to keep performance in check\n")
fh.write("maxchainlen = 10000\n")
# Pulling a specific revision into an empty repository induces a lot of
# load on the Mercurial server, so we always pull from mozilla-unified (which,
# when done from an empty repository, is equivalent to a clone), and then pull
# the specific revision we want (if we want a specific one, otherwise we just
# use the "central" bookmark), at which point it will be an incremental pull,
# that the server can process more easily.
# This is the same thing that robustcheckout does on automation.
res = subprocess.call([str(hg), "pull", HG_REPO], cwd=str(dest))
if not res and head_repo:
res = subprocess.call(
[str(hg), "pull", head_repo, "-r", head_rev], cwd=str(dest)
)
print("")
if res:
print(CLONE_MERCURIAL_PULL_FAIL % dest)
return None
head_rev = head_rev or "central"
print(f'updating to "{head_rev}" - the development head of Gecko and Firefox')
res = subprocess.call([str(hg), "update", "-r", head_rev], cwd=str(dest))
if res:
print(
f"error updating; you will need to `cd {dest} && hg update -r central` "
"manually"
)
return dest
def git_clone_firefox(git: Path, dest: Path, head_repo, head_rev):
if head_repo and "hg.mozilla.org" in head_repo:
print("GECKO_HEAD_REPOSITORY cannot be a Mercurial repository when using Git")
return None
subprocess.check_call(
[
str(git),
"clone",
"-n",
GIT_REPO,
str(dest),
],
)
subprocess.check_call([str(git), "config", "pull.ff", "only"], cwd=str(dest))
if head_repo:
subprocess.check_call(
[str(git), "fetch", head_repo, head_rev],
cwd=str(dest),
)
subprocess.check_call(
[
str(git),
"checkout",
"FETCH_HEAD" if head_rev else "main",
"--",
],
cwd=str(dest),
)
return dest
def git_cinnabar_clone_firefox(git: Path, dest: Path, head_repo, head_rev):
tempdir = None
cinnabar = None
env = dict(os.environ)
try:
cinnabar = which("git-cinnabar")
if not cinnabar:
from urllib.request import urlopen
cinnabar_url = "https://github.com/glandium/git-cinnabar/"
# If git-cinnabar isn't installed already, that's fine; we can
# download a temporary copy. `mach bootstrap` will install a copy
# in the state dir; we don't want to copy all that logic to this
# tiny bootstrapping script.
tempdir = Path(tempfile.mkdtemp())
with open(tempdir / "download.py", "wb") as fh:
shutil.copyfileobj(
urlopen(f"{cinnabar_url}/raw/master/download.py"), fh
)
subprocess.check_call(
[sys.executable, str(tempdir / "download.py")],
cwd=str(tempdir),
)
env["PATH"] = str(tempdir) + os.pathsep + env["PATH"]
print(
"WARNING! git-cinnabar is required for Firefox development "
"with git. After the clone is complete, the bootstrapper "
"will ask if you would like to configure git; answer yes, "
"and be sure to add git-cinnabar to your PATH according to "
"the bootstrapper output."
)
# We're guaranteed to have `git-cinnabar` installed now.
# Configure git per the git-cinnabar requirements.
subprocess.check_call(
[
str(git),
"-c",
"fetch.prune=true",
"-c",
f"cinnabar.graft={GIT_REPO}",
"-c",
"cinnabar.refs=bookmarks",
"-c",
"remote.origin.fetch=refs/heads/central:refs/remotes/origin/main",
"clone",
"--no-checkout",
f"hg::{HG_REPO}",
str(dest),
],
env=env,
)
subprocess.check_call(
[str(git), "config", "fetch.prune", "true"], cwd=str(dest), env=env
)
subprocess.check_call(
[str(git), "config", "cinnabar.refs", "bookmarks"], cwd=str(dest), env=env
)
subprocess.check_call(
[
str(git),
"config",
"--add",
"remote.origin.fetch",
"refs/heads/central:refs/remotes/origin/main",
],
cwd=str(dest),
env=env,
)
subprocess.check_call(
[str(git), "config", "pull.ff", "only"], cwd=str(dest), env=env
)
if head_repo:
subprocess.check_call(
[str(git), "cinnabar", "fetch", f"hg::{head_repo}", head_rev],
cwd=str(dest),
env=env,
)
subprocess.check_call(
[
str(git),
"checkout",
"FETCH_HEAD" if head_rev else "main",
"--",
],
cwd=str(dest),
env=env,
)
return dest
finally:
if tempdir:
shutil.rmtree(str(tempdir))
def add_microsoft_defender_antivirus_exclusions(dest, no_system_changes):
if no_system_changes:
return
if not WINDOWS:
return
powershell_exe = which("powershell")
if not powershell_exe:
return
def print_attempt_exclusion(path):
print(
f"Attempting to add exclusion path to Microsoft Defender Antivirus for: {path}"
)
powershell_exe = str(powershell_exe)
paths = []
# mozilla-unified / clone dest
repo_dir = Path.cwd() / dest
paths.append(repo_dir)
print_attempt_exclusion(repo_dir)
# MOZILLABUILD
mozillabuild_dir = os.getenv("MOZILLABUILD")
if mozillabuild_dir:
paths.append(mozillabuild_dir)
print_attempt_exclusion(mozillabuild_dir)
# .mozbuild
mozbuild_dir = Path.home() / ".mozbuild"
paths.append(mozbuild_dir)
print_attempt_exclusion(mozbuild_dir)
args = ";".join(f"Add-MpPreference -ExclusionPath '{path}'" for path in paths)
command = f'-Command "{args}"'
# This will attempt to run as administrator by triggering a UAC prompt
# for admin credentials. If "No" is selected, no exclusions are added.
ctypes.windll.shell32.ShellExecuteW(None, "runas", powershell_exe, command, None, 0)
def clone(options):
vcs = options.vcs
no_interactive = options.no_interactive
no_system_changes = options.no_system_changes
if vcs == "hg":
hg = which("hg")
if not hg:
print("Mercurial is not installed. Mercurial is required to clone Firefox.")
try:
# We're going to recommend people install the Mercurial package with
# pip3. That will work if `pip3` installs binaries to a location
# that's in the PATH, but it might not be. To help out, if we CAN
# import "mercurial" (in which case it's already been installed),
# offer that as a solution.
import mercurial # noqa: F401
print(
"Hint: have you made sure that Mercurial is installed to a "
"location in your PATH?"
)
except ImportError:
print("Try installing hg with `pip3 install Mercurial`.")
return None
binary = hg
else:
binary = which("git")
if not binary:
print("Git is not installed.")
print("Try installing git using your system package manager.")
return None
dest = input_clone_dest(vcs, no_interactive)
if not dest:
return None
add_microsoft_defender_antivirus_exclusions(dest, no_system_changes)
print(f"Cloning Firefox {VCS_HUMAN_READABLE[vcs]} repository to {dest}")
head_repo = os.environ.get("GECKO_HEAD_REPOSITORY")
head_rev = os.environ.get("GECKO_HEAD_REV")
if vcs == "hg":
return hg_clone_firefox(binary, dest, head_repo, head_rev)
elif vcs == "git-cinnabar":
return git_cinnabar_clone_firefox(binary, dest, head_repo, head_rev)
else:
return git_clone_firefox(binary, dest, head_repo, head_rev)
def bootstrap(srcdir: Path, application_choice, no_interactive, no_system_changes):
args = [sys.executable, "mach"]
if no_interactive:
# --no-interactive is a global argument, not a command argument,
# so it needs to be specified before "bootstrap" is appended.
args += ["--no-interactive"]
args += ["bootstrap"]
if application_choice:
args += ["--application-choice", application_choice]
if no_system_changes:
args += ["--no-system-changes"]
print("Running `%s`" % " ".join(args))
return subprocess.call(args, cwd=str(srcdir))
def main(args):
parser = OptionParser()
parser.add_option(
"--application-choice",
dest="application_choice",
help='Pass in an application choice (see "APPLICATIONS" in '
"python/mozboot/mozboot/bootstrap.py) instead of using the "
"default interactive prompt.",
)
parser.add_option(
"--vcs",
dest="vcs",
default="git",
choices=["git", "git-cinnabar", "hg"],
help="VCS (hg or git) to use for downloading the source code, "
"instead of using the default interactive prompt.",
)
parser.add_option(
"--no-interactive",
dest="no_interactive",
action="store_true",
help="Answer yes to any (Y/n) interactive prompts.",
)
parser.add_option(
"--no-system-changes",
dest="no_system_changes",
action="store_true",
help="Only executes actions that leave the system " "configuration alone.",
)
options, leftover = parser.parse_args(args)
try:
srcdir = clone(options)
if not srcdir:
return 1
print("Clone complete.")
print(
"If you need to run the tooling bootstrapping again, "
"then consider running './mach bootstrap' instead."
)
if not options.no_interactive:
remove_bootstrap_file = input(
"Unless you are going to have more local copies of Firefox source code, "
"this 'bootstrap.py' file is no longer needed and can be deleted. "
"Clean up the bootstrap.py file? (Y/n)"
)
if not remove_bootstrap_file:
remove_bootstrap_file = "y"
if options.no_interactive or remove_bootstrap_file == "y":
try:
Path(sys.argv[0]).unlink()
except FileNotFoundError:
print("File could not be found !")
return bootstrap(
srcdir,
options.application_choice,
options.no_interactive,
options.no_system_changes,
)
except Exception:
print("Could not bootstrap Firefox! Consider filing a bug.")
raise
if __name__ == "__main__":
sys.exit(main(sys.argv))
|