From 27868f8624f6d579ce65b914f477afde06bf32e6 Mon Sep 17 00:00:00 2001 From: Manish Date: Fri, 25 Aug 2023 10:35:51 +1000 Subject: [PATCH] Data Structures: Remove Elements from a Linked List --- Data Structures/linkedListClassRemove.js | 56 ++++++++++++++++++++++++ 1 file changed, 56 insertions(+) create mode 100644 Data Structures/linkedListClassRemove.js diff --git a/Data Structures/linkedListClassRemove.js b/Data Structures/linkedListClassRemove.js new file mode 100644 index 0000000..be21b79 --- /dev/null +++ b/Data Structures/linkedListClassRemove.js @@ -0,0 +1,56 @@ +// https://www.freecodecamp.org/learn/coding-interview-prep/data-structures/remove-elements-from-a-linked-list + +function LinkedList() { + var length = 0; + var head = null; + + var Node = function (element) { + this.element = element; + this.next = null; + }; + + this.size = function () { + return length; + }; + + this.head = function () { + return head; + }; + + this.add = function (element) { + var node = new Node(element); + if (head === null) { + head = node; + } else { + var currentNode = head; + + while (currentNode.next) { + currentNode = currentNode.next; + } + + currentNode.next = node; + } + + length++; + }; + + this.remove = function (element) { + // Only change code below this line + let previous = null; + let current = head; + while (current !== null && current.element !== element) { + previous = current; + current = current.next; + } + if (current === null) { + return; + } + if (previous === null) { + head = current.next; + } else { + previous.next = current.next; + } + length--; + // Only change code above this line + }; +}