LeetCode 234. 回文链表

作者: freesan44 | 来源:发表于2020-06-07 21:50 被阅读0次

题目

请判断一个链表是否为回文链表。

示例 1:

输入: 1->2
输出: false
示例 2:

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

进阶:
你能否用 O(n) 时间复杂度和 O(1) 空间复杂度解决此题?

解题思路

# Definition for singly-linked list.
class ListNode:
    def __init__(self, val=0, next=None):
        self.val = val
        self.next = next
class Solution:
    def isPalindrome(self, head: ListNode) -> bool:
        # tempList = []
        # while head != None:
        #     tempList.append(head.val)
        #     head = head.next
        # if tempList[:] == tempList[::-1]:
        #     return True
        # return False
        #快慢指针处理,快指针是慢指针两倍,快指针到尽头,慢指针刚好到中间,然后把慢指针之前的反转,然后两边进行对比,要注意奇数偶数的差异
        left = right = head
        pre = None
        ret = True
        while right and right.next:
            right = right.next.next
            #反转链接慢指针所到之处的链接
            tempCur = left.next
            left.next = pre
            pre = left
            left = tempCur
        RHead = left #反转链接与正传的头的交接点,用于恢复原状的时候搭接
        #偶数
        if right == None:
            right = left
            left = pre
        #奇数
        elif right.next == None:
            right = left.next
            left = pre
        while right and left:
            if right.val == left.val:
                right = right.next
                left = left.next
            else:
                ret = False
                break
        #恢复反转链接的原状
        left = pre
        pre = RHead
        while left:
            tempCur = left.next
            left.next = pre
            pre = left
            left = tempCur
        return ret

if __name__ == '__main__':
    #链表样例
    #L1 1->2->3->4->5
    l1 = ListNode(1,ListNode(2, ListNode(3, ListNode(4, ListNode(5)))))
    #L2 1->3->4
    l2 = ListNode(1, ListNode(3, ListNode(4)))
    ret = Solution().isPalindrome(l1)
    print(ret)
    # print(ret.val)
    # print(ret.next.val)
    # print(ret.next.next.val)
    # print(ret.next.next.next.val)
    # print(ret.next.next.next.next.val)

相关文章

  • 234. 回文链表

    234. 回文链表[https://leetcode.cn/problems/palindrome-linked-...

  • LeetCodeEmm

    234. 回文链表[https://leetcode-cn.com/problems/palindrome-lin...

  • 234. 回文链表

    234. 回文链表[https://leetcode-cn.com/problems/palindrome-lin...

  • Leetcode 234 回文链表

    234. 回文链表[https://leetcode-cn.com/problems/palindrome-lin...

  • 如何判断回文链表

    读完本文,你可以去力扣拿下如下题目: 234.回文链表[https://leetcode-cn.com/probl...

  • LeetCode|234.回文链表

    题目描述 等级: 简单请判断一个链表是否为回文链表。 示例 1: 示例 2: 进阶:你能否用 O(n) 时间复杂度...

  • LeetCode 234. 回文链表

    234. 回文链表 请判断一个链表是否为回文链表。 示例 1: 输入: 1->2输出: false 示例 2: 输...

  • Leetcode 234. 回文链表

    题目描述 请判断一个链表是否为回文链表。 示例 1: 输入: 1->2 输出: false 示例 2: 输入: 1...

  • LeetCode 234. 回文链表

    题目描述 请判断一个链表是否为回文链表。 示例1: 示例2: 题解

  • LeetCode 234. 回文链表

    题目 请判断一个链表是否为回文链表。 进阶:你能否用 O(n) 时间复杂度和 O(1) 空间复杂度解决此题? 解题思路

网友评论

    本文标题:LeetCode 234. 回文链表

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