-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathllist-partition.go
82 lines (67 loc) · 1.04 KB
/
llist-partition.go
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
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
package main
import "fmt"
type List struct {
head *Node
tail *Node
}
type Node struct {
value int
prev *Node
next *Node
}
func (l *List) Show() {
n := l.head
for n != nil {
fmt.Println(n.value)
n = n.next
}
fmt.Println()
}
func (l *List) InsertBack(value int) {
n := &Node{
value: value,
prev: l.tail,
}
if l.tail != nil {
l.tail.next = n
}
l.tail = n
if l.head == nil {
l.head = n
}
}
func (l *List) Partition(n int) *List {
oldhead := l.head
for l.tail != nil {
if l.tail.value < n {
l.tail = l.tail.prev
}
if l.tail.value >= n {
cur := l.tail
l.tail = l.tail.prev
l.tail.next = cur.next
fmt.Println("2nd", l.tail.value)
cur1 := l.head
l.head = cur
l.head.next = cur1
cur1.prev = l.head
fmt.Println("3rd", l.head.value, l.head.prev.value)
}
if l.tail == oldhead {
break
}
}
return l
}
func main() {
l := List{}
l.InsertBack(3)
l.InsertBack(5)
l.InsertBack(8)
l.InsertBack(5)
l.InsertBack(10)
l.InsertBack(2)
l.InsertBack(1)
new := l.Partition(5)
new.Show()
}