Пример #1
0
 def isPalindrome(self, head: ListNode) -> bool:
     """Two pass, 1st reach to tail and create reverse link along the way, 2nd two pointers head and tail.
   An alternative approach is 1st pass two pointers slow (1 step each iteration) and fast (2 step each iteration),
   and when fast reach to the tail, slow reach to middle, then reverse along the way slow from middle to the tail,
   and then 2nd pass two pointers head and tail and comparison along the way. 
   However, this alternative approach need more caution on corner cases, odd/even middle, empty linked list and etc.
 """
     # 1st pass
     s = ListNode('')
     s.next = head
     prev, node = s, head
     while node:
         node.prev = prev
         prev = node
         node = node.next
     t = ListNode('')
     prev.next = t
     t.prev = prev
     # 2nd pass
     x, y = s.next, t.prev
     # equality test use x is y (kind like x === y in javascript) instead of x == y, strict for reference equality,
     # because in the config.listnode, class ListNode defined __eq__() as value equal for general purpose equality.
     while not (x is y or x.prev is y):
         if not x.val == y.val:
             return False
         else:
             x = x.next
             y = y.prev
     return True
Пример #2
0
 def plusOne(self, head: ListNode) -> ListNode:
   # sentinel node
   s = ListNode('')
   s.next = head
   # create prev along the way
   node = s
   while node.next:
     node.next.prev = node
     node = node.next
   # plus one on the node from tail
   while True:
     if node.val < 9:
       node.val += 1
       break
     else:
       node.val = 0
       node = node.prev
       if node.val == '':
         x = ListNode(1)
         x.next = node.next
         node.next.prev = x
         node.next = x
         x.prev = node
         break
   return s.next