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

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

Issue 13095015: Use backtracking when solving dependency constraints. (Closed) Base URL: https://dart.googlecode.com/svn/branches/bleeding_edge/dart
Patch Set: Respond to review. 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 library version_solver;
6
7 import 'dart:async';
8 import 'dart:json' as json;
9
10 import '../lock_file.dart';
11 import '../log.dart' as log;
12 import '../package.dart';
13 import '../pubspec.dart';
14 import '../source.dart';
15 import '../source_registry.dart';
16 import '../version.dart';
17 import 'backtracking_solver.dart';
18 import 'greedy_solver.dart';
19
20 /// Attempts to select the best concrete versions for all of the transitive
21 /// dependencies of [root] taking into account all of the [VersionConstraint]s
22 /// that those dependencies place on each other and the requirements imposed by
23 /// [lockFile]. If successful, completes to a list of selected [PackageId]s. If
24 /// it fails, the future will complete with a [SolverFailure].
25 ///
26 /// If [useLatest] is given, then only the latest versions of the referenced
27 /// packages will be used. This is for forcing an update to one or more
28 /// packages.
29 ///
30 /// If [allowBacktracking] is `true` (or omitted), the backtracking version
31 /// solver will be used. Otherwise, the non-backtracking one will be.
32 Future<List<PackageId>> resolveVersions(SourceRegistry sources, Package root,
33 {LockFile lockFile, bool allowBacktracking, List<PackageRef> useLatest}) {
34 log.message('Resolving dependencies...');
35
36 if (allowBacktracking == null) allowBacktracking = true;
37 if (lockFile == null) lockFile = new LockFile.empty();
38 if (useLatest == null) useLatest = [];
39
40 var solver;
41 if (allowBacktracking) {
42 solver = new BacktrackingVersionSolver(sources, root, lockFile, useLatest);
43 } else {
44 solver = new GreedyVersionSolver(sources, root, lockFile, useLatest);
45 }
46
47 return solver.solve();
48 }
49
50 /// Base class for an implementation of the version constraint solver.
51 class VersionSolver {
52 final SourceRegistry sources;
53 final Package root;
54 final LockFile lockFile;
55 final PubspecCache cache;
56
57 VersionSolver(SourceRegistry sources, this.root, this.lockFile,
58 List<String> useLatest)
59 : sources = sources,
60 cache = new PubspecCache(sources) {
61 for (var package in useLatest) {
62 forceLatestVersion(package);
63 lockFile.packages.remove(package);
64 }
65 }
66
67 /// Force the solver to upgrade [package] to the latest available version.
68 void forceLatestVersion(String package);
69
70 /// Run the solver. Completes with a list of specific package versions if
71 /// successful or an error if it failed to find a solution.
72 Future<List<PackageId>> solve() {
73 var stopwatch = new Stopwatch();
74 stopwatch.start();
75
76 // Pre-cache the root package's known pubspec.
77 cache.cache(new PackageId.root(root), root.pubspec);
78
79 // Gather some solving metrics.
80 return runSolver().whenComplete(() {
81 var buffer = new StringBuffer();
82 buffer.writeln('${runtimeType} took ${stopwatch.elapsed} seconds.');
83 buffer.writeln(
84 '- Requested ${cache.versionCacheMisses} version lists');
85 buffer.writeln(
86 '- Looked up ${cache.versionCacheHits} cached version lists');
87 buffer.writeln(
88 '- Requested ${cache.pubspecCacheMisses} pubspecs');
89 buffer.writeln(
90 '- Looked up ${cache.pubspecCacheHits} cached pubspecs');
91 log.solver(buffer);
92 });
93 }
94
95 /// Entrypoint for subclasses to actually begin solving. External code should
96 /// call [solve()].
97 Future<List<PackageId>> runSolver();
98 }
99
100 /// Maintains a cache of previously-requested data: pubspecs and version lists.
101 /// Used to avoid requesting the same pubspec from the server repeatedly.
102 class PubspecCache {
103 final SourceRegistry _sources;
104 final _versions = new Map<PackageId, List<PackageId>>();
105 final _pubspecs = new Map<PackageId, Pubspec>();
106
107 /// The number of times a version list was requested and it wasn't cached and
108 /// had to be requested from the source.
109 int versionCacheMisses = 0;
110
111 /// The number of times a version list was requested and the cached version
112 /// was returned.
113 int versionCacheHits = 0;
114
115 /// The number of times a pubspec was requested and it wasn't cached and had
116 /// to be requested from the source.
117 int pubspecCacheMisses = 0;
118
119 /// The number of times a pubspec was requested and the cached version was
120 /// returned.
121 int pubspecCacheHits = 0;
122
123 PubspecCache(this._sources);
124
125 /// Caches [pubspec] as the [Pubspec] for the package identified by [id].
126 void cache(PackageId id, Pubspec pubspec) {
127 _pubspecs[id] = pubspec;
128 }
129
130 /// Loads the pubspec for the package identified by [id].
131 Future<Pubspec> getPubspec(PackageId id) {
132 // Complete immediately if it's already cached.
133 if (_pubspecs.containsKey(id)) {
134 pubspecCacheHits++;
135 return new Future<Pubspec>.immediate(_pubspecs[id]);
136 }
137
138 pubspecCacheMisses++;
139 return id.describe().then((pubspec) {
140 log.solver('requested $id pubspec');
141
142 // Cache it.
143 _pubspecs[id] = pubspec;
144 return pubspec;
145 });
146 }
147
148 /// Gets the list of versions for [package] in descending order.
149 Future<List<PackageId>> getVersions(String package, Source source,
150 description) {
151 // Create a fake ID to use as a key.
152 // TODO(rnystrom): Create a separate type for (name, source, description)
153 // without a version.
154 var id = new PackageId(package, source, Version.none, description);
155
156 // See if we have it cached.
157 var versions = _versions[id];
158 if (versions != null) {
159 versionCacheHits++;
160 return new Future.immediate(versions);
161 }
162
163 versionCacheMisses++;
164 return source.getVersions(package, description).then((versions) {
165 var ids = versions
166 .map((version) => new PackageId(package, source, version,
167 description))
168 .toList();
169
170 // Sort by descending version so we try newer versions first.
171 ids.sort((a, b) => b.version.compareTo(a.version));
172
173 log.solver('requested $package version list');
174 _versions[id] = ids;
175 return ids;
176 });
177 }
178 }
179
180 /// A reference from a depending package to a package that it depends on.
181 class Dependency {
182 /// The name of the package that has this dependency.
183 final String depender;
184
185 /// The referenced dependent package.
186 final PackageRef ref;
187
188 Dependency(this.depender, this.ref);
189 }
190
191 /// Base class for all failures that can occur while trying to resolve versions.
192 class SolverFailure implements Exception {
193 /// Writes [deps] to [buffer] as a bullet list.
194 void _writeDependencies(StringBuffer buffer, List<Dependency> deps) {
195 var map = {};
196 for (var dep in deps) {
197 map[dep.depender] = dep.ref;
198 }
199
200 var names = map.keys.toList();
201 names.sort();
202
203 for (var name in names) {
204 buffer.writeln("- '$name' depends on version ${map[name].constraint}");
205 }
206 }
207 }
208
209 /// Exception thrown when the [VersionSolver] fails to find a solution after a
210 /// certain number of iterations.
211 class CouldNotSolveException extends SolverFailure {
212 CouldNotSolveException();
213
214 String toString() =>
215 "Could not find a solution that met all version constraints.";
216 }
217
218 /// Exception thrown when the [VersionConstraint] used to match a package is
219 /// valid (i.e. non-empty), but there are no available versions of the package
220 /// that fit that constraint.
221 class NoVersionException extends SolverFailure {
222 final String package;
223 final VersionConstraint constraint;
224 final List<Dependency> _dependencies;
225
226 NoVersionException(this.package, this.constraint, this._dependencies);
227
228 String toString() {
229 var buffer = new StringBuffer();
230 buffer.write("Package '$package' has no versions that match $constraint "
231 "derived from:\n");
232 _writeDependencies(buffer, _dependencies);
233 return buffer.toString();
234 }
235 }
236
237 // TODO(rnystrom): Report the list of depending packages and their constraints.
238 /// Exception thrown when the most recent version of [package] must be selected,
239 /// but doesn't match the [VersionConstraint] imposed on the package.
240 class CouldNotUpdateException extends SolverFailure {
241 final String package;
242 final VersionConstraint constraint;
243 final Version best;
244
245 CouldNotUpdateException(this.package, this.constraint, this.best);
246
247 String toString() =>
248 "The latest version of '$package', $best, does not match $constraint.";
249 }
250
251 /// Exception thrown when the [VersionConstraint] used to match a package is
252 /// the empty set: in other words, multiple packages depend on it and have
253 /// conflicting constraints that have no overlap.
254 class DisjointConstraintException extends SolverFailure {
255 final String package;
256 final List<Dependency> _dependencies;
257
258 DisjointConstraintException(this.package, this._dependencies);
259
260 String toString() {
261 var buffer = new StringBuffer();
262 buffer.write("Incompatible version constraints on '$package':\n");
263 _writeDependencies(buffer, _dependencies);
264 return buffer.toString();
265 }
266 }
267
268 /// Exception thrown when two packages with the same name but different sources
269 /// are depended upon.
270 class SourceMismatchException extends SolverFailure {
271 final String package;
272 final String depender1;
273 final Source source1;
274 final String depender2;
275 final Source source2;
276
277 SourceMismatchException(this.package, this.depender1, this.source1,
278 this.depender2, this.source2);
279
280 String toString() {
281 return "Incompatible dependencies on '$package':\n"
282 "- '$depender1' depends on it from source '$source1'\n"
283 "- '$depender2' depends on it from source '$source2'";
284 }
285 }
286
287 /// Exception thrown when two packages with the same name and source but
288 /// different descriptions are depended upon.
289 class DescriptionMismatchException extends SolverFailure {
290 final String package;
291 final String depender1;
292 final description1;
293 final String depender2;
294 final description2;
295
296 DescriptionMismatchException(this.package, this.depender1, this.description1,
297 this.depender2, this.description2);
298
299 String toString() {
300 // TODO(nweiz): Dump descriptions to YAML when that's supported.
301 return "Incompatible dependencies on '$package':\n"
302 "- '$depender1' depends on it with description "
303 "${json.stringify(description1)}\n"
304 "- '$depender2' depends on it with description "
305 "${json.stringify(description2)}";
306 }
307 }
OLDNEW

Powered by Google App Engine
This is Rietveld 408576698