Physical Address
304 North Cardinal St.
Dorchester Center, MA 02124
Given the head
of a linked list and an integer val
, remove all the nodes of the linked list that has Node.val == val
, and return the new head.
Example 1:
Input: head = [1,2,6,3,4,5,6], val = 6
Output: [1,2,3,4,5]
Example 2:
Input: head = [], val = 1
Output: []
Example 3:
Input: head = [7,7,7,7], val = 7
Output: []
Constraints:
[0, 104]
.1 <= Node.val <= 50
0 <= val <= 50
public ListNode removeElements(ListNode head, int val) {
if (head == null) return null;
head.next = removeElements(head.next, val);
return head.val == val ? head.next : head;
}
class Solution:
def removeElements(self, head, val):
"""
:type head: ListNode
:type val: int
:rtype: ListNode
"""
dummy_head = ListNode(-1)
dummy_head.next = head
current_node = dummy_head
while current_node.next != None:
if current_node.next.val == val:
current_node.next = current_node.next.next
else:
current_node = current_node.next
return dummy_head.next
class Solution {
public:
ListNode* removeElements(ListNode* head, int T) {
ListNode *dummy = new ListNode(-1, head), *prev = dummy;
for(;head; head = head -> next)
if(head -> val != T)
prev = head; // just update prev node
else // current node needs to be deleted
prev -> next = head -> next; // just update next of prev to next of current so that current node is removed from list
return dummy -> next;
}
};
In our experience, we suggest you solve this Remove Linked List Elements LeetCode Solution and gain some new skills from Professionals completely free and we assure you will be worth it.
If you are stuck anywhere between any coding problem, just visit Queslers to get the Remove Linked List Elements LeetCode Solution
I hope this Remove Linked List Elements LeetCode Solution would be useful for you to learn something new from this problem. If it helped you then don’t forget to bookmark our site for more Coding Solutions.
This Problem is intended for audiences of all experiences who are interested in learning about Data Science in a business context; there are no prerequisites.
Keep Learning!
More Coding Solutions >>