public class Solution {
public List<List<Integer>> threeSum(int[] num) {
ArrayList<List<Integer>> result=new ArrayList<List<Integer>>();
int len=num.length;
if(len==0)return result;
Arrays.sort(num);
for(int i=0;i<len-2;i++){
int start=i+1,end=len-1;
if(3*num[i]>0||3*num[len-1]<0)return result; /*do it wisely*/
while(start<end){
int sum=num[i]+num[start]+num[end];
if(sum==0){
/*add the three element*/
result.add(Arrays.asList(num[i],num[start],num[end]));//asList,add,addAll
start++;
end--;
/*remove duplicate*/
while(start<len-1&&num[start]==num[start-1])start++;
while(end>i&&num[end]==num[end+1])end--;
}
if(sum>0){
end--;
while(end>i&&num[end]==num[end+1])end--;
}
if(sum<0){
start++;
while(start<len&&num[start]==num[start-1])start++;
}
}
while(i<len-1&&num[i]==num[i+1])i++;
}
return result;
}
}
:
思路:都是多个指针的问题,因为是要求三个数的和,而不是不确定的个数的和,所以用有限个数的指针就能够完成,最直接的方法就是用三个指针。
题目的解答必须能够包括所有的情况,但是不能够用纯brute force来做,要把一些很容易排除的情况排除掉。
一个头指针,一个尾指针,能够使问题的复杂度降低一个等级。因为头尾之间是没有重合的。同时头和尾还能够做到对结果的变化的自由调整。
maintain 一个表储存结果。
开始出现的问题:没有看清楚题目中要求的不许重复,所以,遇到重复的元素的时候要调到下一个不是重复的元素上。
对add和addAll的区分,前者是添加容器中所包含的元素,后者是添加容器,容器中有多个想要添加的元素,注意是容器,不是数组。