1

我试图通过将短语中的每个单词与字典的键匹配来使用字典翻译短语。

http://paste.org/62195

我可以通过交互式外壳很好地翻译它,但是当涉及到实际代码时:

def translate(dict):
    'dict ==> string, provides a translation of a typed phrase'
    string = 'Hello'
    phrase = input('Enter a phrase: ')
    if string in phrase:
         if string in dict:
            answer = phrase.replace(string, dict[string])
            return answer

我不确定要设置什么字符串来检查除“你好”之外的任何内容。

4

1 回答 1

6

正如人们提到的那样,替换不是一个好主意,因为它匹配部分单词。

这是使用列表的解决方法。

def translate(translation_map):
    #use raw input and split the sentence into a list of words
    input_list = raw_input('Enter a phrase: ').split()
    output_list = []

    #iterate the input words and append translation
    #(or word if no translation) to the output
    for word in input_list:
        translation = translation_map.get(word)
        output_list.append(translation if translation else word)

    #convert output list back to string
    return ' '.join(output_list)

正如@TShepang 所建议的那样,避免使用诸如字符串和字典之类的内置名称作为变量名是一种很好的做法。

于 2013-03-05T20:32:29.560 回答