Skip to main content

Effectively insert node at beginning of circular linked list in c++

C++ program for Effectively insert node at beginning of circular linked list . Here more information.

// Include header file
#include <iostream>
using namespace std;
// C++ Program 
// Insert node at beginning of circular linked list
// Using head and tail pointer

// Define class of linked list Node
class LinkNode
{
	public: 
    int data;
	LinkNode *next;
	LinkNode(int data, LinkNode *first)
	{
		// Set node value
		this->data = data;
		this->next = first;
	}
};
class CircularLinkedList
{
	public: LinkNode *head;
	LinkNode *tail;
	CircularLinkedList()
	{
		this->head = nullptr;
		this->tail = nullptr;
	}
	// Insert node at begining of circular linked list
	void insert(int value)
	{
		// Create a node
		LinkNode *node = new LinkNode(value, this->head);
		if (this->tail == nullptr)
		{
			// First node of linked list
			this->tail = node;
		}
		// Make new head
		this->head = node;
		// Connecting the last node to the top of the next field
		this->tail->next = this->head;
	}
	// Display node element of circular linked list
	void display()
	{
		if (this->head == nullptr)
		{
			cout << "Empty Linked List" << endl;
		}
		else
		{
			cout << "Linked List Element :";
			LinkNode *temp = this->head;
			// iterate linked list
			while (temp != nullptr)
			{
				// Display node
				cout << "  " << temp->data;
				if (temp == this->tail)
				{
					// Stop iteration
					// Or break;
					return;
				}
				// Visit to next node
				temp = temp->next;
			}
		}
	}
};
int main()
{
	CircularLinkedList *task = new CircularLinkedList();
	// Add following linked list nodes
	task->insert(8);
	task->insert(7);
	task->insert(6);
	task->insert(5);
	task->insert(4);
	task->insert(3);
	task->insert(2);
	task->insert(1);
	// Display node
	task->display();
	return 0;
}

Output

Linked List Element :  1  2  3  4  5  6  7  8




Comment

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