Skip to main content

insert node at beginning of circular linked list in typescript

Ts program for insert node at beginning of circular linked list. Here more information.

// TypeScript Program 
// Insert node at beginning of circular linked list

// Define class of linked list Node
class LinkNode
{
	public data: number;
	public next: LinkNode;
	constructor(data: number, first: LinkNode)
	{
		this.data = data;
		this.next = first;
	}
}
class CircularLinkedList
{
	public head: LinkNode;
	// Class constructors
	constructor()
	{
		this.head = null;
	}
	// Insert node at begining of circular linked list
	public insert(value: number)
	{
		// Create a 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 node
			temp.next = node;
			// make new head node
			this.head = node;
		}
	}
	// Display node element of circular linked list
	public display()
	{
		if (this.head == null)
		{
			console.log("Empty Linked List");
		}
		else
		{
			console.log("  Linked List Element : ");
			// Get first node
			var temp = this.head;
			// iterate linked list
			while (temp != null)
			{
				// Display node
				console.log("  " + temp.data);
				// Visit to next node
				temp = temp.next;
				if (temp == this.head)
				{
					// Stop iteration
					return;
				}
			}
		}
	}
	public static main(args: string[])
	{
		var 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();
	}
}
CircularLinkedList.main([]);
/*
 file : code.ts
 tsc --target es6 code.ts
 node code.js
 */

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