@ControllerAdvice
Связано с исходным кодом Spring@ControllerAdvice
Аннотации следующие:
Specialization of {@link Component @Component} for classes that declare {@link ExceptionHandler @ExceptionHandler}, {@link InitBinder @InitBinder}, or {@link ModelAttribute @ModelAttribute} methods to be shared across multiple {@code @Controller} classes.
понимать:
@ControllerAdvice
это особый@Component
, используемый для идентификации класса, методы которого идентифицируются следующими тремя аннотациями:@ExceptionHandler
,@InitBinder
,@ModelAttribute
, будет применяться ко всем@Controller
на интерфейсе класса.
Итак, что означают эти три аннотации и что они делают?
@InitBinder
Annotation that identifies methods which initialize the {@link org.springframework.web.bind.WebDataBinder} which will be used for populating command and form object arguments of annotated handler methods. Such init-binder methods support all arguments that {@link RequestMapping} supports, except for command/form objects and corresponding validation result objects. Init-binder methods must not have a return value; they are usually declared as {@code void}.
Функция: Зарегистрируйте редактор свойств, обработайте параметры HTTP-запроса, а затем выполните привязку к соответствующему интерфейсу, например преобразование форматированного времени и т. д. При применении к методу одного класса @Controller он действителен только для интерфейсов этого класса. В сочетании с @ControllerAdvice действует глобально.
Пример:
@ControllerAdvice
public class ActionAdvice {
@InitBinder
public void handleException(WebDataBinder binder) {
binder.addCustomFormatter(new DateFormatter("yyyy-MM-dd HH:mm:ss"));
}
}
@ExceptionHandler
Роль: унифицированная обработка исключений, также можно указать тип обрабатываемого исключения.
Пример:
@ControllerAdvice
public class ActionAdvice {
@ExceptionHandler(Exception.class)
@ResponseBody
@ResponseStatus(HttpStatus.OK)
public Map handleException(Exception ex) {
Map<String, Object> map = new HashMap<>();
map.put("code", 400);
map.put("msg", ex.toString());
return map;
}
}
@ModelAttribute
Роль: связывать данные
Пример:
@ControllerAdvice
public class ActionAdvice {
@ModelAttribute
public void handleException(Model model) {
model.addAttribute("user", "zfh");
}
}
Получить ранее привязанные параметры в интерфейсе:
@RestController
public class BasicController {
@GetMapping(value = "index")
public Map index(@ModelAttribute("user") String user) {
//...
}
}
Полный пример кода:
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
import org.springframework.format.datetime.DateFormatter;
import org.springframework.http.HttpStatus;
import org.springframework.ui.Model;
import org.springframework.validation.Validator;
import org.springframework.web.bind.WebDataBinder;
import org.springframework.web.bind.annotation.*;
import java.util.HashMap;
import java.util.Map;
/**
* 统一异常处理
* @author zfh
* @version 1.0
* @since 2019/1/4 15:23
*/
@ControllerAdvice
public class ControllerExceptionHandler {
private Logger logger = LoggerFactory.getLogger(ControllerExceptionHandler.class);
@InitBinder
public void initMyBinder(WebDataBinder binder) {
// 添加对日期的统一处理
//binder.addCustomFormatter(new DateFormatter("yyyy-MM-dd"));
binder.addCustomFormatter(new DateFormatter("yyyy-MM-dd HH:mm:ss"));
// 添加表单验证
//binder.addValidators();
}
@ModelAttribute
public void addMyAttribute(Model model) {
model.addAttribute("user", "zfh"); // 在@RequestMapping的接口中使用@ModelAttribute("name") Object name获取
}
@ExceptionHandler(value = Exception.class)
@ResponseStatus(HttpStatus.OK)
@ResponseBody // 如果使用了@RestControllerAdvice,这里就不需要@ResponseBody了
public Map handler(Exception ex) {
logger.error("统一异常处理", ex);
Map<String, Object> map = new HashMap<>();
map.put("code", 400);
map.put("msg", ex);
return map;
}
}
Тестовый интерфейс:
@RestController
public class TestAction {
@GetMapping(value = "testAdvice")
public JsonResult testAdvice(@ModelAttribute("user") String user, Date date) throws Exception {
System.out.println("user: " + user);
System.out.println("date: " + date);
throw new Exception("直接抛出异常");
}
}
Расширенное приложение — формат времени до даты
использовать@ControllerAdvice
+ @InitBinder
, который может автоматически преобразовывать время в параметре http-запроса в тип Date.
@InitBinder
public void initBinder(WebDataBinder binder) {
GenericConversionService genericConversionService = (GenericConversionService) binder.getConversionService();
if (genericConversionService != null) {
genericConversionService.addConverter(new DateConverter());
}
}
Конвертер пользовательского типа времени:
import org.springframework.core.convert.converter.Converter;
import org.springframework.util.StringUtils;
import java.text.SimpleDateFormat;
import java.util.Date;
/**
* 日期转换类
* 将标准日期、标准日期时间、时间戳转换成Date类型
*/
public class DateConverter implements Converter<String, Date> {
private static final String dateFormat = "yyyy-MM-dd HH:mm:ss";
private static final String shortDateFormat = "yyyy-MM-dd";
private static final String timeStampFormat = "^\\d+$";
@Override
public Date convert(String value) {
if(StringUtils.isEmpty(value)) {
return null;
}
value = value.trim();
try {
if (value.contains("-")) {
SimpleDateFormat formatter;
if (value.contains(":")) {
formatter = new SimpleDateFormat(dateFormat);
} else {
formatter = new SimpleDateFormat(shortDateFormat);
}
return formatter.parse(value);
} else if (value.matches(timeStampFormat)) {
Long lDate = new Long(value);
return new Date(lDate);
}
} catch (Exception e) {
throw new RuntimeException(String.format("parser %s to Date fail", value));
}
throw new RuntimeException(String.format("parser %s to Date fail", value));
}
}
Расширение:
@RestControllerAdvice
= @ControllerAdvice
+ @ResponseBody
Ссылаться на:
- Серия Spring Boot (8) @ControllerAdvice перехватывает исключения и обрабатывает их единообразно
- Важные аннотации SpringMVC (2) @ControllerAdvice
- Освоение Spring Boot — Часть 15: Обработка исключений с помощью @ControllerAdvice
- @InitBinder
- SpringMVC использует @InitBinder для анализа и привязки данных страницы.