use std::{collections::VecDeque, hash::Hash}; use rustc_hash::{FxHashMap, FxHashSet}; use serde::{Deserialize, Serialize}; use turbo_tasks_macros::{TraceRawVcs, ValueDebugFormat}; use super::graph_store::{GraphNode, GraphStore}; use crate::{self as turbo_tasks, NonLocalValue}; /// A graph traversal that builds an adjacency map #[derive(Debug, Clone, Serialize, Deserialize, TraceRawVcs, ValueDebugFormat)] #[serde(bound( serialize = "T: Serialize + Eq + Hash", deserialize = "T: Deserialize<'de> + Eq + Hash" ))] pub struct AdjacencyMap { adjacency_map: FxHashMap>, roots: Vec, } unsafe impl NonLocalValue for AdjacencyMap where T: NonLocalValue {} impl PartialEq for AdjacencyMap where T: Eq + Hash, { fn eq(&self, other: &Self) -> bool { self.adjacency_map == other.adjacency_map && self.roots == other.roots } } impl Eq for AdjacencyMap where T: Eq + Hash {} impl Default for AdjacencyMap where T: Eq + Hash + Clone, { fn default() -> Self { Self::new() } } impl AdjacencyMap where T: Eq + Hash + Clone, { /// Creates a new adjacency map pub fn new() -> Self { Self { adjacency_map: FxHashMap::default(), roots: Vec::new(), } } /// Returns an iterator over the root nodes of the graph pub fn roots(&self) -> impl Iterator { self.roots.iter() } /// Returns an iterator over the children of the given node pub fn get(&self, node: &T) -> Option> { self.adjacency_map.get(node).map(|vec| vec.iter()) } } impl GraphStore for AdjacencyMap where T: Eq + Hash + Clone + Send, { type Node = T; type Handle = T; fn insert(&mut self, from_handle: Option, node: GraphNode) -> Option<(Self::Handle, &T)> { let vec = if let Some(from_handle) = from_handle { self.adjacency_map .entry(from_handle) .or_insert_with(|| Vec::with_capacity(1)) } else { &mut self.roots }; vec.push(node.node().clone()); Some((node.into_node(), vec.last().unwrap())) } } impl AdjacencyMap where T: Eq + Hash + Clone, { /// Returns an owned iterator over the nodes in postorder topological order, /// starting from the roots. pub fn into_postorder_topological(self) -> IntoPostorderTopologicalIter { IntoPostorderTopologicalIter { adjacency_map: self.adjacency_map, stack: self .roots .into_iter() .rev() .map(|root| (ReverseTopologicalPass::Pre, root)) .collect(), visited: FxHashSet::default(), } } /// Returns an owned iterator over all edges (node pairs) in reverse breadth first order, /// starting from the roots. pub fn into_breadth_first_edges(self) -> IntoBreadthFirstEdges { IntoBreadthFirstEdges { adjacency_map: self.adjacency_map, queue: self .roots .into_iter() .rev() .map(|root| (None, root)) .collect(), expanded: FxHashSet::default(), } } /// Returns an iterator over the nodes in postorder topological order, /// starting from the roots. pub fn postorder_topological(&self) -> PostorderTopologicalIter<'_, T> { PostorderTopologicalIter { adjacency_map: &self.adjacency_map, stack: self .roots .iter() .rev() .map(|root| (ReverseTopologicalPass::Pre, root)) .collect(), visited: FxHashSet::default(), } } /// Returns an iterator over the nodes in postorder topological order, /// starting from the given node. pub fn postorder_topological_from_node<'graph>( &'graph self, node: &'graph T, ) -> PostorderTopologicalIter<'graph, T> { PostorderTopologicalIter { adjacency_map: &self.adjacency_map, stack: vec![(ReverseTopologicalPass::Pre, node)], visited: FxHashSet::default(), } } } #[derive(Debug)] enum ReverseTopologicalPass { Pre, Post, } /// An iterator over the nodes of a graph in postorder topological order, starting /// from the roots. pub struct IntoPostorderTopologicalIter where T: Eq + Hash + Clone, { adjacency_map: FxHashMap>, stack: Vec<(ReverseTopologicalPass, T)>, visited: FxHashSet, } impl Iterator for IntoPostorderTopologicalIter where T: Eq + Hash + Clone, { type Item = T; fn next(&mut self) -> Option { let current = loop { let (pass, current) = self.stack.pop()?; match pass { ReverseTopologicalPass::Post => { break current; } ReverseTopologicalPass::Pre => { if self.visited.contains(¤t) { continue; } self.visited.insert(current.clone()); let Some(neighbors) = self.adjacency_map.get(¤t) else { break current; }; self.stack.push((ReverseTopologicalPass::Post, current)); self.stack.extend( neighbors .iter() .rev() .map(|neighbor| (ReverseTopologicalPass::Pre, neighbor.clone())), ); } } }; Some(current) } } pub struct IntoBreadthFirstEdges where T: Eq + std::hash::Hash + Clone, { adjacency_map: FxHashMap>, queue: VecDeque<(Option, T)>, expanded: FxHashSet, } impl Iterator for IntoBreadthFirstEdges where T: Eq + std::hash::Hash + Clone, { type Item = (Option, T); fn next(&mut self) -> Option { let (parent, current) = self.queue.pop_front()?; let Some(neighbors) = self.adjacency_map.get(¤t) else { return Some((parent, current)); }; if self.expanded.insert(current.clone()) { self.queue.extend( neighbors .iter() .map(|neighbor| (Some(current.clone()), neighbor.clone())), ); } Some((parent, current)) } } /// An iterator over the nodes of a graph in postorder topological order, starting /// from the roots. pub struct PostorderTopologicalIter<'graph, T> where T: Eq + Hash + Clone, { adjacency_map: &'graph FxHashMap>, stack: Vec<(ReverseTopologicalPass, &'graph T)>, visited: FxHashSet<&'graph T>, } impl<'graph, T> Iterator for PostorderTopologicalIter<'graph, T> where T: Eq + Hash + Clone, { type Item = &'graph T; fn next(&mut self) -> Option { let current = loop { let (pass, current) = self.stack.pop()?; match pass { ReverseTopologicalPass::Post => { break current; } ReverseTopologicalPass::Pre => { if self.visited.contains(current) { continue; } self.visited.insert(current); let Some(neighbors) = self.adjacency_map.get(current) else { break current; }; self.stack.push((ReverseTopologicalPass::Post, current)); self.stack.extend( neighbors .iter() .rev() .map(|neighbor| (ReverseTopologicalPass::Pre, neighbor)), ); } } }; Some(current) } }