美文网首页
算法 20 Remove Nth Node From End o

算法 20 Remove Nth Node From End o

作者: holmes000 | 来源:发表于2018-01-14 20:24 被阅读0次

    题目:给定一个链表,从列表的最后删除第n 个节点并返回它的头部。
    例如,
    给定链表:1-> 2-> 3-> 4-> 5,并且n = 2。
    从最后删除第二个节点后,链表将变为1-> 2-> 3-> 5。
    注意:
    鉴于n将始终有效。
    尝试一次完成。

    思路:利用的是faster和slower双指针来解决。首先让faster指针先向后跑n步,然后faster和slower双指针一起跑,直到faster等于null时,slower所指向就是需要删除的节点。

    代码:

    public static ListNode removeNthFromEnd(ListNode head, int n) {
        if (head == null || head.next == null)
            return null;
    
        ListNode faster = head;
        ListNode slower = head;
    
        for (int i = 0; i < n; i++)
            faster = faster.next;
    
        if (faster == null) {
            head = head.next;
            return head;
        }
        // 两个指针同时移动
        while (faster.next != null) {
            slower = slower.next;
            faster = faster.next;
        }
    
        slower.next = slower.next.next;
        return head;
    
    }
    

    复杂度:时间复杂度是O(链表的长度),空间复杂度是O(1)

    相关文章

      网友评论

          本文标题:算法 20 Remove Nth Node From End o

          本文链接:https://www.haomeiwen.com/subject/merloxtx.html