g0101_0200.s0162_find_peak_element.Solution Maven / Gradle / Ivy
Go to download
Show more of this group Show more artifacts with this name
Show all versions of leetcode-in-java Show documentation
Show all versions of leetcode-in-java Show documentation
Java-based LeetCode algorithm problem solutions, regularly updated
package g0101_0200.s0162_find_peak_element;
// #Medium #Top_Interview_Questions #Array #Binary_Search
public class Solution {
public int findPeakElement(int[] nums) {
int start = 0;
int end = nums.length - 1;
while (start < end) {
// This is done because start and end might be big numbers, so it might exceed the
// integer limit.
int mid = start + ((end - start) / 2);
if (nums[mid + 1] > nums[mid]) {
start = mid + 1;
} else {
end = mid;
}
}
return start;
}
}