我已经查看了有关单元测试的其他帖子,但我没有看到实际测试抛出时异常中的内容。主要目标是通过向辅助类发送错误参数来引发异常并检查堆栈跟踪的详细信息。
由于原始代码没有抛出异常,我决定对NUnit测试进行一些在线研究,并遇到一段非常好的代码,比我写的要短很多但是很容易检查错误对象。我需要能够Assert
在堆栈跟踪中出现某些错误。
最初这是代码的样子,但我必须承认它不是很漂亮:
[Test]
public void TestExceptionHandling()
{
try
{
DoExceptionScenario(new SomeCustomRadioButtonControl(), FieldManager.GetField("access_mode"));
}
catch (Exception ex)
{
Assert.IsInstanceOf(typeof(CustomException), ex);
string details = Util.GetExceptionDetails((CustomException)ex);
Assert.IsTrue(details.Contains("Detail Name=\"ControlName\" Description=\"SomeCustomRadioButtonControl\""));
}
}
你可能会看到的问题是一堆误报可能性。
我修改测试的另一种方式是:
[Test]
public void TestExceptionHandling()
{
Assert.That(() => DoExceptionScenario(new SomeCustomRadioButtonControl(), FieldManager.GetField("access_mode")),
Throws.TypeOf<CustomException>());
}
如果没有例外,这将失败。但如果有异常,我如何捕获并检查其内容?在这种情况下,(if
语句可以起作用):
[Test]
public void ShouldControlNameBeListedInStackTrace()
{
bool exceptionStatus = Assert.That(() => DoExceptionScenario(new SomeCustomRadioButtonControl(), FieldManager.GetField("access_mode")),
Throws.TypeOf<CustomException>());
if (exceptionStatus != true)
{
string details = Util.GetExceptionDetails((CustomException)ex);
Assert.IsTrue(details.Contains("detail name=\"controlname\" description=\"SomeCustomRadioButtonControl\""));
}
}
答案 0 :(得分:4)
假设CustomException
类看起来像这样。它没有做太多任何事情......只是覆盖基类Exception
类的“Message”属性:
public class CustomException : Exception
{
private string message;
public override string Message
{
get { return string.Format("{0}: {1}", DateTime.Now, message); }
}
public CustomException(string message)
{
this.message = message;
}
}
并假设您有一个抛出异常的方法,例如:
public class ProductionClass
{
public void SomeMethod()
{
throw new CustomException("Oh noz!");
}
}
以下是您可以在nUnit中使用的一些示例测试。你想要最后一个。
[TestFixture]
public class MyTests
{
private ProductionClass p;
[SetUp]
public void Setup()
{
p = new ProductionClass();
}
// Use the ExpectedException attribute to make sure it threw.
[Test]
[ExpectedException(typeof(CustomException)]
public void Test1()
{
p.SomeMethod();
}
// Set the ExpectedMessage param to test for a specific message.
[Test]
[ExpectedException(typeof(CustomException), ExpectedMessage = "Oh nozzzz!")]
public void Test2()
{
p.SomeMethod();
}
// For even more detail, like inspecting the Stack Trace, use Assert.Throws<T>.
[Test]
public void Test3()
{
var ex = Assert.Throws<CustomException>(() => p.SomeMethod());
Assert.IsTrue(ex.StackTrace.Contains("Some expected text"));
}
}
Assert.Throws<T>
方法适用于任何Exception
。它在括号中执行委托并检测它是否抛出了异常。
在上面的测试中,如果它做了抛出,那么它也会测试指定内容的堆栈跟踪。如果两个步骤都通过,则测试通过。