【移除链表元素】LeetCode第203题讲解

简介: 【移除链表元素】LeetCode第203题讲解

题目:

给你一个链表的头节点 head 和一个整数 val ,请你删除链表中所有满足 Node.val == val 的节点,并返回 新的头节点 。

示例 1:

输入:head = [1,2,6,3,4,5,6], val = 6

输出:[1,2,3,4,5]

示例 2:

输入:head = [], val = 1

输出:[]

示例 3:

输入:head = [7,7,7,7], val = 7

输出:[]

题解1:

总体上的思路就是把等于val的值删除,把不等于val的值尾插到新链表中,这跟我们之前的顺序表的题不同,顺序表把原有的元素拿下来还需要开新的空间,而我们这里不需要以空间换时间,这里不是整体连续的,每个结点都是独立的。正常删除链表中的节点,即被删除的前一个节点指针域指向被删除节点的下一个节点,头删时也不需要额外的操作。

struct ListNode* removeElements(struct ListNode* head, int val){
    if(head==NULL)
    return NULL;
    struct ListNode* cur=head;
    struct ListNode* newhead,*tail;
    newhead=tail=NULL;
    
    while(cur)
    {
        if(cur->val != val)
        {
            if(tail==NULL)
            {
                newhead=tail=cur;
            }
           else
            {
                tail->next=cur;
                tail=tail->next;
            }
            cur=cur->next;
        }
        else
            {
               struct ListNode* next=cur->next;
               free(cur);
               cur=next;
            }
    }
    if(tail)
    tail->next=NULL;
    return newhead;
    }

图解:

题解2:

还有一种方法就是我们创建,在这里我写的带哨兵位的头结点的方法:

/**
 * Definition for singly-linked list.
 * struct ListNode {
 *     int val;
 *     struct ListNode *next;
 * };
 */
 struct ListNode* removeElements(struct ListNode* head, int val){
        struct ListNode* cur=head; 
        struct ListNode* guard,*tail;
        guard=tail=(struct ListNode*)malloc(sizeof( struct ListNode));
        guard->next=NULL;
        while(cur)
        {
            if(cur->val != val)
            {
                tail->next=cur;
                tail=tail->next;
                 cur=cur->next;
            }
             else
            {
               struct ListNode* next=cur->next;
               free(cur);
               cur=next;
            }
        } 
         tail->next=NULL;
         struct ListNode* newhead=guard->next;
         free(guard);
         return  newhead;
    }
目录
打赏
0
0
0
0
15
分享
相关文章
|
4月前
【力扣】-- 移除链表元素
【力扣】-- 移除链表元素
52 1
|
4月前
Leetcode第21题(合并两个有序链表)
这篇文章介绍了如何使用非递归和递归方法解决LeetCode第21题,即合并两个有序链表的问题。
65 0
Leetcode第21题(合并两个有序链表)
|
4月前
【LeetCode 27】347.前k个高频元素
【LeetCode 27】347.前k个高频元素
52 0
|
4月前
LeetCode第二十四题(两两交换链表中的节点)
这篇文章介绍了LeetCode第24题的解法,即如何通过使用三个指针(preNode, curNode, curNextNode)来两两交换链表中的节点,并提供了详细的代码实现。
43 0
LeetCode第二十四题(两两交换链表中的节点)
|
4月前
Leetcode第十九题(删除链表的倒数第N个节点)
LeetCode第19题要求删除链表的倒数第N个节点,可以通过快慢指针法在一次遍历中实现。
55 0
Leetcode第十九题(删除链表的倒数第N个节点)
|
4月前
|
力扣(LeetCode)数据结构练习题(3)------链表
力扣(LeetCode)数据结构练习题(3)------链表
121 0
LeetCode力扣第114题:多种算法实现 将二叉树展开为链表
LeetCode力扣第114题:多种算法实现 将二叉树展开为链表
【经典算法】Leetcode 141. 环形链表(Java/C/Python3实现含注释说明,Easy)
【经典算法】Leetcode 141. 环形链表(Java/C/Python3实现含注释说明,Easy)
76 2
|
9月前
<数据结构>五道LeetCode链表题分析.环形链表,反转链表,合并链表,找中间节点.
<数据结构>五道LeetCode链表题分析.环形链表,反转链表,合并链表,找中间节点
92 1
AI助理

你好,我是AI助理

可以解答问题、推荐解决方案等