-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathIntLL.java
120 lines (110 loc) · 3.04 KB
/
IntLL.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
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
/**
* Created by kirtanpatel on 1/19/17.
*/
public class IntLL {
public static void main(String[] args) {
IntNode L = null; //starting of the Link List. The handle for the beginning of the link list
L = addToFront(L, 26);
L = addToFront(L, 24);
L = addToFront(L, 19);
L = addToFront(L, 17);
//addToFront(L, 19);;
//
traverse(L);
before(L,17, 10);
//L = new IntNode(10, L);
traverse(L);
traverse(L);
/**
L = removeFront(L);
traverse(L);
IntNode found = search(L, 24);
if(found != null){
System.out.println("found it");
}
else{
System.out.println("not found");
}
L = delete(L, 19);
traverse(L);
**/
}
public static IntNode addToFront(IntNode front, int data) {
return new IntNode(data, front);
//front = node;
//return node;
}
public static void traverse (IntNode front){
IntNode ptr = front; //ptr points to the first ndoe fo the LL
while(ptr != null){
System.out.print(ptr.data + " -> ");
ptr=ptr.next;
}
System.out.println("\\");
}
public static IntNode removeFront (IntNode front){
return front.next;
}
public static IntNode search (IntNode front, int target){
IntNode ptr = front;
while(ptr != null){
if(ptr.data == target){
return ptr;
}
ptr = ptr.next;
}
return null;
}
public static boolean addAfter (IntNode front, int target, int data){
for(IntNode ptr = front; ptr != null; ptr = ptr.next){
if(ptr.data == target){
IntNode node = new IntNode (data, ptr.next);
ptr.next = node;
return true;
}
}
return false;
}
public static IntNode delete(IntNode front, int target){
IntNode prev = null;
IntNode ptr = front;
while(ptr != null && ptr.data != target){
prev = ptr;
ptr = ptr.next;
}
if(ptr == null){
return front;
}
else if (ptr == front){
// target istthe first element of the LL
return front.next;
}
else{
prev.next = ptr.next;
return front;
}
}
public static void before(IntNode front, int target, int newItem){
IntNode ptr = front;
IntNode temp = front;
int size = 0;
while(ptr != null && ptr.data != target){
ptr = ptr.next;
if(ptr.data != target){
temp = temp.next;
}
size++;
}
if(ptr == null){
return;
}
else if(size == 0){
System.out.print("WORKSq");
front = new IntNode(newItem, front);
}
else{
IntNode node = new IntNode(newItem, temp.next);
temp.next = node;
}
}
}