我有一个名为dictionary.txt的文件,它包含一个英语单词,一个空格,然后在每行中包含该单词的格鲁吉亚语翻译。
我的任务是每当在字典中找到一个没有对应词的英语单词时(例如,如果这个英语单词没有翻译),就会引发一个错误。
如果我触发ValueError
或类似的东西,它会停止代码。您能给我提供一个例子吗(如果没有其他选项,请使用try)。
def extract_word(file_name):
final = open('out_file.txt' ,'w')
uWords = open('untranslated_words.txt', 'w+')
f = open(file_name, 'r')
word = ''
m = []
for line in f:
for i in line:
if not('a'<=i<='z' or 'A' <= i <= 'Z' or i=="'"):
final.write(get_translation(word))
if word == get_translation(word) and word != '' and not(word in m):
m.append(word)
uWords.write(word + 'n')
final.write(get_translation(i))
word=''
else:
word+=i
final.close(), uWords.close()
def get_translation(word):
dictionary = open('dictionary.txt' , 'r')
dictionary.seek(0,0)
for line in dictionary:
for i in range(len(line)):
if line[i] == ' ' and line[:i] == word.lower():
return line[i+1:-1]
dictionary.close()
return word
extract_word('from.txt')
问题不是很清楚,但我认为您可能需要这样的代码:
mydict = {}
with open('dictionary.txt') as f:
for i, line in enumerate(f.readlines()):
try:
k, v = line.split()
except ValueError:
print "Warning: Georgian translation not found in line", i
else:
mydict[k] = v
如果line.split()
没有找到两个值,则不进行拆包,并引发ValueError
。我们捕获异常并打印一个简单的警告。如果没有发现异常(else
子句),则将该条目添加到python字典中。
引发错误主要是为了允许程序做出反应或终止。在你的情况下,你可能应该只使用日志API输出一个警告到控制台。
import logging
logging.warning('Failed to find Georgian translation.') # will print a warning to the console.
将导致以下输出:
WARNING:root:Failed to find Georgian translation.
你应该看看这个
f = open('dictionary.txt')
s = f.readline()
try:
g = translate(s)
except TranslationError as e:
print "Could not translate" + s
假设translate(word)
抛出一个TranslationError。