Leetcode #15 3Sum 三数之和 解题小节

1 题目理解

给定一个数组,给定一个目标值,从里面找出三个值来,这三个值相加等于目标值。输出所有不重复的这三个值的组合,并且要注意是不能降序。。

解题方式:
之前有2SUM问题2SUM解题报告,这回的做法其实也差不多(或许对于K-SUM都是,因为似乎leetcode还有4sum问题)
1、首先就是排序了,毕竟排序后方便找,也符合题目给的不降序的输出
2、选择一个值作为基准(位置i),然后在这个值后面(i+1)和末尾(n-1)分别初始化两个指针p q
3、判断i p q位置的值大小是否等于target,如果等于就输出一个(然后随便改变p++或q–),如果小于那么p++,如果大于那么q–。
4、上述过程中一直执行到p==q的时候,那么又回到i,选择下一个基准位置。

特别注意:
1、注意i p q的取值范围
2、为了防止重复,在移动第一个 第二个指针的时候,如果遇到移动后和移动前一样,那么记得要做一个移动,直到和上一个取值不一样为止

2原题

原题
Given an array S of n integers, are there elements a, b, c in S such that a + b + c = 0? Find all unique triplets in the array which gives the sum of zero.

Note:
Elements in a triplet (a,b,c) must be in non-descending order. (ie, a ≤ b ≤ c)
The solution set must not contain duplicate triplets.
For example, given array S = {-1 0 1 2 -1 -4},

A solution set is:
(-1, 0, 1)
(-1, -1, 2)

3 AC解

public class Solution {
    /**
     * 这题是K-Sum问题,有待研究呢
     * 
     * 先排序,选择一个数,随后在剩下的区间内,选择最末尾和最靠前的开始,和第一个选的数相加,看是否等于0,是的话就添加
     * 
     * 还有记得防止重复而用的判别
     * */
    public List> threeSum(int[] nums) {
        Arrays.sort(nums);
        List> result=new ArrayList>();
        int i,j,k,reserve;
        for(i=0;i2;i++){
            reserve=-nums[i];
            j=i+1;
            k=nums.length-1;
            while(jif(nums[j]+nums[k]==reserve){
                    List tmp=new ArrayList();
                    tmp.add(nums[i]);
                    tmp.add(nums[j]);
                    tmp.add(nums[k]);
                    result.add(tmp);
                    j++;
                    while(j1]==nums[j]){
                        j++;
                    }
                    k--;
                }
                else if(nums[j]+nums[k]while(j1]==nums[j]){
                        j++;
                    }
                } else{
                    k--;
                }
            }
            while(i+12 && nums[i]==nums[i+1]){
                i++;
            }
        }
        return result;

    }
}

你可能感兴趣的:(leetcode,2sum,3sum,4sum,ksum,leetcode-java)