18

这是一个(有些人为的)示例来说明我想做的事情

pub trait Node: Eq + Hash {
    type Edge: Edge;
    fn get_in_edges(&self)  -> Vec<&Self::Edge>;
    fn get_out_edges(&self) -> Vec<&Self::Edge>;
}

pub trait Edge {
    type Node: Node;
    fn get_src(&self) -> &Self::Node;
    fn get_dst(&self) -> &Self::Node;
}

pub trait Graph {
    type Node: Node;
    type Edge: Edge;
    fn get_nodes(&self) -> Vec<Self::Node>;
}

pub fn dfs<G: Graph>(root: &G::Node) {
    let mut stack = VecDeque::new();
    let mut visited = HashSet::new();

    stack.push_front(root);
    while let Some(n) = stack.pop_front() {
        if visited.contains(n) {
            continue
        }
        visited.insert(n);
        for e in n.get_out_edges() {
            stack.push_front(e.get_dst());
        }
    }
}

有没有一种方法可以表达必须与 相同类型且必须与 相同类型的Graph特征?Graph::NodeGraph::Edge::NodeGraph::EdgeGraph::Node::Edge

我记得读过一些关于一个特性(当时没有实现)的东西,它可以为这类事情提供更丰富的约束,但我不记得它的名字,也找不到它。

4

1 回答 1

21

Graph的定义中,您可以将每个关联类型的关联类型 (!) 约束为等于 中的对应关联类型Graph

pub trait Graph {
    type Node: Node<Edge = Self::Edge>;
    type Edge: Edge<Node = Self::Node>;
    fn get_nodes(&self) -> Vec<Self::Node>;
}
于 2015-11-04T12:16:29.547 回答