| 回文链表
给你一个单链表的头节点 head ,请你判断该链表是否为回文链表。如果是,返回 true ;否则,返回 false 。
输入:head = [1,2,2,1]
输出:true
输入:head = [1,2]
输出:false
| 题解
# Definition for singly-linked list.
# class ListNode:
# def __init__(self, val=0, next=None):
# self.val = val
# self.next = next
class Solution:
"""
解题思路:
1.通过快慢指针找到回文链表的中间节点
2.从中间节点起,开始反转后面的节点
3.遍历反转后的节点,判断是否与原链表的值相等
"""
def isPalindrome(self, head: ListNode) -> bool:
low = head
fast = head
p = head
# 如果链表为空或者只有一个节点 直接返回True
if head is None and head.next is None:
return True
# 通过快慢指针找到链表的中间位置
while fast.next and fast.next.next:
low = low.next
fast = fast.next.next
# 通过头插反转后半段链表
after_head = None
cur = low.next
while cur:
next_node = cur.next # 记录后置节点位置
cur.next = after_head # 头指针赋值给当前节点的next节点
after_head = cur # 把当前节点从新赋值给头节点
cur = next_node # 把后置节点赋值给当前节点,向后移位
while after_head: # 循环遍历后半段节点,判断是否与前面节点相等
if p.val != after_head.val:
return False
after_head = after_head.next # 向后移动一个单位
p = p.next # 向后移动一个单位
return True