You are given the head of a singly linked list. Implement a function to determine if the linked list is a palindrome. A palindrome is a sequence that reads the same backward as forward.
Example 1:
head = [1, 2, 2, 1]
true
Example 2:
head = [1, 2, 3, 2, 1]
true
Example 3:
head = [1, 2]
false
Constraints:
[1, 10^5]
.0 <= Node.val <= 9
Your function should efficiently determine if the linked list forms a palindrome. Consider space and time complexity optimizations. For instance, think about how you can achieve this without using extra space (O(1) space complexity) or minimizing the time complexity to O(n). Can you solve this by reversing the second half of the list and comparing it with the first half?
This problem asks us to determine if a given singly linked list is a palindrome. A palindrome reads the same forwards and backward. Let's explore a few approaches to solve this efficiently.
head = [1, 2, 2, 1]
true
head = [1, 2, 3, 2, 1]
true
head = [1, 2]
false
The most straightforward approach is to copy the linked list values into an array and then use two pointers to check if the array is a palindrome.
class ListNode:
def __init__(self, val=0, next=None):
self.val = val
self.next = next
def isPalindrome_brute_force(head):
vals = []
current = head
while current:
vals.append(current.val)
current = current.next
left, right = 0, len(vals) - 1
while left < right:
if vals[left] != vals[right]:
return False
left += 1
right -= 1
return True
A more efficient approach involves reversing the second half of the linked list and then comparing it with the first half. This method achieves O(1) space complexity.
class ListNode:
def __init__(self, val=0, next=None):
self.val = val
self.next = next
def isPalindrome(head):
if not head or not head.next: # Empty list or single element list
return True
# 1. Find the middle
slow, fast = head, head
while fast and fast.next:
slow = slow.next
fast = fast.next.next
# 2. Reverse the second half
prev, curr = None, slow
while curr:
next_node = curr.next
curr.next = prev
prev = curr
curr = next_node
# 3. Compare the first and reversed second half
first_half, second_half = head, prev
while second_half:
if first_half.val != second_half.val:
return False
first_half = first_half.next
second_half = second_half.next
return True
True
at the beginning of the function.