剑指 Offer 18. 删除链表的节点

给定单向链表的头指针和一个要删除的节点的值,定义一个函数删除该节点。

返回删除后的链表的头节点。

注意:此题对比原题有改动

示例 1:

输入: head = [4,5,1,9], val = 5
输出: [4,1,9]
解释: 给定你链表中值为 5 的第二个节点,那么在调用了你的函数之后,该链表应变为 4 -> 1 -> 9.

来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/shan-chu-lian-biao-de-jie-dian-lcof
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。

class Solution {
    public ListNode deleteNode(ListNode head, int val) {
        ListNode newHead = new ListNode(0), newTail = newHead;
        ListNode cur = head, next;
        while (cur != null) {
            next = cur.next;
            if (cur.val != val) {
                newTail.next = cur;
                newTail = cur;
            }
            cur.next = null;
            cur = next;
        }
        return newHead.next;
    }
}


class ListNode {
    int val;
    ListNode next;

    ListNode(int x) {
        val = x;
    }
}

上一篇:LeetCode刷题笔记 Java 腾讯 链表 反转链表


下一篇:链表排序 python 力扣148