Find length of circular linked list in c#
Csharp program for Find length of circular linked list . Here problem description and other solutions.
// Include namespace system
using System;
// Csharp program for
// Count number of nodes in circular linked list
// Define class of linked list Node
public class LinkNode
{
public int data;
public LinkNode next;
public LinkNode(int data, LinkNode first)
{
this.data = data;
this.next = first;
}
}
public class CircularLinkedList
{
public LinkNode head;
// Class constructor
public CircularLinkedList()
{
this.head = null;
}
// Insert node at end of circular linked list
public void insert(int value)
{
// Create a new node
var node = new LinkNode(value, this.head);
if (this.head == null)
{
// First node of linked list
this.head = node;
node.next = this.head;
}
else
{
var temp = this.head;
// Find the last node
while (temp.next != this.head)
{
// Visit to next node
temp = temp.next;
}
// Add new node at the last
temp.next = node;
}
}
public int countNode()
{
if (this.head == null)
{
return 0;
}
// Start with second node
var temp = this.head.next;
// This is used to count linked node
var count = 1;
// iterate circular linked list
while (temp != this.head)
{
count += 1;
// Visit to next node
temp = temp.next;
}
return count;
}
public static void Main(String[] args)
{
var cll = new CircularLinkedList();
// Add nodes
cll.insert(1);
cll.insert(3);
cll.insert(5);
cll.insert(7);
cll.insert(9);
cll.insert(11);
// Display result
Console.WriteLine(cll.countNode());
}
}
Output
6
Please share your knowledge to improve code and content standard. Also submit your doubts, and test case. We improve by your feedback. We will try to resolve your query as soon as possible.
New Comment