当前位置: 代码迷 >> 综合 >> Leetcode17:Letter Combinations of a Phone Number
  详细解决方案

Leetcode17:Letter Combinations of a Phone Number

热度:61   发布时间:2023-12-16 06:28:23.0

题目描述

Given a string containing digits from 2-9 inclusive, return all possible letter combinations that the number could represent.

A mapping of digit to letters (just like on the telephone buttons) is given below. Note that 1 does not map to any letters.

Example:

Input: "23"
Output: ["ad", "ae", "af", "bd", "be", "bf", "cd", "ce", "cf"].

Note:

Although the above answer is in lexicographical order, your answer could be in any order you want.

分析

博主大概想了两种方法,使用队列或者递归,这里只介绍递归的做法,使用队列的做法留给读者思考。这道题比之前清华大学的某一道考研机试题目简单,这道题好歹给出了手机的按键图,不然有人记不得按键图就直接gg了。

递归的做法很简单,一位一位的遍历。在这之前,可以用一个全局变量记录手机的按键分布,使用string数组即可,也可以使用map。用另一个全局变量记录结果,在每次输入时清空结果。首先从第一位数字开始遍历每一个字母,然后递归地遍历后续的数字,也就是循环和递归的结合。不过要注意,每遍历一个字母完成后,要将该字母从结果中删除,不然会影响到后续同级字母的遍历。最后,还需要注意输入为空的情况,这时输出也为空。

AC代码如下:

string s[8] = {
    "abc", "def", "ghi", "jkl", "mno", "pqrs", "tuv", "wxyz"};
vector<string> re;//结果class Solution {
    
public:int findsolution(string digits, int index, string result){
    int num = digits[index] - '0';//string转化为intstring str = s[num-2];//注意数字与字母的对应int i = str.length();for(int j = 0; j < i; ++j){
    result += str[j];if(index+1 >= digits.length())//注意一个是字符串长度,一个是字符串下标{
    re.push_back(result);//递归终止条件}else{
    findsolution(digits, index+1, result);//递归下一个数字}result.pop_back();//将当前字母弹出,遍历下一个同级字母}return 0;}vector<string> letterCombinations(string digits) {
    string result = "";re.clear();//清空结果if(digits.size() != 0)//判断输入是否为空,注意这里最好使用size函数来判断{
    findsolution(digits, 0, result);//从第一个数字开始}return re;}
};
  相关解决方案