-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathGrokkingFastSlowPointers.java
104 lines (95 loc) · 3.19 KB
/
GrokkingFastSlowPointers.java
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
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
package com.cunningdj.grokJava;
public class GrokkingFastSlowPointers {
public static void main(String[] args) {
// Tests here
Tester tester = new Tester();
String testTitle = "";
// IS_CYCLIC
testTitle = "IS_CYCLIC";
ListNode head = ListNode.createList(new int[] {1,2,3,4});
tester.booleanEquals(false, isCyclic(head), testTitle);
head.next.next.next.next = head.next;
tester.booleanEquals(true, isCyclic(head), testTitle);
head.next = head;
tester.booleanEquals(true, isCyclic(head), testTitle);
// CYCLE_LENGTH
testTitle = "CYCLE_LENGTH";
head = ListNode.createList(new int[]{1,2,3,4});
tester.intEquals(0, cycleLength(head), testTitle);
head.next.next.next.next = head;
tester.intEquals(4, cycleLength(head), testTitle);
head.next.next.next.next = head.next;
tester.intEquals(3, cycleLength(head), testTitle);
head.next.next.next.next = head.next.next.next;
tester.intEquals(1, cycleLength(head), testTitle);
// FIRST_NODE_IN_CYCLE
testTitle = "FIRST_NODE_IN_CYCLE";
head = ListNode.createList(new int[]{1,2,3,4});
// No cycle
tester.listNodeEquals(null, firstNodeInCycle(head), testTitle);
// a midway node
head.next.next.next.next = head.next;
tester.listNodeEquals(head.next, firstNodeInCycle(head), testTitle);
// length 1
head.next.next.next.next = head.next.next.next;
tester.listNodeEquals(head.next.next.next, firstNodeInCycle(head), testTitle);
// length n
head.next.next.next.next = head;
tester.listNodeEquals(head, firstNodeInCycle(head), testTitle);
}
public static boolean isCyclic(ListNode head) {
if (head == null) {
return false;
}
ListNode fast = head;
ListNode slow = head;
while (fast != null && fast.next != null) {
fast = fast.next.next;
slow = slow.next;
if (fast == slow) {
return true;
}
}
return false;
}
public static int cycleLength(ListNode head) {
if (head == null) {
return 0;
}
ListNode fast = head;
ListNode slow = head;
while (fast != null && fast.next != null) {
fast = fast.next.next;
slow = slow.next;
if (fast == slow) {
int length = 1;
slow = slow.next;
while (fast != slow) {
slow = slow.next;
length++;
}
return length;
}
}
return 0;
}
public static ListNode firstNodeInCycle(ListNode head) {
if (head == null) {
return head;
}
int length = cycleLength(head);
if (length == 0) {
return null;
}
ListNode lead = head;
ListNode follow = head;
for (int i=0; i < length; ++i) {
lead = lead.next;
}
while (lead != follow) {
lead = lead.next;
follow = follow.next;
}
return lead;
}
}