How can I print out all possible letter combinations a given phone number can represent?

前端 未结 30 2077
逝去的感伤
逝去的感伤 2020-12-22 18:01

I just tried for my first programming interview and one of the questions was to write a program that given a 7 digit telephone number, could print all possible combinations

相关标签:
30条回答
  • 2020-12-22 18:51

    Use a list L where L[i] = the symbols that digit i can represent.

    L[1] = @,.,! (for example) L[2] = a,b,c

    Etc.

    Then you can do something like this (pseudo-C):

    void f(int k, int st[])
    {
      if ( k > numberOfDigits )
      {
        print contents of st[];
        return;
      }
    
      for each character c in L[Digit At Position k]
      {
        st[k] = c;
        f(k + 1, st);
      }
    }
    

    Assuming each list contains 3 characters, we have 3^7 possibilities for 7 digits and 3^12 for 12, which isn't that many. If you need all combinations, I don't see a much better way. You can avoid recursion and whatnot, but you're not going to get something a lot faster than this no matter what.

    0 讨论(0)
  • 2020-12-22 18:51

    Oracle SQL: Usable with any phone number length and can easily support localization.

    CREATE TABLE digit_character_map (digit number(1), character varchar2(1));
    
    SELECT replace(permutations,' ','') AS permutations
    FROM (SELECT sys_connect_by_path(map.CHARACTER,' ') AS permutations, LEVEL AS lvl
          FROM digit_character_map map 
          START WITH map.digit = substr('12345',1,1)
          CONNECT BY   digit = substr('12345',LEVEL,1))
    WHERE lvl = length('12345');
    
    0 讨论(0)
  • 2020-12-22 18:51

    I rewrote the latest answer to this (referred above) , from C to Java. I also included the support for 0 and 1 (as 0 and 1) because numbers such as 555-5055 weren't working at all with the above code.

    Here it is. Some comments are preserved.

    public static void printPhoneWords(int[] number) {
        char[] output = new char[number.length];
        printWordsUtil(number,0,output);
    }
    
    static String[] phoneKeys= new String[]{"0", "1", "ABC", "DEF", "GHI", "JKL",
                   "MNO", "PQRS", "TUV", "WXYZ"};
    private static void printWordsUtil(int[] number, int curDigIndex, char[] output) {
        // Base case, if current output word is done
        if (curDigIndex == output.length) {
            System.out.print(String.valueOf(output) + " "); 
            return;
        }
    
          // Try all 3-4 possible characters for the current digit in number[]
          // and recurse for the remaining digits
    
        char curPhoneKey[] = phoneKeys[number[curDigIndex]].toCharArray();
        for (int i = 0; i< curPhoneKey.length ; i++) {
            output[curDigIndex] = curPhoneKey[i];
            printWordsUtil(number, curDigIndex+1, output);
            if (number[curDigIndex] <= 1) // for 0 or 1
                return;
        }
    }
    
    public static void main(String[] args) {
        int number[] = {2, 3, 4};
        printPhoneWords(number);
        System.out.println();
    }
    
    0 讨论(0)
  • 2020-12-22 18:53

    This approach uses R and is based on first converting the dictionary to its corresponding digit representation, then using this as a look-up.

    The conversion only takes 1 second on my machine (converting from the native Unix dictionary of about 100,000 words), and typical look-ups of up to 100 different digit inputs take a total of .1 seconds:

    library(data.table)
    #example dictionary
    dict.orig = tolower(readLines("/usr/share/dict/american-english"))
    
    #split each word into its constituent letters
    #words shorter than the longest padded with "" for simpler retrieval
    dictDT = setDT(tstrsplit(dict.orig, split = "", fill = ""))
    
    #lookup table for conversion
    #NB: the following are found in the dictionary and would need
    #  to be handled separately -- ignoring here
    #  (accents should just be appended to
    #   matches for unaccented version):
    #      c("", "'", "á", "â", "å", "ä",
    #        "ç", "é", "è", "ê", "í", "ñ",
    #        "ó", "ô", "ö", "û", "ü")
    lookup = data.table(num = c(rep('2', 3), rep('3', 3), rep('4', 3),
                                rep('5', 3), rep('6', 3), rep('7', 4),
                                rep('8', 3), rep('9', 4)),
                        let = letters)
    
    #using the lookup table, convert to numeric
    for (col in names(dictDT)) {
      dictDT[lookup, (col) := i.num, on = setNames("let", col)]
    }
    
    #back to character vector
    dict.num = do.call(paste0, dictDT)
    
    #sort both for faster vector search
    idx = order(dict.num)
    dict.num = dict.num[idx]
    dict.orig = dict.orig[idx]
    
    possibilities = function(input) dict.orig[dict.num == input]
    
    #sample output:
    possibilities('269')
    # [1] "amy" "bmw" "cox" "coy" "any" "bow" "box" "boy" "cow" "cox" "coy"
    possibilities('22737')
    # [1] "acres" "bards" "barer" "bares" "barfs" "baser" "bases" "caper"
    # [9] "capes" "cards" "cares" "cases"
    
    0 讨论(0)
  • 2020-12-22 18:55

    In Python, iterative:

    digit_map = {
        '2': 'abc',
        '3': 'def',
        '4': 'ghi',
        '5': 'jkl',
        '6': 'mno',
        '7': 'pqrs',
        '8': 'tuv',
        '9': 'wxyz',
    }
    
    def word_numbers(input):
      input = str(input)
      ret = ['']
      for char in input:
        letters = digit_map.get(char, '')
        ret = [prefix+letter for prefix in ret for letter in letters]
      return ret
    

    ret is a list of results so far; initially it is populated with one item, the empty string. Then, for each character in the input string, it looks up the list of letters that match it from the dict defined at the top. It then replaces the list ret with the every combination of existing prefix and possible letter.

    0 讨论(0)
  • 2020-12-22 18:56

    This version in C# is reasonably efficient, and it works for non-western digits (like "۱۲۳۴۵۶۷" for example).

    static void Main(string[] args)
    {
        string phoneNumber = null;
        if (1 <= args.Length)
            phoneNumber = args[0];
        if (string.IsNullOrEmpty(phoneNumber))
        {
            Console.WriteLine("No phone number supplied.");
            return;
        }
        else
        {
            Console.WriteLine("Alphabetic phone numbers for \"{0}\":", phoneNumber);
            foreach (string phoneNumberText in GetPhoneNumberCombos(phoneNumber))
                Console.Write("{0}\t", phoneNumberText);
        }
    }
    
    public static IEnumerable<string> GetPhoneNumberCombos(string phoneNumber)
    {
        phoneNumber = RemoveNondigits(phoneNumber);
        if (string.IsNullOrEmpty(phoneNumber))
            return new List<string>();
    
        char[] combo = new char[phoneNumber.Length];
        return GetRemainingPhoneNumberCombos(phoneNumber, combo, 0);
    }
    
    private static string RemoveNondigits(string phoneNumber)
    {
        if (phoneNumber == null)
            return null;
        StringBuilder sb = new StringBuilder();
        foreach (char nextChar in phoneNumber)
            if (char.IsDigit(nextChar))
                sb.Append(nextChar);
        return sb.ToString();
    }
    
    private static IEnumerable<string> GetRemainingPhoneNumberCombos(string phoneNumber, char[] combo, int nextDigitIndex)
    {
        if (combo.Length - 1 == nextDigitIndex)
        {
            foreach (char nextLetter in phoneNumberAlphaMapping[(int)char.GetNumericValue(phoneNumber[nextDigitIndex])])
            {
                combo[nextDigitIndex] = nextLetter;
                yield return new string(combo);
            }
        }
        else
        {
            foreach (char nextLetter in phoneNumberAlphaMapping[(int)char.GetNumericValue(phoneNumber[nextDigitIndex])])
            {
                combo[nextDigitIndex] = nextLetter;
                foreach (string result in GetRemainingPhoneNumberCombos(phoneNumber, combo, nextDigitIndex + 1))
                    yield return result;
            }
        }
    
    }
    
    private static char[][] phoneNumberAlphaMapping = new char[][]
    {
        new char[] { '0' },
        new char[] { '1' },
        new char[] { 'a', 'b', 'c' },
        new char[] { 'd', 'e', 'f' },
        new char[] { 'g', 'h', 'i' },
        new char[] { 'j', 'k', 'l' },
        new char[] { 'm', 'n', 'o' },
        new char[] { 'p', 'q', 'r', 's' },
        new char[] { 't', 'u', 'v' },
        new char[] { 'w', 'x', 'y', 'z' }
    };
    
    0 讨论(0)
提交回复
热议问题