開發(fā)人員常常使用單元測(cè)試來驗(yàn)證的一段兒代碼的操作,很多時(shí)候單元測(cè)試可以檢查拋出預(yù)期異常( expected exceptions)的代碼。在Java語言中,JUnit是一套標(biāo)準(zhǔn)的單元測(cè)試方案,它提供了很多驗(yàn)證拋出的異常的機(jī)制。本文探討一下他們的優(yōu)點(diǎn)。
我們拿下面的代碼作為例子,寫一個(gè)測(cè)試,確保canVote() 方法返回true或者false, 同時(shí)你也能寫一個(gè)測(cè)試用來驗(yàn)證這個(gè)方法拋出的IllegalArgumentException異常。
public class Student {
public boolean canVote(int age) {
if (i<=0) throw new IllegalArgumentException("age should be +ve");
if (i<18) return false;
else return true;
}
}
(Guava類庫中提供了一個(gè)作參數(shù)檢查的工具類--Preconditions類,也許這種方法能夠更好的檢查這樣的參數(shù),不過這個(gè)例子也能夠檢查)。
檢查拋出的異常有三種方式,它們各自都有優(yōu)缺點(diǎn):
1.@Test(expected…)
@Test注解有一個(gè)可選的參數(shù),"expected"允許你設(shè)置一個(gè)Throwable的子類。如果你想要驗(yàn)證上面的canVote()方法拋出預(yù)期的異常,我們可以這樣寫:
@Test(expected = IllegalArgumentException.class)
public void canVote_throws_IllegalArgumentException_for_zero_age() {
Student student = new Student();
student.canVote(0);
}
簡(jiǎn)單明了,這個(gè)測(cè)試有一點(diǎn)誤差,因?yàn)楫惓?huì)在方法的某個(gè)位置被拋出,但不一定在特定的某行。
2.ExpectedException
如果要使用JUnit框架中的ExpectedException類,需要聲明ExpectedException異常。
@Rule
public ExpectedException thrown= ExpectedException.none();
然后你可以使用更加簡(jiǎn)單的方式驗(yàn)證預(yù)期的異常。
@Test
public void canVote_throws_IllegalArgumentException_for_zero_age() {
Student student = new Student();
thrown.expect(NullPointerException.class);
student.canVote(0);
}
或者可以設(shè)置預(yù)期異常的屬性信息。
@Test
public void canVote_throws_IllegalArgumentException_for_zero_age() {
Student student = new Student();
thrown.expect(IllegalArgumentException.class);
thrown.expectMessage("age should be +ve");
student.canVote(0);
}