Tarjan cycle de détection de l'aide de C#

Ici est un travail C# de mise en œuvre de tarjan du cycle de détection.

L'algorithme se trouve ici:
http://en.wikipedia.org/wiki/Tarjan%27s_strongly_connected_components_algorithm

public class TarjanCycleDetect
{
private static List<List<Vertex>> StronglyConnectedComponents;
private static Stack<Vertex> S;
private static int index;
private static DepGraph dg;
public static List<List<Vertex>> DetectCycle(DepGraph g)
{
StronglyConnectedComponents = new List<List<Vertex>>();
index = 0;
S = new Stack<Vertex>();
dg = g;
foreach (Vertex v in g.vertices)
{
if (v.index < 0)
{
strongconnect(v);
}
}
return StronglyConnectedComponents;
}
private static void strongconnect(Vertex v)
{
v.index = index;
v.lowlink = index;
index++;
S.Push(v);
foreach (Vertex w in v.dependencies)
{
if (w.index < 0)
{
strongconnect(w);
v.lowlink = Math.Min(v.lowlink, w.lowlink);
}
else if (S.Contains(w))
{
v.lowlink = Math.Min(v.lowlink, w.index);
}
}
if (v.lowlink == v.index)
{
List<Vertex> scc = new List<Vertex>();
Vertex w;
do
{
w = S.Pop();
scc.Add(w);
} while (v != w);
StronglyConnectedComponents.Add(scc);
}
}

Note un DepGraph est juste une liste de Vertex. et Vertex a une liste d'autres Vertex qui représentent les bords. Aussi l'index et lowlink sont initialisé à -1

EDIT: Cela ne fonctionne pas...j'ai juste mal interprété les résultats.

  • Pourquoi il est " v. lowlink = Math.Min(v. lowlink, w.index)` autre que v.lowlink = Math.Min(v.lowlink, w.lowlink)?
  • Soit est techniquement correcte.
InformationsquelleAutor user623879 | 2011-07-10