Maximum Number in Mountain Sequence
Given a mountain sequence ofn
integers which increase firstly and then decrease, find the mountain top.
Example
Givennums
=[1, 2, 4, 8, 6, 3]
return8
Givennums
=[10, 9, 8, 7]
, return10
Note

Find first that nums[mid] > nums[mid + 1]
Code
public class Solution {
/**
* @param nums: a mountain sequence which increase firstly and then decrease
* @return: then mountain top
*/
public int mountainSequence(int[] nums) {
// write your code here
if (nums == null || nums.length == 0) {
return 0;
}
int start = 0, end = nums.length - 1;
while (start + 1 < end) {
int mid = start + (end - start) / 2;
if (nums[mid] > nums[mid + 1]) {
end = mid;
} else {
start = mid;
}
}
return Math.max(nums[start], nums[end]);
}
}
Last updated