How to convert an alphanumeric phone number to digits

前端 未结 7 921
臣服心动
臣服心动 2021-01-05 12:50

UPDATE:

The final version of my utility looks like this:

StringBuilder b = new StringBuilder();

for(char c : inLetters.toLowerCase(         


        
相关标签:
7条回答
  • 2021-01-05 13:13

    Use a Map, where the keys are the letters and digits, and the value is the number on the keypad. (So each keypad number will be indexed by three or four letters and one digit).

    Map<Character, Character> keypad = new HashMap<Character, Character>();
    ...
    StringBuilder buf = new StringBuilder(inLetters.length());
    for (int idx = 0; idx < inLetters.length(); ++idx) {
      Character ch = keypad.get(inLetters.charAt(idx));
      if (ch != null)
        buf.append(ch);
    }
    

    Update: I was curious whether a hand-coded lookup table would perform better than a dense set switch cases. In my casual testing, I found the following code to be the fastest I could come up with:

      private static final char[] lut = 
        "0123456789:;<=>?@22233344455566677778889999[\\]^_`22233344455566677778889999".toCharArray();
    
      private static final char min = lut[0];
    
      String fastest(String letters)
      {
        int n = letters.length();
        char[] buf = new char[n];
        while (n-- > 0) {
          int ch = letters.charAt(n) - min;
          buf[n] = ((ch < 0) || (ch >= lut.length)) ? letters.charAt(n) : lut[ch];
        }
        return new String(buf);
      }
    

    Surprisingly, it was more than twice as fast as similar code using a switch statement (which compiled to a tableswitch instruction). This was just for fun, mind you, but on my laptop, running in a single thread, I could convert 10 million 10-letter-"numbers" in about 1.3 seconds. I was really surprised, because as I understand it, a tableswitch operates in essentially the same way, but I expected it to be faster since it is a JVM instruction.

    Of course, unless I were getting paid only for each of a limitless supply of phone numbers I could convert, I would never write code like this. A switch is much more readable, performs well as-is, and is likely to get a free performance boost in some future JVM.

    Far and away, the greatest improvement to the original code comes from using a StringBuilder instead of concatenating strings, and that does nothing to impair readability of the code. Using charAt instead of converting the input to a char[] also makes the code simpler and easier to understand and improves performance too. Finally, appending char literals instead of String literals ('1' rather than "1") is a performance improvement that aids readability a little too.

    0 讨论(0)
  • 2021-01-05 13:17

    The switch statement is not really that bad. Your algorithm is linear with respect to the length of the phone number. The code is readable and pretty easy to verify by inspection. I wouldn't mess with it, except to add a default case for handling errors. (I'm not a Java programmer, so forgive me if it's called something else.)

    If you have to make it faster, a pre-initialized table indexed by character would avoid any comparisons beyond basic error checking. You could even avoid the case conversion by duplicating the values in the table (digit['A'] = digit['a'] = "2";). The cost of initializing the table would be amortized over the total number of conversions.

    0 讨论(0)
  • 2021-01-05 13:23

    You could do this using the Apache Commons Lang StringUtils, as follows:

    String output = StringUtils.replaceChars(StringUtils.lowerCase(input),
                        "abcdefghijklmnopqrstuvwxyz",
                        "22233344455566677778889999");
    

    Assuming speed is not your main concern, of course, and you want a compact solution ;)

    0 讨论(0)
  • 2021-01-05 13:27

    If you want a solution that doesn't force you to enumerate all of the letters, you could do something like:

    char convertedChar = c;
    if (Character.isLetter(c)) {
        //lowercase alphabet ASCII codes: 97 (a)-122 (z)
        int charIndex = ((int)c) - 97;
        //make adjustments to account for 's' and 'z'
        if (charIndex >= 115) { //'s'
            charIndex--;
        }
        if (charIndex == 121) { //'z'-1
            charIndex--;
        }
        convertedChar = (char)(2 + (charIndex/3));
    }
    result += convertedChar;
    
    0 讨论(0)
  • 2021-01-05 13:28

    How about simply:

       String convert(String inLetters) {
          String digits = "22233344455566677778889999";
          String alphas = "abcdefghijklmnopqrstuvwxyz";
          String result = "";
          for (char c : inLetters.toLowerCase().toCharArray()) {
              int pos = alphas.indexOf(c);
              result += (pos == -1 ? c : digits.charAt(pos));
          }
          return result;
       }
    
    0 讨论(0)
  • 2021-01-05 13:31

    Switch statements get compiled to a similar form as if-else statements, (each case statement is essentially an if (c == '...') test in disguise) so although this is visually more compact than cascading if's that test for each character, there may or may not be any real performance benefit.

    You can potentially streamline it by eliminating some of the comparisons. The key is that char is an integer type (which is why you can switch on a char) so you can use numeric comparison operators. and 'aAssuming your inLetters string only contains alphanumeric characters, this should work... (All other characters will pass through unchanged.)

    String result = "";
    for (char c : letters.toLowerCase().toCharArray()) {
        if      (c <= '9') result += c;
        else if (c <= 'c') result += "2";
        else if (c <= 'f') result += "3";
        else if (c <= 'i') result += "4";
        else if (c <= 'l') result += "5";
        else if (c <= 'o') result += "6";
        else if (c <= 's') result += "7";
        else if (c <= 'v') result += "8";
        else if (c <= 'z') result += "9";
        else               result += c;
    }
    

    The characters of interest have the hexadecimal values: '0' = 0x30, '9' = 0x39, 'a' = 0x61, and 'z' = 0x7a.

    Edit: It's better practice to use a StringBuilder and append() to create the string, but for small strings it's not likely to be appreciably faster. (Amdahl's Law demonstrates that the actual speedup you can expect from optimizing code is limited by the percentage of time actually spent in that code.) I only used concatenated strings to make the algorithm clear to the OP.

    0 讨论(0)
提交回复
热议问题