LeetCode 17. 电话号码的字母组合(Letter Combinations of a Phone Number)
Posted FlyingWarrior
tags:
篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了LeetCode 17. 电话号码的字母组合(Letter Combinations of a Phone Number)相关的知识,希望对你有一定的参考价值。
题目描述
给定一个仅包含数字 2-9
的字符串,返回所有它能表示的字母组合。
给出数字到字母的映射如下(与电话按键相同)。注意 1 不对应任何字母。
示例:
输入:"23"
输出:["ad", "ae", "af", "bd", "be", "bf", "cd", "ce", "cf"].
说明:
尽管上面的答案是按字典序排列的,但是你可以任意选择答案输出的顺序。
解题思路
典型的利用回溯法解题。首先构造一个map,令每个数字对应各个英文字母,然后对于给出的字符串进行递归映射:
- 对于每个数字字符,分别添加其对应的字符到结果字符串中,并向后递归
- 若遍历到了字符串结尾,则说明各数字映射完毕,将当前字符串加入到结果集合中
代码
1 class Solution { 2 public: 3 vector<string> letterCombinations(string digits) { 4 vector<string> res; 5 if(digits.empty()) 6 return res; 7 map<char, string> numToStr; 8 numToStr[‘2‘]="abc"; 9 numToStr[‘3‘]="def"; 10 numToStr[‘4‘]="ghi"; 11 numToStr[‘5‘]="jkl"; 12 numToStr[‘6‘]="mno"; 13 numToStr[‘7‘]="pqrs"; 14 numToStr[‘8‘]="tuv"; 15 numToStr[‘9‘]="wxyz"; 16 find(digits, 0, "", res, numToStr); 17 return res; 18 } 19 void find(string digits, int idx, string s, vector<string> &res, map<char, string> numToStr){ 20 if(idx == digits.size()) 21 res.push_back(s); 22 else 23 for(int i = 0; i < numToStr[digits[idx]].size(); i++) 24 find(digits, idx+1, s+numToStr[digits[idx]][i], res, numToStr); 25 } 26 };
以上是关于LeetCode 17. 电话号码的字母组合(Letter Combinations of a Phone Number)的主要内容,如果未能解决你的问题,请参考以下文章