题目
给定一个仅包含数字 2-9
的字符串,返回所有它能表示的字母组合。答案可以按
任意顺序 返回。
给出数字到字母的映射如下(与电话按键相同)。注意 1
不对应任何字母。
示例 1:
1 2
| 输入:digits = "23" 输出:["ad","ae","af","bd","be","bf","cd","ce","cf"]
|
示例 2:
示例 3:
1 2
| 输入:digits = "2" 输出:["a","b","c"]
|
提示:
0 <= digits.length <= 4
digits[i]
是范围 ['2', '9']
的一个数字。
题解
这一题要用到回溯的方法来解决:
根据题目要求自然需要一个数字到字母的映射,这里用String[]
即可,下标表示对应的数字;
如果digits
长度为0
,返回空列表;
为了便于处理把digits
变为char[]
,然后进行DFS
;
DFS
的功能为:对于当前数字对应的各个字母,将临时的结果保存到path
中,然后继续进行遍历,直到遍历到的i
为digits
的长度将path
添加到ans
里。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32
| class Solution { private static final String[] MAPPING = new String[] {"", "", "abc", "def", "ghi", "jkl", "mno", "pqrs", "tuv", "wxyz"};
private final List<String> ans = new ArrayList<>(); private char[] digits, path;
public List<String> letterCombinations(String digits) { int n = digits.length(); if (n == 0) return new ArrayList<String>(); this.digits = digits.toCharArray(); path = new char[n]; dfs(0); return ans; }
private void dfs(int i) { if (i == digits.length) { ans.add(new String(path)); return; } for (char c : MAPPING[digits[i] - '0'].toCharArray()) { path[i] = c; dfs(i + 1); } } }
|