Skip to content

Commit

Permalink
Auto merge of #8908 - JoshMcguigan:dependency-queue-cost, r=alexcrichton
Browse files Browse the repository at this point in the history
update dependency queue to consider cost for each node

In support of #7437, this updates the dependency queue implementation to consider a non-fixed cost for each node. The behavior of this implementation should match the previous implementation if all units are assigned the same cost by the code which calls the `queue` method (which is what we do for now).

In the future I can think of at least two ways these costs could be used:

1. Use some known constant value by default (say 100 as I've done in this PR), and allow the user to provide hints for certain units to influence compilation order (as requested in #7437).
2. Take timing data from a previous compilation (perhaps the json output of `cargo build -Ztimings=json`) and use the actual time required to compile a given unit (in milliseconds) as its cost. Any units not included in the provided timing data could perhaps have their cost set to the median cost of all crates included in the timing data.
  • Loading branch information
bors committed Nov 30, 2020
2 parents 911595f + dd5aca3 commit 980c163
Show file tree
Hide file tree
Showing 2 changed files with 67 additions and 21 deletions.
6 changes: 5 additions & 1 deletion src/cargo/core/compiler/job_queue.rs
Original file line number Diff line number Diff line change
Expand Up @@ -370,7 +370,11 @@ impl<'cfg> JobQueue<'cfg> {
}
}

self.queue.queue(unit.clone(), job, queue_deps);
// For now we use a fixed placeholder value for the cost of each unit, but
// in the future this could be used to allow users to provide hints about
// relative expected costs of units, or this could be automatically set in
// a smarter way using timing data from a previous compilation.
self.queue.queue(unit.clone(), job, queue_deps, 100);
*self.counts.entry(unit.pkg.package_id()).or_insert(0) += 1;
Ok(())
}
Expand Down
82 changes: 62 additions & 20 deletions src/cargo/util/dependency_queue.rs
Original file line number Diff line number Diff line change
Expand Up @@ -31,8 +31,11 @@ pub struct DependencyQueue<N: Hash + Eq, E: Hash + Eq, V> {
/// easily indexable with just an `N`
reverse_dep_map: HashMap<N, HashMap<E, HashSet<N>>>,

/// The total number of packages that are transitively waiting on this package
/// The relative priority of this package. Higher values should be scheduled sooner.
priority: HashMap<N, usize>,

/// An expected cost for building this package. Used to determine priority.
cost: HashMap<N, usize>,
}

impl<N: Hash + Eq, E: Hash + Eq, V> Default for DependencyQueue<N, E, V> {
Expand All @@ -48,6 +51,7 @@ impl<N: Hash + Eq, E: Hash + Eq, V> DependencyQueue<N, E, V> {
dep_map: HashMap::new(),
reverse_dep_map: HashMap::new(),
priority: HashMap::new(),
cost: HashMap::new(),
}
}
}
Expand All @@ -63,7 +67,18 @@ impl<N: Hash + Eq + Clone, E: Eq + Hash + Clone, V> DependencyQueue<N, E, V> {
///
/// An optional `value` can also be associated with `key` which is reclaimed
/// when the node is ready to go.
pub fn queue(&mut self, key: N, value: V, dependencies: impl IntoIterator<Item = (N, E)>) {
///
/// The cost parameter can be used to hint at the relative cost of building
/// this node. This implementation does not care about the units of this value, so
/// the calling code is free to use whatever they'd like. In general, higher cost
/// nodes are expected to take longer to build.
pub fn queue(
&mut self,
key: N,
value: V,
dependencies: impl IntoIterator<Item = (N, E)>,
cost: usize,
) {
assert!(!self.dep_map.contains_key(&key));

let mut my_dependencies = HashSet::new();
Expand All @@ -76,7 +91,8 @@ impl<N: Hash + Eq + Clone, E: Eq + Hash + Clone, V> DependencyQueue<N, E, V> {
.or_insert_with(HashSet::new)
.insert(key.clone());
}
self.dep_map.insert(key, (my_dependencies, value));
self.dep_map.insert(key.clone(), (my_dependencies, value));
self.cost.insert(key, cost);
}

/// All nodes have been added, calculate some internal metadata and prepare
Expand All @@ -86,8 +102,19 @@ impl<N: Hash + Eq + Clone, E: Eq + Hash + Clone, V> DependencyQueue<N, E, V> {
for key in self.dep_map.keys() {
depth(key, &self.reverse_dep_map, &mut out);
}
self.priority = out.into_iter().map(|(n, set)| (n, set.len())).collect();
self.priority = out
.into_iter()
.map(|(n, set)| {
let total_cost =
self.cost[&n] + set.iter().map(|key| self.cost[key]).sum::<usize>();
(n, total_cost)
})
.collect();

/// Creates a flattened reverse dependency list. For a given key, finds the
/// set of nodes which depend on it, including transitively. This is different
/// from self.reverse_dep_map because self.reverse_dep_map only maps one level
/// of reverse dependencies.
fn depth<'a, N: Hash + Eq + Clone, E: Hash + Eq + Clone>(
key: &N,
map: &HashMap<N, HashMap<E, HashSet<N>>>,
Expand Down Expand Up @@ -123,16 +150,6 @@ impl<N: Hash + Eq + Clone, E: Eq + Hash + Clone, V> DependencyQueue<N, E, V> {
/// A package is ready to be built when it has 0 un-built dependencies. If
/// `None` is returned then no packages are ready to be built.
pub fn dequeue(&mut self) -> Option<(N, V)> {
// Look at all our crates and find everything that's ready to build (no
// deps). After we've got that candidate set select the one which has
// the maximum priority in the dependency graph. This way we should
// hopefully keep CPUs hottest the longest by ensuring that long
// dependency chains are scheduled early on in the build process and the
// leafs higher in the tree can fill in the cracks later.
//
// TODO: it'd be best here to throw in a heuristic of crate size as
// well. For example how long did this crate historically take to
// compile? How large is its source code? etc.
let next = self
.dep_map
.iter()
Expand Down Expand Up @@ -190,14 +207,14 @@ mod test {
use super::DependencyQueue;

#[test]
fn deep_first() {
fn deep_first_equal_cost() {
let mut q = DependencyQueue::new();

q.queue(1, (), vec![]);
q.queue(2, (), vec![(1, ())]);
q.queue(3, (), vec![]);
q.queue(4, (), vec![(2, ()), (3, ())]);
q.queue(5, (), vec![(4, ()), (3, ())]);
q.queue(1, (), vec![], 1);
q.queue(2, (), vec![(1, ())], 1);
q.queue(3, (), vec![], 1);
q.queue(4, (), vec![(2, ()), (3, ())], 1);
q.queue(5, (), vec![(4, ()), (3, ())], 1);
q.queue_finished();

assert_eq!(q.dequeue(), Some((1, ())));
Expand All @@ -214,4 +231,29 @@ mod test {
q.finish(&4, &());
assert_eq!(q.dequeue(), Some((5, ())));
}

#[test]
fn sort_by_highest_cost() {
let mut q = DependencyQueue::new();

q.queue(1, (), vec![], 1);
q.queue(2, (), vec![(1, ())], 1);
q.queue(3, (), vec![], 4);
q.queue(4, (), vec![(2, ()), (3, ())], 1);
q.queue_finished();

assert_eq!(q.dequeue(), Some((3, ())));
assert_eq!(q.dequeue(), Some((1, ())));
assert_eq!(q.dequeue(), None);
q.finish(&3, &());
assert_eq!(q.dequeue(), None);
q.finish(&1, &());
assert_eq!(q.dequeue(), Some((2, ())));
assert_eq!(q.dequeue(), None);
q.finish(&2, &());
assert_eq!(q.dequeue(), Some((4, ())));
assert_eq!(q.dequeue(), None);
q.finish(&4, &());
assert_eq!(q.dequeue(), None);
}
}

0 comments on commit 980c163

Please sign in to comment.