【移除链表元素】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;
    }
相关文章
|
2天前
[leetcode~dfs]1261. 在受污染的二叉树中查找元素
[leetcode~dfs]1261. 在受污染的二叉树中查找元素
[leetcode~dfs]1261. 在受污染的二叉树中查找元素
|
3天前
|
存储
三种方法实现获取链表中的倒数第n个元素
三种方法实现获取链表中的倒数第n个元素
|
8天前
|
算法
代码随想录算法训练营第五十七天 | LeetCode 739. 每日温度、496. 下一个更大元素 I
代码随想录算法训练营第五十七天 | LeetCode 739. 每日温度、496. 下一个更大元素 I
12 3
|
11天前
|
算法
【力扣】169. 多数元素
【力扣】169. 多数元素
|
12天前
【力扣】21. 合并两个有序链表
【力扣】21. 合并两个有序链表
|
1月前
|
存储 JavaScript
leetcode82. 删除排序链表中的重复元素 II
leetcode82. 删除排序链表中的重复元素 II
22 0
|
1月前
|
算法
LeetCode刷题---19. 删除链表的倒数第 N 个结点(双指针-快慢指针)
LeetCode刷题---19. 删除链表的倒数第 N 个结点(双指针-快慢指针)
|
1月前
|
存储
LeetCode刷题---817. 链表组件(哈希表)
LeetCode刷题---817. 链表组件(哈希表)
|
1月前
|
存储 C语言 索引
环形链表、环形链表 II、有效的括号​​​​​​​【LeetCode刷题日志】
环形链表、环形链表 II、有效的括号​​​​​​​【LeetCode刷题日志】
|
1月前
|
算法 安全 数据处理
LeetCode刷题---707. 设计链表(双向链表-带头尾双结点)
LeetCode刷题---707. 设计链表(双向链表-带头尾双结点)

热门文章

最新文章