David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 1 | #!/usr/bin/python2.6 |
| 2 | # Copyright (c) 2010 The Chromium OS 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. |
| 5 | |
| 6 | """Program to run emerge in parallel, for significant speedup. |
| 7 | |
| 8 | Usage: |
David James | 386ccd1 | 2011-05-04 20:17:42 -0700 | [diff] [blame] | 9 | ./parallel_emerge [--board=BOARD] [--workon=PKGS] |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 10 | [--force-remote-binary=PKGS] [emerge args] package |
| 11 | |
| 12 | Basic operation: |
| 13 | Runs 'emerge -p --debug' to display dependencies, and stores a |
| 14 | dependency graph. All non-blocked packages are launched in parallel, |
| 15 | as 'emerge --nodeps package' with any blocked packages being emerged |
| 16 | immediately upon deps being met. |
| 17 | |
| 18 | For this to work effectively, /usr/lib/portage/pym/portage/locks.py |
| 19 | must be stubbed out, preventing portage from slowing itself with |
| 20 | unneccesary locking, as this script ensures that emerge is run in such |
| 21 | a way that common resources are never in conflict. This is controlled |
| 22 | by an environment variable PORTAGE_LOCKS set in parallel emerge |
| 23 | subprocesses. |
| 24 | |
| 25 | Parallel Emerge unlocks two things during operation, here's what you |
| 26 | must do to keep this safe: |
| 27 | * Storage dir containing binary packages. - Don't emerge new |
| 28 | packages while installing the existing ones. |
| 29 | * Portage database - You must not examine deps while modifying the |
| 30 | database. Therefore you may only parallelize "-p" read only access, |
| 31 | or "--nodeps" write only access. |
| 32 | Caveats: |
| 33 | * Some ebuild packages have incorrectly specified deps, and running |
| 34 | them in parallel is more likely to bring out these failures. |
| 35 | * Some ebuilds (especially the build part) have complex dependencies |
| 36 | that are not captured well by this script (it may be necessary to |
| 37 | install an old package to build, but then install a newer version |
| 38 | of the same package for a runtime dep). |
| 39 | """ |
| 40 | |
| 41 | import codecs |
| 42 | import copy |
| 43 | import errno |
David James | 8c7e5e3 | 2011-06-28 11:26:03 -0700 | [diff] [blame] | 44 | import heapq |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 45 | import multiprocessing |
| 46 | import os |
| 47 | import Queue |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 48 | import signal |
| 49 | import sys |
| 50 | import tempfile |
| 51 | import time |
| 52 | import traceback |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 53 | |
| 54 | # If PORTAGE_USERNAME isn't specified, scrape it from the $HOME variable. On |
| 55 | # Chromium OS, the default "portage" user doesn't have the necessary |
| 56 | # permissions. It'd be easier if we could default to $USERNAME, but $USERNAME |
| 57 | # is "root" here because we get called through sudo. |
| 58 | # |
| 59 | # We need to set this before importing any portage modules, because portage |
| 60 | # looks up "PORTAGE_USERNAME" at import time. |
| 61 | # |
| 62 | # NOTE: .bashrc sets PORTAGE_USERNAME = $USERNAME, so most people won't |
| 63 | # encounter this case unless they have an old chroot or blow away the |
| 64 | # environment by running sudo without the -E specifier. |
| 65 | if "PORTAGE_USERNAME" not in os.environ: |
| 66 | homedir = os.environ.get("HOME") |
| 67 | if homedir: |
| 68 | os.environ["PORTAGE_USERNAME"] = os.path.basename(homedir) |
| 69 | |
| 70 | # Portage doesn't expose dependency trees in its public API, so we have to |
| 71 | # make use of some private APIs here. These modules are found under |
| 72 | # /usr/lib/portage/pym/. |
| 73 | # |
| 74 | # TODO(davidjames): Update Portage to expose public APIs for these features. |
| 75 | from _emerge.actions import adjust_configs |
| 76 | from _emerge.actions import load_emerge_config |
| 77 | from _emerge.create_depgraph_params import create_depgraph_params |
David James | 386ccd1 | 2011-05-04 20:17:42 -0700 | [diff] [blame] | 78 | from _emerge.depgraph import backtrack_depgraph |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 79 | from _emerge.main import emerge_main |
| 80 | from _emerge.main import parse_opts |
| 81 | from _emerge.Package import Package |
| 82 | from _emerge.Scheduler import Scheduler |
| 83 | from _emerge.SetArg import SetArg |
| 84 | from _emerge.stdout_spinner import stdout_spinner |
David James | 386ccd1 | 2011-05-04 20:17:42 -0700 | [diff] [blame] | 85 | from portage._global_updates import _global_updates |
| 86 | from portage.versions import vercmp |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 87 | import portage |
| 88 | import portage.debug |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 89 | |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 90 | def Usage(): |
| 91 | """Print usage.""" |
| 92 | print "Usage:" |
David James | 386ccd1 | 2011-05-04 20:17:42 -0700 | [diff] [blame] | 93 | print " ./parallel_emerge [--board=BOARD] [--workon=PKGS]" |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 94 | print " [--rebuild] [emerge args] package" |
| 95 | print |
| 96 | print "Packages specified as workon packages are always built from source." |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 97 | print |
| 98 | print "The --workon argument is mainly useful when you want to build and" |
| 99 | print "install packages that you are working on unconditionally, but do not" |
| 100 | print "to have to rev the package to indicate you want to build it from" |
| 101 | print "source. The build_packages script will automatically supply the" |
| 102 | print "workon argument to emerge, ensuring that packages selected using" |
| 103 | print "cros-workon are rebuilt." |
| 104 | print |
| 105 | print "The --rebuild option rebuilds packages whenever their dependencies" |
| 106 | print "are changed. This ensures that your build is correct." |
| 107 | sys.exit(1) |
| 108 | |
| 109 | |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 110 | # Global start time |
| 111 | GLOBAL_START = time.time() |
| 112 | |
David James | 7358d03 | 2011-05-19 10:40:03 -0700 | [diff] [blame] | 113 | # Whether process has been killed by a signal. |
| 114 | KILLED = multiprocessing.Event() |
| 115 | |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 116 | |
| 117 | class EmergeData(object): |
| 118 | """This simple struct holds various emerge variables. |
| 119 | |
| 120 | This struct helps us easily pass emerge variables around as a unit. |
| 121 | These variables are used for calculating dependencies and installing |
| 122 | packages. |
| 123 | """ |
| 124 | |
David James | bf1e344 | 2011-05-28 07:44:20 -0700 | [diff] [blame] | 125 | __slots__ = ["action", "cmdline_packages", "depgraph", "favorites", |
| 126 | "mtimedb", "opts", "root_config", "scheduler_graph", |
| 127 | "settings", "spinner", "trees"] |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 128 | |
| 129 | def __init__(self): |
| 130 | # The action the user requested. If the user is installing packages, this |
| 131 | # is None. If the user is doing anything other than installing packages, |
| 132 | # this will contain the action name, which will map exactly to the |
| 133 | # long-form name of the associated emerge option. |
| 134 | # |
| 135 | # Example: If you call parallel_emerge --unmerge package, the action name |
| 136 | # will be "unmerge" |
| 137 | self.action = None |
| 138 | |
| 139 | # The list of packages the user passed on the command-line. |
| 140 | self.cmdline_packages = None |
| 141 | |
| 142 | # The emerge dependency graph. It'll contain all the packages involved in |
| 143 | # this merge, along with their versions. |
| 144 | self.depgraph = None |
| 145 | |
David James | bf1e344 | 2011-05-28 07:44:20 -0700 | [diff] [blame] | 146 | # The list of candidates to add to the world file. |
| 147 | self.favorites = None |
| 148 | |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 149 | # A dict of the options passed to emerge. This dict has been cleaned up |
| 150 | # a bit by parse_opts, so that it's a bit easier for the emerge code to |
| 151 | # look at the options. |
| 152 | # |
| 153 | # Emerge takes a few shortcuts in its cleanup process to make parsing of |
| 154 | # the options dict easier. For example, if you pass in "--usepkg=n", the |
| 155 | # "--usepkg" flag is just left out of the dictionary altogether. Because |
| 156 | # --usepkg=n is the default, this makes parsing easier, because emerge |
| 157 | # can just assume that if "--usepkg" is in the dictionary, it's enabled. |
| 158 | # |
| 159 | # These cleanup processes aren't applied to all options. For example, the |
| 160 | # --with-bdeps flag is passed in as-is. For a full list of the cleanups |
| 161 | # applied by emerge, see the parse_opts function in the _emerge.main |
| 162 | # package. |
| 163 | self.opts = None |
| 164 | |
| 165 | # A dictionary used by portage to maintain global state. This state is |
| 166 | # loaded from disk when portage starts up, and saved to disk whenever we |
| 167 | # call mtimedb.commit(). |
| 168 | # |
| 169 | # This database contains information about global updates (i.e., what |
| 170 | # version of portage we have) and what we're currently doing. Portage |
| 171 | # saves what it is currently doing in this database so that it can be |
| 172 | # resumed when you call it with the --resume option. |
| 173 | # |
| 174 | # parallel_emerge does not save what it is currently doing in the mtimedb, |
| 175 | # so we do not support the --resume option. |
| 176 | self.mtimedb = None |
| 177 | |
| 178 | # The portage configuration for our current root. This contains the portage |
| 179 | # settings (see below) and the three portage trees for our current root. |
| 180 | # (The three portage trees are explained below, in the documentation for |
| 181 | # the "trees" member.) |
| 182 | self.root_config = None |
| 183 | |
| 184 | # The scheduler graph is used by emerge to calculate what packages to |
| 185 | # install. We don't actually install any deps, so this isn't really used, |
| 186 | # but we pass it in to the Scheduler object anyway. |
| 187 | self.scheduler_graph = None |
| 188 | |
| 189 | # Portage settings for our current session. Most of these settings are set |
| 190 | # in make.conf inside our current install root. |
| 191 | self.settings = None |
| 192 | |
| 193 | # The spinner, which spews stuff to stdout to indicate that portage is |
| 194 | # doing something. We maintain our own spinner, so we set the portage |
| 195 | # spinner to "silent" mode. |
| 196 | self.spinner = None |
| 197 | |
| 198 | # The portage trees. There are separate portage trees for each root. To get |
| 199 | # the portage tree for the current root, you can look in self.trees[root], |
| 200 | # where root = self.settings["ROOT"]. |
| 201 | # |
| 202 | # In each root, there are three trees: vartree, porttree, and bintree. |
| 203 | # - vartree: A database of the currently-installed packages. |
| 204 | # - porttree: A database of ebuilds, that can be used to build packages. |
| 205 | # - bintree: A database of binary packages. |
| 206 | self.trees = None |
| 207 | |
| 208 | |
| 209 | class DepGraphGenerator(object): |
| 210 | """Grab dependency information about packages from portage. |
| 211 | |
| 212 | Typical usage: |
| 213 | deps = DepGraphGenerator() |
| 214 | deps.Initialize(sys.argv[1:]) |
| 215 | deps_tree, deps_info = deps.GenDependencyTree() |
| 216 | deps_graph = deps.GenDependencyGraph(deps_tree, deps_info) |
| 217 | deps.PrintTree(deps_tree) |
| 218 | PrintDepsMap(deps_graph) |
| 219 | """ |
| 220 | |
David James | 386ccd1 | 2011-05-04 20:17:42 -0700 | [diff] [blame] | 221 | __slots__ = ["board", "emerge", "package_db", "show_output"] |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 222 | |
| 223 | def __init__(self): |
| 224 | self.board = None |
| 225 | self.emerge = EmergeData() |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 226 | self.package_db = {} |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 227 | self.show_output = False |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 228 | |
| 229 | def ParseParallelEmergeArgs(self, argv): |
| 230 | """Read the parallel emerge arguments from the command-line. |
| 231 | |
| 232 | We need to be compatible with emerge arg format. We scrape arguments that |
| 233 | are specific to parallel_emerge, and pass through the rest directly to |
| 234 | emerge. |
| 235 | Args: |
| 236 | argv: arguments list |
| 237 | Returns: |
| 238 | Arguments that don't belong to parallel_emerge |
| 239 | """ |
| 240 | emerge_args = [] |
| 241 | for arg in argv: |
| 242 | # Specifically match arguments that are specific to parallel_emerge, and |
| 243 | # pass through the rest. |
| 244 | if arg.startswith("--board="): |
| 245 | self.board = arg.replace("--board=", "") |
| 246 | elif arg.startswith("--workon="): |
| 247 | workon_str = arg.replace("--workon=", "") |
David James | 7a1ea4b | 2011-10-13 15:06:41 -0700 | [diff] [blame] | 248 | emerge_args.append("--reinstall-atoms=%s" % workon_str) |
| 249 | emerge_args.append("--usepkg-exclude=%s" % workon_str) |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 250 | elif arg.startswith("--force-remote-binary="): |
| 251 | force_remote_binary = arg.replace("--force-remote-binary=", "") |
David James | 7a1ea4b | 2011-10-13 15:06:41 -0700 | [diff] [blame] | 252 | emerge_args.append("--useoldpkg-atoms=%s" % force_remote_binary) |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 253 | elif arg == "--show-output": |
| 254 | self.show_output = True |
David James | 386ccd1 | 2011-05-04 20:17:42 -0700 | [diff] [blame] | 255 | elif arg == "--rebuild": |
David James | 7a1ea4b | 2011-10-13 15:06:41 -0700 | [diff] [blame] | 256 | emerge_args.append("--rebuild-if-unbuilt") |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 257 | else: |
| 258 | # Not one of our options, so pass through to emerge. |
| 259 | emerge_args.append(arg) |
| 260 | |
David James | 386ccd1 | 2011-05-04 20:17:42 -0700 | [diff] [blame] | 261 | # These packages take a really long time to build, so, for expediency, we |
| 262 | # are blacklisting them from automatic rebuilds because one of their |
| 263 | # dependencies needs to be recompiled. |
| 264 | for pkg in ("chromeos-base/chromeos-chrome", "media-plugins/o3d", |
| 265 | "dev-java/icedtea"): |
David James | 7a1ea4b | 2011-10-13 15:06:41 -0700 | [diff] [blame] | 266 | emerge_args.append("--rebuild-exclude=%s" % pkg) |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 267 | |
| 268 | return emerge_args |
| 269 | |
| 270 | def Initialize(self, args): |
| 271 | """Initializer. Parses arguments and sets up portage state.""" |
| 272 | |
| 273 | # Parse and strip out args that are just intended for parallel_emerge. |
| 274 | emerge_args = self.ParseParallelEmergeArgs(args) |
| 275 | |
| 276 | # Setup various environment variables based on our current board. These |
| 277 | # variables are normally setup inside emerge-${BOARD}, but since we don't |
| 278 | # call that script, we have to set it up here. These variables serve to |
| 279 | # point our tools at /build/BOARD and to setup cross compiles to the |
| 280 | # appropriate board as configured in toolchain.conf. |
| 281 | if self.board: |
| 282 | os.environ["PORTAGE_CONFIGROOT"] = "/build/" + self.board |
| 283 | os.environ["PORTAGE_SYSROOT"] = "/build/" + self.board |
| 284 | os.environ["SYSROOT"] = "/build/" + self.board |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 285 | |
| 286 | # Although CHROMEOS_ROOT isn't specific to boards, it's normally setup |
| 287 | # inside emerge-${BOARD}, so we set it up here for compatibility. It |
| 288 | # will be going away soon as we migrate to CROS_WORKON_SRCROOT. |
| 289 | os.environ.setdefault("CHROMEOS_ROOT", os.environ["HOME"] + "/trunk") |
| 290 | |
| 291 | # Turn off interactive delays |
| 292 | os.environ["EBEEP_IGNORE"] = "1" |
| 293 | os.environ["EPAUSE_IGNORE"] = "1" |
| 294 | os.environ["UNMERGE_DELAY"] = "0" |
| 295 | |
| 296 | # Parse the emerge options. |
David James | ea3ca33 | 2011-05-26 11:48:29 -0700 | [diff] [blame] | 297 | action, opts, cmdline_packages = parse_opts(emerge_args, silent=True) |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 298 | |
| 299 | # Set environment variables based on options. Portage normally sets these |
| 300 | # environment variables in emerge_main, but we can't use that function, |
| 301 | # because it also does a bunch of other stuff that we don't want. |
| 302 | # TODO(davidjames): Patch portage to move this logic into a function we can |
| 303 | # reuse here. |
| 304 | if "--debug" in opts: |
| 305 | os.environ["PORTAGE_DEBUG"] = "1" |
| 306 | if "--config-root" in opts: |
| 307 | os.environ["PORTAGE_CONFIGROOT"] = opts["--config-root"] |
| 308 | if "--root" in opts: |
| 309 | os.environ["ROOT"] = opts["--root"] |
| 310 | if "--accept-properties" in opts: |
| 311 | os.environ["ACCEPT_PROPERTIES"] = opts["--accept-properties"] |
| 312 | |
| 313 | # Portage has two flags for doing collision protection: collision-protect |
| 314 | # and protect-owned. The protect-owned feature is enabled by default and |
| 315 | # is quite useful: it checks to make sure that we don't have multiple |
| 316 | # packages that own the same file. The collision-protect feature is more |
| 317 | # strict, and less useful: it fails if it finds a conflicting file, even |
| 318 | # if that file was created by an earlier ebuild that failed to install. |
| 319 | # |
| 320 | # We want to disable collision-protect here because we don't handle |
| 321 | # failures during the merge step very well. Sometimes we leave old files |
| 322 | # lying around and they cause problems, so for now we disable the flag. |
| 323 | # TODO(davidjames): Look for a better solution. |
| 324 | features = os.environ.get("FEATURES", "") + " -collision-protect" |
| 325 | |
David James | deebd69 | 2011-05-09 17:02:52 -0700 | [diff] [blame] | 326 | # Install packages in parallel. |
| 327 | features = features + " parallel-install" |
| 328 | |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 329 | # If we're installing packages to the board, and we're not using the |
| 330 | # official flag, we can enable the following optimizations: |
| 331 | # 1) Don't lock during install step. This allows multiple packages to be |
| 332 | # installed at once. This is safe because our board packages do not |
| 333 | # muck with each other during the post-install step. |
| 334 | # 2) Don't update the environment until the end of the build. This is |
| 335 | # safe because board packages don't need to run during the build -- |
| 336 | # they're cross-compiled, so our CPU architecture doesn't support them |
| 337 | # anyway. |
| 338 | if self.board and os.environ.get("CHROMEOS_OFFICIAL") != "1": |
| 339 | os.environ.setdefault("PORTAGE_LOCKS", "false") |
David James | deebd69 | 2011-05-09 17:02:52 -0700 | [diff] [blame] | 340 | features = features + " -ebuild-locks no-env-update" |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 341 | |
| 342 | os.environ["FEATURES"] = features |
| 343 | |
| 344 | # Now that we've setup the necessary environment variables, we can load the |
| 345 | # emerge config from disk. |
| 346 | settings, trees, mtimedb = load_emerge_config() |
| 347 | |
David James | ea3ca33 | 2011-05-26 11:48:29 -0700 | [diff] [blame] | 348 | # Add in EMERGE_DEFAULT_OPTS, if specified. |
| 349 | tmpcmdline = [] |
| 350 | if "--ignore-default-opts" not in opts: |
| 351 | tmpcmdline.extend(settings["EMERGE_DEFAULT_OPTS"].split()) |
| 352 | tmpcmdline.extend(emerge_args) |
| 353 | action, opts, cmdline_packages = parse_opts(tmpcmdline) |
| 354 | |
| 355 | # If we're installing to the board, we want the --root-deps option so that |
| 356 | # portage will install the build dependencies to that location as well. |
| 357 | if self.board: |
| 358 | opts.setdefault("--root-deps", True) |
| 359 | |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 360 | # Check whether our portage tree is out of date. Typically, this happens |
| 361 | # when you're setting up a new portage tree, such as in setup_board and |
| 362 | # make_chroot. In that case, portage applies a bunch of global updates |
| 363 | # here. Once the updates are finished, we need to commit any changes |
| 364 | # that the global update made to our mtimedb, and reload the config. |
| 365 | # |
| 366 | # Portage normally handles this logic in emerge_main, but again, we can't |
| 367 | # use that function here. |
| 368 | if _global_updates(trees, mtimedb["updates"]): |
| 369 | mtimedb.commit() |
| 370 | settings, trees, mtimedb = load_emerge_config(trees=trees) |
| 371 | |
| 372 | # Setup implied options. Portage normally handles this logic in |
| 373 | # emerge_main. |
| 374 | if "--buildpkgonly" in opts or "buildpkg" in settings.features: |
| 375 | opts.setdefault("--buildpkg", True) |
| 376 | if "--getbinpkgonly" in opts: |
| 377 | opts.setdefault("--usepkgonly", True) |
| 378 | opts.setdefault("--getbinpkg", True) |
| 379 | if "getbinpkg" in settings.features: |
| 380 | # Per emerge_main, FEATURES=getbinpkg overrides --getbinpkg=n |
| 381 | opts["--getbinpkg"] = True |
| 382 | if "--getbinpkg" in opts or "--usepkgonly" in opts: |
| 383 | opts.setdefault("--usepkg", True) |
| 384 | if "--fetch-all-uri" in opts: |
| 385 | opts.setdefault("--fetchonly", True) |
| 386 | if "--skipfirst" in opts: |
| 387 | opts.setdefault("--resume", True) |
| 388 | if "--buildpkgonly" in opts: |
| 389 | # --buildpkgonly will not merge anything, so it overrides all binary |
| 390 | # package options. |
| 391 | for opt in ("--getbinpkg", "--getbinpkgonly", |
| 392 | "--usepkg", "--usepkgonly"): |
| 393 | opts.pop(opt, None) |
| 394 | if (settings.get("PORTAGE_DEBUG", "") == "1" and |
| 395 | "python-trace" in settings.features): |
| 396 | portage.debug.set_trace(True) |
| 397 | |
| 398 | # Complain about unsupported options |
David James | 386ccd1 | 2011-05-04 20:17:42 -0700 | [diff] [blame] | 399 | for opt in ("--ask", "--ask-enter-invalid", "--resume", "--skipfirst"): |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 400 | if opt in opts: |
| 401 | print "%s is not supported by parallel_emerge" % opt |
| 402 | sys.exit(1) |
| 403 | |
| 404 | # Make emerge specific adjustments to the config (e.g. colors!) |
| 405 | adjust_configs(opts, trees) |
| 406 | |
| 407 | # Save our configuration so far in the emerge object |
| 408 | emerge = self.emerge |
| 409 | emerge.action, emerge.opts = action, opts |
| 410 | emerge.settings, emerge.trees, emerge.mtimedb = settings, trees, mtimedb |
| 411 | emerge.cmdline_packages = cmdline_packages |
| 412 | root = settings["ROOT"] |
| 413 | emerge.root_config = trees[root]["root_config"] |
| 414 | |
David James | 386ccd1 | 2011-05-04 20:17:42 -0700 | [diff] [blame] | 415 | if "--usepkg" in opts: |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 416 | emerge.trees[root]["bintree"].populate("--getbinpkg" in opts) |
| 417 | |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 418 | def CreateDepgraph(self, emerge, packages): |
| 419 | """Create an emerge depgraph object.""" |
| 420 | # Setup emerge options. |
| 421 | emerge_opts = emerge.opts.copy() |
| 422 | |
David James | 386ccd1 | 2011-05-04 20:17:42 -0700 | [diff] [blame] | 423 | # Ask portage to build a dependency graph. with the options we specified |
| 424 | # above. |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 425 | params = create_depgraph_params(emerge_opts, emerge.action) |
David James | bf1e344 | 2011-05-28 07:44:20 -0700 | [diff] [blame] | 426 | success, depgraph, favorites = backtrack_depgraph( |
David James | 386ccd1 | 2011-05-04 20:17:42 -0700 | [diff] [blame] | 427 | emerge.settings, emerge.trees, emerge_opts, params, emerge.action, |
| 428 | packages, emerge.spinner) |
| 429 | emerge.depgraph = depgraph |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 430 | |
David James | 386ccd1 | 2011-05-04 20:17:42 -0700 | [diff] [blame] | 431 | # Is it impossible to honor the user's request? Bail! |
| 432 | if not success: |
| 433 | depgraph.display_problems() |
| 434 | sys.exit(1) |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 435 | |
| 436 | emerge.depgraph = depgraph |
David James | bf1e344 | 2011-05-28 07:44:20 -0700 | [diff] [blame] | 437 | emerge.favorites = favorites |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 438 | |
David James | deebd69 | 2011-05-09 17:02:52 -0700 | [diff] [blame] | 439 | # Prime and flush emerge caches. |
| 440 | root = emerge.settings["ROOT"] |
| 441 | vardb = emerge.trees[root]["vartree"].dbapi |
David James | 0bdc5de | 2011-05-12 16:22:26 -0700 | [diff] [blame] | 442 | if "--pretend" not in emerge.opts: |
| 443 | vardb.counter_tick() |
David James | deebd69 | 2011-05-09 17:02:52 -0700 | [diff] [blame] | 444 | vardb.flush_cache() |
| 445 | |
David James | 386ccd1 | 2011-05-04 20:17:42 -0700 | [diff] [blame] | 446 | def GenDependencyTree(self): |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 447 | """Get dependency tree info from emerge. |
| 448 | |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 449 | Returns: |
| 450 | Dependency tree |
| 451 | """ |
| 452 | start = time.time() |
| 453 | |
| 454 | emerge = self.emerge |
| 455 | |
| 456 | # Create a list of packages to merge |
| 457 | packages = set(emerge.cmdline_packages[:]) |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 458 | |
| 459 | # Tell emerge to be quiet. We print plenty of info ourselves so we don't |
| 460 | # need any extra output from portage. |
| 461 | portage.util.noiselimit = -1 |
| 462 | |
| 463 | # My favorite feature: The silent spinner. It doesn't spin. Ever. |
| 464 | # I'd disable the colors by default too, but they look kind of cool. |
| 465 | emerge.spinner = stdout_spinner() |
| 466 | emerge.spinner.update = emerge.spinner.update_quiet |
| 467 | |
| 468 | if "--quiet" not in emerge.opts: |
| 469 | print "Calculating deps..." |
| 470 | |
| 471 | self.CreateDepgraph(emerge, packages) |
| 472 | depgraph = emerge.depgraph |
| 473 | |
| 474 | # Build our own tree from the emerge digraph. |
| 475 | deps_tree = {} |
| 476 | digraph = depgraph._dynamic_config.digraph |
David James | 3f77880 | 2011-08-25 19:31:45 -0700 | [diff] [blame] | 477 | root = emerge.settings["ROOT"] |
| 478 | final_db = depgraph._dynamic_config.mydbapi[root] |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 479 | for node, node_deps in digraph.nodes.items(): |
| 480 | # Calculate dependency packages that need to be installed first. Each |
| 481 | # child on the digraph is a dependency. The "operation" field specifies |
| 482 | # what we're doing (e.g. merge, uninstall, etc.). The "priorities" array |
| 483 | # contains the type of dependency (e.g. build, runtime, runtime_post, |
| 484 | # etc.) |
| 485 | # |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 486 | # Portage refers to the identifiers for packages as a CPV. This acronym |
| 487 | # stands for Component/Path/Version. |
| 488 | # |
| 489 | # Here's an example CPV: chromeos-base/power_manager-0.0.1-r1 |
| 490 | # Split up, this CPV would be: |
| 491 | # C -- Component: chromeos-base |
| 492 | # P -- Path: power_manager |
| 493 | # V -- Version: 0.0.1-r1 |
| 494 | # |
| 495 | # We just refer to CPVs as packages here because it's easier. |
| 496 | deps = {} |
| 497 | for child, priorities in node_deps[0].items(): |
David James | 3f77880 | 2011-08-25 19:31:45 -0700 | [diff] [blame] | 498 | if isinstance(child, Package) and child.root == root: |
| 499 | cpv = str(child.cpv) |
| 500 | action = str(child.operation) |
| 501 | |
| 502 | # If we're uninstalling a package, check whether Portage is |
| 503 | # installing a replacement. If so, just depend on the installation |
| 504 | # of the new package, because the old package will automatically |
| 505 | # be uninstalled at that time. |
| 506 | if action == "uninstall": |
| 507 | for pkg in final_db.match_pkgs(child.slot_atom): |
| 508 | cpv = str(pkg.cpv) |
| 509 | action = "merge" |
| 510 | break |
| 511 | |
| 512 | deps[cpv] = dict(action=action, |
| 513 | deptypes=[str(x) for x in priorities], |
| 514 | deps={}) |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 515 | |
| 516 | # We've built our list of deps, so we can add our package to the tree. |
David James | 3f77880 | 2011-08-25 19:31:45 -0700 | [diff] [blame] | 517 | if isinstance(node, Package) and node.root == root: |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 518 | deps_tree[str(node.cpv)] = dict(action=str(node.operation), |
| 519 | deps=deps) |
| 520 | |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 521 | # Ask portage for its install plan, so that we can only throw out |
David James | 386ccd1 | 2011-05-04 20:17:42 -0700 | [diff] [blame] | 522 | # dependencies that portage throws out. |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 523 | deps_info = {} |
| 524 | for pkg in depgraph.altlist(): |
| 525 | if isinstance(pkg, Package): |
David James | 3f77880 | 2011-08-25 19:31:45 -0700 | [diff] [blame] | 526 | assert pkg.root == root |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 527 | self.package_db[pkg.cpv] = pkg |
| 528 | |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 529 | # Save off info about the package |
David James | 386ccd1 | 2011-05-04 20:17:42 -0700 | [diff] [blame] | 530 | deps_info[str(pkg.cpv)] = {"idx": len(deps_info)} |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 531 | |
| 532 | seconds = time.time() - start |
| 533 | if "--quiet" not in emerge.opts: |
| 534 | print "Deps calculated in %dm%.1fs" % (seconds / 60, seconds % 60) |
| 535 | |
| 536 | return deps_tree, deps_info |
| 537 | |
| 538 | def PrintTree(self, deps, depth=""): |
| 539 | """Print the deps we have seen in the emerge output. |
| 540 | |
| 541 | Args: |
| 542 | deps: Dependency tree structure. |
| 543 | depth: Allows printing the tree recursively, with indentation. |
| 544 | """ |
| 545 | for entry in sorted(deps): |
| 546 | action = deps[entry]["action"] |
| 547 | print "%s %s (%s)" % (depth, entry, action) |
| 548 | self.PrintTree(deps[entry]["deps"], depth=depth + " ") |
| 549 | |
David James | 386ccd1 | 2011-05-04 20:17:42 -0700 | [diff] [blame] | 550 | def GenDependencyGraph(self, deps_tree, deps_info): |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 551 | """Generate a doubly linked dependency graph. |
| 552 | |
| 553 | Args: |
| 554 | deps_tree: Dependency tree structure. |
| 555 | deps_info: More details on the dependencies. |
| 556 | Returns: |
| 557 | Deps graph in the form of a dict of packages, with each package |
| 558 | specifying a "needs" list and "provides" list. |
| 559 | """ |
| 560 | emerge = self.emerge |
| 561 | root = emerge.settings["ROOT"] |
| 562 | |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 563 | # deps_map is the actual dependency graph. |
| 564 | # |
| 565 | # Each package specifies a "needs" list and a "provides" list. The "needs" |
| 566 | # list indicates which packages we depend on. The "provides" list |
| 567 | # indicates the reverse dependencies -- what packages need us. |
| 568 | # |
| 569 | # We also provide some other information in the dependency graph: |
| 570 | # - action: What we're planning on doing with this package. Generally, |
| 571 | # "merge", "nomerge", or "uninstall" |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 572 | deps_map = {} |
| 573 | |
| 574 | def ReverseTree(packages): |
| 575 | """Convert tree to digraph. |
| 576 | |
| 577 | Take the tree of package -> requirements and reverse it to a digraph of |
| 578 | buildable packages -> packages they unblock. |
| 579 | Args: |
| 580 | packages: Tree(s) of dependencies. |
| 581 | Returns: |
| 582 | Unsanitized digraph. |
| 583 | """ |
David James | 8c7e5e3 | 2011-06-28 11:26:03 -0700 | [diff] [blame] | 584 | binpkg_phases = set(["setup", "preinst", "postinst"]) |
David James | 3f77880 | 2011-08-25 19:31:45 -0700 | [diff] [blame] | 585 | needed_dep_types = set(["blocker", "buildtime", "runtime"]) |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 586 | for pkg in packages: |
| 587 | |
| 588 | # Create an entry for the package |
| 589 | action = packages[pkg]["action"] |
David James | 8c7e5e3 | 2011-06-28 11:26:03 -0700 | [diff] [blame] | 590 | default_pkg = {"needs": {}, "provides": set(), "action": action, |
| 591 | "nodeps": False, "binary": False} |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 592 | this_pkg = deps_map.setdefault(pkg, default_pkg) |
| 593 | |
David James | 8c7e5e3 | 2011-06-28 11:26:03 -0700 | [diff] [blame] | 594 | if pkg in deps_info: |
| 595 | this_pkg["idx"] = deps_info[pkg]["idx"] |
| 596 | |
| 597 | # If a package doesn't have any defined phases that might use the |
| 598 | # dependent packages (i.e. pkg_setup, pkg_preinst, or pkg_postinst), |
| 599 | # we can install this package before its deps are ready. |
| 600 | emerge_pkg = self.package_db.get(pkg) |
| 601 | if emerge_pkg and emerge_pkg.type_name == "binary": |
| 602 | this_pkg["binary"] = True |
| 603 | defined_phases = emerge_pkg.metadata.defined_phases |
| 604 | defined_binpkg_phases = binpkg_phases.intersection(defined_phases) |
| 605 | if not defined_binpkg_phases: |
| 606 | this_pkg["nodeps"] = True |
| 607 | |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 608 | # Create entries for dependencies of this package first. |
| 609 | ReverseTree(packages[pkg]["deps"]) |
| 610 | |
| 611 | # Add dependencies to this package. |
| 612 | for dep, dep_item in packages[pkg]["deps"].iteritems(): |
David James | 8c7e5e3 | 2011-06-28 11:26:03 -0700 | [diff] [blame] | 613 | # We only need to enforce strict ordering of dependencies if the |
David James | 3f77880 | 2011-08-25 19:31:45 -0700 | [diff] [blame] | 614 | # dependency is a blocker, or is a buildtime or runtime dependency. |
| 615 | # (I.e., ignored, optional, and runtime_post dependencies don't |
| 616 | # depend on ordering.) |
David James | 8c7e5e3 | 2011-06-28 11:26:03 -0700 | [diff] [blame] | 617 | dep_types = dep_item["deptypes"] |
| 618 | if needed_dep_types.intersection(dep_types): |
| 619 | deps_map[dep]["provides"].add(pkg) |
| 620 | this_pkg["needs"][dep] = "/".join(dep_types) |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 621 | |
David James | 3f77880 | 2011-08-25 19:31:45 -0700 | [diff] [blame] | 622 | # If there's a blocker, Portage may need to move files from one |
| 623 | # package to another, which requires editing the CONTENTS files of |
| 624 | # both packages. To avoid race conditions while editing this file, |
| 625 | # the two packages must not be installed in parallel, so we can't |
| 626 | # safely ignore dependencies. See http://crosbug.com/19328 |
| 627 | if "blocker" in dep_types: |
| 628 | this_pkg["nodeps"] = False |
| 629 | |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 630 | def FindCycles(): |
| 631 | """Find cycles in the dependency tree. |
| 632 | |
| 633 | Returns: |
| 634 | A dict mapping cyclic packages to a dict of the deps that cause |
| 635 | cycles. For each dep that causes cycles, it returns an example |
| 636 | traversal of the graph that shows the cycle. |
| 637 | """ |
| 638 | |
| 639 | def FindCyclesAtNode(pkg, cycles, unresolved, resolved): |
| 640 | """Find cycles in cyclic dependencies starting at specified package. |
| 641 | |
| 642 | Args: |
| 643 | pkg: Package identifier. |
| 644 | cycles: A dict mapping cyclic packages to a dict of the deps that |
| 645 | cause cycles. For each dep that causes cycles, it returns an |
| 646 | example traversal of the graph that shows the cycle. |
| 647 | unresolved: Nodes that have been visited but are not fully processed. |
| 648 | resolved: Nodes that have been visited and are fully processed. |
| 649 | """ |
| 650 | pkg_cycles = cycles.get(pkg) |
| 651 | if pkg in resolved and not pkg_cycles: |
| 652 | # If we already looked at this package, and found no cyclic |
| 653 | # dependencies, we can stop now. |
| 654 | return |
| 655 | unresolved.append(pkg) |
| 656 | for dep in deps_map[pkg]["needs"]: |
| 657 | if dep in unresolved: |
| 658 | idx = unresolved.index(dep) |
| 659 | mycycle = unresolved[idx:] + [dep] |
| 660 | for i in range(len(mycycle) - 1): |
| 661 | pkg1, pkg2 = mycycle[i], mycycle[i+1] |
| 662 | cycles.setdefault(pkg1, {}).setdefault(pkg2, mycycle) |
| 663 | elif not pkg_cycles or dep not in pkg_cycles: |
| 664 | # Looks like we haven't seen this edge before. |
| 665 | FindCyclesAtNode(dep, cycles, unresolved, resolved) |
| 666 | unresolved.pop() |
| 667 | resolved.add(pkg) |
| 668 | |
| 669 | cycles, unresolved, resolved = {}, [], set() |
| 670 | for pkg in deps_map: |
| 671 | FindCyclesAtNode(pkg, cycles, unresolved, resolved) |
| 672 | return cycles |
| 673 | |
David James | 386ccd1 | 2011-05-04 20:17:42 -0700 | [diff] [blame] | 674 | def RemoveUnusedPackages(): |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 675 | """Remove installed packages, propagating dependencies.""" |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 676 | # Schedule packages that aren't on the install list for removal |
| 677 | rm_pkgs = set(deps_map.keys()) - set(deps_info.keys()) |
| 678 | |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 679 | # Remove the packages we don't want, simplifying the graph and making |
| 680 | # it easier for us to crack cycles. |
| 681 | for pkg in sorted(rm_pkgs): |
| 682 | this_pkg = deps_map[pkg] |
| 683 | needs = this_pkg["needs"] |
| 684 | provides = this_pkg["provides"] |
| 685 | for dep in needs: |
| 686 | dep_provides = deps_map[dep]["provides"] |
| 687 | dep_provides.update(provides) |
| 688 | dep_provides.discard(pkg) |
| 689 | dep_provides.discard(dep) |
| 690 | for target in provides: |
| 691 | target_needs = deps_map[target]["needs"] |
| 692 | target_needs.update(needs) |
| 693 | target_needs.pop(pkg, None) |
| 694 | target_needs.pop(target, None) |
| 695 | del deps_map[pkg] |
| 696 | |
| 697 | def PrintCycleBreak(basedep, dep, mycycle): |
| 698 | """Print details about a cycle that we are planning on breaking. |
| 699 | |
| 700 | We are breaking a cycle where dep needs basedep. mycycle is an |
| 701 | example cycle which contains dep -> basedep.""" |
| 702 | |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 703 | needs = deps_map[dep]["needs"] |
| 704 | depinfo = needs.get(basedep, "deleted") |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 705 | |
David James | 3f77880 | 2011-08-25 19:31:45 -0700 | [diff] [blame] | 706 | # It's OK to swap install order for blockers, as long as the two |
| 707 | # packages aren't installed in parallel. If there is a cycle, then |
| 708 | # we know the packages depend on each other already, so we can drop the |
| 709 | # blocker safely without printing a warning. |
| 710 | if depinfo == "blocker": |
| 711 | return |
| 712 | |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 713 | # Notify the user that we're breaking a cycle. |
| 714 | print "Breaking %s -> %s (%s)" % (dep, basedep, depinfo) |
| 715 | |
| 716 | # Show cycle. |
| 717 | for i in range(len(mycycle) - 1): |
| 718 | pkg1, pkg2 = mycycle[i], mycycle[i+1] |
| 719 | needs = deps_map[pkg1]["needs"] |
| 720 | depinfo = needs.get(pkg2, "deleted") |
| 721 | if pkg1 == dep and pkg2 == basedep: |
| 722 | depinfo = depinfo + ", deleting" |
| 723 | print " %s -> %s (%s)" % (pkg1, pkg2, depinfo) |
| 724 | |
| 725 | def SanitizeTree(): |
| 726 | """Remove circular dependencies. |
| 727 | |
| 728 | We prune all dependencies involved in cycles that go against the emerge |
| 729 | ordering. This has a nice property: we're guaranteed to merge |
| 730 | dependencies in the same order that portage does. |
| 731 | |
| 732 | Because we don't treat any dependencies as "soft" unless they're killed |
| 733 | by a cycle, we pay attention to a larger number of dependencies when |
| 734 | merging. This hurts performance a bit, but helps reliability. |
| 735 | """ |
| 736 | start = time.time() |
| 737 | cycles = FindCycles() |
| 738 | while cycles: |
| 739 | for dep, mycycles in cycles.iteritems(): |
| 740 | for basedep, mycycle in mycycles.iteritems(): |
| 741 | if deps_info[basedep]["idx"] >= deps_info[dep]["idx"]: |
Matt Tennant | 0879730 | 2011-10-17 16:18:45 -0700 | [diff] [blame] | 742 | if "--quiet" not in emerge.opts: |
| 743 | PrintCycleBreak(basedep, dep, mycycle) |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 744 | del deps_map[dep]["needs"][basedep] |
| 745 | deps_map[basedep]["provides"].remove(dep) |
| 746 | cycles = FindCycles() |
| 747 | seconds = time.time() - start |
| 748 | if "--quiet" not in emerge.opts and seconds >= 0.1: |
| 749 | print "Tree sanitized in %dm%.1fs" % (seconds / 60, seconds % 60) |
| 750 | |
David James | 8c7e5e3 | 2011-06-28 11:26:03 -0700 | [diff] [blame] | 751 | def FindRecursiveProvides(pkg, seen): |
| 752 | """Find all nodes that require a particular package. |
| 753 | |
| 754 | Assumes that graph is acyclic. |
| 755 | |
| 756 | Args: |
| 757 | pkg: Package identifier. |
| 758 | seen: Nodes that have been visited so far. |
| 759 | """ |
| 760 | if pkg in seen: |
| 761 | return |
| 762 | seen.add(pkg) |
| 763 | info = deps_map[pkg] |
| 764 | info["tprovides"] = info["provides"].copy() |
| 765 | for dep in info["provides"]: |
| 766 | FindRecursiveProvides(dep, seen) |
| 767 | info["tprovides"].update(deps_map[dep]["tprovides"]) |
| 768 | |
David James | a22906f | 2011-05-04 19:53:26 -0700 | [diff] [blame] | 769 | ReverseTree(deps_tree) |
David James | a22906f | 2011-05-04 19:53:26 -0700 | [diff] [blame] | 770 | |
David James | 386ccd1 | 2011-05-04 20:17:42 -0700 | [diff] [blame] | 771 | # We need to remove unused packages so that we can use the dependency |
| 772 | # ordering of the install process to show us what cycles to crack. |
| 773 | RemoveUnusedPackages() |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 774 | SanitizeTree() |
David James | 8c7e5e3 | 2011-06-28 11:26:03 -0700 | [diff] [blame] | 775 | seen = set() |
| 776 | for pkg in deps_map: |
| 777 | FindRecursiveProvides(pkg, seen) |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 778 | return deps_map |
| 779 | |
| 780 | def PrintInstallPlan(self, deps_map): |
| 781 | """Print an emerge-style install plan. |
| 782 | |
| 783 | The install plan lists what packages we're installing, in order. |
| 784 | It's useful for understanding what parallel_emerge is doing. |
| 785 | |
| 786 | Args: |
| 787 | deps_map: The dependency graph. |
| 788 | """ |
| 789 | |
| 790 | def InstallPlanAtNode(target, deps_map): |
| 791 | nodes = [] |
| 792 | nodes.append(target) |
| 793 | for dep in deps_map[target]["provides"]: |
| 794 | del deps_map[dep]["needs"][target] |
| 795 | if not deps_map[dep]["needs"]: |
| 796 | nodes.extend(InstallPlanAtNode(dep, deps_map)) |
| 797 | return nodes |
| 798 | |
| 799 | deps_map = copy.deepcopy(deps_map) |
| 800 | install_plan = [] |
| 801 | plan = set() |
| 802 | for target, info in deps_map.iteritems(): |
| 803 | if not info["needs"] and target not in plan: |
| 804 | for item in InstallPlanAtNode(target, deps_map): |
| 805 | plan.add(item) |
| 806 | install_plan.append(self.package_db[item]) |
| 807 | |
| 808 | for pkg in plan: |
| 809 | del deps_map[pkg] |
| 810 | |
| 811 | if deps_map: |
| 812 | print "Cyclic dependencies:", " ".join(deps_map) |
| 813 | PrintDepsMap(deps_map) |
| 814 | sys.exit(1) |
| 815 | |
| 816 | self.emerge.depgraph.display(install_plan) |
| 817 | |
| 818 | |
| 819 | def PrintDepsMap(deps_map): |
| 820 | """Print dependency graph, for each package list it's prerequisites.""" |
| 821 | for i in sorted(deps_map): |
| 822 | print "%s: (%s) needs" % (i, deps_map[i]["action"]) |
| 823 | needs = deps_map[i]["needs"] |
| 824 | for j in sorted(needs): |
| 825 | print " %s" % (j) |
| 826 | if not needs: |
| 827 | print " no dependencies" |
| 828 | |
| 829 | |
| 830 | class EmergeJobState(object): |
| 831 | __slots__ = ["done", "filename", "last_notify_timestamp", "last_output_seek", |
| 832 | "last_output_timestamp", "pkgname", "retcode", "start_timestamp", |
| 833 | "target"] |
| 834 | |
| 835 | def __init__(self, target, pkgname, done, filename, start_timestamp, |
| 836 | retcode=None): |
| 837 | |
| 838 | # The full name of the target we're building (e.g. |
| 839 | # chromeos-base/chromeos-0.0.1-r60) |
| 840 | self.target = target |
| 841 | |
| 842 | # The short name of the target we're building (e.g. chromeos-0.0.1-r60) |
| 843 | self.pkgname = pkgname |
| 844 | |
| 845 | # Whether the job is done. (True if the job is done; false otherwise.) |
| 846 | self.done = done |
| 847 | |
| 848 | # The filename where output is currently stored. |
| 849 | self.filename = filename |
| 850 | |
| 851 | # The timestamp of the last time we printed the name of the log file. We |
| 852 | # print this at the beginning of the job, so this starts at |
| 853 | # start_timestamp. |
| 854 | self.last_notify_timestamp = start_timestamp |
| 855 | |
| 856 | # The location (in bytes) of the end of the last complete line we printed. |
| 857 | # This starts off at zero. We use this to jump to the right place when we |
| 858 | # print output from the same ebuild multiple times. |
| 859 | self.last_output_seek = 0 |
| 860 | |
| 861 | # The timestamp of the last time we printed output. Since we haven't |
| 862 | # printed output yet, this starts at zero. |
| 863 | self.last_output_timestamp = 0 |
| 864 | |
| 865 | # The return code of our job, if the job is actually finished. |
| 866 | self.retcode = retcode |
| 867 | |
| 868 | # The timestamp when our job started. |
| 869 | self.start_timestamp = start_timestamp |
| 870 | |
| 871 | |
David James | 7358d03 | 2011-05-19 10:40:03 -0700 | [diff] [blame] | 872 | def KillHandler(signum, frame): |
| 873 | # Kill self and all subprocesses. |
| 874 | os.killpg(0, signal.SIGKILL) |
| 875 | |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 876 | def SetupWorkerSignals(): |
| 877 | def ExitHandler(signum, frame): |
David James | 7358d03 | 2011-05-19 10:40:03 -0700 | [diff] [blame] | 878 | # Set KILLED flag. |
| 879 | KILLED.set() |
David James | 13cead4 | 2011-05-18 16:22:01 -0700 | [diff] [blame] | 880 | |
David James | 7358d03 | 2011-05-19 10:40:03 -0700 | [diff] [blame] | 881 | # Remove our signal handlers so we don't get called recursively. |
| 882 | signal.signal(signal.SIGINT, KillHandler) |
| 883 | signal.signal(signal.SIGTERM, KillHandler) |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 884 | |
| 885 | # Ensure that we exit quietly and cleanly, if possible, when we receive |
| 886 | # SIGTERM or SIGINT signals. By default, when the user hits CTRL-C, all |
| 887 | # of the child processes will print details about KeyboardInterrupt |
| 888 | # exceptions, which isn't very helpful. |
| 889 | signal.signal(signal.SIGINT, ExitHandler) |
| 890 | signal.signal(signal.SIGTERM, ExitHandler) |
| 891 | |
David James | 1ed3e25 | 2011-10-05 20:26:15 -0700 | [diff] [blame] | 892 | def EmergeProcess(scheduler, output): |
| 893 | """Merge a package in a subprocess. |
| 894 | |
| 895 | Args: |
| 896 | scheduler: Scheduler object. |
| 897 | output: Temporary file to write output. |
| 898 | |
| 899 | Returns: |
| 900 | The exit code returned by the subprocess. |
| 901 | """ |
| 902 | pid = os.fork() |
| 903 | if pid == 0: |
| 904 | try: |
| 905 | # Sanity checks. |
| 906 | if sys.stdout.fileno() != 1: raise Exception("sys.stdout.fileno() != 1") |
| 907 | if sys.stderr.fileno() != 2: raise Exception("sys.stderr.fileno() != 2") |
| 908 | |
| 909 | # - Redirect 1 (stdout) and 2 (stderr) at our temporary file. |
| 910 | # - Redirect 0 to point at sys.stdin. In this case, sys.stdin |
| 911 | # points at a file reading os.devnull, because multiprocessing mucks |
| 912 | # with sys.stdin. |
| 913 | # - Leave the sys.stdin and output filehandles alone. |
| 914 | fd_pipes = {0: sys.stdin.fileno(), |
| 915 | 1: output.fileno(), |
| 916 | 2: output.fileno(), |
| 917 | sys.stdin.fileno(): sys.stdin.fileno(), |
| 918 | output.fileno(): output.fileno()} |
| 919 | portage.process._setup_pipes(fd_pipes) |
| 920 | |
| 921 | # Portage doesn't like when sys.stdin.fileno() != 0, so point sys.stdin |
| 922 | # at the filehandle we just created in _setup_pipes. |
| 923 | if sys.stdin.fileno() != 0: |
| 924 | sys.stdin = os.fdopen(0, "r") |
| 925 | |
| 926 | # Actually do the merge. |
| 927 | retval = scheduler.merge() |
| 928 | |
| 929 | # We catch all exceptions here (including SystemExit, KeyboardInterrupt, |
| 930 | # etc) so as to ensure that we don't confuse the multiprocessing module, |
| 931 | # which expects that all forked children exit with os._exit(). |
| 932 | except: |
| 933 | traceback.print_exc(file=output) |
| 934 | retval = 1 |
| 935 | sys.stdout.flush() |
| 936 | sys.stderr.flush() |
| 937 | output.flush() |
| 938 | os._exit(retval) |
| 939 | else: |
| 940 | # Return the exit code of the subprocess. |
| 941 | return os.waitpid(pid, 0)[1] |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 942 | |
| 943 | def EmergeWorker(task_queue, job_queue, emerge, package_db): |
| 944 | """This worker emerges any packages given to it on the task_queue. |
| 945 | |
| 946 | Args: |
| 947 | task_queue: The queue of tasks for this worker to do. |
| 948 | job_queue: The queue of results from the worker. |
| 949 | emerge: An EmergeData() object. |
| 950 | package_db: A dict, mapping package ids to portage Package objects. |
| 951 | |
| 952 | It expects package identifiers to be passed to it via task_queue. When |
| 953 | a task is started, it pushes the (target, filename) to the started_queue. |
| 954 | The output is stored in filename. When a merge starts or finishes, we push |
| 955 | EmergeJobState objects to the job_queue. |
| 956 | """ |
| 957 | |
| 958 | SetupWorkerSignals() |
| 959 | settings, trees, mtimedb = emerge.settings, emerge.trees, emerge.mtimedb |
David James | deebd69 | 2011-05-09 17:02:52 -0700 | [diff] [blame] | 960 | |
| 961 | # Disable flushing of caches to save on I/O. |
David James | 7a1ea4b | 2011-10-13 15:06:41 -0700 | [diff] [blame] | 962 | root = emerge.settings["ROOT"] |
| 963 | vardb = emerge.trees[root]["vartree"].dbapi |
| 964 | vardb._flush_cache_enabled = False |
David James | deebd69 | 2011-05-09 17:02:52 -0700 | [diff] [blame] | 965 | |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 966 | opts, spinner = emerge.opts, emerge.spinner |
| 967 | opts["--nodeps"] = True |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 968 | while True: |
| 969 | # Wait for a new item to show up on the queue. This is a blocking wait, |
| 970 | # so if there's nothing to do, we just sit here. |
| 971 | target = task_queue.get() |
| 972 | if not target: |
| 973 | # If target is None, this means that the main thread wants us to quit. |
| 974 | # The other workers need to exit too, so we'll push the message back on |
| 975 | # to the queue so they'll get it too. |
| 976 | task_queue.put(target) |
| 977 | return |
David James | 7358d03 | 2011-05-19 10:40:03 -0700 | [diff] [blame] | 978 | if KILLED.is_set(): |
| 979 | return |
| 980 | |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 981 | db_pkg = package_db[target] |
| 982 | db_pkg.root_config = emerge.root_config |
| 983 | install_list = [db_pkg] |
| 984 | pkgname = db_pkg.pf |
| 985 | output = tempfile.NamedTemporaryFile(prefix=pkgname + "-", delete=False) |
| 986 | start_timestamp = time.time() |
| 987 | job = EmergeJobState(target, pkgname, False, output.name, start_timestamp) |
| 988 | job_queue.put(job) |
| 989 | if "--pretend" in opts: |
| 990 | retcode = 0 |
| 991 | else: |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 992 | try: |
David James | 386ccd1 | 2011-05-04 20:17:42 -0700 | [diff] [blame] | 993 | emerge.scheduler_graph.mergelist = install_list |
| 994 | scheduler = Scheduler(settings, trees, mtimedb, opts, spinner, |
David James | bf1e344 | 2011-05-28 07:44:20 -0700 | [diff] [blame] | 995 | favorites=emerge.favorites, graph_config=emerge.scheduler_graph) |
David James | ace2e21 | 2011-07-13 11:47:39 -0700 | [diff] [blame] | 996 | |
| 997 | # Enable blocker handling even though we're in --nodeps mode. This |
| 998 | # allows us to unmerge the blocker after we've merged the replacement. |
| 999 | scheduler._opts_ignore_blockers = frozenset() |
| 1000 | |
David James | 1ed3e25 | 2011-10-05 20:26:15 -0700 | [diff] [blame] | 1001 | retcode = EmergeProcess(scheduler, output) |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 1002 | except Exception: |
| 1003 | traceback.print_exc(file=output) |
| 1004 | retcode = 1 |
David James | 1ed3e25 | 2011-10-05 20:26:15 -0700 | [diff] [blame] | 1005 | output.close() |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 1006 | |
David James | 7358d03 | 2011-05-19 10:40:03 -0700 | [diff] [blame] | 1007 | if KILLED.is_set(): |
| 1008 | return |
| 1009 | |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 1010 | job = EmergeJobState(target, pkgname, True, output.name, start_timestamp, |
| 1011 | retcode) |
| 1012 | job_queue.put(job) |
| 1013 | |
| 1014 | |
| 1015 | class LinePrinter(object): |
| 1016 | """Helper object to print a single line.""" |
| 1017 | |
| 1018 | def __init__(self, line): |
| 1019 | self.line = line |
| 1020 | |
| 1021 | def Print(self, seek_locations): |
| 1022 | print self.line |
| 1023 | |
| 1024 | |
| 1025 | class JobPrinter(object): |
| 1026 | """Helper object to print output of a job.""" |
| 1027 | |
| 1028 | def __init__(self, job, unlink=False): |
| 1029 | """Print output of job. |
| 1030 | |
| 1031 | If unlink is True, unlink the job output file when done.""" |
| 1032 | self.current_time = time.time() |
| 1033 | self.job = job |
| 1034 | self.unlink = unlink |
| 1035 | |
| 1036 | def Print(self, seek_locations): |
| 1037 | |
| 1038 | job = self.job |
| 1039 | |
| 1040 | # Calculate how long the job has been running. |
| 1041 | seconds = self.current_time - job.start_timestamp |
| 1042 | |
| 1043 | # Note that we've printed out the job so far. |
| 1044 | job.last_output_timestamp = self.current_time |
| 1045 | |
| 1046 | # Note that we're starting the job |
| 1047 | info = "job %s (%dm%.1fs)" % (job.pkgname, seconds / 60, seconds % 60) |
| 1048 | last_output_seek = seek_locations.get(job.filename, 0) |
| 1049 | if last_output_seek: |
| 1050 | print "=== Continue output for %s ===" % info |
| 1051 | else: |
| 1052 | print "=== Start output for %s ===" % info |
| 1053 | |
| 1054 | # Print actual output from job |
| 1055 | f = codecs.open(job.filename, encoding='utf-8', errors='replace') |
| 1056 | f.seek(last_output_seek) |
| 1057 | prefix = job.pkgname + ":" |
| 1058 | for line in f: |
| 1059 | |
| 1060 | # Save off our position in the file |
| 1061 | if line and line[-1] == "\n": |
| 1062 | last_output_seek = f.tell() |
| 1063 | line = line[:-1] |
| 1064 | |
| 1065 | # Print our line |
| 1066 | print prefix, line.encode('utf-8', 'replace') |
| 1067 | f.close() |
| 1068 | |
| 1069 | # Save our last spot in the file so that we don't print out the same |
| 1070 | # location twice. |
| 1071 | seek_locations[job.filename] = last_output_seek |
| 1072 | |
| 1073 | # Note end of output section |
| 1074 | if job.done: |
| 1075 | print "=== Complete: %s ===" % info |
| 1076 | else: |
| 1077 | print "=== Still running: %s ===" % info |
| 1078 | |
| 1079 | if self.unlink: |
| 1080 | os.unlink(job.filename) |
| 1081 | |
| 1082 | |
| 1083 | def PrintWorker(queue): |
| 1084 | """A worker that prints stuff to the screen as requested.""" |
| 1085 | |
| 1086 | def ExitHandler(signum, frame): |
David James | 7358d03 | 2011-05-19 10:40:03 -0700 | [diff] [blame] | 1087 | # Set KILLED flag. |
| 1088 | KILLED.set() |
| 1089 | |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 1090 | # Switch to default signal handlers so that we'll die after two signals. |
David James | 7358d03 | 2011-05-19 10:40:03 -0700 | [diff] [blame] | 1091 | signal.signal(signal.SIGINT, KillHandler) |
| 1092 | signal.signal(signal.SIGTERM, KillHandler) |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 1093 | |
| 1094 | # Don't exit on the first SIGINT / SIGTERM, because the parent worker will |
| 1095 | # handle it and tell us when we need to exit. |
| 1096 | signal.signal(signal.SIGINT, ExitHandler) |
| 1097 | signal.signal(signal.SIGTERM, ExitHandler) |
| 1098 | |
| 1099 | # seek_locations is a map indicating the position we are at in each file. |
| 1100 | # It starts off empty, but is set by the various Print jobs as we go along |
| 1101 | # to indicate where we left off in each file. |
| 1102 | seek_locations = {} |
| 1103 | while True: |
| 1104 | try: |
| 1105 | job = queue.get() |
| 1106 | if job: |
| 1107 | job.Print(seek_locations) |
David James | bccf8eb | 2011-07-27 14:06:06 -0700 | [diff] [blame] | 1108 | sys.stdout.flush() |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 1109 | else: |
| 1110 | break |
| 1111 | except IOError as ex: |
| 1112 | if ex.errno == errno.EINTR: |
| 1113 | # Looks like we received a signal. Keep printing. |
| 1114 | continue |
| 1115 | raise |
| 1116 | |
Brian Harring | 867e236 | 2012-03-17 04:05:17 -0700 | [diff] [blame^] | 1117 | |
| 1118 | class ScoredTarget(object): |
| 1119 | |
| 1120 | __slots__ = ("target", "info", "score") |
| 1121 | |
| 1122 | def __init__(self, target, info): |
| 1123 | self.target, self.info = target, info |
| 1124 | self.update_score() |
| 1125 | |
| 1126 | def __cmp__(self, other): |
| 1127 | return cmp(self.score, other.score) |
| 1128 | |
| 1129 | def update_score(self): |
| 1130 | self.score = ( |
| 1131 | -len(self.info["tprovides"]), |
| 1132 | self.info["binary"], |
| 1133 | -len(self.info["provides"]), |
| 1134 | self.info["idx"], |
| 1135 | self.target, |
| 1136 | ) |
| 1137 | |
| 1138 | |
| 1139 | class ScoredHeap(object): |
| 1140 | |
| 1141 | def __init__(self, initial=()): |
| 1142 | self.heap = list(initial) |
| 1143 | if self.heap: |
| 1144 | self.sort() |
| 1145 | |
| 1146 | def get(self): |
| 1147 | node = heapq.heappop(self.heap) |
| 1148 | return node.target, node.info |
| 1149 | |
| 1150 | def put(self, target, data): |
| 1151 | heapq.heappush(self.heap, ScoredTarget(target, data)) |
| 1152 | |
| 1153 | def put_multi(self, sequence): |
| 1154 | self.heap.extend(ScoredTarget(*x) for x in sequence) |
| 1155 | self.sort() |
| 1156 | |
| 1157 | def __nonzero__(self): |
| 1158 | return bool(self.heap) |
| 1159 | |
| 1160 | def sort(self): |
| 1161 | heapq.heapify(self.heap) |
| 1162 | |
| 1163 | def __len__(self): |
| 1164 | return len(self.heap) |
| 1165 | |
| 1166 | |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 1167 | class EmergeQueue(object): |
| 1168 | """Class to schedule emerge jobs according to a dependency graph.""" |
| 1169 | |
| 1170 | def __init__(self, deps_map, emerge, package_db, show_output): |
| 1171 | # Store the dependency graph. |
| 1172 | self._deps_map = deps_map |
| 1173 | # Initialize the running queue to empty |
| 1174 | self._jobs = {} |
Brian Harring | 867e236 | 2012-03-17 04:05:17 -0700 | [diff] [blame^] | 1175 | self._ready = ScoredHeap() |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 1176 | # List of total package installs represented in deps_map. |
| 1177 | install_jobs = [x for x in deps_map if deps_map[x]["action"] == "merge"] |
| 1178 | self._total_jobs = len(install_jobs) |
| 1179 | self._show_output = show_output |
| 1180 | |
| 1181 | if "--pretend" in emerge.opts: |
| 1182 | print "Skipping merge because of --pretend mode." |
| 1183 | sys.exit(0) |
| 1184 | |
David James | 7358d03 | 2011-05-19 10:40:03 -0700 | [diff] [blame] | 1185 | # Set a process group so we can easily terminate all children. |
| 1186 | os.setsid() |
| 1187 | |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 1188 | # Setup scheduler graph object. This is used by the child processes |
| 1189 | # to help schedule jobs. |
| 1190 | emerge.scheduler_graph = emerge.depgraph.schedulerGraph() |
| 1191 | |
| 1192 | # Calculate how many jobs we can run in parallel. We don't want to pass |
| 1193 | # the --jobs flag over to emerge itself, because that'll tell emerge to |
| 1194 | # hide its output, and said output is quite useful for debugging hung |
| 1195 | # jobs. |
| 1196 | procs = min(self._total_jobs, |
| 1197 | emerge.opts.pop("--jobs", multiprocessing.cpu_count())) |
David James | 8c7e5e3 | 2011-06-28 11:26:03 -0700 | [diff] [blame] | 1198 | self._load_avg = emerge.opts.pop("--load-average", None) |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 1199 | self._emerge_queue = multiprocessing.Queue() |
| 1200 | self._job_queue = multiprocessing.Queue() |
| 1201 | self._print_queue = multiprocessing.Queue() |
| 1202 | args = (self._emerge_queue, self._job_queue, emerge, package_db) |
| 1203 | self._pool = multiprocessing.Pool(procs, EmergeWorker, args) |
| 1204 | self._print_worker = multiprocessing.Process(target=PrintWorker, |
| 1205 | args=[self._print_queue]) |
| 1206 | self._print_worker.start() |
| 1207 | |
| 1208 | # Initialize the failed queue to empty. |
| 1209 | self._retry_queue = [] |
| 1210 | self._failed = set() |
| 1211 | |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 1212 | # Setup an exit handler so that we print nice messages if we are |
| 1213 | # terminated. |
| 1214 | self._SetupExitHandler() |
| 1215 | |
| 1216 | # Schedule our jobs. |
Brian Harring | 867e236 | 2012-03-17 04:05:17 -0700 | [diff] [blame^] | 1217 | l = [] |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 1218 | for target, info in deps_map.items(): |
David James | 8c7e5e3 | 2011-06-28 11:26:03 -0700 | [diff] [blame] | 1219 | if info["nodeps"] or not info["needs"]: |
Brian Harring | 867e236 | 2012-03-17 04:05:17 -0700 | [diff] [blame^] | 1220 | l.append((target, info)) |
| 1221 | |
| 1222 | self._ready.put_multi(l) |
David James | 8c7e5e3 | 2011-06-28 11:26:03 -0700 | [diff] [blame] | 1223 | self._procs = procs |
David James | 8c7e5e3 | 2011-06-28 11:26:03 -0700 | [diff] [blame] | 1224 | |
| 1225 | # Print an update. |
| 1226 | self._Status() |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 1227 | |
| 1228 | def _SetupExitHandler(self): |
| 1229 | |
| 1230 | def ExitHandler(signum, frame): |
David James | 7358d03 | 2011-05-19 10:40:03 -0700 | [diff] [blame] | 1231 | # Set KILLED flag. |
| 1232 | KILLED.set() |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 1233 | |
| 1234 | # Kill our signal handlers so we don't get called recursively |
David James | 7358d03 | 2011-05-19 10:40:03 -0700 | [diff] [blame] | 1235 | signal.signal(signal.SIGINT, KillHandler) |
| 1236 | signal.signal(signal.SIGTERM, KillHandler) |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 1237 | |
| 1238 | # Print our current job status |
| 1239 | for target, job in self._jobs.iteritems(): |
| 1240 | if job: |
| 1241 | self._print_queue.put(JobPrinter(job, unlink=True)) |
| 1242 | |
| 1243 | # Notify the user that we are exiting |
| 1244 | self._Print("Exiting on signal %s" % signum) |
David James | 7358d03 | 2011-05-19 10:40:03 -0700 | [diff] [blame] | 1245 | self._print_queue.put(None) |
| 1246 | self._print_worker.join() |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 1247 | |
| 1248 | # Kill child threads, then exit. |
David James | 7358d03 | 2011-05-19 10:40:03 -0700 | [diff] [blame] | 1249 | os.killpg(0, signal.SIGKILL) |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 1250 | sys.exit(1) |
| 1251 | |
| 1252 | # Print out job status when we are killed |
| 1253 | signal.signal(signal.SIGINT, ExitHandler) |
| 1254 | signal.signal(signal.SIGTERM, ExitHandler) |
| 1255 | |
| 1256 | def _Schedule(self, target): |
| 1257 | # We maintain a tree of all deps, if this doesn't need |
David James | 8c7e5e3 | 2011-06-28 11:26:03 -0700 | [diff] [blame] | 1258 | # to be installed just free up its children and continue. |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 1259 | # It is possible to reinstall deps of deps, without reinstalling |
| 1260 | # first level deps, like so: |
| 1261 | # chromeos (merge) -> eselect (nomerge) -> python (merge) |
David James | 8c7e5e3 | 2011-06-28 11:26:03 -0700 | [diff] [blame] | 1262 | this_pkg = self._deps_map.get(target) |
| 1263 | if this_pkg is None: |
David James | 386ccd1 | 2011-05-04 20:17:42 -0700 | [diff] [blame] | 1264 | pass |
David James | 8c7e5e3 | 2011-06-28 11:26:03 -0700 | [diff] [blame] | 1265 | elif this_pkg["action"] == "nomerge": |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 1266 | self._Finish(target) |
David James | d20a6d9 | 2011-04-26 16:11:59 -0700 | [diff] [blame] | 1267 | elif target not in self._jobs: |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 1268 | # Kick off the build if it's marked to be built. |
| 1269 | self._jobs[target] = None |
| 1270 | self._emerge_queue.put(target) |
David James | 8c7e5e3 | 2011-06-28 11:26:03 -0700 | [diff] [blame] | 1271 | return True |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 1272 | |
David James | 8c7e5e3 | 2011-06-28 11:26:03 -0700 | [diff] [blame] | 1273 | def _ScheduleLoop(self): |
| 1274 | # If the current load exceeds our desired load average, don't schedule |
| 1275 | # more than one job. |
| 1276 | if self._load_avg and os.getloadavg()[0] > self._load_avg: |
| 1277 | needed_jobs = 1 |
| 1278 | else: |
| 1279 | needed_jobs = self._procs |
| 1280 | |
| 1281 | # Schedule more jobs. |
| 1282 | while self._ready and len(self._jobs) < needed_jobs: |
Brian Harring | 867e236 | 2012-03-17 04:05:17 -0700 | [diff] [blame^] | 1283 | pkg, data = self._ready.get() |
David James | 32420cc | 2011-08-25 21:32:46 -0700 | [diff] [blame] | 1284 | if pkg not in self._failed: |
| 1285 | self._Schedule(pkg) |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 1286 | |
| 1287 | def _Print(self, line): |
| 1288 | """Print a single line.""" |
| 1289 | self._print_queue.put(LinePrinter(line)) |
| 1290 | |
| 1291 | def _Status(self): |
| 1292 | """Print status.""" |
| 1293 | current_time = time.time() |
| 1294 | no_output = True |
| 1295 | |
| 1296 | # Print interim output every minute if --show-output is used. Otherwise, |
| 1297 | # print notifications about running packages every 2 minutes, and print |
| 1298 | # full output for jobs that have been running for 60 minutes or more. |
| 1299 | if self._show_output: |
| 1300 | interval = 60 |
| 1301 | notify_interval = 0 |
| 1302 | else: |
| 1303 | interval = 60 * 60 |
| 1304 | notify_interval = 60 * 2 |
| 1305 | for target, job in self._jobs.iteritems(): |
| 1306 | if job: |
| 1307 | last_timestamp = max(job.start_timestamp, job.last_output_timestamp) |
| 1308 | if last_timestamp + interval < current_time: |
| 1309 | self._print_queue.put(JobPrinter(job)) |
| 1310 | job.last_output_timestamp = current_time |
| 1311 | no_output = False |
| 1312 | elif (notify_interval and |
| 1313 | job.last_notify_timestamp + notify_interval < current_time): |
| 1314 | job_seconds = current_time - job.start_timestamp |
| 1315 | args = (job.pkgname, job_seconds / 60, job_seconds % 60, job.filename) |
| 1316 | info = "Still building %s (%dm%.1fs). Logs in %s" % args |
| 1317 | job.last_notify_timestamp = current_time |
| 1318 | self._Print(info) |
| 1319 | no_output = False |
| 1320 | |
| 1321 | # If we haven't printed any messages yet, print a general status message |
| 1322 | # here. |
| 1323 | if no_output: |
| 1324 | seconds = current_time - GLOBAL_START |
| 1325 | line = ("Pending %s, Ready %s, Running %s, Retrying %s, Total %s " |
| 1326 | "[Time %dm%.1fs Load %s]") |
David James | 8c7e5e3 | 2011-06-28 11:26:03 -0700 | [diff] [blame] | 1327 | load = " ".join(str(x) for x in os.getloadavg()) |
| 1328 | self._Print(line % (len(self._deps_map), len(self._ready), |
| 1329 | len(self._jobs), len(self._retry_queue), |
| 1330 | self._total_jobs, seconds / 60, seconds % 60, load)) |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 1331 | |
| 1332 | def _Finish(self, target): |
David James | 8c7e5e3 | 2011-06-28 11:26:03 -0700 | [diff] [blame] | 1333 | """Mark a target as completed and unblock dependencies.""" |
| 1334 | this_pkg = self._deps_map[target] |
| 1335 | if this_pkg["needs"] and this_pkg["nodeps"]: |
| 1336 | # We got installed, but our deps have not been installed yet. Dependent |
| 1337 | # packages should only be installed when our needs have been fully met. |
| 1338 | this_pkg["action"] = "nomerge" |
| 1339 | else: |
| 1340 | finish = [] |
| 1341 | for dep in this_pkg["provides"]: |
| 1342 | dep_pkg = self._deps_map[dep] |
| 1343 | del dep_pkg["needs"][target] |
| 1344 | if not dep_pkg["needs"]: |
| 1345 | if dep_pkg["nodeps"] and dep_pkg["action"] == "nomerge": |
| 1346 | self._Finish(dep) |
| 1347 | else: |
Brian Harring | 867e236 | 2012-03-17 04:05:17 -0700 | [diff] [blame^] | 1348 | self._ready.put(dep, dep_pkg) |
David James | 8c7e5e3 | 2011-06-28 11:26:03 -0700 | [diff] [blame] | 1349 | self._deps_map.pop(target) |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 1350 | |
| 1351 | def _Retry(self): |
David James | 8c7e5e3 | 2011-06-28 11:26:03 -0700 | [diff] [blame] | 1352 | while self._retry_queue: |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 1353 | target = self._retry_queue.pop(0) |
David James | 8c7e5e3 | 2011-06-28 11:26:03 -0700 | [diff] [blame] | 1354 | if self._Schedule(target): |
| 1355 | self._Print("Retrying emerge of %s." % target) |
| 1356 | break |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 1357 | |
| 1358 | def _Exit(self): |
| 1359 | # Tell emerge workers to exit. They all exit when 'None' is pushed |
| 1360 | # to the queue. |
| 1361 | self._emerge_queue.put(None) |
| 1362 | self._pool.close() |
| 1363 | self._pool.join() |
David James | 97ce890 | 2011-08-16 09:51:05 -0700 | [diff] [blame] | 1364 | self._emerge_queue.close() |
| 1365 | self._emerge_queue = None |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 1366 | |
| 1367 | # Now that our workers are finished, we can kill the print queue. |
| 1368 | self._print_queue.put(None) |
| 1369 | self._print_worker.join() |
David James | 97ce890 | 2011-08-16 09:51:05 -0700 | [diff] [blame] | 1370 | self._print_queue.close() |
| 1371 | self._print_queue = None |
| 1372 | self._job_queue.close() |
| 1373 | self._job_queue = None |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 1374 | |
| 1375 | def Run(self): |
| 1376 | """Run through the scheduled ebuilds. |
| 1377 | |
| 1378 | Keep running so long as we have uninstalled packages in the |
| 1379 | dependency graph to merge. |
| 1380 | """ |
David James | e703d0f | 2012-01-12 16:27:45 -0800 | [diff] [blame] | 1381 | retried = set() |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 1382 | while self._deps_map: |
| 1383 | # Check here that we are actually waiting for something. |
| 1384 | if (self._emerge_queue.empty() and |
| 1385 | self._job_queue.empty() and |
| 1386 | not self._jobs and |
David James | 8c7e5e3 | 2011-06-28 11:26:03 -0700 | [diff] [blame] | 1387 | not self._ready and |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 1388 | self._deps_map): |
| 1389 | # If we have failed on a package, retry it now. |
| 1390 | if self._retry_queue: |
| 1391 | self._Retry() |
| 1392 | else: |
| 1393 | # Tell child threads to exit. |
| 1394 | self._Exit() |
| 1395 | |
| 1396 | # The dependency map is helpful for debugging failures. |
| 1397 | PrintDepsMap(self._deps_map) |
| 1398 | |
| 1399 | # Tell the user why we're exiting. |
| 1400 | if self._failed: |
| 1401 | print "Packages failed: %s" % " ,".join(self._failed) |
| 1402 | else: |
| 1403 | print "Deadlock! Circular dependencies!" |
| 1404 | sys.exit(1) |
| 1405 | |
Brian Harring | 706747c | 2012-03-16 03:04:31 -0700 | [diff] [blame] | 1406 | for i in range(12): |
David James | a74289a | 2011-08-12 10:41:24 -0700 | [diff] [blame] | 1407 | try: |
| 1408 | job = self._job_queue.get(timeout=5) |
| 1409 | break |
| 1410 | except Queue.Empty: |
| 1411 | # Check if any more jobs can be scheduled. |
| 1412 | self._ScheduleLoop() |
| 1413 | else: |
Brian Harring | 706747c | 2012-03-16 03:04:31 -0700 | [diff] [blame] | 1414 | # Print an update every 60 seconds. |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 1415 | self._Status() |
| 1416 | continue |
| 1417 | |
| 1418 | target = job.target |
| 1419 | |
| 1420 | if not job.done: |
| 1421 | self._jobs[target] = job |
| 1422 | self._Print("Started %s (logged in %s)" % (target, job.filename)) |
| 1423 | continue |
| 1424 | |
| 1425 | # Print output of job |
| 1426 | if self._show_output or job.retcode != 0: |
| 1427 | self._print_queue.put(JobPrinter(job, unlink=True)) |
| 1428 | else: |
| 1429 | os.unlink(job.filename) |
| 1430 | del self._jobs[target] |
| 1431 | |
| 1432 | seconds = time.time() - job.start_timestamp |
| 1433 | details = "%s (in %dm%.1fs)" % (target, seconds / 60, seconds % 60) |
David James | 32420cc | 2011-08-25 21:32:46 -0700 | [diff] [blame] | 1434 | previously_failed = target in self._failed |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 1435 | |
| 1436 | # Complain if necessary. |
| 1437 | if job.retcode != 0: |
| 1438 | # Handle job failure. |
David James | 32420cc | 2011-08-25 21:32:46 -0700 | [diff] [blame] | 1439 | if previously_failed: |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 1440 | # If this job has failed previously, give up. |
| 1441 | self._Print("Failed %s. Your build has failed." % details) |
| 1442 | else: |
| 1443 | # Queue up this build to try again after a long while. |
David James | e703d0f | 2012-01-12 16:27:45 -0800 | [diff] [blame] | 1444 | retried.add(target) |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 1445 | self._retry_queue.append(target) |
| 1446 | self._failed.add(target) |
| 1447 | self._Print("Failed %s, retrying later." % details) |
| 1448 | else: |
David James | 32420cc | 2011-08-25 21:32:46 -0700 | [diff] [blame] | 1449 | if previously_failed: |
| 1450 | # Remove target from list of failed packages. |
| 1451 | self._failed.remove(target) |
| 1452 | |
| 1453 | self._Print("Completed %s" % details) |
| 1454 | |
| 1455 | # Mark as completed and unblock waiting ebuilds. |
| 1456 | self._Finish(target) |
| 1457 | |
| 1458 | if previously_failed and self._retry_queue: |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 1459 | # If we have successfully retried a failed package, and there |
| 1460 | # are more failed packages, try the next one. We will only have |
| 1461 | # one retrying package actively running at a time. |
| 1462 | self._Retry() |
| 1463 | |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 1464 | |
David James | 8c7e5e3 | 2011-06-28 11:26:03 -0700 | [diff] [blame] | 1465 | # Schedule pending jobs and print an update. |
| 1466 | self._ScheduleLoop() |
| 1467 | self._Status() |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 1468 | |
David James | e703d0f | 2012-01-12 16:27:45 -0800 | [diff] [blame] | 1469 | # If packages were retried, output a warning. |
| 1470 | if retried: |
| 1471 | self._Print("") |
| 1472 | self._Print("WARNING: The following packages failed the first time,") |
| 1473 | self._Print("but succeeded upon retry. This might indicate incorrect") |
| 1474 | self._Print("dependencies.") |
| 1475 | for pkg in retried: |
| 1476 | self._Print(" %s" % pkg) |
| 1477 | self._Print("@@@STEP_WARNINGS@@@") |
| 1478 | self._Print("") |
| 1479 | |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 1480 | # Tell child threads to exit. |
| 1481 | self._Print("Merge complete") |
| 1482 | self._Exit() |
| 1483 | |
| 1484 | |
Brian Harring | 3067505 | 2012-02-29 12:18:22 -0800 | [diff] [blame] | 1485 | def main(argv): |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 1486 | |
Brian Harring | 3067505 | 2012-02-29 12:18:22 -0800 | [diff] [blame] | 1487 | parallel_emerge_args = argv[:] |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 1488 | deps = DepGraphGenerator() |
Brian Harring | 3067505 | 2012-02-29 12:18:22 -0800 | [diff] [blame] | 1489 | deps.Initialize(parallel_emerge_args) |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 1490 | emerge = deps.emerge |
| 1491 | |
| 1492 | if emerge.action is not None: |
Brian Harring | 3067505 | 2012-02-29 12:18:22 -0800 | [diff] [blame] | 1493 | argv = deps.ParseParallelEmergeArgs(argv) |
| 1494 | sys.exit(emerge_main(argv)) |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 1495 | elif not emerge.cmdline_packages: |
| 1496 | Usage() |
| 1497 | sys.exit(1) |
| 1498 | |
| 1499 | # Unless we're in pretend mode, there's not much point running without |
| 1500 | # root access. We need to be able to install packages. |
| 1501 | # |
| 1502 | # NOTE: Even if you're running --pretend, it's a good idea to run |
| 1503 | # parallel_emerge with root access so that portage can write to the |
| 1504 | # dependency cache. This is important for performance. |
| 1505 | if "--pretend" not in emerge.opts and portage.secpass < 2: |
| 1506 | print "parallel_emerge: superuser access is required." |
| 1507 | sys.exit(1) |
| 1508 | |
| 1509 | if "--quiet" not in emerge.opts: |
| 1510 | cmdline_packages = " ".join(emerge.cmdline_packages) |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 1511 | print "Starting fast-emerge." |
| 1512 | print " Building package %s on %s" % (cmdline_packages, |
| 1513 | deps.board or "root") |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 1514 | |
David James | 386ccd1 | 2011-05-04 20:17:42 -0700 | [diff] [blame] | 1515 | deps_tree, deps_info = deps.GenDependencyTree() |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 1516 | |
| 1517 | # You want me to be verbose? I'll give you two trees! Twice as much value. |
| 1518 | if "--tree" in emerge.opts and "--verbose" in emerge.opts: |
| 1519 | deps.PrintTree(deps_tree) |
| 1520 | |
David James | 386ccd1 | 2011-05-04 20:17:42 -0700 | [diff] [blame] | 1521 | deps_graph = deps.GenDependencyGraph(deps_tree, deps_info) |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 1522 | |
| 1523 | # OK, time to print out our progress so far. |
| 1524 | deps.PrintInstallPlan(deps_graph) |
| 1525 | if "--tree" in emerge.opts: |
| 1526 | PrintDepsMap(deps_graph) |
| 1527 | |
| 1528 | # Are we upgrading portage? If so, and there are more packages to merge, |
| 1529 | # schedule a restart of parallel_emerge to merge the rest. This ensures that |
| 1530 | # we pick up all updates to portage settings before merging any more |
| 1531 | # packages. |
| 1532 | portage_upgrade = False |
| 1533 | root = emerge.settings["ROOT"] |
| 1534 | final_db = emerge.depgraph._dynamic_config.mydbapi[root] |
| 1535 | if root == "/": |
| 1536 | for db_pkg in final_db.match_pkgs("sys-apps/portage"): |
| 1537 | portage_pkg = deps_graph.get(db_pkg.cpv) |
| 1538 | if portage_pkg and len(deps_graph) > 1: |
| 1539 | portage_pkg["needs"].clear() |
| 1540 | portage_pkg["provides"].clear() |
| 1541 | deps_graph = { str(db_pkg.cpv): portage_pkg } |
| 1542 | portage_upgrade = True |
| 1543 | if "--quiet" not in emerge.opts: |
| 1544 | print "Upgrading portage first, then restarting..." |
| 1545 | |
| 1546 | # Run the queued emerges. |
| 1547 | scheduler = EmergeQueue(deps_graph, emerge, deps.package_db, deps.show_output) |
| 1548 | scheduler.Run() |
David James | 97ce890 | 2011-08-16 09:51:05 -0700 | [diff] [blame] | 1549 | scheduler = None |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 1550 | |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 1551 | # Update environment (library cache, symlinks, etc.) |
| 1552 | if deps.board and "--pretend" not in emerge.opts: |
Brian Harring | 1e3fefc | 2011-10-03 12:09:19 -0700 | [diff] [blame] | 1553 | # Turn off env-update suppression used above for disabling |
| 1554 | # env-update during merging. |
| 1555 | os.environ["FEATURES"] += " -no-env-update" |
| 1556 | # Also kick the existing settings should they be reused... |
| 1557 | if hasattr(portage, 'settings'): |
| 1558 | portage.settings.unlock() |
| 1559 | portage.settings.features.discard('no-env-update') |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 1560 | portage.env_update() |
| 1561 | |
| 1562 | # If we already upgraded portage, we don't need to do so again. But we do |
| 1563 | # need to upgrade the rest of the packages. So we'll go ahead and do that. |
David James | ebc3ae0 | 2011-05-21 20:46:10 -0700 | [diff] [blame] | 1564 | # |
| 1565 | # In order to grant the child permission to run setsid, we need to run sudo |
| 1566 | # again. We preserve SUDO_USER here in case an ebuild depends on it. |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 1567 | if portage_upgrade: |
Brian Harring | 3067505 | 2012-02-29 12:18:22 -0800 | [diff] [blame] | 1568 | args = ["sudo", "-E", "SUDO_USER=%s" % os.environ.get("SUDO_USER", "")] |
Brian Harring | ef3e983 | 2012-03-02 04:43:05 -0800 | [diff] [blame] | 1569 | args += [os.path.abspath(sys.argv[0])] + parallel_emerge_args |
Brian Harring | 3067505 | 2012-02-29 12:18:22 -0800 | [diff] [blame] | 1570 | args += ["--exclude=sys-apps/portage"] |
David James | ebc3ae0 | 2011-05-21 20:46:10 -0700 | [diff] [blame] | 1571 | os.execvp("sudo", args) |
David James | fcb70ef | 2011-02-02 16:02:30 -0800 | [diff] [blame] | 1572 | |
| 1573 | print "Done" |
| 1574 | sys.exit(0) |