三數之和

給定一個包含 n 個整數的數組 nums,判斷 nums 中是否存在三個元素 a,b,c ,使得 a + b + c = 0 ?找出全部知足條件且不重複的三元組。數組

注意:答案中不能夠包含重複的三元組。spa

例如, 給定數組 nums = [-1, 0, 1, 2, -1, -4],

知足要求的三元組集合爲:
[
  [-1, 0, 1],
  [-1, -1, 2]
]
複製代碼

解題思路: 由於題目要求不能包含重複的三元組,因此咱們須要先對數組進行排序,而後用三個下標遍歷數組 , i 從 0 到 數組長度-3 , j 從 i + 1開始 , k每次都要從數組的最後一個元素開始遍歷,不然會缺乏結果code

class Solution {
  public List<List<Integer>> threeSum(int[] nums) {
  List<List<Integer>> res = new ArrayList<>();
        Arrays.sort( nums );
        int i = 0 , j = 0 ;
        for( ; i < nums.length - 2 ; i++ ){
            j = i + 1 ;
            int k = nums.length - 1;
            while( j < k ){
                if( -nums[k]  == nums[i] + nums[j] ){
                    List< Integer > list = new ArrayList<>();
                    list.add( nums[ i ] );
                    list.add( nums[ j ] );
                    list.add( nums[ k ] );
                    res.add( list );
                    j++;
                    while( j < k && nums[ j ] == nums[ j -1 ]) j++;
                    k--;
                }else if( -nums[k]  < nums[i] + nums[j]  ){
                    k--;
                }else{
                    j++;
                }
            }

            while( i < nums.length -2 && nums[ i ] == nums[ i + 1 ]) i++;
        }
        return res;
  }
}
複製代碼
相關文章
相關標籤/搜索