75. 寻找峰值
你给出一个整数数组(size为n),其具有以下特点:- 相邻位置的数字是不同的
- A[0] < A[1] 并且 A[n - 2] > A[n - 1]
样例
样例 1: 输入: [1, 2, 1, 3, 4, 5, 7, 6] 输出: 1 or 6 解释: 返回峰顶元素的下标 样例 2: 输入: [1,2,3,4,1] 输出: 3挑战
Time complexity O(logN)注意事项
- 数组保证至少存在一个峰
- 如果数组存在多个峰,返回其中任意一个就行
- 数组至少包含 3 个数
public class Solution {
/**
* @param A: An integers array.
* @return: return any of peek positions.
*/
public int findPeak(int[] A) {
int left=0,right=A.length-1;
int center=0;
while (left<right){
center=(left+right)/2;
// System.out.println(center);
if (A[center]>A[center-1] && A[center]>A[center+1]){
return center;
}else if (A[center]>A[center-1]){
left=center+1;
}else {
right=center;
}
}
// System.out.println(center);
return 0;
}
}