introduction to Graph
Graph Algorithm
Graphs are mathematical structures that represent pairwise relationships between objects.
There two things to represent graph.
1) Node:Nodes are entities whose relationships are expressed using edges.
2) Edge: Edges are the components that are used to represent the relationships between various nodes in a graph.
Types of graphs
data:image/s3,"s3://crabby-images/6cb83/6cb83ab03bcca116de3ef8bbca70e7c3a29ef86e" alt="enter image description here"
data:image/s3,"s3://crabby-images/c04d0/c04d04bda5c79d53acdf5a5ba8cbeee02cc0b480" alt="enter image description here"
data:image/s3,"s3://crabby-images/1a0e1/1a0e1dd6b24a2e827d5469b36582f531b460d74e" alt="enter image description here"
Graph representation
You can represent a graph in many ways. The two most common ways of representing a graph is as follows:
Adjacency matrix
An adjacency matrix is a VxV binary matrix A. Element is 1 if there is an edge from vertex i to vertex j else is 0.
The adjacency matrix of the following graph is:
i/j : 1 2 3 4
1 : 0 - 1 - 0 - 1
2 : 1 - 0 - 1 - 0
3 : 0 - 1 - 0 - 1
4 : 1 - 0 - 1 - 0
i/j : 1 2 3 4
1 : 0 - 1 - 0 - 1
2 : 1 - 0 - 1 - 0
3 : 0 - 1 - 0 - 1
4 : 1 - 0 - 1 - 0
data:image/s3,"s3://crabby-images/41a2b/41a2b802888ecd4fc99a79abc7db3a5eff714f59" alt="enter image description here"
The adjacency matrix of the following graph is:
i/j: 1 2 3 4
1 : 0 - 1 - 0 - 0
2 : 0 - 0 - 0 - 1
3 : 1 - 0 - 0 - 1
4 : 0 - 1 - 0 - 0
1 : 0 - 1 - 0 - 0
2 : 0 - 0 - 0 - 1
3 : 1 - 0 - 0 - 1
4 : 0 - 1 - 0 - 0
data:image/s3,"s3://crabby-images/08fef/08fef8a2abc6057676f7cce8cfcacaa67579e6c8" alt="enter image description here"
Code:-
public void run() { InputReader sc = new InputReader(System.in); // Scanner sc=new Scanner(System.in); // Random sc=new Random(); PrintWriter out = new PrintWriter(System.out); int numberOfNodes=sc.nextInt(); int graph[][]=new ArrayList[numberOfNodes][numberOfNodes];
int numberOfEdges=sc.nextInt(); for (int i = 0; i <numberOfEdges ; i++) { int u=sc.nextInt(); int v=sc.nextInt(); graph[u][v]=1; graph[v][u]=1; } out.close(); }
Disadvantage:
It takes more memory. O(n^2).
Adjacency list
you should use list instead of matrix.
E.g.
N1 → 2
N2 → 4
N3 → 1 → 4
N4 → 2
N2 → 4
N3 → 1 → 4
N4 → 2
My code :-
public void run() { InputReader sc = new InputReader(System.in); // Scanner sc=new Scanner(System.in); // Random sc=new Random(); PrintWriter out = new PrintWriter(System.out); int numberOfNodes=sc.nextInt(); ArrayList<Integer> graph[]=new ArrayList[numberOfNodes]; for (int i = 0; i <numberOfNodes ; i++) { graph[i]=new ArrayList<>(); } int numberOfEdges=sc.nextInt(); for (int i = 0; i <numberOfEdges ; i++) { int u=sc.nextInt(); int v=sc.nextInt(); graph[u].add(v); graph[v].add(u); } out.close(); }
Advantage:It takes less memory. O(V+E).
Comments
Post a Comment