Hi All,
Please find the implementation for Graph class in C++ without using any STL reference.
Let me know if you find any issues with it.
Header file.
Cpp file:
Happy Coding !!
Please find the implementation for Graph class in C++ without using any STL reference.
Let me know if you find any issues with it.
Header file.
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
#ifndef GRAPH_H | |
#define GRAPH_H | |
#include <iostream> | |
class Node { | |
int val; | |
Node *next; | |
public: | |
Node(int v){ | |
this->val = v; | |
this->next = NULL; | |
} | |
Node* Next(){ | |
return next; | |
} | |
void setNext(Node *temp) | |
{ | |
this->next = temp; | |
} | |
int getVal() { | |
return val; | |
} | |
}; | |
class List { | |
Node *head; | |
public: | |
List(){ | |
head = NULL; | |
} | |
Node* getHead(){ | |
return head; | |
} | |
void add(int val) | |
{ | |
Node* temp = new Node(val); | |
if(head == NULL) | |
head = temp; | |
else { | |
Node *t = head; | |
while(t->Next() != NULL) | |
t = t->Next(); | |
t->setNext(temp); | |
} | |
} | |
}; | |
template<class T, int size=100> | |
class Stack | |
{ | |
T stack[size]; | |
int top; | |
public: | |
Stack() { | |
top = 0; | |
} | |
void push(T& a){ | |
stack[top++] = a; | |
} | |
T pop(){ | |
return stack[--top]; | |
} | |
int size(){ | |
return top; | |
} | |
}; | |
class Graph { | |
int V; | |
List *list; | |
public: | |
Graph(int V){ | |
this->V = V; | |
list = new List[V]; | |
} | |
void addEdge(int u, int v) | |
{ | |
list[u].add(v); | |
} | |
void print() | |
{ | |
for(int i=0;i<V;i++) | |
{ | |
Node *temp = list[i].getHead(); | |
std::cout << i << " -> "; | |
while(temp != NULL) | |
{ | |
std::cout << temp->getVal() << " "; | |
temp = temp->Next(); | |
} | |
std::cout << std::endl; | |
} | |
} | |
}; | |
#endif |
Cpp file:
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
#include <iostream> | |
#include "Graph.h" | |
using namespace std; | |
int main() | |
{ | |
// create the graph given in above fugure | |
int V = 5; | |
Graph* graph = new Graph(V); | |
graph->addEdge(0,1); | |
graph->addEdge(0, 4); | |
graph->addEdge(1, 2); | |
graph->addEdge(1, 3); | |
graph->addEdge(1, 4); | |
graph->addEdge(2, 3); | |
graph->addEdge(3, 4); | |
// print the adjacency list representation of the above graph | |
graph->print(); | |
return 0; | |
} |
Happy Coding !!
1 comment:
why stack is used
Post a Comment