习题48是要写出让测试代码正常运行的脚本。
功能上的要去:检查输入的字符串是否在创建的语汇表中。如果输入中含有数字字符串,要在处理结果中标记为‘number',如果不是数字也不再创建的语汇表中,则在结果中标记为'error'。
习题测试代码如下
from nose.tools import *
from ex48 import lexicon
def test_direction():
assert_equal(lexicon.scan("north"), [('direction', 'north')])
result = lexicon.scan("north south east")
assert_equal(result, [('direction', 'north'),
('direction', 'south'),
('direction', 'east')])
def test_verbs():
assert_equal(lexicon.scan("go"), [('verb', 'go')])
result = lexicon.scan("go kill eat")
assert_equal(result, [('verb', 'go'),
('verb', 'kill'),
('verb', 'eat')])
def test_stops():
assert_equal(lexicon.scan("the"), [('stop', 'the')])
result = lexicon.scan("the in of")
assert_equal(result, [('stop', 'the'),
('stop', 'in'),
('stop', 'of')])
def test_noun():
assert_equal(lexicon.scan("bear"), [('noun', 'bear')])
result = lexicon.scan("bear princess")
assert_equal(result, [('noun', 'bear'),
('noun', 'princess')])
def test_numbers():
assert_equal(lexicon.scan("1234"), [('number', 1234)])
result = lexicon.scan("3 91234")
assert_equal(result, [('number', 3),
('number', 91234)])
def test_errors():
assert_equal(lexicon.scan("ASDFAFASDF"),[('error', 'ASDFAFASDF')])
result = lexicon.scan("bear IAS princess")
assert_equal(result, [('noun', 'bear'),
('error', 'IAS'),
('noun', 'princess')])
要测试的代码如下:
lexicon = {
'north': ('direction', 'north'),
'south': ('direction', 'south'),
'east': ('direction', 'east'),
'west': ('direction', 'west'),
'go': ('verb', 'go'),
'kill': ('verb', 'kill'),
'eat': ('verb', 'eat'),
'the': ('stop', 'the'),
'in': ('stop', 'in'),
'of': ('stop', 'of'),
'bear': ('noun', 'bear'),
'princess': ('noun', 'princess'),
}
def isnum(Num):
try:
return int(Num)
except:
return None
def scan(sentence):
words = sentence.split()
result = []
for word in words:
if isnum(word):
result.append(('number', int(word)))
elif word in lexicon.keys():
result.append(lexicon[word])
else:
result.append(('error', word))
return result