私は次のようなグラフ構造を持っています:
class Graph {
private var nodes: Set[Node] = Set.empty[Node]
def addEdges(edges: (Node, Node)*) {
for ((a, b) <- edges) {
nodes ++= List(a, b)
a addDst b
}
}
override def toString = {
val sb = new StringBuilder
for (node <- nodes if node.dst.toList.sortWith(ordered).nonEmpty)
sb ++= "%s -> %s\n" format (node.toString, node.dst.mkString(", "))
sb.toString
}
def ordered(a: Node, b: Node): Boolean = {
var dst = a.dst
while (dst.nonEmpty) {
if (dst contains b)
return true
dst = dst.flatMap(_.dst)
}
return false
}
}
trait Node {
def dst = _dst
private var _dst: Set[Node] = Set.empty[Node]
def addDst(that: Node) {
this._dst += that
}
}
class CharNode(val n: Char) extends Node {
override def toString = n.toString
}
ここで、グラフにトポロジカルに関連するノードを含む他のクラスインスタンスを含むリストを並べ替えたいと思います。
object Main extends App {
val graph = new Graph
val d = new CharNode('d')
val e = new CharNode('e')
val f = new CharNode('f')
val g = new CharNode('g')
val i = new CharNode('i')
val l = new CharNode('l')
graph.addEdges(
d -> l,
e -> i,
i -> f,
f -> g
)
case class Other(s: String, node: Node)
val other = List(Other("wb2", f), Other("wa1", d), Other("wb1", e))
println(other.sortWith { case (o1, o2) => graph.ordered(o1.node, o2.node) }.mkString("\n"))
}
グラフのordered-methodを使用してリストでsortWithを使用しています。
出力は次のとおりです。
Other(wb2,f)
Other(wa1,d)
Other(wb1,e)
グラフではfがeの後にあるため、これは間違っています。
では、なぜこれが間違っているのでしょうか。順序付けされた方法は間違っていますか?それとも私は他の間違いをしましたか?
前もって感謝します。