双指针法-有序数组的平方

有序数组的平方

有序数组的平方

  1. 暴力法: 平方后排序
  2. 首尾指针: 1)首尾指针元素选取平方的最大值添加入新数组, 对应指针移动, 循环是while(left <= right)

题解

//双指针法(首尾指针法):时间复杂度O(n),空间复杂度O(n)
class Solution {
    public int[] sortedSquares(int[] nums) {
        int[] result = new int[nums.length];
        int left = 0, right = nums.length - 1;
        int insertIndex = result.length - 1;
        while (left <= right) {
            if (nums[left] * nums[left] < nums[right] * nums[right]) {
                result[insertIndex] = nums[right] * nums[right];
                right--;
            } else {
                result[insertIndex] = nums[left] * nums[left];
                left++;
            }
            insertIndex--;
        }
        return result;
    }
}

// 直接法(暴力解法):对每个元素平方O(n) + 快速排序O(nlogn)
class Solution2 {
    public int[] sortedSquares(int[] nums) {
        for (int i = 0; i < nums.length; i++) {
            nums[i] = nums[i] * nums[i];
        }
        Arrays.sort(nums);
        return nums;
    }
}
posted @ 2022-02-13 00:48  -Rocky-  阅读(25)  评论(0编辑  收藏  举报