Effectively insert node at beginning of circular linked list in php
Php program for Effectively insert node at beginning of circular linked list . Here more information.
<?php
// Php Program
// Insert node at beginning of circular linked list
// Using head and tail nodes
// Define class of linked list Node
class LinkNode
{
public $data;
public $next;
public function __construct($data, $first)
{
// Set node value
$this->data = $data;
$this->next = $first;
}
}
class CircularLinkedList
{
public $head;
public $tail;
function __construct()
{
$this->head = NULL;
$this->tail = NULL;
}
// Insert node at begining of circular linked list
public function insert($value)
{
// Create a node
$node = new LinkNode($value, $this->head);
if ($this->tail == NULL)
{
// 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
public function display()
{
if ($this->head == NULL)
{
printf("Empty Linked List\n");
}
else
{
printf("Linked List Element : ");
$temp = $this->head;
// iterate linked list
while ($temp != NULL)
{
// Display node
printf("%d ",$temp->data);
if ($temp == $this->tail)
{
// Stop iteration
// Or break;
return;
}
// Visit to next node
$temp = $temp->next;
}
}
}
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
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