如何在python中创建/实现/测试新的异常?

时间:2013-02-05 04:28:38

标签: python unit-testing assertraises

我显然对如何在python中引发异常有一些基本的误解。我包括了我正在尝试(和失败)的最简单的例子。我正在尝试创建一个新的异常,并正确测试它是否正常工作。

import random
import unittest

# Create new class of exception
class LearningError(Exception):
    pass

# Create function
def addition_no_four(first, second):
    """Add two numbers (as long as it isn't 4)."""
    if (first == 4) or (second == 4):
        raise LearningError("We don't take 4s!")
    return first + second

# Properly working example code that tests raising errors
class TestSequenceFunctions(unittest.TestCase):
    def setUp(self):
        self.seq = range(10)
    def test_shuffle(self):
        random.shuffle(self.seq)
        self.seq.sort()
        self.assertEqual(self.seq, range(10))
        self.assertRaises(TypeError, random.shuffle, (1,2,3))

# My code which tests 
class TestAddition(unittest.TestCase):
    def test_addition(self):
        """Test whether it works for 2 numbers (not 4)."""
        first = 2
        second = 5
        self.assertEqual(addition_no_four(first, second), 7)
    def test_raise(self):
        """Learn how to create an exception and test its implementation."""
        self.assertRaises(LearningError, addition_no_four(2, 4))

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

失败时显示以下消息:

Traceback (most recent call last):
  File "test.py", line 34, in test_raise
    self.assertRaises(LearningError, addition_no_four(2, 4))
  File "test.py", line 12, in addition_no_four
    raise LearningError("We don't take 4s!")
LearningError: We don't take 4s!

----------------------------------------------------------------------
Ran 3 tests in 0.000s

FAILED (errors=1)

这种情况不会发生(即,示例代码正确地测试了先前的异常。我需要更改什么才能使这种事情发生?

1 个答案:

答案 0 :(得分:3)

只有一点变化。当您使用 assertRaises 时,请确保直接调用该函数。相反,它的参数需要作为参数传递给assertRaises。这允许assertRaises测试方法在调用函数之前设置try / except。

def test_raise(self):
    """Learn how to create an exception and test its implementation."""
    self.assertRaises(LearningError, addition_no_four, 2, 4)

您还可以使用assertRaises作为内容管理器来绕过此问题:

def test_raise(self):
    """Learn how to create an exception and test its implementation."""
    with self.assertRaises(LearningError):
        addition_no_four(2, 4)