文章

每日LeetCode 219

2021.9.5 ・ 共 193 字,您可能需要 1 分钟阅读

Tags: LeetCode

峰值元素是指其值大于左右相邻值的元素。

给你一个输入数组 nums,找到峰值元素并返回其索引。数组可能包含多个峰值,在这种情况下,返回 任何一个峰值 所在位置即可。

你可以假设 nums[-1] = nums[n] = -∞

示例 1:

输入:nums = [1,2,3,1]
输出:2
解释:3 是峰值元素,你的函数应该返回其索引 2。
class Solution {
    public int findPeakElement(int[] nums) {
        return binarySearch(nums, 0, nums.length - 1);
    }

    public int binarySearch(int[] nums, int left, int right) {
        if (left == right) {
            return left;
        }

        int mid = left + (right - left) / 2;
        if (nums[mid] > nums[mid + 1]) {
            return binarySearch(nums, left, mid);
        }
        return binarySearch(nums, mid + 1, right);
    }
}