卖萌的弱渣

I am stupid, I am hungry.

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:

1
2
3
   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.

Solution

(Remove-Nth-Node-from-End-of-List.py) download
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
# Definition for singly-linked list.
# class ListNode(object):
#     def __init__(self, x):
#         self.val = x
#         self.next = None

class Solution(object):
    def removeNthFromEnd(self, head, n):
        """
        :type head: ListNode
        :type n: int
        :rtype: ListNode
        """
        newHead = ListNode(-1)
        newHead.next = head

        # get length
        length = 0
        while head != None:
            head=head.next
            length += 1

        head = newHead
        i = 0
        while i < length-n:
            i += 1
            head = head.next

        head.next = head.next.next
        return newHead.next