data:image/s3,"s3://crabby-images/cef81/cef811a62bee6fc772ea17cf6b5a2c18ab0a25f2" alt=""
cpp
/**
* Definition for singly-linked list.
* struct ListNode {
* int val;
* ListNode *next;
* ListNode() : val(0), next(nullptr) {}
* ListNode(int x) : val(x), next(nullptr) {}
* ListNode(int x, ListNode *next) : val(x), next(next) {}
* };
*/
class Solution {
public:
ListNode* removeElements(ListNode* head, int val) {
if(head == nullptr)
{
return nullptr;
}
ListNode* _dummyhead = new ListNode(0);
_dummyhead->next = head;
ListNode* pre = _dummyhead;
ListNode* cur = _dummyhead->next;
while(cur)
{
if(cur->val == val)
{
ListNode* p = cur;
pre->next = cur->next;
cur = cur->next;
delete p;
}
else
{
cur = cur->next;
pre = pre->next;
}
}
return _dummyhead->next;
}
};
data:image/s3,"s3://crabby-images/3ff17/3ff177774a884dbca2fa9ae049da6a1b1dd5e85a" alt=""