【LeetCode with Python】 143. Reorder List
题目
原题页面:https://leetcode.com/problems/reorder-list/
本文地址:http://leetcode.xnerv.wang/reorder-list/
题目类型:Linked List
难度评价:Medium
Given a singly linked list L: L0→L1→…→Ln-1→Ln,
reorder it to: L0→Ln→L1→Ln-1→L2→Ln-2→…
You must do this in-place without altering the nodes' values.
For example,
Given{1,2,3,4}
, reorder it to{1,4,2,3}
.
分析
将链表倒置过来,然后再和原链表进行穿插。是不是有更好的方法?(等等什么情况,没有拷贝原链表就倒置,原本的链表顺序不就被破坏了么???)
代码
class Solution:
# @param head, a ListNode
# @return nothing
def reorderList(self, head):
if None == head:
return
cur = head
count = 0
while None != cur:
cur = cur.next
count += 1
if count <= 2:
return
half_count = (count - 1) / 2
cur2 = head
for i in range(0, half_count):
cur2= cur2.next
cur2_next = cur2.next
cur2.next = None
cur2 = reverse_list(cur2_next, None, None)
cur1 = head
time_count = int(count / 2)
for i in range(0, time_count):
cur2_next = cur2.next
cur2.next = cur1.next
cur1.next = cur2
cur1 = cur2.next
cur2 = cur2_next