1. 程式人生 > >leetcode 234. 迴文連結串列(Easy)(連結串列)

leetcode 234. 迴文連結串列(Easy)(連結串列)

題目:

請判斷一個連結串列是否為迴文連結串列。

示例 1:

輸入: 1->2
輸出: false

示例 2:

輸入: 1->2->2->1
輸出: true

進階:
你能否用 O(n) 時間複雜度和 O(1) 空間複雜度解決此題?

思路:

      判斷一個連結串列是否為迴文連結串列,起初想到的方法是翻轉整張連結串列再與原本的連結串列做比較,可是這樣一來空間複雜度是O(n),不合題意。要使得空間複雜度是O(1),就要在原本的連結串列上進行調整。迴文連結串列是對稱的,我們將連結串列的後半部分進行翻轉,這樣一來只需判斷後半部分與連結串列前半部分的val值是否一致即可。那麼怎麼找到連結串列的中間位置呢?這就需要用到“快慢指標”的方法。兩個指標同時指向頭結點,快指標步長是慢指標步長的兩倍。當快指標跨不出兩步時停止,此時慢指標所指向節點的下一個節點就是連結串列需要翻轉的開始位置。翻轉完成後,將翻轉完成後連結串列的後半部分與連結串列前半部分一個一個進行比較,只有當後半部分走完時返回True。

 

程式碼:

# Definition for singly-linked list.
# class ListNode(object):
#     def __init__(self, x):
#         self.val = x
#         self.next = None

class Solution(object):
    def isPalindrome(self, head):
        """
        :type head: ListNode
        :rtype: bool
        """
        if head == None:
            return True
        if head.next == None:
            return True
        if head.next.next == None:
            if head.val == head.next.val:
                return True
            else:
                return False        
        slow = head
        fast = head
        while fast.next and fast.next.next:
            slow = slow.next
            fast = fast.next.next
        mid = self.reverse(slow.next)
        while mid != None:
            if mid.val != head.val:
                return False
            head = head.next
            mid = mid.next
        return True
        
    def reverse(self,head):
        H = None
        cur = head
        nex = cur.next
        while nex !=None:
            cur.next = H
            H = cur
            cur = nex
            nex = nex.next
        cur.next = H
        return cur