Sort Transformed Array
Given a sorted array of integers nums and integer values a, b and c. Apply a function of the form f(x) = ax2 + bx + c to each element x in the array.
The returned array must be in sorted order.
Expected time complexity: O(n)
Example:
nums = [-4, -2, 2, 4], a = 1, b = 3, c = 5,
Result: [3, 9, 15, 33]nums = [-4, -2, 2, 4], a = -1, b = 3, c = 5
Result: [-23, -5, 1, 7]
对撞指针
复杂度
O(N) 时间 O(N) 空间
思路
抛物线中点: -b/2a
分这么几种情况:
a > 0,
a < 0,
a == 0 && b >= 0,
a == 0 && b < 0
给的x数组是排序的,搞两个指针从两边比较
注意
维护一个nextIndex可以免去用linkedlist从而节省时间
代码
public class Solution {
public int[] sortTransformedArray(int[] nums, int a, int b, int c) {
int[] result = new int[nums.length];
int start = 0, end = nums.length - 1;
int nextIndex = 0;
if (a > 0 || (a == 0 && b >= 0))
nextIndex = nums.length - 1;
if (a < 0 || (a == 0 && b < 0))
nextIndex = 0;
double mid = -1 * ((b * 1.0) / (2.0 * a));
while (start <= end) {
if (a > 0 || (a == 0 && b >= 0)) {
if (Math.abs(mid - nums[start]) > Math.abs(nums[end] - mid)) {
int x = nums[start++];
result[nextIndex--] = a * x * x + b * x + c;
}
else {
int x = nums[end--];
result[nextIndex--] = a * x * x + b * x + c;
}
}
else if (a < 0 || (a == 0 && b < 0)){
if (Math.abs(mid - nums[start]) > Math.abs(nums[end] - mid)) {
int x = nums[start++];
result[nextIndex++] = a * x * x + b * x + c;
}
else {
int x = nums[end--];
result[nextIndex++] = a * x * x + b * x + c;
}
}
}
return result;
}
}
**粗体** _斜体_ [链接](http://example.com) `代码` - 列表 > 引用
。你还可以使用@
来通知其他用户。