Saturday, February 6, 2016

C++ Graph class Implementation : Without any STL package

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.
#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
view raw graph.h hosted with ❤ by GitHub


Cpp file:

#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;
}
view raw Graph.cpp hosted with ❤ by GitHub


Happy Coding !!

1 comment:

Anonymous said...

why stack is used