Implementing Soundex Encoding Algorithm

867 Views Asked by At

Soundex is a phonetic algorithm that encodes a word into a letter followed by three numbers that roughly describe how the word sounds. Similar sounding words have the same four-character codes. For instance, the words Carrot and Caret are both coded as C123. A slight variation of the Soundex coding algorithm is as follows:

  • Retain the first letter.
  • For the remaining letters, delete all occurrences of a, e, i, o, u, h, y, and w.
  • Assign numbers to the other letters that remain so that
    • b, f, p, and v → 1
    • c, g, j, k, 9, s, x, and z → 2
    • d and t both → 3
    • l ('el') → 4
    • m and n → 5
    • r → 6
  • If two or more letters that have been replaced by the same number were next to each other in the original full word, keep only the first of them.
  • Keep only the first four characters of what you have left. If you have fewer than four, then add zeros on the end to make the string have length four. Write a program that carries out the algorithm.

Sample output:

Enter a word to code: Robert
The coded word is R163.

Code:

def soundexCode(string):
    result = string[0] +""
    for i in range(1, len(string)):
        if(string[i] == 'b' or string[i] == 'f' or string[i] == 'p' or
           string[i] == 'v'):
            if(result[-1]!= '1'):
                result = result + '1';

        elif (string[i] == 'c' or string[i] == 'g' or string[i] == 'j' or
              string[i] == 'k' or string[i] == 'q' or string[i] == 's' or
              string[i] == 'x' or string[i] == 'z'):
            if (result[-1] != '2'):
                result = result +'2';

        elif string[i] == 'd' or string[i] == 't':
            if (result[-1] != '3'):
                result = result + '3';

        elif string[i] == 'l' :
            if (result[-1] != '4'):
                result = result + '4';

        elif string[i] == 'm' or string[i]== 'n' :
            if(result[-1] != '5'):
                result = result + '5';

        elif string[i] == r :
            if result[-1] != '6':
                result = result + '6';

    return result

    word = input ('Enter a word to code : ')
    print("\nThe coded word is " + soundexCode(word))
1

There are 1 best solutions below

5
On

Missing quotes around the string 'r' in line 24:

    elif string[i] == 'r' :