题目
题目链接:203. 移除链表元素
思路1–无哨兵结点的迭代
要删除链表中的元素:首先要找到该元素的结点; 定义一个cur :表示指向要删的元素结点;定义一个prev:表示要删的元素的前面的结点; 先让 prev的next指向 cur的next;再释放cur;同时,cur 要继续迭代往前走,找是否还有要删除的元素,此时让cur指向prev的next即可; 如果链表为空,直接返回空指针;
实现代码:
struct ListNode* removeElements(struct ListNode* head, int val) {
struct ListNode* cur = head;
struct ListNode* perv = NULL;
while(cur)
{
if(cur->val == val)
{
if(cur == head)
{
head = cur->next;
free(cur);
cur = head;
}
else
{
perv->next = cur->next;
free(cur);
cur = perv->next;
}
}
else
{
perv = cur;
cur = cur->next;
}
}
return head;
}
思路2–有哨兵结点的迭代
相比于没有哨兵结点的迭代,**有哨兵结点的迭代有很好的处理头删的方式!**即头删不会与其他位置的删除造成不一样的逻辑处理.
struct ListNode* removeElements(struct ListNode* head, int val) {
struct ListNode* dummyHead = (struct ListNode*)malloc(sizeof(struct ListNode));
dummyHead->next = head;
struct ListNode* cur = head;
struct ListNode* pre = dummyHead;
while (cur != NULL)
{
if (cur->val == val)
{
pre->next = cur->next;
free(cur);
cur = pre->next;
}
else
{
pre = cur;
cur =cur->next;
}
}
return dummyHead->next;
}
思路2–递归
由于链表有天然的递归结构,所以很容易想到可以递归解决问题! 要删除val,返回头结点;那么我们就递归删除head->next;即可,得到一个新的结点newNode; 这个结点就是删除完后的结点;用head->next链接newNode; 然后再判断head头结点是否要删除的值:不是就直接返回head,是的就直接返回head->next(即newNode结点)
ListNode* removeElements(struct ListNode* head, int val) {
if(!head ) return NULL;
struct ListNode* newNode = removeElements(head->next,val);
head->next = newNode;
return head->val == val ? head->next : head;
}
|