17.给定一个仅包含数字 2-9 的字符串,返回所有它能表示的字母组合。答案可以按 任意顺序 返回。
给出数字到字母的映射如下(与电话按键相同)。注意 1 不对应任何字母。
示例 1:
输入:digits = “23”
输出:[“ad”,“ae”,“af”,“bd”,“be”,“bf”,“cd”,“ce”,“cf”]
示例 2:
输入:digits = “”
输出:[]
示例 3:
输入:digits = “2”
输出:[“a”,“b”,“c”]
[] -> [a,b,c] -> [b,c,ad,ae,af] -> [c,ad,ae,af,bd,be,bf] -> [ad,ae,af,bd,be,bf,cd,ce,cf]
public List<String> letterCombinations(String digits) {
LinkedList<String> res = new LinkedList<>();
//空判断
if (digits == null || digits.isEmpty())
return res;
// 按键对应表
char[][] tab = {{'a', 'b', 'c'}, {'d', 'e', 'f'}, {'g', 'h', 'i'},
{'j', 'k', 'l'}, {'m', 'n', 'o'}, {'p', 'q', 'r', 's'},
{'t', 'u', 'v'}, {'w', 'x', 'y', 'z'}};
// 空字符根节点入队
res.add("");
while(res.peek().length() != digits.length()){
String remove = res.poll();//出队
// 根据当前拼接字符(或者说当前节点的值)可以判断出我们需要拼接第几个字符
// 比如最开始为空字符,说明我们要为其拼接第一个字符
// 它对应的字符为 digits.charAt(remove.length())
// 由于字符是从 2-9,但是我们的对应表数组下标从 0 开始
// 即比如字符 2 对应的是 tab[0]
// 所以这个字符对应的可能选项为:
// tab[digits.charAt(remove.length()) - '2']
char[] chars = tab[digits.charAt(remove.length()) - '2'];
// 拼接每种可能再入队
for(int i=0;i<chars.length;i++){
res.add(remove+chars[i]);
}
}
return res;
}
ae->a->af
,然后复位成空字符串,继续得到 b->bd->b->be...
,否则你可能得到 ad 以后,别的递归部分使用到的 str 就是从 ad 开始拼接得到比如 ade、adef,但是由于递归时每个字符串都是新的对象,不会污染每个可能性分支,也就不用撤销操作了 LinkedList<String> res = new LinkedList<>();
char[][] tab = {{'a', 'b', 'c'}, {'d', 'e', 'f'}, {'g', 'h', 'i'},
{'j', 'k', 'l'}, {'m', 'n', 'o'}, {'p', 'q', 'r', 's'},
{'t', 'u', 'v'}, {'w', 'x', 'y', 'z'}};
String digits;
public List<String> letterCombinations(String digits) {
// 防空
if (digits == null || digits.isEmpty())return res;
this.digits = digits;
dfs("");
return res;
}
public void dfs(String str){
if(str.length() == digits.length()){
res.add(str);
return;
}
char[] chars = tab[digits.charAt(str.length()) - '2'];
for(int i=0;i<chars.length;i++){
dfs(str+chars[i]);
}
}