2

这是我尝试学习单元测试的代码。为测试目的创建一个学生类。测试无效的测试用例不断失败。

FAIL: test_invalid (__main__.TestStudent)
----------------------------------------------------------------------
Traceback (most recent call last):
  File "mystudent.py", line 46, in test_invalid
    s1.get_grade()
AssertionError: ValueError not raised

以上来自运行结果。

谁能帮我弄清楚为什么我会失败,而我认为我在那里放了正确的“引发错误”代码....

import unittest

class Student(object):
def __init__(self, name, score):
    self.name = name
    self.score = score


def get_grade(self):
    try:
        if self.score >= 60 and self.score < 80:
            return 'B'
        if self.score >= 80 and self.score <= 100:
            return 'A'
        if self.score >= 0 and self.score <60:
            return 'C'
        if self.score < 0 or self.score > 100:
            raise ValueError('Invalid score value')
    except Exception as e:
        print('Value error!')


class TestStudent(unittest.TestCase):


def test_invalid(self):
    s1 = Student('Bob', -1)
    s2 = Student('Bat', 101)
    with self.assertRaises(ValueError):
        s1.get_grade()
    with self.assertRaises(ValueError):
        s2.get_grade()


if __name__ == '__main__':
    unittest.main()

谢谢

4

1 回答 1

2

你正在捕捉ValueError函数的内部。您需要删除函数中的try/except块,或者raise在内部执行任何操作后重新设置它:

def get_grade(self):
    try:
        if self.score >= 60 and self.score < 80:
            return 'B'
        if self.score >= 80 and self.score <= 100:
            return 'A'
        if self.score >= 0 and self.score <60:
            return 'C'
        if self.score < 0 or self.score > 100:
            raise ValueError('Invalid score value')
    except Exception as e:
        print('Value error!') 
        raise  # Passes the exception up
于 2017-11-20T20:28:42.137 回答