Code
- Program.cs
using System;
using System.Collections.Generic;
namespace DFSAlgorithm
{
class Graph
{
int[,] adj = new int[6, 6]
{
{ 0, 1, 0, 1, 0, 0 },
{ 1, 0, 1, 1, 0, 0 },
{ 0, 1, 0, 0, 0, 0 },
{ 1, 1, 0, 0, 1, 0 },
{ 0, 0, 0, 1, 0, 1 },
{ 0, 0, 0, 0, 1, 0 },
};
List<int>[] adj2 = new List<int>[]
{
new List<int>(){ 1, 3 },
new List<int>(){ 0, 2, 3 },
new List<int>(){ 1 },
new List<int>(){ 0, 1, 4 },
new List<int>(){ 3, 5 },
new List<int>(){ 4 },
};
public bool[] visited = new bool[6];
// 1, visit now
// 2. visit nodes who is adjacent with now and unvisited
public void DFS(int now)
{
Console.WriteLine(now);
visited[now] = true; // 1.
for(int next=0; next<6; next++)
{
if (adj[now, next] == 0) // If next is not linked, skip
continue;
if (visited[next]) // If next is already visited, skip
continue;
DFS(next);
}
}
public void DFS2(int now)
{
Console.WriteLine(now);
visited[now] = true; // 1.
foreach(int next in adj2[now])
{
if (visited[next])
continue;
DFS2(next);
}
}
public void SearchAll()
{
visited = new bool[6];
for (int now = 0; now < 6; now++)
if (visited[now] == false)
DFS(now);
}
}
class Program
{
static void Main(string[] args)
{
Graph graph = new Graph();
Console.WriteLine("=== First DFS ===");
graph.DFS(0);
graph.visited = new bool[6];
Console.WriteLine("=== Second DFS ===");
graph.DFS2(0);
Console.WriteLine("=== Third DFS ===");
graph.SearchAll();
}
}
}
Algorithm
- DFS
- Visit adjacent node first
- SearchAll
- If the graph is not only one, search unlinked node
int[,] adj = new int[6, 6]
{
{ 0, 1, 0, 1, 0, 0 },
{ 1, 0, 1, 1, 0, 0 },
{ 0, 1, 0, 0, 0, 0 },
{ 1, 1, 0, 0, 0, 0 },
{ 0, 0, 0, 0, 0, 1 },
{ 0, 0, 0, 0, 1, 0 },
};
List<int>[] adj2 = new List<int>[]
{
new List<int>(){ 1, 3 },
new List<int>(){ 0, 2, 3 },
new List<int>(){ 1 },
new List<int>(){ 0, 1 },
new List<int>(){ 5 },
new List<int>(){ 4 },
};
Result
data:image/s3,"s3://crabby-images/89c90/89c90168e635c3c8794a89111ca763b8a78e7ede" alt=""
data:image/s3,"s3://crabby-images/215b6/215b680ea8ac7e64342e66273a1d5be0c293abf9" alt=""
data:image/s3,"s3://crabby-images/03df5/03df5ba0f2ab309d2fe4a76f5f8d69cd9552d356" alt=""