cargo_toml 0.22.3

`Cargo.toml` struct definitions for parsing with Serde
Documentation
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
//! Helper for parsing the microsyntax of the `[features]` section and computing implied features from optional dependencies.

use crate::{Dependency, DepsSet, Manifest, Product, TargetDepsSet};
use std::borrow::Cow;
use std::collections::hash_map::{Entry, RandomState};
use std::collections::{BTreeMap, BTreeSet, HashMap};
use std::hash::BuildHasher;
use std::marker::PhantomData;

/// Maximum number of features and dependencies, to protect against DoS
/// crates.io limit is 300.
const MAX_ITEMS: usize = 2048;

/// Call [`features::Resolver::new()`](Resolver::new) to get started.
///
/// The extra `Hasher` arg is for optionally using [`ahash`](https://lib.rs/ahash).
pub struct Resolver<'config, Hasher = RandomState> {
    always_keep: Option<&'config dyn Fn(&str) -> bool>,
    _hasher: PhantomData<fn() -> Hasher>,
}

/// Parse result
///
/// It's a temporary struct that borrows from the manifest. Copy things out of this if lifetimes get in the way.
///
/// The extra `Hasher` arg is for optionally using [`ahash`](https://lib.rs/ahash).
#[derive(Debug)]
#[non_exhaustive]
pub struct Features<'manifest, 'deps, Hasher = RandomState> {
    /// All features, resolved and normalized
    ///
    /// Default features are literally under the "default" key.
    pub features: HashMap<&'manifest str, Feature<'manifest>, Hasher>,
    /// FYI, dependencies referenced by the features, keyed by dependencies' name/identifier in TOML (that's not always the crate name)
    ///
    /// This doesn't include *all* dependencies. Dependencies unaffected by any features selection are skipped.
    pub dependencies: HashMap<&'deps str, FeatureDependency<'deps>, Hasher>,
    /// True if there were features with names staring with `_` and were inlined and merged into other features
    ///
    /// See arg of [`new_with_hasher_and_filter`](Resolver::new_with_hasher_and_filter) to disable removal.
    pub removed_hidden_features: bool,

    /// A redirect from removed feature to its replacements
    pub hidden_features: HashMap<&'manifest str, BTreeSet<&'manifest str>, Hasher>,
}

/// How an enabled feature affects the dependency
#[derive(Debug, PartialEq, Clone)]
#[non_exhaustive]
pub struct DepAction<'a> {
    /// Uses `?` syntax, so it doesn't enable the depenency
    pub is_conditional: bool,
    /// Uses `dep:` or `?` syntax, so it doesn't imply a feature name
    pub is_dep_only: bool,
    /// Features of the dependency to enable (the text after slash, possibly aggregated from multiple items)
    pub dep_features: BTreeSet<Cow<'a, str>>,
}

/// A feature from `[features]` with all the details
#[derive(Debug, Clone)]
#[non_exhaustive]
pub struct Feature<'a> {
    /// Name of the feature
    pub key: &'a str,
    /// Deps this enables or modifies, by their manifest key (the key isn't always the same as the crate name)
    ///
    /// This set is shallow (this feature may also be enabling other features that enable more deps), see [`Feature::enables_recursive`].
    pub enables_deps: BTreeMap<&'a str, DepAction<'a>>,
    /// Enables these explicitly named features
    ///
    /// This set is shallow, and the features listed here may be enabling more features, see [`Feature::enables_recursive`].
    /// Note that Cargo permits infinite loops (A enables B, B enables A).
    pub enables_features: BTreeSet<&'a str>,

    /// Keys of other features that directly enable this feature (this is shallow, not recursive)
    pub enabled_by: BTreeSet<&'a str>,

    /// Names of binaries that mention this feature in their `required-features = [this feature]`
    ///
    /// Name of the default unnamed binary is set to the package name, and not normalized.
    pub required_by_bins: Vec<&'a str>,

    /// If true, it's from `[features]`. If false, it's from `[dependencies]`.
    ///
    /// If it's not explicit, and `is_referenced() == true`, it's probably a mistake and wasn't supposed to be a feature.
    /// See `is_user_facing`.
    pub explicit: bool,
}

/// Outer key is the dependency key/name, the `Vec` contains feature names
pub type DependenciesEnabledByFeatures<'a, S> = HashMap<&'a str, Vec<(&'a str, &'a DepAction<'a>)>, S>;

impl<'a> Feature<'a> {
    /// Heuristic whether this feature should be shown to users
    ///
    /// Skips underscore-prefixed features, and possibly unintended features implied by optional dependencies
    #[inline]
    #[must_use]
    pub fn is_user_facing(&self) -> bool {
        (self.explicit || !self.is_referenced()) && !self.key.starts_with('_')
    }

    /// Just `enabled_by` except the "default" feature
    #[inline]
    pub fn non_default_enabled_by(&self) -> impl Iterator<Item = &str> {
        self.enabled_by.iter().copied().filter(|&e| e != "default")
    }

    /// Is any other feature using this one?
    #[inline]
    #[must_use]
    pub fn is_referenced(&self) -> bool {
        !self.enabled_by.is_empty()
    }

    /// Finds all features and dependencies that this feature enables, recursively and exhaustively
    ///
    /// The first `HashMap` is features by their key, the second is dependencies by their key. It includes only dependencies changed by the features, not all crate dependencies.
    #[must_use]
    pub fn enables_recursive<S: BuildHasher + Default>(&'a self, features: &'a HashMap<&'a str, Feature<'a>, S>) -> (HashMap<&'a str, &'a Feature<'a>, S>, DependenciesEnabledByFeatures<'a, S>) {
        let mut features_set = HashMap::with_capacity_and_hasher(self.enabled_by.len() + self.enabled_by.len()/2, S::default());
        let mut deps_set = HashMap::with_capacity_and_hasher(self.enables_deps.len() + self.enables_deps.len()/2, S::default());
        self.add_to_set(features, &mut features_set, &mut deps_set);
        (features_set, deps_set)
    }

    #[inline(never)]
    fn add_to_set<S: BuildHasher>(&'a self, features: &'a HashMap<&'a str, Feature<'a>, S>, features_set: &mut HashMap<&'a str, &'a Feature<'a>, S>, deps_set: &mut DependenciesEnabledByFeatures<'a, S>) {
        if features_set.insert(self.key, self).is_none() {
            for (&dep_key, action) in &self.enables_deps {
                if !action.is_conditional {
                    deps_set.entry(dep_key).or_default().push((self.key, action));
                }
            }
            for &key in &self.enables_features {
                if let Some(feature) = features.get(key) {
                    feature.add_to_set(features, features_set, deps_set);
                }
            }
        }
    }
}

#[derive(Debug, Copy, Clone, PartialEq, Eq, PartialOrd, Ord, Hash)]
pub struct TargetKey<'a> {
    pub kind: Kind,
    /// cfg. None for all targets.
    pub target: Option<&'a str>,
}

/// A dependency referenced by a feature
#[derive(Debug)]
#[non_exhaustive]
pub struct FeatureDependency<'dep> {
    /// Actual crate of this dependency. Note that multiple dependencies can be the same crate, in different versions.
    pub crate_name: &'dep str,

    /// By kind and target
    pub targets: BTreeMap<TargetKey<'dep>, &'dep Dependency>,
}

impl<'dep> FeatureDependency<'dep> {
    #[inline]
    #[must_use]
    pub fn dep(&self) -> &'dep Dependency {
        self.detail().0
    }

    /// Extra metadata for the most common usage (normal > build > dev) of this dependency
    #[inline]
    #[must_use]
    pub fn detail(&self) -> (&'dep Dependency, Kind) {
        let (k, dep) = self.targets.iter().next().unwrap();
        (dep, k.kind)
    }
}

impl Resolver<'static, RandomState> {
    /// Next step: [`.parse(manifest)`](Resolver::parse).
    #[inline]
    #[must_use]
    pub fn new() -> Self {
        Self {
            always_keep: None,
            _hasher: PhantomData,
        }
    }
}

impl<'manifest, 'config, RandomState: BuildHasher + Default> Resolver<'config, RandomState> {
    /// Use turbofish to configure `RandomState` of a hasher you want this to use.
    ///
    /// `should_keep_hidden_feature` is a reference to a closure that will receive feature names starting with `_`, and return whether to keep or hide them.
    #[must_use]
    pub fn new_with_hasher_and_filter(should_keep_hidden_feature: &'config dyn Fn(&str) -> bool) -> Self {
        Self {
            always_keep: Some(should_keep_hidden_feature),
            _hasher: PhantomData,
        }
    }

    /// Parse features from a Cargo.toml manifest
    pub fn parse<M>(&self, manifest: &'manifest Manifest<M>) -> Features<'manifest, 'manifest, RandomState> {
        let mut features = Self::parse_features(
            manifest.features.iter().take(MAX_ITEMS),
            manifest.features.contains_key("default"),
        );

        let dependencies = Self::add_dependencies(
            &mut features,
            &manifest.dependencies,
            &manifest.build_dependencies,
            &manifest.dev_dependencies,
            &manifest.target,
        );

        Self::set_required_by_bins(&mut features, &manifest.bin, manifest.package().name());

        Self::remove_redundant_dep_action_features(&mut features, &dependencies);
        Self::set_enabled_by(&mut features);
        let hidden_features = self.remove_hidden_features(&mut features);

        Features {
            features,
            dependencies,
            removed_hidden_features: !hidden_features.is_empty(),
            hidden_features,
        }
    }

    /// Instead of processing a `Cargo.toml` manifest, take bits of information directly instead
    ///
    /// It won't fill in `required_by_bins` fields.
    pub fn parse_custom<'deps, S: BuildHasher>(&self, manifest_features: &'manifest HashMap<String, Vec<String>, S>, deps: impl Iterator<Item=ParseDependency<'manifest, 'deps>>) -> Features<'manifest, 'deps, RandomState> where 'manifest: 'deps {
        let mut features: HashMap<&'manifest str, Feature<'manifest>, _> = Self::parse_features(
            manifest_features.iter().take(MAX_ITEMS),
            manifest_features.contains_key("default"),
        );

        let named_using_dep_syntax = Self::named_using_dep_syntax(&features);

        // First one wins, so order is important
        let mut dependencies = HashMap::<&'deps str, FeatureDependency<'deps>, RandomState>::default();
        for dep in deps {
            Self::add_dependency(&mut features, &mut dependencies, named_using_dep_syntax.get(dep.key).copied(), dep.kind, dep.target, dep.key, dep.dep);
        }

        Self::remove_redundant_dep_action_features(&mut features, &dependencies);
        Self::set_enabled_by(&mut features);
        let hidden_features = self.remove_hidden_features(&mut features);

        Features {
            features,
            dependencies,
            removed_hidden_features: !hidden_features.is_empty(),
            hidden_features,
        }
    }
}

/// For parsing in `parse_custom`. Can be constructed from the crates.io index, instead of `Cargo.toml`.
///
/// Note about lifetimes: it's not possible to make `&Dependency` on the fly.
/// You will have to collect *owned* `Dependency` objects to a `Vec` or `HashMap` first.
#[derive(Debug, Clone)]
pub struct ParseDependency<'a, 'tmp> {
    /// Name/id of the dependency, not always the crate name
    pub key: &'a str,
    pub kind: Kind,
    /// Name `[target."from here".dependencies]`
    pub target: Option<&'a str>,
    /// Possibly more detail
    pub dep: &'tmp Dependency,
}

#[derive(Debug, Copy, Clone, Eq, PartialEq, Ord, PartialOrd, Hash, Default)]
pub enum Kind {
    #[default]
    Normal,
    Build,
    Dev,
}

impl<'a, 'c, S: BuildHasher + Default> Resolver<'c, S> {
    fn parse_features(features: impl Iterator<Item = (&'a String, &'a Vec<String>)>, has_explicit_default: bool) -> HashMap<&'a str, Feature<'a>, S> {
        features
            .map(|(key, f)| (key.as_str(), f.as_slice()))
            .chain(if has_explicit_default { None } else { Some(("default", &[][..])) }) // there must always be the default key
            .map(|(feature_key, actions)| Self::parse_feature(feature_key, actions))
            .collect()
    }

    #[inline(never)]
    fn parse_feature(feature_key: &'a str, actions: &'a [String]) -> (&'a str, Feature<'a>) {
        // coalesce dep_feature
        let mut enables_deps = BTreeMap::new();
        let mut enables_features = BTreeSet::new();
        actions.iter().take(MAX_ITEMS).for_each(|action| {
            let mut parts = action.splitn(2, '/');
            let mut atarget = parts.next().unwrap_or_default();
            let dep_feature = parts.next();

            let is_dep_prefix = if let Some(k) = atarget.strip_prefix("dep:") { atarget = k; true } else { false };
            let is_conditional = if let Some(k) = atarget.strip_suffix('?') { atarget = k; true } else { false };

            // dep/feature is old, doesn't actually mean it's dep:only!
            let is_dep_only = is_dep_prefix;
            if is_dep_only || dep_feature.is_some() {
                let action = enables_deps.entry(atarget).or_insert(DepAction {
                    is_conditional,
                    is_dep_only,
                    dep_features: BTreeSet::default(),
                });
                if !is_conditional { action.is_conditional = false; }
                if is_dep_only { action.is_dep_only = true; }
                if let Some(df) = dep_feature { action.dep_features.insert(Cow::Borrowed(df)); }
            } else {
                // dep/foo can be both, and missing enables_deps is added later after checking all for dep:
                enables_features.insert(atarget);
            }
        });

        (feature_key, Feature {
            key: feature_key,
            enables_features,
            required_by_bins: vec![],
            enables_deps,
            explicit: true,
            enabled_by: BTreeSet::new(), // fixed later
        })
    }

    fn add_implied_optional_deps(features: &mut HashMap<&'a str, Feature<'a>, S>, deps_for_features: &mut HashMap<&'a str, FeatureDependency<'a>, S>, crate_deps: &'a BTreeMap<String, Dependency>, named_using_dep_syntax: &HashMap<&str, bool, S>, dep_kind: Kind, only_for_target: Option<&'a str>) {
        for (key, dep) in crate_deps.iter().take(MAX_ITEMS) {
            let key = key.as_str();
            Self::add_dependency(features, deps_for_features, named_using_dep_syntax.get(key).copied(), dep_kind, only_for_target, key, dep);
        }
    }

    #[inline(never)]
    fn add_dependency<'d>(features: &mut HashMap<&'a str, Feature<'a>, S>, deps_for_features: &mut HashMap<&'d str, FeatureDependency<'d>, S>, named_using_dep_syntax: Option<bool>, dep_kind: Kind, only_for_target: Option<&'d str>, key: &'a str, dep: &'d Dependency) where 'a: 'd {
        let is_optional = dep.optional();
        let entry = deps_for_features.entry(key);
        if !is_optional && named_using_dep_syntax.is_none() && matches!(entry, Entry::Vacant(_)) {
            return;
        }

        let entry = entry.or_insert_with(move || FeatureDependency {
            crate_name: dep.package().unwrap_or(key),
            targets: BTreeMap::new(),
        });

        entry.targets.entry(TargetKey { kind: dep_kind, target: only_for_target }).or_insert(dep);

        // explicit features never overlap with deps, unless using "dep:" syntax.

        // We need to know about all deps referenced by features, or all optional ones.
        // We won't see optional build or dev dep feature, if there's normal non-optional dep. Not a big deal?
        // if we added one for normal, then keep adding build and dev.
        if is_optional && named_using_dep_syntax != Some(true) {
            features.entry(key).or_insert_with(move || Feature {
                key,
                enables_features: BTreeSet::default(),
                enables_deps: BTreeMap::from_iter([(key, DepAction {
                    is_dep_only: false,
                    is_conditional: false,
                    dep_features: BTreeSet::default(),
                })]),
                explicit: false,
                enabled_by: BTreeSet::new(), // will do later
                required_by_bins: vec![],
            });
        }
    }

    /// find which names are affected by use of the `dep:` syntax and supress implicit features
    #[inline(never)]
    fn named_using_dep_syntax(features: &HashMap<&'a str, Feature<'a>, S>) -> HashMap<&'a str, bool, S> {
        // explicit features exist, even if their name clashes with a `dep:name`.
        let mut named_using_dep_syntax: HashMap<_, _, S> = features.keys().map(|&k| (k, false)).collect();

        for f in features.values() {
            f.enables_deps.iter().for_each(|(&dep_key, a)| {
                named_using_dep_syntax.entry(dep_key)
                    .and_modify(|v| *v |= a.is_dep_only)
                    .or_insert(a.is_dep_only);
            });
        }

        named_using_dep_syntax
    }

    fn add_dependencies(features: &mut HashMap<&'a str, Feature<'a>, S>, dependencies: &'a DepsSet, build_dependencies: &'a DepsSet, dev_dependencies: &'a DepsSet, target: &'a TargetDepsSet) -> HashMap<&'a str, FeatureDependency<'a>, S> {
        let named_using_dep_syntax = Self::named_using_dep_syntax(features);

        // First one wins, so order is important
        let mut all_deps = HashMap::<_, _, S>::default();
        Self::add_implied_optional_deps(features, &mut all_deps, dependencies, &named_using_dep_syntax, Kind::Normal, None);
        Self::add_implied_optional_deps(features, &mut all_deps, build_dependencies, &named_using_dep_syntax, Kind::Build, None);
        for (target_cfg, target_deps) in target {
            Self::add_implied_optional_deps(features, &mut all_deps, &target_deps.dependencies, &named_using_dep_syntax, Kind::Normal, Some(target_cfg));
            Self::add_implied_optional_deps(features, &mut all_deps, &target_deps.build_dependencies, &named_using_dep_syntax, Kind::Build, Some(target_cfg));
        }
        Self::add_implied_optional_deps(features, &mut all_deps, dev_dependencies, &named_using_dep_syntax, Kind::Dev, None);
        for (target_cfg, target_deps) in target {
            Self::add_implied_optional_deps(features, &mut all_deps, &target_deps.dev_dependencies, &named_using_dep_syntax, Kind::Dev, Some(target_cfg));
        }
        all_deps
    }

    #[inline(never)]
    fn set_required_by_bins(features: &mut HashMap<&'a str, Feature<'a>, S>, bin: &'a [Product], package_name: &'a str) {
        for bin in bin {
            for f in &bin.required_features {
                let bin_name = bin.name.as_deref().unwrap_or(package_name);
                if let Some(f) = features.get_mut(f.as_str()) {
                    // fallback to package name is not quite accurate, because Cargo normalizes exe names slightly
                    f.required_by_bins.push(bin_name);
                }
            }
        }
    }

    #[inline(never)]
    fn remove_redundant_dep_action_features(features: &mut HashMap<&str, Feature<'_>, S>, dependencies: &HashMap<&str, FeatureDependency<'_>, S>) {
        features.values_mut()
            .flat_map(|f| &mut f.enables_deps)
            .filter(|(_, action)| !action.dep_features.is_empty())
            .for_each(|(dep_key, action)| {
                if let Some(dep) = dependencies.get(dep_key).and_then(|d| d.dep().detail()) {
                    action.dep_features.retain(move |dep_f| {
                        let dep_f = &**dep_f;
                        (!dep.default_features || dep_f != "default") &&
                        !dep.features.iter().any(|k| k == dep_f)
                    });
                }
            });
    }

    #[inline(never)]
    fn set_enabled_by(features: &mut HashMap<&'a str, Feature<'a>, S>) {
        let mut all_enabled_by = HashMap::<_, _, S>::default();
        for (&feature_key, f) in features.iter() {
            f.enables_features.iter().copied().for_each(|action_key| if action_key != feature_key {
                all_enabled_by.entry(action_key).or_insert_with(BTreeSet::new).insert(feature_key);
            });
            f.enables_deps.iter().for_each(|(&action_key, action)| if !action.is_conditional && !action.is_dep_only && action_key != feature_key {
                all_enabled_by.entry(action_key).or_insert_with(BTreeSet::new).insert(feature_key);
            });
        }

        for (key, enabled_by) in all_enabled_by {
            if let Some(f) = features.get_mut(key) {
                f.enabled_by = enabled_by;
            }
        }
    }

    /// find `__features` and inline them
    #[inline(never)]
    fn remove_hidden_features(&self, features: &mut HashMap<&'a str, Feature<'a>, S>) -> HashMap<&'a str, BTreeSet<&'a str>, S> {
        let features_to_remove: BTreeSet<_> = features.keys().copied().filter(|&k| {
            k.starts_with('_') && !self.always_keep.is_some_and(|cb| (cb)(k)) // if user thinks that is useful info
        }).collect();

        let mut removed_mapping = HashMap::<_, _, S>::default();

        if features_to_remove.is_empty() {
            return removed_mapping;
        }

        features_to_remove.into_iter().for_each(|key| {
            let Some(mut janky) = features.remove(key) else { return };

            janky.enabled_by.iter().for_each(|&parent_key| if let Some(parent) = features.get_mut(parent_key) {
                parent.enabled_by.remove(janky.key); // just in case it's circular

                // the filter tries to avoid adding new redundant enables_features, but it's order-dependent
                parent.enables_features.extend(&janky.enables_features);
                parent.enables_features.remove(janky.key);

                janky.enables_deps.iter().for_each(|(&k, ja)| {
                    parent.enables_deps.entry(k)
                        .and_modify(|old| {
                            if !ja.is_conditional { old.is_conditional = false; }
                            if ja.is_dep_only { old.is_dep_only = true; }
                            old.dep_features.extend(ja.dep_features.iter().cloned());
                        })
                        .or_insert_with(|| ja.clone());
                });
            });

            janky.enables_features.iter().for_each(|&f| {
                if let Some(child) = features.get_mut(f) {
                    // this list is sometimes a bit redundant,
                    // but the hidden feature cleanup is not recursive, so it needs to contain all possible places
                    child.enabled_by.extend(&janky.enabled_by);
                    child.enabled_by.remove(janky.key);

                    janky.required_by_bins.iter().take(10).for_each(|&bin| {
                        if !child.required_by_bins.contains(&bin) {
                            child.required_by_bins.push(bin);
                        }
                    });
                }
            });

            janky.enables_deps.iter().filter(|&(k, a)| !a.is_dep_only && !janky.enables_features.contains(k)).for_each(|(&d, _)| {
                if let Some(d) = features.get_mut(d) {
                    d.enabled_by.extend(&janky.enabled_by);
                    d.enabled_by.remove(janky.key);
                }
            });

            removed_mapping.entry(janky.key).or_default().append(&mut janky.enables_features);
        });
        removed_mapping
    }
}

#[test]
fn features_test() {
    let m = crate::Manifest::from_str(r#"
[package]
name = "foo"

[[bin]]
name = "thebin"
required-features = ["__hidden2", "loop3"]

[dependencies]
not_optional = { path = "..", package = "actual_pkg", features = ["f1", "f2"] }
depend = { version = "1.0.0", package = "actual_pkg", optional = true, default-features = false }
implied_standalone = { version = "1.0.0", optional = true }
implied_referenced = { version = "1.0.0", optional = true }
not_relevant = "2"
feature_for_hidden = { version = "2", optional = true }
__hidden_dep = { version = "2", optional = true }

[build-dependencies]
a_dep = { version = "1.0.0", optional = true }

[features]
default = ["x"]
a = []
b = ["a", "implied_referenced/with_feature", "depend/default", "depend/default"]
c = ["__hidden"]
x = ["__hidden", "c", "not_optional/f2", "not_optional/f3", "not_optional/default"]
__hidden = ["__hidden2"]
__hidden2 = ["dep:depend", "depend/with_x", "depend?/with_y", "__hidden0"]
__hidden0 = ["a"]
enables_hidden = ["__hidden0"]
__feature_for_hidden = ["feature_for_hidden"]

loop1 = ["loop2"]
loop2 = ["loop3", "a_dep?/maybe", "a_dep?/maybe_too", "depend/with_loop"]
loop3 = ["loop1", "implied_referenced/from_loop_3"]

    "#).unwrap();
    let r = Resolver::new().parse(&m);
    let f = r.features;
    let d = r.dependencies;

    assert!(r.removed_hidden_features);

    // __hidden completely removed
    assert!(!f.iter().any(|(&k, f)| {
        k.starts_with('_') ||
            f.enables_features.iter().any(|&k| k.starts_with('_')) ||
            f.enables_deps.iter().any(|(&k, _)| k.starts_with('_')) ||
            f.enabled_by.iter().any(|&k| k.starts_with('_'))
    }));

    assert!(!d.keys().any(|&k| k.starts_with('_') && k != "__hidden_dep"));
    assert!(!f.contains_key("__hidden_dep"));

    assert_eq!(f.len(), 13);
    assert!(!f.contains_key("depend"));

    assert_eq!(d.len(), 7);
    assert!(!d.contains_key("not_relevant"));
    assert!(!f.contains_key("not_relevant"));

    assert!(!f.contains_key("not_optional"));
    assert_eq!(d["not_optional"].crate_name, "actual_pkg");

    assert_eq!(d["implied_standalone"].crate_name, "implied_standalone");
    assert!(d["implied_standalone"].detail().0.optional());
    assert!(d["a_dep"].targets.keys().all(|t| t.kind == Kind::Build));
    assert!(!f["implied_standalone"].explicit);
    assert!(!f["implied_referenced"].explicit);
    assert!(!f["a_dep"].explicit);
    assert!(!f["feature_for_hidden"].is_referenced());

    assert_eq!(f["x"].enables_deps.keys().copied().collect::<Vec<_>>(), &["depend", "not_optional"]);
    assert_eq!(f["x"].enables_features.iter().copied().collect::<Vec<_>>(), &["a", "c"]);

    assert_eq!(f["a"].enabled_by.iter().copied().collect::<Vec<_>>(), &["b", "c", "enables_hidden", "x"]);
    assert!(f["a"].enables_deps.is_empty());
    assert!(f["a"].enables_features.is_empty());

    assert_eq!(f["loop1"].enabled_by.iter().copied().collect::<Vec<_>>(), &["loop3"]);
    assert_eq!(f["loop2"].enabled_by.iter().copied().collect::<Vec<_>>(), &["loop1"]);
    assert_eq!(f["loop3"].enabled_by.iter().copied().collect::<Vec<_>>(), &["loop2"]);

    assert!(f["loop1"].enables_deps.is_empty());
    assert_eq!(f["loop2"].enables_deps.keys().copied().collect::<Vec<_>>(), &["a_dep", "depend"]);
    assert!(f["loop2"].enables_deps["a_dep"].is_conditional);
    assert!(!f["loop2"].enables_deps["depend"].is_conditional);
    assert_eq!(f["loop3"].enables_deps.keys().copied().collect::<Vec<_>>(), &["implied_referenced"]);

    assert_eq!(f["loop1"].enables_features.iter().copied().collect::<Vec<_>>(), &["loop2"]);
    assert_eq!(f["loop2"].enables_features.iter().copied().collect::<Vec<_>>(), &["loop3"]);
    assert_eq!(f["loop3"].enables_features.iter().copied().collect::<Vec<_>>(), &["loop1"]);

    let (rf, rd) = f["loop1"].enables_recursive(&f);
    assert_eq!(rf["loop1"].key, "loop1");
    assert_eq!(rf["loop2"].key, "loop2");
    assert_eq!(rf["loop3"].key, "loop3");
    assert_eq!(rd["implied_referenced"][0].0, "loop3");
    assert_eq!(rd["depend"][0].0, "loop2");
    assert!(!rd.contains_key("a_dep"));
}