其他分享
首页 > 其他分享> > LeetCode 17. Letter Combinations of a Phone Number

LeetCode 17. Letter Combinations of a Phone Number

作者:互联网

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

题目

链接

https://leetcode.cn/problems/letter-combinations-of-a-phone-number/

问题描述

给定一个仅包含数字 2-9 的字符串,返回所有它能表示的字母组合。答案可以按 任意顺序 返回。

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

示例

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

提示

0 <= digits.length <= 4
digits[i] 是范围 ['2', '9'] 的一个数字。

思路

同样是回溯类型,最开始考虑到0位的情况,之后从给的号码中一位一位取,直到取完就输出一个结果。

复杂度分析

时间复杂度 O(n2)
空间复杂度 O(n)

代码

Java

    List<String> ans = new ArrayList<>();

    public List<String> letterCombinations(String digits) {
        if (digits.length() == 0) {
            return ans;
        }
        String[] word = {"", "", "abc", "def", "ghi", "jkl", "mno", "pqrs", "tuv", "wxyz"};
        trace(digits, word, 0);
        return ans;
    }

    StringBuffer s = new StringBuffer();

    public void trace(String digits, String[] word, int d) {
        if (d == digits.length()) {
            ans.add(s.toString());
            return;
        }
        String use = word[digits.charAt(d) - '0'];
        for (int i = 0; i < use.length(); i++) {
            s.append(use.charAt(i));
            trace(digits, word, d + 1);
            s.deleteCharAt(s.length() - 1);
        }
    }

标签:digits,word,String,17,Number,Phone,length,ans,return
来源: https://www.cnblogs.com/blogxjc/p/16372550.html