-
Notifications
You must be signed in to change notification settings - Fork 86
/
Copy pathSubsequencesSumK.java
80 lines (71 loc) · 1.55 KB
/
SubsequencesSumK.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
//Question : Find all subsequences with sum equals to K
import java.util.*;
public class SubsequencesSumK
{
// Function to find the subsequences
// with given sum
public static void subSequenceSum(
ArrayList<ArrayList<Integer>> ans,
int a[], ArrayList<Integer> temp,
int k, int start)
{
// Here we have used ArrayList
// of ArrayList in Java for
// implementation of Jagged Array
// if k < 0 then the sum of
// the current subsequence
// in temp is greater than K
if(start > a.length || k < 0)
return ;
// if(k==0) means that the sum
// of this subsequence
// is equal to K
if(k == 0)
{
ans.add(
new ArrayList<Integer>(temp)
);
return ;
}
else {
for (int i = start;
i < a.length; i++) {
// Adding a new
// element into temp
temp.add(a[i]);
// After selecting an
// element from the
// array we subtract K
// by that value
subSequenceSum(ans, a,
temp, k - a[i],i+1);
// Remove the lastly
// added element
temp.remove(temp.size() - 1);
}
}
}
// Driver Code
public static void main(String args[])
{
int arr[] = {5, 12, 3, 17, 1,
18, 15, 3, 17};
int k = 6;
ArrayList<ArrayList<Integer>> ans;
ans= new ArrayList<
ArrayList<Integer>>();
subSequenceSum(ans, arr,
new ArrayList<Integer>(), k, 0);
// Loop to print the subsequences
for(int i = 0; i < ans.size();
i++){
for(int j = 0;
j < ans.get(i).size(); j++){
System.out.print(
ans.get(i).get(j));
System.out.print(" ");
}
System.out.println();
}
}
}