-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathRecursionBasics.java
executable file
·134 lines (99 loc) · 2.45 KB
/
RecursionBasics.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
121
122
123
124
125
126
127
128
129
130
131
132
133
134
package lec07dec;
import java.util.ArrayList;
public class RecursionBasics {
public static void main(String[] args) {
// TODO Auto-generated method stub
// int[] arr = { 10, 20, 30, 80, 60, 90, 80, 88 };
// displayArray(arr, 0);
// System.out.println(arrayMax(arr, 0));
// System.out.println(itemIndex(arr, 0,80));
// System.out.println(lastIndex(arr, 0, 80));
// int[] result=findAllIndices(arr,0,80,0);
// for(int val: result) {
// System.out.print(val+" ");
// }
// printBox(1,1,4);
System.out.println(subString("abc"));
}
public static void displayArray(int[] arr, int vidx) {
if (vidx == arr.length) {
return;
}
System.out.println(arr[vidx]);
displayArray(arr, vidx + 1);
}
public static int arrayMax(int[] arr, int vidx) {
if (vidx == arr.length - 1) {
return arr[vidx];
}
int max = arr[vidx];
int spmax = arrayMax(arr, vidx + 1);
if (spmax > max) {
max = spmax;
}
return max;
}
public static int itemIndex(int[] arr, int vidx, int item) {
if (vidx == arr.length) {
return -1;
}
if (arr[vidx] == item) {
return vidx;
} else {
return itemIndex(arr, vidx + 1, item);
}
}
public static int lastIndex(int[] arr, int vidx, int item) {
if (vidx == arr.length) {
return -1;
}
int sp = lastIndex(arr, vidx + 1, item);
if (arr[vidx] == item && sp == -1) {
return vidx;
} else
return sp;
}
public static int[] findAllIndices(int[] arr, int vidx, int item, int count) {
if (vidx == arr.length) {
int[] bcArray = new int[count];
return bcArray;
}
if (arr[vidx] == item) {
int[] sp = findAllIndices(arr, vidx + 1, item, count + 1);
sp[count] = vidx;
return sp;
} else {
int[] sp = findAllIndices(arr, vidx + 1, item, count);
return sp;
}
}
public static void printBox(int row, int col, int n) {
if (row > n) {
return;
}
if (col > n) {
System.out.println();
printBox(row + 1, 1, n);
return;
}
System.out.print("*");
printBox(row, col + 1, n);
}
public static ArrayList<String> subString(String str) {
if (str.length() == 0) {
ArrayList<String> bresult = new ArrayList<>();
bresult.add("");
return bresult;
}
char ch = str.charAt(0);
String ros = str.substring(1);
ArrayList<String> recresult = new ArrayList<>();
recresult = subString(ros);
ArrayList<String> myans = new ArrayList<>();
for (String val : recresult) {
myans.add(val);
myans.add(val + ch);
}
return myans;
}
}