Delete last node of linked list in javascript
Js program for Delete last node of linked list. Here problem description and explanation.
/*
Node JS program for
Delete the last node of singly linked list
*/
// Linked list node
class LinkNode
{
constructor(data)
{
this.data = data;
this.next = null;
}
}
class SingleLL
{
constructor()
{
this.head = null;
this.tail = null;
}
// Add new node at the end of linked list
addNode(value)
{
// Create a new node
var node = new LinkNode(value);
if (this.head == null)
{
this.head = node;
}
else
{
this.tail.next = node;
}
// Set new last node
this.tail = node;
}
// Display linked list element
display()
{
if (this.head == null)
{
console.log("Empty Linked List");
return;
}
var temp = this.head;
// iterating linked list elements
while (temp != null)
{
process.stdout.write(temp.data + " → ");
// Visit to next node
temp = temp.next;
}
console.log("NULL");
}
// Delete last node of singly linked list
deleteLastNode()
{
if (this.head == null)
{
console.log("Empty Linked List");
return;
}
else
{
var temp = this.head;
var find = null;
// Find second last node
while (temp.next != null)
{
find = temp;
temp = temp.next;
}
if (find == null)
{
// Delete head node of linked list
this.head = null;
this.tail = null;
}
else
{
// Set new last node
this.tail = find;
find.next = null;
}
}
}
}
function main()
{
var sll = new SingleLL();
// Linked list
// 1 → 2 → 3 → 4 → 5 → 6 → NULL
sll.addNode(1);
sll.addNode(2);
sll.addNode(3);
sll.addNode(4);
sll.addNode(5);
sll.addNode(6);
console.log("Before Delete ");
sll.display();
sll.deleteLastNode();
console.log("After Delete ");
sll.display();
}
// Start program execution
main();
Output
Before Delete
1 → 2 → 3 → 4 → 5 → 6 → NULL
After Delete
1 → 2 → 3 → 4 → 5 → NULL
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