Skip to content

Commit 5485b25

Browse files
committed
Auto merge of #4364 - RalfJung:feat, r=alexcrichton
Required dependencies are not features Also, while I was at it, I fixed an error message which complained about something not being an optional dependency, when really what mattered was that it was not a dependency at all. I made a bunch of guesses about how things work. These guesses ended up as comments in the commit (so hopefully, the next reader of these files has to guess less). I am not totally certain these comments are all correct, so please yell if not. :) In particular, for resolve_features, I observed that dependencies get compiled even when they are not returned from that function. But judging from how the function used to behave, it actually returns all dependencies, even those that have nothing to do with any features. (Making the name rather misleading, TBH...) Fixes #4363
2 parents d336633 + 8a4a291 commit 5485b25

File tree

6 files changed

+150
-40
lines changed

6 files changed

+150
-40
lines changed

src/cargo/core/resolver/mod.rs

+54-26
Original file line numberDiff line numberDiff line change
@@ -57,6 +57,7 @@ use url::Url;
5757

5858
use core::{PackageId, Registry, SourceId, Summary, Dependency};
5959
use core::PackageIdSpec;
60+
use util::config::Config;
6061
use util::Graph;
6162
use util::errors::{CargoResult, CargoError};
6263
use util::profile;
@@ -330,20 +331,25 @@ struct Context<'a> {
330331
resolve_replacements: RcList<(PackageId, PackageId)>,
331332

332333
replacements: &'a [(PackageIdSpec, Dependency)],
334+
335+
// These warnings are printed after resolution.
336+
warnings: RcList<String>,
333337
}
334338

335339
type Activations = HashMap<String, HashMap<SourceId, Vec<Summary>>>;
336340

337341
/// Builds the list of all packages required to build the first argument.
338342
pub fn resolve(summaries: &[(Summary, Method)],
339343
replacements: &[(PackageIdSpec, Dependency)],
340-
registry: &mut Registry) -> CargoResult<Resolve> {
344+
registry: &mut Registry,
345+
config: Option<&Config>) -> CargoResult<Resolve> {
341346
let cx = Context {
342347
resolve_graph: RcList::new(),
343348
resolve_features: HashMap::new(),
344349
resolve_replacements: RcList::new(),
345350
activations: HashMap::new(),
346351
replacements: replacements,
352+
warnings: RcList::new(),
347353
};
348354
let _p = profile::start(format!("resolving"));
349355
let cx = activate_deps_loop(cx, registry, summaries)?;
@@ -368,8 +374,18 @@ pub fn resolve(summaries: &[(Summary, Method)],
368374
}
369375

370376
check_cycles(&resolve, &cx.activations)?;
371-
372377
trace!("resolved: {:?}", resolve);
378+
379+
// If we have a shell, emit warnings about required deps used as feature.
380+
if let Some(config) = config {
381+
let mut shell = config.shell();
382+
let mut warnings = &cx.warnings;
383+
while let Some(ref head) = warnings.head {
384+
shell.warn(&head.0)?;
385+
warnings = &head.1;
386+
}
387+
}
388+
373389
Ok(resolve)
374390
}
375391

@@ -827,13 +843,15 @@ fn compatible(a: &semver::Version, b: &semver::Version) -> bool {
827843
//
828844
// The feature dependencies map is a mapping of package name to list of features
829845
// enabled. Each package should be enabled, and each package should have the
830-
// specified set of features enabled.
846+
// specified set of features enabled. The boolean indicates whether this
847+
// package was specifically requested (rather than just requesting features
848+
// *within* this package).
831849
//
832850
// The all used features set is the set of features which this local package had
833851
// enabled, which is later used when compiling to instruct the code what
834852
// features were enabled.
835853
fn build_features<'a>(s: &'a Summary, method: &'a Method)
836-
-> CargoResult<(HashMap<&'a str, Vec<String>>, HashSet<&'a str>)> {
854+
-> CargoResult<(HashMap<&'a str, (bool, Vec<String>)>, HashSet<&'a str>)> {
837855
let mut deps = HashMap::new();
838856
let mut used = HashSet::new();
839857
let mut visited = HashSet::new();
@@ -867,7 +885,7 @@ fn build_features<'a>(s: &'a Summary, method: &'a Method)
867885

868886
fn add_feature<'a>(s: &'a Summary,
869887
feat: &'a str,
870-
deps: &mut HashMap<&'a str, Vec<String>>,
888+
deps: &mut HashMap<&'a str, (bool, Vec<String>)>,
871889
used: &mut HashSet<&'a str>,
872890
visited: &mut HashSet<&'a str>) -> CargoResult<()> {
873891
if feat.is_empty() { return Ok(()) }
@@ -884,8 +902,8 @@ fn build_features<'a>(s: &'a Summary, method: &'a Method)
884902
let package = feat_or_package;
885903
used.insert(package);
886904
deps.entry(package)
887-
.or_insert(Vec::new())
888-
.push(feat.to_string());
905+
.or_insert((false, Vec::new()))
906+
.1.push(feat.to_string());
889907
}
890908
None => {
891909
let feat = feat_or_package;
@@ -896,12 +914,14 @@ fn build_features<'a>(s: &'a Summary, method: &'a Method)
896914
used.insert(feat);
897915
match s.features().get(feat) {
898916
Some(recursive) => {
917+
// This is a feature, add it recursively.
899918
for f in recursive {
900919
add_feature(s, f, deps, used, visited)?;
901920
}
902921
}
903922
None => {
904-
deps.entry(feat).or_insert(Vec::new());
923+
// This is a dependency, mark it as explicitly requested.
924+
deps.entry(feat).or_insert((false, Vec::new())).0 = true;
905925
}
906926
}
907927
visited.remove(feat);
@@ -1057,8 +1077,9 @@ impl<'a> Context<'a> {
10571077
.unwrap_or(&[])
10581078
}
10591079

1080+
/// Return all dependencies and the features we want from them.
10601081
fn resolve_features<'b>(&mut self,
1061-
candidate: &'b Summary,
1082+
s: &'b Summary,
10621083
method: &'b Method)
10631084
-> CargoResult<Vec<(Dependency, Vec<String>)>> {
10641085
let dev_deps = match *method {
@@ -1067,21 +1088,31 @@ impl<'a> Context<'a> {
10671088
};
10681089

10691090
// First, filter by dev-dependencies
1070-
let deps = candidate.dependencies();
1091+
let deps = s.dependencies();
10711092
let deps = deps.iter().filter(|d| d.is_transitive() || dev_deps);
10721093

1073-
let (mut feature_deps, used_features) = build_features(candidate,
1074-
method)?;
1094+
let (mut feature_deps, used_features) = build_features(s, method)?;
10751095
let mut ret = Vec::new();
10761096

1077-
// Next, sanitize all requested features by whitelisting all the
1078-
// requested features that correspond to optional dependencies
1097+
// Next, collect all actually enabled dependencies and their features.
10791098
for dep in deps {
1080-
// weed out optional dependencies, but not those required
1099+
// Skip optional dependencies, but not those enabled through a feature
10811100
if dep.is_optional() && !feature_deps.contains_key(dep.name()) {
10821101
continue
10831102
}
1084-
let mut base = feature_deps.remove(dep.name()).unwrap_or(vec![]);
1103+
// So we want this dependency. Move the features we want from `feature_deps`
1104+
// to `ret`.
1105+
let base = feature_deps.remove(dep.name()).unwrap_or((false, vec![]));
1106+
if !dep.is_optional() && base.0 {
1107+
self.warnings.push(
1108+
format!("Package `{}` does not have feature `{}`. It has a required dependency \
1109+
with that name, but only optional dependencies can be used as features. \
1110+
This is currently a warning to ease the transition, but it will become an \
1111+
error in the future.",
1112+
s.package_id(), dep.name())
1113+
);
1114+
}
1115+
let mut base = base.1;
10851116
base.extend(dep.features().iter().cloned());
10861117
for feature in base.iter() {
10871118
if feature.contains("/") {
@@ -1091,23 +1122,20 @@ impl<'a> Context<'a> {
10911122
ret.push((dep.clone(), base));
10921123
}
10931124

1094-
// All features can only point to optional dependencies, in which case
1095-
// they should have all been weeded out by the above iteration. Any
1096-
// remaining features are bugs in that the package does not actually
1097-
// have those features.
1125+
// Any remaining entries in feature_deps are bugs in that the package does not actually
1126+
// have those dependencies. We classified them as dependencies in the first place
1127+
// because there is no such feature, either.
10981128
if !feature_deps.is_empty() {
10991129
let unknown = feature_deps.keys().map(|s| &s[..])
11001130
.collect::<Vec<&str>>();
1101-
if !unknown.is_empty() {
1102-
let features = unknown.join(", ");
1103-
bail!("Package `{}` does not have these features: `{}`",
1104-
candidate.package_id(), features)
1105-
}
1131+
let features = unknown.join(", ");
1132+
bail!("Package `{}` does not have these features: `{}`",
1133+
s.package_id(), features)
11061134
}
11071135

11081136
// Record what list of features is active for this package.
11091137
if !used_features.is_empty() {
1110-
let pkgid = candidate.package_id();
1138+
let pkgid = s.package_id();
11111139

11121140
let set = self.resolve_features.entry(pkgid.clone())
11131141
.or_insert_with(HashSet::new);

src/cargo/core/summary.rs

+2-2
Original file line numberDiff line numberDiff line change
@@ -53,8 +53,8 @@ impl Summary {
5353
feature, dep)
5454
}
5555
None if is_reexport => {
56-
bail!("Feature `{}` requires `{}` which is not an \
57-
optional dependency", feature, dep)
56+
bail!("Feature `{}` requires a feature of `{}` which is not a \
57+
dependency", feature, dep)
5858
}
5959
None => {
6060
bail!("Feature `{}` includes `{}` which is neither \

src/cargo/ops/cargo_generate_lockfile.rs

+3-2
Original file line numberDiff line numberDiff line change
@@ -19,7 +19,7 @@ pub fn generate_lockfile(ws: &Workspace) -> CargoResult<()> {
1919
let mut registry = PackageRegistry::new(ws.config())?;
2020
let resolve = ops::resolve_with_previous(&mut registry, ws,
2121
Method::Everything,
22-
None, None, &[])?;
22+
None, None, &[], true)?;
2323
ops::write_pkg_lockfile(ws, &resolve)?;
2424
Ok(())
2525
}
@@ -79,7 +79,8 @@ pub fn update_lockfile(ws: &Workspace, opts: &UpdateOptions)
7979
Method::Everything,
8080
Some(&previous_resolve),
8181
Some(&to_avoid),
82-
&[])?;
82+
&[],
83+
true)?;
8384

8485
// Summarize what is changing for the user.
8586
let print_change = |status: &str, msg: String| {

src/cargo/ops/resolve.rs

+14-7
Original file line numberDiff line numberDiff line change
@@ -15,7 +15,7 @@ use util::errors::{CargoResult, CargoResultExt};
1515
/// lockfile.
1616
pub fn resolve_ws<'a>(ws: &Workspace<'a>) -> CargoResult<(PackageSet<'a>, Resolve)> {
1717
let mut registry = PackageRegistry::new(ws.config())?;
18-
let resolve = resolve_with_registry(ws, &mut registry)?;
18+
let resolve = resolve_with_registry(ws, &mut registry, true)?;
1919
let packages = get_resolved_packages(&resolve, registry);
2020
Ok((packages, resolve))
2121
}
@@ -44,7 +44,7 @@ pub fn resolve_ws_precisely<'a>(ws: &Workspace<'a>,
4444
let resolve = if ws.require_optional_deps() {
4545
// First, resolve the root_package's *listed* dependencies, as well as
4646
// downloading and updating all remotes and such.
47-
let resolve = resolve_with_registry(ws, &mut registry)?;
47+
let resolve = resolve_with_registry(ws, &mut registry, false)?;
4848

4949
// Second, resolve with precisely what we're doing. Filter out
5050
// transitive dependencies if necessary, specify features, handle
@@ -79,19 +79,19 @@ pub fn resolve_ws_precisely<'a>(ws: &Workspace<'a>,
7979
let resolved_with_overrides =
8080
ops::resolve_with_previous(&mut registry, ws,
8181
method, resolve.as_ref(), None,
82-
specs)?;
82+
specs, true)?;
8383

8484
let packages = get_resolved_packages(&resolved_with_overrides, registry);
8585

8686
Ok((packages, resolved_with_overrides))
8787
}
8888

89-
fn resolve_with_registry(ws: &Workspace, registry: &mut PackageRegistry)
89+
fn resolve_with_registry(ws: &Workspace, registry: &mut PackageRegistry, warn: bool)
9090
-> CargoResult<Resolve> {
9191
let prev = ops::load_pkg_lockfile(ws)?;
9292
let resolve = resolve_with_previous(registry, ws,
9393
Method::Everything,
94-
prev.as_ref(), None, &[])?;
94+
prev.as_ref(), None, &[], warn)?;
9595

9696
if !ws.is_ephemeral() {
9797
ops::write_pkg_lockfile(ws, &resolve)?;
@@ -114,7 +114,8 @@ pub fn resolve_with_previous<'a>(registry: &mut PackageRegistry,
114114
method: Method,
115115
previous: Option<&'a Resolve>,
116116
to_avoid: Option<&HashSet<&'a PackageId>>,
117-
specs: &[PackageIdSpec])
117+
specs: &[PackageIdSpec],
118+
warn: bool)
118119
-> CargoResult<Resolve> {
119120
// Here we place an artificial limitation that all non-registry sources
120121
// cannot be locked at more than one revision. This means that if a git
@@ -256,9 +257,15 @@ pub fn resolve_with_previous<'a>(registry: &mut PackageRegistry,
256257
None => root_replace.to_vec(),
257258
};
258259

260+
let config = if warn {
261+
Some(ws.config())
262+
} else {
263+
None
264+
};
259265
let mut resolved = resolver::resolve(&summaries,
260266
&replace,
261-
registry)?;
267+
registry,
268+
config)?;
262269
resolved.register_used_patches(registry.patches());
263270
if let Some(previous) = previous {
264271
resolved.merge_from(previous)?;

tests/features.rs

+76-2
Original file line numberDiff line numberDiff line change
@@ -169,7 +169,7 @@ fn invalid6() {
169169
[ERROR] failed to parse manifest at `[..]`
170170
171171
Caused by:
172-
Feature `foo` requires `bar` which is not an optional dependency
172+
Feature `foo` requires a feature of `bar` which is not a dependency
173173
"));
174174
}
175175

@@ -193,7 +193,7 @@ fn invalid7() {
193193
[ERROR] failed to parse manifest at `[..]`
194194
195195
Caused by:
196-
Feature `foo` requires `bar` which is not an optional dependency
196+
Feature `foo` requires a feature of `bar` which is not a dependency
197197
"));
198198
}
199199

@@ -225,6 +225,80 @@ fn invalid8() {
225225
"));
226226
}
227227

228+
#[test]
229+
fn invalid9() {
230+
let p = project("foo")
231+
.file("Cargo.toml", r#"
232+
[project]
233+
name = "foo"
234+
version = "0.0.1"
235+
authors = []
236+
237+
[dependencies.bar]
238+
path = "bar"
239+
"#)
240+
.file("src/main.rs", "fn main() {}")
241+
.file("bar/Cargo.toml", r#"
242+
[package]
243+
name = "bar"
244+
version = "0.0.1"
245+
authors = []
246+
"#)
247+
.file("bar/src/lib.rs", "");
248+
249+
assert_that(p.cargo_process("build").arg("--features").arg("bar"),
250+
execs().with_status(0).with_stderr("\
251+
warning: Package `foo v0.0.1 ([..])` does not have feature `bar`. It has a required dependency with \
252+
that name, but only optional dependencies can be used as features. [..]
253+
Compiling bar v0.0.1 ([..])
254+
Compiling foo v0.0.1 ([..])
255+
Finished dev [unoptimized + debuginfo] target(s) in [..] secs
256+
"));
257+
}
258+
259+
#[test]
260+
fn invalid10() {
261+
let p = project("foo")
262+
.file("Cargo.toml", r#"
263+
[project]
264+
name = "foo"
265+
version = "0.0.1"
266+
authors = []
267+
268+
[dependencies.bar]
269+
path = "bar"
270+
features = ["baz"]
271+
"#)
272+
.file("src/main.rs", "fn main() {}")
273+
.file("bar/Cargo.toml", r#"
274+
[package]
275+
name = "bar"
276+
version = "0.0.1"
277+
authors = []
278+
279+
[dependencies.baz]
280+
path = "baz"
281+
"#)
282+
.file("bar/src/lib.rs", "")
283+
.file("bar/baz/Cargo.toml", r#"
284+
[package]
285+
name = "baz"
286+
version = "0.0.1"
287+
authors = []
288+
"#)
289+
.file("bar/baz/src/lib.rs", "");
290+
291+
assert_that(p.cargo_process("build"),
292+
execs().with_status(0).with_stderr("\
293+
warning: Package `bar v0.0.1 ([..])` does not have feature `baz`. It has a required dependency with \
294+
that name, but only optional dependencies can be used as features. [..]
295+
Compiling baz v0.0.1 ([..])
296+
Compiling bar v0.0.1 ([..])
297+
Compiling foo v0.0.1 ([..])
298+
Finished dev [unoptimized + debuginfo] target(s) in [..] secs
299+
"));
300+
}
301+
228302
#[test]
229303
fn no_transitive_dep_feature_requirement() {
230304
let p = project("foo")

tests/resolve.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -32,7 +32,7 @@ fn resolve(pkg: PackageId, deps: Vec<Dependency>, registry: &[Summary])
3232
let mut registry = MyRegistry(registry);
3333
let summary = Summary::new(pkg.clone(), deps, HashMap::new()).unwrap();
3434
let method = Method::Everything;
35-
let resolve = resolver::resolve(&[(summary, method)], &[], &mut registry)?;
35+
let resolve = resolver::resolve(&[(summary, method)], &[], &mut registry, None)?;
3636
let res = resolve.iter().cloned().collect();
3737
Ok(res)
3838
}

0 commit comments

Comments
 (0)