Detect Cycle in a Directed Graph using BFS
Last Updated :
11 Jul, 2025
Given a directed graph, check whether the graph contains a cycle or not. Your function should return true if the given graph contains at least one cycle, else return false. For example, the following graph contains two cycles 0->1->2->3->0 and 2->4->2, so your function must return true.

We have discussed a DFS based solution to detect cycle in a directed graph. In this post, BFS based solution is discussed.
The idea is to simply use Kahn's algorithm for Topological Sorting
Steps involved in detecting cycle in a directed graph using BFS.
Step-1: Compute in-degree (number of incoming edges) for each of the vertex present in the graph and initialize the count of visited nodes as 0.
Step-2: Pick all the vertices with in-degree as 0 and add them into a queue (Enqueue operation)
Step-3: Remove a vertex from the queue (Dequeue operation) and then.
- Increment count of visited nodes by 1.
- Decrease in-degree by 1 for all its neighboring nodes.
- If in-degree of a neighboring nodes is reduced to zero, then add it to the queue.
Step 4: Repeat Step 3 until the queue is empty.
Step 5: If count of visited nodes is not equal to the number of nodes in the graph has cycle, otherwise not.
How to find in-degree of each node?
There are 2 ways to calculate in-degree of every vertex:
Take an in-degree array which will keep track of
1) Traverse the array of edges and simply increase the counter of the destination node by 1.
for each node in Nodes
indegree[node] = 0;
for each edge(src,dest) in Edges
indegree[dest]++
Time Complexity: O(V+E)
2) Traverse the list for every node and then increment the in-degree of all the nodes connected to it by 1.
for each node in Nodes
If (list[node].size()!=0) then
for each dest in list
indegree[dest]++;
Time Complexity: The outer for loop will be executed V number of times and the inner for loop will be executed E number of times, Thus overall time complexity is O(V+E).
The overall time complexity of the algorithm is O(V+E)
C++
// A C++ program to check if there is a cycle in
// directed graph using BFS.
#include <bits/stdc++.h>
using namespace std;
// Class to represent a graph
class Graph {
int V; // No. of vertices'
// Pointer to an array containing adjacency list
list<int>* adj;
public:
Graph(int V); // Constructor
// function to add an edge to graph
void addEdge(int u, int v);
// Returns true if there is a cycle in the graph
// else false.
bool isCycle();
};
Graph::Graph(int V)
{
this->V = V;
adj = new list<int>[V];
}
void Graph::addEdge(int u, int v)
{
adj[u].push_back(v);
}
// This function returns true if there is a cycle
// in directed graph, else returns false.
bool Graph::isCycle()
{
// Create a vector to store indegrees of all
// vertices. Initialize all indegrees as 0.
vector<int> in_degree(V, 0);
// Traverse adjacency lists to fill indegrees of
// vertices. This step takes O(V+E) time
for (int u = 0; u < V; u++) {
for (auto v : adj[u])
in_degree[v]++;
}
// Create an queue and enqueue all vertices with
// indegree 0
queue<int> q;
for (int i = 0; i < V; i++)
if (in_degree[i] == 0)
q.push(i);
// Initialize count of visited vertices
// 1 For src Node
int cnt = 1;
// Create a vector to store result (A topological
// ordering of the vertices)
vector<int> top_order;
// One by one dequeue vertices from queue and enqueue
// adjacents if indegree of adjacent becomes 0
while (!q.empty()) {
// Extract front of queue (or perform dequeue)
// and add it to topological order
int u = q.front();
q.pop();
top_order.push_back(u);
// Iterate through all its neighbouring nodes
// of dequeued node u and decrease their in-degree
// by 1
list<int>::iterator itr;
for (itr = adj[u].begin(); itr != adj[u].end(); itr++)
// If in-degree becomes zero, add it to queue
if (--in_degree[*itr] == 0)
{
q.push(*itr);
//while we are pushing elements to the queue we will incrementing the cnt
cnt++;
}
}
// Check if there was a cycle
if (cnt != V)
return true;
else
return false;
}
// Driver program to test above functions
int main()
{
// Create a graph given in the above diagram
Graph g(6);
g.addEdge(0, 1);
g.addEdge(1, 2);
g.addEdge(2, 0);
g.addEdge(3, 4);
g.addEdge(4, 5);
if (g.isCycle())
cout << "Yes";
else
cout << "No";
return 0;
}
Java
// Java program to check if there is a cycle in
// directed graph using BFS.
import java.io.*;
import java.util.*;
class GFG
{
// Class to represent a graph
static class Graph
{
int V; // No. of vertices'
// Pointer to an array containing adjacency list
Vector<Integer>[] adj;
@SuppressWarnings("unchecked")
Graph(int V)
{
// Constructor
this.V = V;
this.adj = new Vector[V];
for (int i = 0; i < V; i++)
adj[i] = new Vector<>();
}
// function to add an edge to graph
void addEdge(int u, int v)
{
adj[u].add(v);
}
// Returns true if there is a cycle in the graph
// else false.
// This function returns true if there is a cycle
// in directed graph, else returns false.
boolean isCycle()
{
// Create a vector to store indegrees of all
// vertices. Initialize all indegrees as 0.
int[] in_degree = new int[this.V];
Arrays.fill(in_degree, 0);
// Traverse adjacency lists to fill indegrees of
// vertices. This step takes O(V+E) time
for (int u = 0; u < V; u++)
{
for (int v : adj[u])
in_degree[v]++;
}
// Create an queue and enqueue all vertices with
// indegree 0
Queue<Integer> q = new LinkedList<Integer>();
for (int i = 0; i < V; i++)
if (in_degree[i] == 0)
q.add(i);
// Initialize count of visited vertices
int cnt = 0;
// Create a vector to store result (A topological
// ordering of the vertices)
Vector<Integer> top_order = new Vector<>();
// One by one dequeue vertices from queue and enqueue
// adjacents if indegree of adjacent becomes 0
while (!q.isEmpty())
{
// Extract front of queue (or perform dequeue)
// and add it to topological order
int u = q.poll();
top_order.add(u);
// Iterate through all its neighbouring nodes
// of dequeued node u and decrease their in-degree
// by 1
for (int itr : adj[u])
if (--in_degree[itr] == 0)
q.add(itr);
cnt++;
}
// Check if there was a cycle
if (cnt != this.V)
return true;
else
return false;
}
}
// Driver Code
public static void main(String[] args)
{
// Create a graph given in the above diagram
Graph g = new Graph(6);
g.addEdge(0, 1);
g.addEdge(1, 2);
g.addEdge(2, 0);
g.addEdge(3, 4);
g.addEdge(4, 5);
if (g.isCycle())
System.out.println("Yes");
else
System.out.println("No");
}
}
// This code is contributed by
// sanjeev2552
Python3
# A Python3 program to check if there is a cycle in
# directed graph using BFS.
import math
import sys
from collections import defaultdict
# Class to represent a graph
class Graph:
def __init__(self,vertices):
self.graph=defaultdict(list)
self.V=vertices # No. of vertices'
# function to add an edge to graph
def addEdge(self,u,v):
self.graph[u].append(v)
# This function returns true if there is a cycle
# in directed graph, else returns false.
def isCycleExist(n,graph):
# Create a vector to store indegrees of all
# vertices. Initialize all indegrees as 0.
in_degree=[0]*n
# Traverse adjacency lists to fill indegrees of
# vertices. This step takes O(V+E) time
for i in range(n):
for j in graph[i]:
in_degree[j]+=1
# Create an queue and enqueue all vertices with
# indegree 0
queue=[]
for i in range(len(in_degree)):
if in_degree[i]==0:
queue.append(i)
# Initialize count of visited vertices
cnt=0
# One by one dequeue vertices from queue and enqueue
# adjacents if indegree of adjacent becomes 0
while(queue):
# Extract front of queue (or perform dequeue)
# and add it to topological order
nu=queue.pop(0)
# Iterate through all its neighbouring nodes
# of dequeued node u and decrease their in-degree
# by 1
for v in graph[nu]:
in_degree[v]-=1
# If in-degree becomes zero, add it to queue
if in_degree[v]==0:
queue.append(v)
cnt+=1
# Check if there was a cycle
if cnt==n:
return False
else:
return True
# Driver program to test above functions
if __name__=='__main__':
# Create a graph given in the above diagram
g=Graph(6)
g.addEdge(0,1)
g.addEdge(1,2)
g.addEdge(2,0)
g.addEdge(3,4)
g.addEdge(4,5)
if isCycleExist(g.V,g.graph):
print("Yes")
else:
print("No")
# This Code is Contributed by Vikash Kumar 37
C#
// C# program to check if there is a cycle in
// directed graph using BFS.
using System;
using System.Collections.Generic;
class GFG{
// Class to represent a graph
public class Graph
{
// No. of vertices'
public int V;
// Pointer to an array containing
// adjacency list
public List<int>[] adj;
public Graph(int V)
{
// Constructor
this.V = V;
this.adj = new List<int>[V];
for (int i = 0; i < V; i++)
adj[i] = new List<int>();
}
// Function to add an edge to graph
public void addEdge(int u, int v)
{
adj[u].Add(v);
}
// Returns true if there is a cycle in the
// graph else false.
// This function returns true if there is
// a cycle in directed graph, else returns
// false.
public bool isCycle()
{
// Create a vector to store indegrees of all
// vertices. Initialize all indegrees as 0.
int[] in_degree = new int[this.V];
// Traverse adjacency lists to fill indegrees
// of vertices. This step takes O(V+E) time
for(int u = 0; u < V; u++)
{
foreach(int v in adj[u])
in_degree[v]++;
}
// Create an queue and enqueue all
// vertices with indegree 0
Queue<int> q = new Queue<int>();
for(int i = 0; i < V; i++)
if (in_degree[i] == 0)
q.Enqueue(i);
// Initialize count of visited vertices
int cnt = 0;
// Create a vector to store result
// (A topological ordering of the
// vertices)
List<int> top_order = new List<int>();
// One by one dequeue vertices from
// queue and enqueue adjacents if
// indegree of adjacent becomes 0
while (q.Count != 0)
{
// Extract front of queue (or perform
// dequeue) and add it to topological
// order
int u = q.Peek();
q.Dequeue();
top_order.Add(u);
// Iterate through all its neighbouring
// nodes of dequeued node u and decrease
// their in-degree by 1
foreach(int itr in adj[u])
if (--in_degree[itr] == 0)
q.Enqueue(itr);
cnt++;
}
// Check if there was a cycle
if (cnt != this.V)
return true;
else
return false;
}
}
// Driver Code
public static void Main(String[] args)
{
// Create a graph given in the above diagram
Graph g = new Graph(6);
g.addEdge(0, 1);
g.addEdge(1, 2);
g.addEdge(2, 0);
g.addEdge(3, 4);
g.addEdge(4, 5);
if (g.isCycle())
Console.WriteLine("Yes");
else
Console.WriteLine("No");
}
}
// This code is contributed by Princi Singh
JavaScript
<script>
// JavaScript program to check if there is a cycle in
// directed graph using BFS.
// Class to represent a graph
// No. of vertices'
var V = 0;
// Pointer to an array containing
// adjacency list
var adj ;
function initialize(v)
{
// Constructor
V = v;
adj = Array.from(Array(V), ()=>Array(V));
}
// Function to add an edge to graph
function addEdge(u, v)
{
adj[u].push(v);
}
// Returns true if there is a cycle in the
// graph else false.
// This function returns true if there is
// a cycle in directed graph, else returns
// false.
function isCycle()
{
// Create a vector to store indegrees of all
// vertices. Initialize all indegrees as 0.
var in_degree = Array(V).fill(0);
// Traverse adjacency lists to fill indegrees
// of vertices. This step takes O(V+E) time
for(var u = 0; u < V; u++)
{
for(var v of adj[u])
in_degree[v]++;
}
// Create an queue and enqueue all
// vertices with indegree 0
var q = [];
for(var i = 0; i < V; i++)
if (in_degree[i] == 0)
q.push(i);
// Initialize count of visited vertices
var cnt = 0;
// Create a vector to store result
// (A topological ordering of the
// vertices)
var top_order = [];
// One by one dequeue vertices from
// queue and enqueue adjacents if
// indegree of adjacent becomes 0
while (q.length != 0)
{
// Extract front of queue (or perform
// dequeue) and add it to topological
// order
var u = q[0];
q.shift();
top_order.push(u);
// Iterate through all its neighbouring
// nodes of dequeued node u and decrease
// their in-degree by 1
for(var itr of adj[u])
if (--in_degree[itr] == 0)
q.push(itr);
cnt++;
}
// Check if there was a cycle
if (cnt != V)
return true;
else
return false;
}
// Create a graph given in the above diagram
initialize(6)
addEdge(0, 1);
addEdge(1, 2);
addEdge(2, 0);
addEdge(3, 4);
addEdge(4, 5);
if (isCycle())
document.write("Yes");
else
document.write("No");
</script>
Time Complexity: O(V+E)
Auxiliary Space: O(V)
Similar Reads
Basics & Prerequisites
Data Structures
Array Data StructureIn this article, we introduce array, implementation in different popular languages, its basic operations and commonly seen problems / interview questions. An array stores items (in case of C/C++ and Java Primitive Arrays) or their references (in case of Python, JS, Java Non-Primitive) at contiguous
3 min read
String in Data StructureA string is a sequence of characters. The following facts make string an interesting data structure.Small set of elements. Unlike normal array, strings typically have smaller set of items. For example, lowercase English alphabet has only 26 characters. ASCII has only 256 characters.Strings are immut
2 min read
Hashing in Data StructureHashing is a technique used in data structures that efficiently stores and retrieves data in a way that allows for quick access. Hashing involves mapping data to a specific index in a hash table (an array of items) using a hash function. It enables fast retrieval of information based on its key. The
2 min read
Linked List Data StructureA linked list is a fundamental data structure in computer science. It mainly allows efficient insertion and deletion operations compared to arrays. Like arrays, it is also used to implement other data structures like stack, queue and deque. Hereâs the comparison of Linked List vs Arrays Linked List:
2 min read
Stack Data StructureA Stack is a linear data structure that follows a particular order in which the operations are performed. The order may be LIFO(Last In First Out) or FILO(First In Last Out). LIFO implies that the element that is inserted last, comes out first and FILO implies that the element that is inserted first
2 min read
Queue Data StructureA Queue Data Structure is a fundamental concept in computer science used for storing and managing data in a specific order. It follows the principle of "First in, First out" (FIFO), where the first element added to the queue is the first one to be removed. It is used as a buffer in computer systems
2 min read
Tree Data StructureTree Data Structure is a non-linear data structure in which a collection of elements known as nodes are connected to each other via edges such that there exists exactly one path between any two nodes. Types of TreeBinary Tree : Every node has at most two childrenTernary Tree : Every node has at most
4 min read
Graph Data StructureGraph Data Structure is a collection of nodes connected by edges. It's used to represent relationships between different entities. If you are looking for topic-wise list of problems on different topics like DFS, BFS, Topological Sort, Shortest Path, etc., please refer to Graph Algorithms. Basics of
3 min read
Trie Data StructureThe Trie data structure is a tree-like structure used for storing a dynamic set of strings. It allows for efficient retrieval and storage of keys, making it highly effective in handling large datasets. Trie supports operations such as insertion, search, deletion of keys, and prefix searches. In this
15+ min read
Algorithms
Searching AlgorithmsSearching algorithms are essential tools in computer science used to locate specific items within a collection of data. In this tutorial, we are mainly going to focus upon searching in an array. When we search an item in an array, there are two most common algorithms used based on the type of input
2 min read
Sorting AlgorithmsA Sorting Algorithm is used to rearrange a given array or list of elements in an order. For example, a given array [10, 20, 5, 2] becomes [2, 5, 10, 20] after sorting in increasing order and becomes [20, 10, 5, 2] after sorting in decreasing order. There exist different sorting algorithms for differ
3 min read
Introduction to RecursionThe process in which a function calls itself directly or indirectly is called recursion and the corresponding function is called a recursive function. A recursive algorithm takes one step toward solution and then recursively call itself to further move. The algorithm stops once we reach the solution
14 min read
Greedy AlgorithmsGreedy algorithms are a class of algorithms that make locally optimal choices at each step with the hope of finding a global optimum solution. At every step of the algorithm, we make a choice that looks the best at the moment. To make the choice, we sometimes sort the array so that we can always get
3 min read
Graph AlgorithmsGraph is a non-linear data structure like tree data structure. The limitation of tree is, it can only represent hierarchical data. For situations where nodes or vertices are randomly connected with each other other, we use Graph. Example situations where we use graph data structure are, a social net
3 min read
Dynamic Programming or DPDynamic Programming is an algorithmic technique with the following properties.It is mainly an optimization over plain recursion. Wherever we see a recursive solution that has repeated calls for the same inputs, we can optimize it using Dynamic Programming. The idea is to simply store the results of
3 min read
Bitwise AlgorithmsBitwise algorithms in Data Structures and Algorithms (DSA) involve manipulating individual bits of binary representations of numbers to perform operations efficiently. These algorithms utilize bitwise operators like AND, OR, XOR, NOT, Left Shift, and Right Shift.BasicsIntroduction to Bitwise Algorit
4 min read
Advanced
Segment TreeSegment Tree is a data structure that allows efficient querying and updating of intervals or segments of an array. It is particularly useful for problems involving range queries, such as finding the sum, minimum, maximum, or any other operation over a specific range of elements in an array. The tree
3 min read
Pattern SearchingPattern searching algorithms are essential tools in computer science and data processing. These algorithms are designed to efficiently find a particular pattern within a larger set of data. Patten SearchingImportant Pattern Searching Algorithms:Naive String Matching : A Simple Algorithm that works i
2 min read
GeometryGeometry is a branch of mathematics that studies the properties, measurements, and relationships of points, lines, angles, surfaces, and solids. From basic lines and angles to complex structures, it helps us understand the world around us.Geometry for Students and BeginnersThis section covers key br
2 min read
Interview Preparation
Practice Problem