Chromium Code Reviews
chromiumcodereview-hr@appspot.gserviceaccount.com (chromiumcodereview-hr) | Please choose your nickname with Settings | Help | Chromium Project | Gerrit Changes | Sign out
(189)

Side by Side Diff: utils/pub/solver/backtracking_solver.dart

Issue 13095015: Use backtracking when solving dependency constraints. (Closed) Base URL: https://dart.googlecode.com/svn/branches/bleeding_edge/dart
Patch Set: Track amount of backtracking used in solver tests. Created 7 years, 8 months ago
Use n/p to move between diff chunks; N/P to move between comments. Draft comments are only viewable by you.
Jump to:
View unified diff | Download patch | Annotate | Revision Log
OLDNEW
(Empty)
1 // Copyright (c) 2012, the Dart project authors. Please see the AUTHORS file
2 // for details. All rights reserved. Use of this source code is governed by a
3 // BSD-style license that can be found in the LICENSE file.
4
5 /// A back-tracking depth-first solver. It is broken into two main components:
6 ///
7 /// * A [BacktrackingVersionSolver] iterates through the possible solutions
8 /// until it finds a valid one, or runs out of ones to try.
9 ///
10 /// * A [Propagator] takes a given potential solution and walks the
11 /// dependency graph to determine if the solution is complete and valid.
12 ///
13 /// Note that internally this uses explicit [Completer]s instead of chaining
14 /// futures like most async code. This is to avoid accumulating very long
15 /// chains of futures. Since this may iterate through many states, hanging an
16 /// increasing long series of `.then()` calls off each other can end up eating
17 /// piles of memory for both the futures and the stack traces.
18 library version_solver2;
19
20 import 'dart:async';
21 import 'dart:collection' show Queue;
22
23 import '../lock_file.dart';
24 import '../log.dart' as log;
25 import '../package.dart';
26 import '../source.dart';
27 import '../source_registry.dart';
28 import '../version.dart';
29 import 'version_solver.dart';
30
31 /// The top-level solver. This selects package versions from a list of valid
32 /// options. It continues trying solutions and advancing until either a
33 /// solution is found, or there are no other ones to try.
34 class BacktrackingVersionSolver extends VersionSolver {
35 /// The set of packages that are being explicitly updated. The solver will
36 /// only allow the very latest version for each of these packages.
37 final _forceLatest = new Set<String>();
38
39 /// Every time a package is encountered when traversing the dependency graph,
40 /// the solver must select a version for it, sometimes when multiple are
41 /// valid. This keeps track of which versions have been selected so far and
42 /// which remain to be tried.
43 ///
44 /// Each entry in the list represents all of the possible versions to try for
45 /// some named package. Each [Queue] is the ordered list of versions to try
46 /// for that package. The first item in the queue is the currently selected
47 /// version for that package. Packages are pushed onto the end of the list
48 /// and popped when the queue is empty.
49 final _selected = <Queue<PackageId>>[];
50
51 /// The number of possible solutions that have been attempted.
52 int _attemptedSolutions = 0;
53
54 BacktrackingVersionSolver(SourceRegistry sources, Package root,
55 LockFile lockFile, List<String> useLatest)
56 : super(sources, root, lockFile, useLatest);
57
58 void forceLatestVersion(String package) {
59 _forceLatest.add(package);
60 }
61
62 Future<SolveResult> runSolver() {
63 var completer = new Completer<SolveResult>();
64 _processState(completer);
65 return completer.future;
66 }
67
68 /// Adds [versions] to the set of possible versions. The first item in it
69 /// will be the currently selected version if that package. Subsequent items
70 /// will be tried if it the current selection fails. Returns the first
71 /// selected version.
72 PackageId select(Iterable<PackageId> versions) {
73 _selected.add(new Queue<PackageId>.from(versions));
74 logSolve();
75 return versions.first;
76 }
77
78 /// Returns the id for the currently selected package [name] or `null` if no
79 /// concrete package has been selected with that name yet.
80 PackageId getSelected(String name) {
81 // Always prefer the root package.
82 if (root.name == name) return new PackageId.root(root);
83
84 // Look through the current selections.
85 for (var i = _selected.length - 1; i >= 0; i--) {
86 if (_selected[i].first.name == name) return _selected[i].first;
87 }
88
89 return null;
90 }
91
92 /// Gets the version of [package] currently locked in the lock file. Returns
93 /// `null` if it isn't in the lockfile (or has been unlocked).
94 PackageId getLocked(String package) => lockFile.packages[package];
95
96 /// Processes the current possible solution state. If successful, completes
97 /// [completer] with the solution. If not, tries the next state (and so on).
98 /// If there are no more states, completes to the last error that occurred.
99 void _processState(Completer<SolveResult> completer) {
100 var oldLength = _selected.length;
101
102 _attemptedSolutions++;
103
104 new Propagator(this).propagate().then((packages) {
105 completer.complete(new SolveResult(packages, _attemptedSolutions));
106 }).catchError((error) {
107 if (error.error is! SolverFailure) {
108 completer.completeError(error);
109 return;
110 }
111
112 // If a new package was added, try it, or try the next selection.
113 if (oldLength != _selected.length || _advanceState()) {
114 _processState(completer);
115 } else {
116 // All out of solutions, so fail.
117 completer.completeError(error);
118 }
119 });
120 }
121
122 /// Advances to the next possible package selection. Returns `false` if there
123 /// are no more selections to try.
124 bool _advanceState() {
125 while (!_selected.isEmpty) {
126 // Advance past the current version of the leaf-most package.
127 _selected.last.removeFirst();
128 if (!_selected.last.isEmpty) return true;
129
130 // That package has no more versions, so pop it and try the next one.
131 _selected.removeLast();
132 }
133
134 return false;
135 }
136
137 /// Logs [message] in the context of the current selected packages. If
138 /// [message] is omitted, just logs a description of leaf-most selection.
139 void logSolve([String message]) {
140 if (message == null) {
141 if (_selected.isEmpty) {
142 message = "* start at root";
143 } else {
144 message = "* select ${_selected.last.first}";
145 }
146 } else {
147 // Otherwise, indent it under the current selected package.
148 message = "| $message";
149 }
150
151 // Indent for the previous selections.
152 var buffer = new StringBuffer();
153 buffer.writeAll(_selected.skip(1).map((_) => '| '));
154 buffer.write(message);
155 log.solver(buffer);
156 }
157 }
158
159 /// Given the solver's current set of selected package versions, this tries to
160 /// traverse the dependency graph and see if a complete set of valid versions
161 /// has been chosen. If it reaches a conflict, it will fail and stop
162 /// propagating. If it reaches a package that isn't selected it will refine the
163 /// solution by adding that package's set of versions to the solver and then
164 /// selecting the best one and continuing.
165 class Propagator {
166 final BacktrackingVersionSolver _solver;
167
168 /// The queue of packages left to traverse. We do a breadth-first traversal
169 /// using an explicit queue just to avoid the code complexity of a recursive
170 /// asynchronous traversal.
171 final _packages = new Queue<PackageId>();
172
173 /// The packages we have already traversed. Used to avoid traversing the same
174 /// package multiple times, and to build the complete solution results.
175 final _visited = new Set<PackageId>();
176
177 /// The dependencies visited so far in the traversal. For each package name
178 /// (the map key) we track the list of dependencies that other packages have
179 /// placed on it so that we can calculate the complete constraint for shared
180 /// dependencies.
181 final _dependencies = <String, List<Dependency>>{};
182
183 Propagator(this._solver);
184
185 /// Walks the dependency graph starting at the root package and validates
186 /// that each reached package has a valid version selected.
187 Future<List<PackageId>> propagate() {
188 // Start at the root.
189 _packages.add(new PackageId.root(_solver.root));
190
191 var completer = new Completer<List<PackageId>>();
192 _processPackage(completer);
193 return completer.future;
194 }
195
196 /// Traverses the next package in the queue. Completes [completer] with a
197 /// list of package IDs if the traversal completed successfully and found a
198 /// solution. Completes to an error if the traversal failed. Otherwise,
199 /// recurses to the next package in the queue, etc.
200 void _processPackage(Completer<List<PackageId>> completer) {
201 if (_packages.isEmpty) {
202 // We traversed the whole graph. If we got here, we successfully found
203 // a solution.
204 completer.complete(_visited.toList());
205 return;
206 }
207
208 var id = _packages.removeFirst();
209
210 // Don't visit the same package twice.
211 if (_visited.contains(id)) {
212 _processPackage(completer);
213 return;
214 }
215 _visited.add(id);
216
217 _solver.cache.getPubspec(id).then((pubspec) {
218 var refs = pubspec.dependencies.toList();
219
220 // Include dev dependencies of the root package.
221 if (id.isRoot) refs.addAll(pubspec.devDependencies);
222
223 // TODO(rnystrom): Sort in some best-first order to minimize backtracking.
224 // Bundler's model is:
225 // Easiest to resolve is defined by:
226 // 1) Is this gem already activated?
227 // 2) Do the version requirements include prereleased gems?
228 // 3) Sort by number of gems available in the source.
229 // Can probably do something similar, but we should profile against
230 // real-world package graphs that require backtracking to see which
231 // heuristics work best for Dart.
232 refs.sort((a, b) => a.name.compareTo(b.name));
233
234 _traverseRefs(completer, id.name, new Queue<PackageRef>.from(refs));
235 }).catchError((error){
236 completer.completeError(error);
237 });
238 }
239
240 /// Traverses the references that [depender] depends on, stored in [refs].
241 /// Desctructively modifies [refs]. Completes [completer] to a list of
242 /// packages if the traversal is complete. Completes it to an error if a
243 /// failure occurred. Otherwise, recurses.
244 void _traverseRefs(Completer<List<PackageId>> completer,
245 String depender, Queue<PackageRef> refs) {
246 // Move onto the next package if we've traversed all of these references.
247 if (refs.isEmpty) {
248 _processPackage(completer);
249 return;
250 }
251
252 try {
253 var ref = refs.removeFirst();
254
255 _validateDependency(ref, depender);
256 var constraint = _addConstraint(ref, depender);
257
258 var selected = _validateSelected(ref, constraint);
259 if (selected != null) {
260 // The selected package is good, so enqueue it to traverse into it.
261 _packages.add(selected);
262 _traverseRefs(completer, depender, refs);
263 return;
264 }
265
266 // We haven't selected a version. Create a substate that tries all
267 // versions that match the constraints we currently have for this
268 // package.
269 _selectPackage(ref, constraint).then((_) {
270 _traverseRefs(completer, depender, refs);
271 }).catchError((error) {
272 completer.completeError(error);
273 });
274 } catch (error, stackTrace) {
275 completer.completeError(error, stackTrace);
276 }
277 }
278
279 /// Ensures that dependency [ref] from [depender] is consistent with the
280 /// other dependencies on the same package. Throws a [SolverFailure]
281 /// exception if not.
282 void _validateDependency(PackageRef ref, String depender) {
283 // Make sure the dependencies agree on source and description.
284 var required = _getRequired(ref.name);
285 if (required == null) return;
286
287 // Make sure all of the existing sources match the new reference.
288 if (required.ref.source.name != ref.source.name) {
289 _solver.logSolve('source mismatch on ${ref.name}: ${required.ref.source} '
290 '!= ${ref.source}');
291 throw new SourceMismatchException(ref.name,
292 required.depender, required.ref.source, depender, ref.source);
293 }
294
295 // Make sure all of the existing descriptions match the new reference.
296 if (!ref.descriptionEquals(required.ref)) {
297 _solver.logSolve('description mismatch on ${ref.name}: '
298 '${required.ref.description} != ${ref.description}');
299 throw new DescriptionMismatchException(ref.name,
300 required.depender, required.ref.description,
301 depender, ref.description);
302 }
303 }
304
305 /// Adds the version constraint that [depender] places on [ref] to the
306 /// overall constraint that all shared dependencies place on [ref]. Throws a
307 /// [SolverFailure] if that results in an unsolvable constraints.
308 ///
309 /// Returns the combined [VersionConstraint] that all dependers place on the
310 /// package.
311 VersionConstraint _addConstraint(PackageRef ref, String depender) {
312 // Add the dependency.
313 var dependencies = _getDependencies(ref.name);
314 dependencies.add(new Dependency(depender, ref));
315
316 // Determine the overall version constraint.
317 var constraint = dependencies
318 .map((dep) => dep.ref.constraint)
319 .reduce(VersionConstraint.any, (a, b) => a.intersect(b));
320
321 // TODO(rnystrom): Currently we just backtrack to the previous state when
322 // a failure occurs here. Another option is back*jumping*. When we hit
323 // this, we could jump straight to the nearest selection that selects a
324 // depender that is causing this state to fail. Before doing that, though,
325 // we should:
326 //
327 // 1. Write some complex solver tests that validate which order packages
328 // are downgraded to reach a solution.
329 // 2. Get some real-world data on which package graphs go pathological.
330
331 // See if it's possible for a package to match that constraint. We
332 // check this first so that this error is preferred over "no versions"
333 // which can be thrown if the current selection does not match the
334 // constraint.
335 if (constraint.isEmpty) {
336 _solver.logSolve('disjoint constraints on ${ref.name}');
337 throw new DisjointConstraintException(ref.name, dependencies);
338 }
339
340 return constraint;
341 }
342
343 /// Validates the currently selected package against the new dependency that
344 /// [ref] and [constraint] place on it. Returns `null` if there is no
345 /// currently selected package, throws a [SolverFailure] if the new reference
346 /// it not valid, or returns the selected package if successful.
347 PackageId _validateSelected(PackageRef ref, VersionConstraint constraint) {
348 var selected = _solver.getSelected(ref.name);
349 if (selected == null) return null;
350
351 // Make sure it meets the constraint.
352 if (!ref.constraint.allows(selected.version)) {
353 _solver.logSolve('selection $selected does not match $constraint');
354 throw new NoVersionException(ref.name, constraint,
355 _getDependencies(ref.name));
356 }
357
358 return selected;
359 }
360
361 /// Tries to select a package that matches [ref] and [constraint]. Updates
362 /// the solver state so that we can backtrack from this decision if it turns
363 /// out wrong, but continues propagating with the new selection.
364 ///
365 /// Returns a future that completes with a [SolverFailure] if a version
366 /// could not be selected or that completes successfully if a package was
367 /// selected and propagation should continue.
368 Future _selectPackage(PackageRef ref, VersionConstraint constraint) {
369 return _solver.cache.getVersions(ref.name, ref.source, ref.description)
370 .then((versions) {
371 var allowed = versions.where((id) => constraint.allows(id.version));
372
373 // See if it's in the lockfile. If so, try that version first. If the
374 // locked version doesn't match our constraint, just ignore it.
375 var locked = _getValidLocked(ref.name, constraint);
376 if (locked != null) {
377 allowed = allowed.where((ref) => ref.version != locked.version)
378 .toList();
379 allowed.insert(0, locked);
380 }
381
382 if (allowed.isEmpty) {
383 _solver.logSolve('no versions for ${ref.name} match $constraint');
384 throw new NoVersionException(ref.name, constraint,
385 _getDependencies(ref.name));
386 }
387
388 // If we're doing an upgrade on this package, only allow the latest
389 // version.
390 if (_solver._forceLatest.contains(ref.name)) allowed = [allowed.first];
391
392 // Store a checkpoint in case we fail, then try to keep solving using the
393 // first package in the allowed set.
394 _packages.add(_solver.select(allowed));
395 });
396 }
397
398 /// Gets the list of dependencies for package [name]. Will create an empty
399 /// list if needed.
400 List<Dependency> _getDependencies(String name) {
401 return _dependencies.putIfAbsent(name, () => <Dependency>[]);
402 }
403
404 /// Gets a "required" reference to the package [name]. This is the first
405 /// non-root dependency on that package. All dependencies on a package must
406 /// agree on source and description, except for references to the root
407 /// package. This will return a reference to that "canonical" source and
408 /// description, or `null` if there is no required reference yet.
409 ///
410 /// This is required because you may have a circular dependency back onto the
411 /// root package. That second dependency won't be a root dependency and it's
412 /// *that* one that other dependencies need to agree on. In other words, you
413 /// can have a bunch of dependencies back onto the root package as long as
414 /// they all agree with each other.
415 Dependency _getRequired(String name) {
416 return _getDependencies(name)
417 .firstWhere((dep) => !dep.ref.isRoot, orElse: () => null);
418 }
419
420 /// Gets the package [name] that's currently contained in the lockfile if it
421 /// meets [constraint] and has the same source and description as other
422 /// references to that package. Returns `null` otherwise.
423 PackageId _getValidLocked(String name, VersionConstraint constraint) {
424 var package = _solver.getLocked(name);
425 if (package == null) return null;
426
427 if (!constraint.allows(package.version)) return null;
428
429 var required = _getRequired(name);
430 if (required != null) {
431 if (package.source.name != required.ref.source.name) return null;
432 if (!package.descriptionEquals(required.ref)) return null;
433 }
434
435 return package;
436 }
437 }
OLDNEW

Powered by Google App Engine
This is Rietveld 408576698