思路
主要讨论上坡、下坡和波峰。
上坡:与后一个元素比较;下坡:与前一个元素比较;波峰:与左右都比较,可以直接作为最后一个情况,放到else里处理。注意前后比较的时候越界问题
LintCode75 与这题几乎一样,只是条件有很小的差别。由于条件规定了前两个元素和后两个元素的大小关系,所以peak一定是在1~length-1之间的,于是就可以省去了index的合法性检查。时间复杂度和空间复杂度不变
复杂度
时间复杂度O(logn)
空间复杂度O(1)
代码
LeetCode 162
/**
* LeetCode 162
*/
class Solution {
public int findPeakElement(int[] nums) {
if (nums.length == 0) {
return -1;
}
int start = 0, end = nums.length - 1;
while (start + 1 < end) {
int mid = start + (end - start) / 2;
if (mid < nums.length - 1 && nums[mid] < nums[mid + 1]) {
start = mid;
} else if (mid > 0 && nums[mid] < nums[mid - 1]) {
end = mid;
} else {
end = mid;
}
}
if (nums[start] < nums[end]) {
return end;
} else {
return start;
}
}
}
LintCode 75
public class Solution {
/**
* @param A: An integers array.
* @return: return any of peek positions.
*/
public int findPeak(int[] A) {
// write your code here
if (A.length == 0) {
return -1;
}
int start = 1, end = A.length - 2;
while (start + 1 < end) {
int mid = start + (end - start) / 2;
if (A[mid] < A[mid + 1]) {
start = mid;
} else if (A[mid] < A[mid - 1]) {
end = mid;
} else {
end = mid;
}
}
if (A[start] > A[end]) {
return start;
} else {
return end;
}
}
}