题目描述

给定一个仅包含数字 2-9 的字符串,返回所有它能表示的字母组合。

给出数字到字母的映射如下(与电话按键相同)。注意 1 不对应任何字母。
017 电话号码的字母组合 - 图1

示例:

  1. 输入:"23"
  2. 输出:["ad", "ae", "af", "bd", "be", "bf", "cd", "ce", "cf"].

说明:
尽管上面的答案是按字典序排列的,但是你可以任意选择答案输出的顺序。

题解

扩展方法 + SelectMany

核心就一句:先 SelectMany 将已有的组合都提取出来,str.Select 提取出新的字符串包含的字符,最后将已有组合(可能是字符,也可能是字符串)分别与新字符进行组合。

  1. res = res.SelectMany(o => str.Select(s => o + s));

完整程序:

  1. public class Solution
  2. {
  3. public IList<string> LetterCombinations(string digits)
  4. {
  5. if (string.IsNullOrEmpty(digits)) return new List<string>();
  6. var phones = new[] { "0", "1", "abc", "def", "ghi", "jkl", "mno", "pqrs", "tuv", "wxyz" };
  7. var strs = digits.Select(digit => phones[digit - '0']).ToList();
  8. return strs.AllCombinations().ToList();
  9. }
  10. }
  11. public static class ExtensionClass
  12. {
  13. public static IEnumerable<string> AllCombinations(this IEnumerable<string> strs)
  14. {
  15. IEnumerable<string> res = new List<string> { null };
  16. foreach (var str in strs)
  17. {
  18. res = res.SelectMany(o => str.Select(s => o + s));
  19. }
  20. return res.ToList();
  21. }
  22. }

多重循环

  1. public IList<string> LetterCombinations(string digits)
  2. {
  3. var res = new List<string>();
  4. if (string.IsNullOrEmpty(digits)) return res;
  5. var phones = new[] { "0", "1", "abc", "def", "ghi", "jkl", "mno", "pqrs", "tuv", "wxyz" };
  6. res.Add("");
  7. foreach (var d in digits)
  8. {
  9. var newRes = new List<string>();
  10. var alphabates = phones[d - '0'];
  11. foreach (var r in res)
  12. {
  13. foreach (var c in alphabates)
  14. {
  15. newRes.Add(r + c);
  16. }
  17. }
  18. res = newRes;
  19. }
  20. return res;
  21. }