利用spring-core Util包中的Assert优雅的判断字符串、对象或者集合不为空

一般我们在Service中,判断字符串或对象不为空,会用相关的工具类来判断,比如Hutool的包,然后再抛个异常

public List<Td42CaseFlow> getListByCaseKey(String caseKey) {
    if (StrUtil.isEmpty(caseKey)) {
        throw new BusinessException("案例编号不能为空");
    }
    ...
}

最后,全局捕获异常,统一返回前端:

@ControllerAdvice("com.idudiao")
@ResponseBody
@Slf4j
public class GlobalExceptionHandler {

    @ExceptionHandler(BusinessException.class)
    public BaseResponse businessExceptionHandler(HttpServletResponse response, BusinessException ex) {
        response.setStatus(HttpStatus.METHOD_FAILURE.value());
        log.info(ex.getMessage(),ex);
        return new BaseResponse(ex.getStatus(), ex.getMessage());
    }
}

而用了断言org.springframework.util.Assert后,可以减少两行的代码量

public List<Td42CaseFlow> getListByCaseKey(String caseKey) {
    Assert.hasLength(caseKey, "案例编号不能为空");
    ...
}

只需要全局捕获非法参数异常IllegalArgumentException即可

@ControllerAdvice("com.idudiao")
@ResponseBody
@Slf4j
public class GlobalExceptionHandler {

    @ExceptionHandler(IllegalArgumentException.class)
    public BaseResponse illegalArgumentExceptionHandler(HttpServletResponse response, IllegalArgumentException ex) {
        response.setStatus(HttpStatus.METHOD_FAILURE.value());
        log.info(ex.getMessage(),ex);
        return new BaseResponse(ex.getStatus(), ex.getMessage());
    }
}

Assert常用用法总结:

方法 说明
hasLength(String text, String message) 断言字符串不为空(length>0)或者null
notNull(Object object, String message) 断言对象不为空,为空时抛出异常
notEmpty(Collection collection, String message) 断言集合是否为空,或者至少有一个元素

有更好的方法可以留言,我随时更新

我的最新文章会先发到公众号【读钓的YY】上,欢迎关注!

你可能感兴趣的:(spring,Assert)