下面是代码,我想知道如何编写JUnit测试,以便覆盖catch块
import com.pkg.ClothBrandQuery;
Public class MapBrand implements SomeInterface{
public Brand mapThisBrands(final ClothBrand clothBrand) {
Brand brand = new Brand();
try{
defaultBrand = clothBrandQuery.getClothBrandMethod(ProjectConstants.DEFAULT_BRAND_KEY);
}
catch(Exception e){
logger.fatal("Database error occurred retrieving default cloth brands", e);
System.exit(2);
}
if(defaultBrand != null && defaultBrand != clothBrand){
brand.setBrandName(clothBrand.getBrandName());
brand.setCompanyName(clothBrand.getCompanyName());
brand.setBackgroundColor(clothBrand.getBackgroundColor());
}
else{
brand.setBrandName(defaultBrand.getBrandName());
brand.setCompanyName(defaultBrand.getCompanyName());
brand.setBackgroundColor(defaultBrand.getBackgroundColor());
}
}
}
我可以为mapThisBrands编写测试方法来测试brand对象,但我不知道如何测试defaultBrand对象,以及如何编写catch块将被执行的测试用例。
将System.exit(2)
代码放在自己的类中,并将其存根或模拟出来,而不是直接调用该代码。这样,在测试中,它不会真正退出,但在生产环境中,它会退出。
如果你不知道如何做到这一点(模拟或存根),你应该了解更多关于依赖注入的信息。
现在你已经完成了一半。另一半是使用依赖注入来模拟clothBrandQuery
。使其getClothBrandMethod
无论发生什么都会抛出异常。然后你将沿着这条路走下去。一个很好的模拟框架是Mockito。
你不应该在该方法中使用System.exit(),只在main方法中使用它,然后在mapThisBrands中抛出异常:
public class MapBrand implements SomeInterface{
public static void main(String[] args) {
MapBrand map = new MapBrand();
ClothBrand clothBrand = this.getClothBrand();
try
{
map.mapThisBrands(clothBrand);
}
catch (Exception e)
{
System.exit(2);
}
}
public Brand mapThisBrands(final ClothBrand clothBrand) {
Brand brand = new Brand();
try{
defaultBrand = clothBrandQuery.getClothBrandMethod(ProjectConstants.DEFAULT_BRAND_KEY);
}
catch(Exception e){
logger.fatal("Database error occurred retrieving default cloth brands", e);
}
if(defaultBrand != null && defaultBrand != clothBrand){
brand.setBrandName(clothBrand.getBrandName());
brand.setCompanyName(clothBrand.getCompanyName());
brand.setBackgroundColor(clothBrand.getBackgroundColor());
}
else{
brand.setBrandName(defaultBrand.getBrandName());
brand.setCompanyName(defaultBrand.getCompanyName());
brand.setBackgroundColor(defaultBrand.getBackgroundColor());
}
}
}
你的测试呢
public class MapBrandTestCase {
@Test (expected = java.lang.Exception.class)
public void databaseFailureShouldRaiseException()
{
Query clothBrandQuery = Mockito.mock(Query.class);
when(clothBrandQuery.getClothBrandMethod(any())).thenThrow(new Exception());
MapBrand mapBrand = new MapBrand(...);
mapBrand.mapThisBrands(aBrand);
}
}