欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页

Find Smallest Letter Greater Than Target

程序员文章站 2024-03-07 13:43:33
...

Find Smallest Letter Greater Than Target

Description

Given a list of sorted characters letters containing only lowercase letters, and given a target letter target, find the smallest element in the list that is larger than the given target.

Letters also wrap around. For example, if the target is target = 'z' and letters = ['a', 'b'], the answer is 'a'.

note
1. letters has a length in range [2, 10000].
2. letters consists of lowercase letters, and contains at least 2 unique letters.
3. target is a lowercase letter.

Example 1:

Input:
letters = ["c", "f", "j"]
target = "a"
Output: "c"

Input:
letters = ["c", "f", "j"]
target = "c"
Output: "f"

Input:
letters = ["c", "f", "j"]
target = "d"
Output: "f"

Input:
letters = ["c", "f", "j"]
target = "g"
Output: "j"

Input:
letters = ["c", "f", "j"]
target = "j"
Output: "c"

Input:
letters = ["c", "f", "j"]
target = "k"
Output: "c"

Tags: Array HashTable

解读题意

给了一个有序的字母数组和一个target字母,求字母数组中第一个大于target的字母,数组是循环的,如果没有,那就返回第一个字母。

思路1

  1. 优先判断如果target大于letters数组的最后一个元素,则直接返回头元素
  2. 循环letters数组中大于target的字母
class Solution { 

     public char nextGreatestLetter(char[] letters, char target) {

        if (letters == null || letters.length == 0)
            throw new IllegalArgumentException();

        // target 大于 letters最后一个元素,直接返回头元素
        int length = letters.length - 1;
        if (target >= letters[length])
            return letters[0];

        for (char ch : letters) {
            if(ch > target)
                return ch;
        }

        return letters[0];
    }

}

分析:

  • Time complexity:O(n)

思路2

利用二分法来做
1. 优先判断如果target大于letters数组的最后一个元素,则直接返回头元素
2. 利用二分法找到令letters[mid] > target的数下标

class Solution { 
    public char nextGreatestLetter(char[] letters, char target) {

        if (letters == null || letters.length == 0)
            throw new IllegalArgumentException();

        // target 大于 letters最后一个元素,直接返回头元素
        int length = letters.length - 1;
        if (target >= letters[length])
            return letters[0];

        int left = 0, right = length;
        while (left < right) {
            int mid = left + (right - left) / 2;

            if (letters[mid] <= target)
                left = mid + 1;
            else right = mid;
        }

        return letters[right];
    }
}

分析:

  • Time complexity:O(logn)

leetCode汇总:https://blog.csdn.net/qingtian_1993/article/details/80588941

项目源码,欢迎star:https://github.com/mcrwayfun/java-leet-code