-
Notifications
You must be signed in to change notification settings - Fork 39
/
Copy pathsort_list.rb
63 lines (49 loc) · 1.37 KB
/
sort_list.rb
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
# https://leetcode.com/problems/sort-list/
#
# Sort a linked list in O(nlogn) time using constant space complexity.
# Definition for singly-linked list.
# class ListNode
# attr_accessor :val, :next
# def initialize(val)
# @val = val
# @next = nil
# end
# end
# @param {ListNode} head
# @return {ListNode}
def sort_list(head)
return head if head.nil? || head.next.nil?
dummy = ListNode.new(0).tap { |node| node.next = head }
size = 1
size += 1 while (head = head.next)
subsize = 1
while subsize < size
subdummy = dummy
while subdummy.next
alist, alistend = subdummy.next, subdummy
subsize.times { alistend = alistend.next if alistend.next }
break if alistend.next.nil?
blist, blistend = alistend.next, alistend
subsize.times { blistend = blistend.next if blistend.next }
alistend.next = blistend.next
_merge_two_lists_(subdummy, alist, blist, blistend.next)
subdummy = alistend.val < blistend.val ? blistend : alistend
end
subsize *= 2
end
dummy.next
end
private def _merge_two_lists_(dummy, alist, blist, tail)
walker = dummy
while alist != tail && blist != tail
if alist.val < blist.val
walker.next = alist
alist = alist.next
else
walker.next = blist
blist = blist.next
end
walker = walker.next
end
walker.next = (alist != tail) ? alist : blist
end