统计和小于目标的下标对数目

发布时间 2023-08-23 11:44:11作者: 网抑云黑胶SVIP用户

给你一个下标从 0 开始长度为 n 的整数数组 nums 和一个整数 target ,请你返回满足 0 <= i < j < n 且 nums[i] + nums[j] < target 的下标对 (i, j) 的数目。

示例 1:

输入:nums = [-1,1,2,3,1], target = 2
输出:3
解释:总共有 3 个下标对满足题目描述:

  • (0, 1) ,0 < 1 且 nums[0] + nums[1] = 0 < target
  • (0, 2) ,0 < 2 且 nums[0] + nums[2] = 1 < target
  • (0, 4) ,0 < 4 且 nums[0] + nums[4] = 0 < target
    注意 (0, 3) 不计入答案因为 nums[0] + nums[3] 不是严格小于 target 。
    示例 2:

输入:nums = [-6,2,5,-2,-7,-1,3], target = -2
输出:10
解释:总共有 10 个下标对满足题目描述:

  • (0, 1) ,0 < 1 且 nums[0] + nums[1] = -4 < target
  • (0, 3) ,0 < 3 且 nums[0] + nums[3] = -8 < target
  • (0, 4) ,0 < 4 且 nums[0] + nums[4] = -13 < target
  • (0, 5) ,0 < 5 且 nums[0] + nums[5] = -7 < target
  • (0, 6) ,0 < 6 且 nums[0] + nums[6] = -3 < target
  • (1, 4) ,1 < 4 且 nums[1] + nums[4] = -5 < target
  • (3, 4) ,3 < 4 且 nums[3] + nums[4] = -9 < target
  • (3, 5) ,3 < 5 且 nums[3] + nums[5] = -3 < target
  • (4, 5) ,4 < 5 且 nums[4] + nums[5] = -8 < target
  • (4, 6) ,4 < 6 且 nums[4] + nums[6] = -4 < target

暴力无脑方式

class Solution {
    public int countPairs(List<Integer> nums, int target) {
        int count = 0;
        for(int i=0;i<nums.size();i++){
            for(int j=i+1;j<nums.size();j++){
                if(nums.get(i)+nums.get(j)<target){
                    count++;
                }
            }
        }
        return count;
    }
}

超级屎山,想减少遍历反而适得其反

class Solution {
    public int countPairs(List<Integer> nums, int target) {
        int count = 0,index = 0;
        Collections.sort(nums);
        for(int i=0;i<nums.size();i++){
            if(nums.get(i)>=target/2)index = i;
        }
        if(index==0)index=nums.size()-1;
        for(int i=0;i<=index;i++){
            for(int j=i+1;j<=index;j++){
                if(nums.get(i)+nums.get(j)<target){
                    count++;
                }
            }
        }
        return count;
    }
}

排序双指针

class Solution {
    public int countPairs(List<Integer> nums, int target) {
        int count = 0;
        int left = 0,right = nums.size()-1;
        Collections.sort(nums);
        while(left<right){
            //根据特征,如果这两个下标值和小于目标值,那么这期间的数字相加都小于下标值
            if(nums.get(left)+nums.get(right)<target){
                count+=right-left;
                left++;
            }else{
                right--;
            }
        }
        return count;
    }
}