题目描述
给你一个按 非递减顺序 排序的整数数组 nums
,返回 每个数字的平方 组成的新数组,要求也按 非递减顺序 排序。
示例 1:
输入:nums = [-4,-1,0,3,10]
输出:[0,1,9,16,100]
解释:平方后,数组变为 [16,1,0,9,100]
排序后,数组变为 [0,1,9,16,100]
示例 2:
输入:nums = [-7,-3,2,3,11]
输出:[4,9,9,49,121]
提示:
1 <= nums.length <= 104
-104 <= nums[i] <= 104
nums
已按 非递减顺序 排序
进阶:
解法
方法一:双指针
由于数组 $nums$ 已经按照非递减顺序排好序,所以数组中负数的平方值是递减的,正数的平方值是递增的。我们可以使用双指针,分别指向数组的两端,每次比较两个指针指向的元素的平方值,将较大的平方值放入结果数组的末尾。
时间复杂度 $O(n)$,其中 $n$ 是数组 $nums$ 的长度。忽略答案数组的空间消耗,空间复杂度 $O(1)$。
1
2
3
4
5
6
7
8
9
10
11
12
13
14 | class Solution:
def sortedSquares(self, nums: List[int]) -> List[int]:
ans = []
i, j = 0, len(nums) - 1
while i <= j:
a = nums[i] * nums[i]
b = nums[j] * nums[j]
if a > b:
ans.append(a)
i += 1
else:
ans.append(b)
j -= 1
return ans[::-1]
|
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18 | class Solution {
public int[] sortedSquares(int[] nums) {
int n = nums.length;
int[] ans = new int[n];
for (int i = 0, j = n - 1, k = n - 1; i <= j; --k) {
int a = nums[i] * nums[i];
int b = nums[j] * nums[j];
if (a > b) {
ans[k] = a;
++i;
} else {
ans[k] = b;
--j;
}
}
return ans;
}
}
|
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19 | class Solution {
public:
vector<int> sortedSquares(vector<int>& nums) {
int n = nums.size();
vector<int> ans(n);
for (int i = 0, j = n - 1, k = n - 1; i <= j; --k) {
int a = nums[i] * nums[i];
int b = nums[j] * nums[j];
if (a > b) {
ans[k] = a;
++i;
} else {
ans[k] = b;
--j;
}
}
return ans;
}
};
|
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16 | func sortedSquares(nums []int) []int {
n := len(nums)
ans := make([]int, n)
for i, j, k := 0, n-1, n-1; i <= j; k-- {
a := nums[i] * nums[i]
b := nums[j] * nums[j]
if a > b {
ans[k] = a
i++
} else {
ans[k] = b
j--
}
}
return ans
}
|
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19 | impl Solution {
pub fn sorted_squares(nums: Vec<i32>) -> Vec<i32> {
let n = nums.len();
let mut ans = vec![0; n];
let (mut i, mut j) = (0, n - 1);
for k in (0..n).rev() {
let a = nums[i] * nums[i];
let b = nums[j] * nums[j];
if a > b {
ans[k] = a;
i += 1;
} else {
ans[k] = b;
j -= 1;
}
}
ans
}
}
|
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19 | /**
* @param {number[]} nums
* @return {number[]}
*/
var sortedSquares = function (nums) {
const n = nums.length;
const ans = Array(n).fill(0);
for (let i = 0, j = n - 1, k = n - 1; i <= j; --k) {
const [a, b] = [nums[i] * nums[i], nums[j] * nums[j]];
if (a > b) {
ans[k] = a;
++i;
} else {
ans[k] = b;
--j;
}
}
return ans;
};
|
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22 | class Solution {
/**
* @param Integer[] $nums
* @return Integer[]
*/
function sortedSquares($nums) {
$n = count($nums);
$ans = array_fill(0, $n, 0);
for ($i = 0, $j = $n - 1, $k = $n - 1; $i <= $j; --$k) {
$a = $nums[$i] * $nums[$i];
$b = $nums[$j] * $nums[$j];
if ($a > $b) {
$ans[$k] = $a;
++$i;
} else {
$ans[$k] = $b;
--$j;
}
}
return $ans;
}
}
|