-
Notifications
You must be signed in to change notification settings - Fork 0
/
a_113_PairSum.java
52 lines (45 loc) · 1.36 KB
/
a_113_PairSum.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
import java.util.ArrayList;
public class a_113_PairSum {
// Brute Force code Approachs
// public static boolean pairSum1(ArrayList<Integer> list , int target){
// for(int i=0; i<list.size(); i++){
// for(int j=i+1 ; j<list.size(); j++){
// if(list.get(i)+list.get(j) == target){
// return true ;
// }
// }
// }
// return false ;
// }
// 2 pointer approach
public static boolean pairSum1(ArrayList<Integer> list, int target){
int lp = 0;
int rp = list.size()-1 ;
while(lp != rp){
// Case 1
if(list.get(lp)+list.get(rp) == target){
return true ;
}
// Case 2
if(list.get(lp)+list.get(rp) < target){
lp++ ;
}
// Case 3
if(list.get(lp)+list.get(rp) > target){
rp-- ;
}
}
return false ;
}
public static void main(String[] args) {
ArrayList<Integer> list = new ArrayList<>() ;
list.add(1) ;
list.add(2) ;
list.add(3) ;
list.add(4) ;
list.add(5) ;
list.add(6) ;
int target = 5 ;
System.out.println(pairSum1(list, target));
}
}