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

LeetCode 17. 电话号码的字母组合 Letter Combinations of a Phone Number

程序员文章站 2022-06-02 22:16:10
...

给定一个仅包含数字 2-9 的字符串,返回所有它能表示的字母组合。

给出数字到字母的映射如下(与电话按键相同)。注意 1 不对应任何字母。

LeetCode 17. 电话号码的字母组合 Letter Combinations of a Phone Number

示例:

输入:"23"
输出:["ad", "ae", "af", "bd", "be", "bf", "cd", "ce", "cf"].

说明:
尽管上面的答案是按字典序排列的,但是你可以任意选择答案输出的顺序。

public class Solution {
    public List<String> letterCombinations(String digits) {
        List<String> result = new ArrayList<String>();  
        if(digits.isEmpty()) {  
            return result;  
        }  
          
        String[] map = new String[10];  
        map[0] = "";  
        map[1] = "";  
        map[2] = "abc";  
        map[3] = "def";  
        map[4] = "ghi";  
        map[5] = "jkl";  
        map[6] = "mno";  
        map[7] = "pqrs";  
        map[8] = "tuv";  
        map[9] = "wxyz";  
          
        int[] number = new int[digits.length()];    
          
        int k = digits.length()-1;  
        while(k>=0) {  
            k = digits.length()-1;  
            char[] charTemp = new char[digits.length()];  
            for(int i=0; i<digits.length(); i++) {  
                charTemp[i] = map[digits.charAt(i)-'0'].charAt(number[i]);  
            }  
            result.add(new String(charTemp));  
            while(k>=0) {  
                if( number[k] < (map[digits.charAt(k)-'0'].length()-1) ) {  
                    number[k]++;  
                    break;  
                } else {  
                    number[k] = 0;  
                    k--;  
                }  
            }  
        }  
        return result;  
    }
}

LeetCode 17. 电话号码的字母组合 Letter Combinations of a Phone Number