侧边栏壁纸
博主头像
Hope博主等级

努力赚钱的工科研究生

  • 累计撰写 362 篇文章
  • 累计创建 129 个标签
  • 累计收到 5 条评论
标签搜索

LeetCode 17. 电话号码的字母组合

Hope
2022-03-29 / 0 评论 / 0 点赞 / 205 阅读 / 640 字
温馨提示:
本文最后更新于 2022-03-29,若内容或图片失效,请留言反馈。部分素材来自网络,若不小心影响到您的利益,请联系我们删除。

LeetCode 17. 电话号码的字母组合

思路:

dfs最主要的在于找到搜索的顺序,这道题的搜索顺序是对dig字符串的每个位置进行搜索,因为每个位置的数字对应的字母有多个。

代码:

class Solution {
public:
    int n;
    vector<string> res;
    string path;
    vector<string> nums = {
        "","","abc",
        "def","ghi","jkl","mno",
        "pqrs","tuv","wxyz"
    };

    vector<string> letterCombinations(string digits) {
        n = digits.size();
        if(!n) return res;
        dfs(digits,0,"");
        return res;
    }

    void dfs(string digits,int u,string path){
        if(u == digits.size()){
            res.push_back(path);
            return;
        }
        int t = digits[u] - '0';
        for(int i = 0;i < nums[t].size(); i++){
            char c = nums[t][i];
            dfs(digits,u + 1,path + c);
        }
    }
};
0

评论区