C#
using System;
using System.Collections.Generic;
public class Graph {
Dictionary<string, List<string>> graphMap =
new Dictionary<string, List<string>>();
public void addNode(string val) {
List<string> tempList = new List<string>();
graphMap.Add(val, tempList);
}
public void addVertices(
string node1, string node2
) {
List<string> tempArr = new List<string>();
if(graphMap.ContainsKey(node1) == false) {
graphMap.Add(node1, tempArr);
}
if(graphMap.ContainsKey(node2) == false) {
graphMap.Add(node2, tempArr);
}
graphMap[node1].Add(node2);
graphMap[node2].Add(node1);
}
public void breadthTraverse(string start) {
Queue<string> queue = new Queue<string>();
queue.Enqueue(start);
Dictionary<string, bool> visited =
new Dictionary<string, bool>();
visited.Add(start, true);
while(queue.Count > 0) {
string val = queue.Dequeue();
Console.WriteLine(val + "\n");
List<string> tempArr = graphMap[val];
for (int i = 0; i < tempArr.Count; i++) {
string tempKey = tempArr[i];
if(
visited.ContainsKey(tempKey) == false
) {
queue.Enqueue(tempKey);
visited.Add(tempKey, true);
}
}
}
}
public void depthTraverse(string start) {
Stack<string> stack = new Stack<string>();
stack.Push(start);
Dictionary<string, bool> visited =
new Dictionary<string, bool>();
visited.Add(start, true);
while(stack.Count > 0) {
string val = stack.Pop();
Console.WriteLine(val + "\n");
List<string> tempArr = graphMap[val];
for (int i = 0; i < tempArr.Count; i++) {
string tempKey = tempArr[i];
if(
visited.ContainsKey(tempKey) == false
) {
stack.Push(tempKey);
visited.Add(tempKey, true);
}
}
}
}
public static void Main(string[] args) {
Graph newGraph = new Graph();
newGraph.addNode("a");
newGraph.addVertices("a", "b");
newGraph.addVertices("a", "c");
newGraph.addVertices("b", "d");
newGraph.addVertices("b", "e");
newGraph.addVertices("d", "f");
newGraph.addVertices("d", "g");
newGraph.addVertices("d", "h");
newGraph.addVertices("e", "i");
newGraph.addVertices("e", "j");
newGraph.breadthTraverse("a");
newGraph.depthTraverse("a");
}
}