当 a > 0 的时候,二次函数开口向上,两边的元素最大,中间的元素最小。那么我们排序的时候,从两边往中间扫最先遇到的肯定是大数。
当 a < 0 的时候,二次函数开口向下,两边的元素最小,中间的元素最大,那么我们从两边往中间扫的时候,先遇到的时候是小数。
复杂度
Time: O(n)
publicclassSolution {publicint[] sortTransformedArray(int[] nums,int a,int b,int c) {int[] rst =newint[nums.length];int index = (a >=0?nums.length-1:0);int i =0, j =nums.length-1;while (i <= j) {if (a >=0) { rst[index--] = helper(nums[i], a, b, c) >= helper(nums[j], a, b, c) ? helper(nums[i++], a, b, c) : helper(nums[j--], a, b, c);
} else { rst[index++] = helper(nums[i], a, b, c) <= helper(nums[j], a, b, c) ? helper(nums[i++], a, b, c) : helper(nums[j--], a, b, c);
} }return rst; }privateinthelper(int x,int a,int b,int c) {return a * x * x + b * x + c; }}
Follow Up
对一个 sorted array 平方后排序
其实就是相当于 a = 1, b = 0, c = 0 的一个特例
/** * Created by yang on 12/31/16. */publicclassSolution1 {publicstaticint[] sortArray(int[] nums) {int[] rst =newint[nums.length];int i =0, j =nums.length-1;int index =nums.length-1;while (i <= j) { rst[index--] =helper(nums[i])>=helper(nums[j])?helper(nums[i++]):helper(nums[j--]); }return rst; }privatestaticinthelper(int x) {return x * x; }publicstaticvoidmain(String[] args) {int[] arr = {-5,-3,0,2,9};// int[] arr = {1, 2, 3, 5, 9};// int[] arr = {-5, -3, -2, -1, 0};int[] rst =sortArray(arr);for (int num : rst) {System.out.print(num +" "); } }}