相鄰兩數最大差值
阿新 • • 發佈:2019-01-24
有一個整形陣列A,請設計一個複雜度為O(n)的演算法,算出排序後相鄰兩數的最大差值。
給定一個int陣列A和A的大小n,請返回最大的差值。保證陣列元素多於1個。
測試樣例:[1,2,5,4,6],5
返回:2 基於桶排序的思想完成,不考慮兩個相同的桶內的差值,只考慮該桶的最小值減去上一個桶的最大值,最大的就是最大值。
public class Gap { //重點在O(n)上面,桶排序思想 public int maxGap(int[] nums,int N) { if (nums == null || nums.length < 2) { return 0; } int len = nums.length; int min = Integer.MAX_VALUE; int max = Integer.MIN_VALUE; //找出最大值和最小值 for (int i = 0; i < len; i++) { min = Math.min(min, nums[i]); max = Math.max(max, nums[i]); } if (min == max) { return 0; } boolean[] hasNum = new boolean[len + 1]; int[] maxs = new int[len + 1]; int[] mins = new int[len + 1]; int bid = 0; for (int i = 0; i < len; i++) { bid = bucket(nums[i], len, min, max); // 算出桶號 mins[bid] = hasNum[bid] ? Math.min(mins[bid], nums[i]) : nums[i];//找出該桶的最小值 maxs[bid] = hasNum[bid] ? Math.max(maxs[bid], nums[i]) : nums[i];//找出該桶的最大值 hasNum[bid] = true; } int res = 0; int lastMax = 0; int i = 0; while (i <= len) { if (hasNum[i++]) { // 找到第一個不空的桶 lastMax = maxs[i - 1]; break; } } for (; i <= len; i++) { if (hasNum[i]) { res = Math.max(res, mins[i] - lastMax);//用該桶的最小值減去上一個桶的最大值得到差值最大 lastMax = maxs[i]; } } return res; } // 使用long型別是為了防止相乘時溢位 public int bucket(long num, long len, long min, long max) { return (int) ((num - min) * len / (max - min)); } }