zoukankan      html  css  js  c++  java
  • Leetcode 19 Remove Nth Node From End of List (快慢指针)

    Given a linked list, remove the nth node from the end of list and return its head.

    For example,

       Given linked list: 1->2->3->4->5, and n = 2.
    
       After removing the second node from the end, the linked list becomes 1->2->3->5.
    

    Note:
    Given n will always be valid.
    Try to do this in one pass.

    题目解析:

    依旧还是快慢指针, 思想是: 两个node, fast先走n步, 然后两个node一起走, 当fast走到list结尾的时候, lower刚好在要删除的node的前面. 之后就是lower.next = lower.next.next;就行啦~

    注意几种情况要判断, 不然会time error:

    1. n = 0 || head == null
    2. n == 1 && head.next == null
    3. 删除head节点的时候

    上代码:

     1 public ListNode removeNthFromEnd(ListNode head, int n) {
     2     if(head == null || n = 0)    //head is null condition
     3         return head;
     4     if(n == 1 && head.next == null)    //just having a head condition
     5         return null;
     6     ListNode fast = head;
     7     ListNode lower = head;
     8     for(int i = 0; i < n; i++)
     9         fast = fast.next;
    10     if(fast == null){    //removing of the head
    11         head = head.next;
    12         return head;
    13     }
    14     while(fast.next != null){
    15         fast = fast.next;
    16         lower = lower.next;
    17     }
    18     lower.next = lower.next.next;
    19     return head;
    20 }
  • 相关阅读:
    移动端的dl
    以resnet作为前置网络的ssd目标提取检测
    MobileNet V2
    axis
    后RCNN时代的物体检测及实例分割进展
    RuntimeError: module compiled against API version 0xb but this version of numpy is 0xa
    caffe2安装
    git学习
    各种各样的卷积核
    数字图像处理_基础知识
  • 原文地址:https://www.cnblogs.com/sherry900105/p/4291194.html
Copyright © 2011-2022 走看看