Skip to main content

insert node at beginning of circular linked list in php

Php program for insert node at beginning of circular linked list. Here problem description and explanation.

<?php
// Php Program 
// Insert node at beginning of circular linked list

// Define class of linked list Node
class LinkNode
{
	public $data;
	public $next;
	public	function __construct($data, $first)
	{
		$this->data = $data;
		$this->next = $first;
	}
}
class CircularLinkedList
{
	public $head;
	// Class constructors
	function __construct()
	{
		$this->head = NULL;
	}
	// Insert node at begining of circular linked list
	public	function insert($value)
	{
		// Create a node
		$node = new LinkNode($value, $this->head);
		if ($this->head == NULL)
		{
			// First node of linked list
			$this->head = $node;
			$node->next = $this->head;
		}
		else
		{
			$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	function display()
	{
		if ($this->head == NULL)
		{
			printf("Empty Linked List\n");
		}
		else
		{
			printf("  Linked List Element : \n");
			// Get first node
			$temp = $this->head;
			// iterate linked list
			while ($temp != NULL)
			{
				// Display node
				printf("  %d ",$temp->data);
				// Visit to next node
				$temp = $temp->next;
				if ($temp == $this->head)
				{
					// Stop iteration
					return;
				}
			}
		}
	}
	public static
	function main($args)
	{
		$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(array());

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