与Spring AOP一样,Spring MVC也能够给控制器加入通知,它主要涉及4个注解:
  •@ControllerAdvice,主要作用于类,用以标识全局性的控制器的拦截器,它将应用于对应的控制器。
  •@InitBinder,是一个允许构建POJO参数的方法,允许在构造控制器参数的时候,加入一定的自定义控制。
  •@ExceptionHandler,通过它可以注册一个控制器异常,使用当控制器发生注册异常时,就会跳转到该方法上。
  •@ModelAttribute,是一种针对于数据模型的注解,它先于控制器方法运行,当标注方法返回对象时,它会保存到数据模型中。

  代码清单16-19:控制器通知

package com.ssm.chapter15.controller.advice;

//标识控制器通知,并且指定对应的包

import org.springframework.beans.propertyeditors.CustomDateEditor;
import org.springframework.ui.Model;
import org.springframework.web.bind.WebDataBinder;
import org.springframework.web.bind.annotation.ControllerAdvice;
import org.springframework.web.bind.annotation.ExceptionHandler;
import org.springframework.web.bind.annotation.InitBinder;
import org.springframework.web.bind.annotation.ModelAttribute; import java.text.SimpleDateFormat;
import java.util.Date; @ControllerAdvice(basePackages = {"com.ssm.chapter15.controller.advice"})
public class CommonControllerAdvice { //定义HTTP对应参数处理规则
@InitBinder
public void initBinder(WebDataBinder binder) {
//针对日期类型的格式化,其中CustomDateEditor是客户自定义编辑器
// 它的boolean参数表示是否允许为空
binder.registerCustomEditor(Date.class, new CustomDateEditor(new SimpleDateFormat("yyyy-MM-dd HH:mm:ss"), false));
} //处理数据模型,如果返回对象,则该对象会保存在
@ModelAttribute
public void populateModel(Model model) {
model.addAttribute("projectName", "chapter15");
} //异常处理,使得被拦截的控制器方法发生异常时,都能用相同的视图响应
@ExceptionHandler(Exception.class)
public String exception() {
return "exception";
}
}

  代码清单16-20:测试控制器通知

package com.ssm.chapter15.controller.advice;

import org.apache.http.client.utils.DateUtils;
import org.springframework.format.annotation.NumberFormat;
import org.springframework.stereotype.Controller;
import org.springframework.ui.Model;
import org.springframework.web.bind.annotation.RequestMapping;
import org.springframework.web.bind.annotation.ResponseBody; import java.math.BigDecimal;
import java.util.Date;
import java.util.HashMap;
import java.util.Map; @Controller
@RequestMapping("/advice")
public class MyAdviceController { /**
* http://localhost:8081/advice/test.do?date=2017-06-23%2018:12:00&amount=123,456.78
* @param date 日期,在@initBinder 绑定的方法有注册格式
* @param model 数据模型,@ModelAttribute方法会先于请求方法运行
* @return map
*/
@RequestMapping("/test")
@ResponseBody
public Map<String, Object> testAdvice(Date date, @NumberFormat(pattern = "##,###.00") BigDecimal amount, Model model) {
Map<String, Object> map = new HashMap<String, Object>();
//由于@ModelAttribute注解的通知会在控制器方法前运行,所以这样也会取到数据
map.put("project_name", model.asMap().get("projectName"));
// map.put("date", DateUtils.format(date, "yyyy-MM-dd"));
map.put("date", DateUtils.formatDate(date, "yyyy-MM-dd"));
map.put("amount", amount);
return map;
} /**
* 测试异常.
*/
@RequestMapping("/exception")
public void exception() {
throw new RuntimeException("测试异常跳转");
}
}

  控制器(注解@Controller)也可以使用@Init-Binder、@ExceptionHandler、@ModelAttribute。注意,它只对于当前控制器有效

  代码清单16-21:测试@ModelAttribute

package com.ssm.chapter15.controller;

import com.ssm.chapter15.pojo.Role;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Controller;
import org.springframework.web.bind.annotation.ModelAttribute;
import org.springframework.web.bind.annotation.RequestMapping;
import org.springframework.web.bind.annotation.RequestParam;
import org.springframework.web.bind.annotation.ResponseBody; @Controller
@RequestMapping(value = "/role2")
public class Role2Controller { // @Autowired
// private RoleService roleService = null; /**
* 在进入控制器方法前运行,先从数据库中查询角色,然后以键role保存角色对象到数据模型
*
* @param id 角色编号
* @return 角色
*/
@ModelAttribute("role")
public Role initRole(@RequestParam(value = "id", required = false) Long id) {
//判断id是否为空
if (id == null || id < 1) {
return null;
}
// Role role = roleService.getRole(id);
Role role = new Role(id, "射手", "远程物理输出");
return role;
} /**
* http://localhost:8081/role2/getRoleFromModelAttribute.do?id=1
*
* @param role 从数据模型中取出的角色对象
* @return 角色对象
* @ModelAttribute 注解从数据模型中取出数据
*/
@RequestMapping(value = "getRoleFromModelAttribute")
@ResponseBody
public Role getRoleFromModelAttribute(@ModelAttribute("role") Role role) {
return role;
}
}


  表16-2中只列举了一些异常映射码,而实际上会更多,关于它的定义可以看源码的枚举类org.springframework.http.HttpStatus

  代码清单16-22:自定义异常

package com.ssm.chapter15.exception;

//新增Spring MVC的异常映射,code代表异常映射码,而reason则代表异常原因

import org.springframework.http.HttpStatus;
import org.springframework.web.bind.annotation.ResponseStatus; @ResponseStatus(code = HttpStatus.NOT_FOUND, reason = "找不到角色信息异常!!")
public class RoleException extends RuntimeException { private static final long serialVersionUID = 5040949196309781680L; }

  通过注解@ResponseStatus的配置code可以映射SpringMVC的异常码,而通过配置reason可以了解配置产生异常的原因。既然定义了异常,那么我们可能就需要使用异常。在大部分情况下,可以使用Java所提供的try...catch...finally语句处理异常。Spring MVC也提供了处理异常的方式。
  代码清单16-23:使用RoleException异常

package com.ssm.chapter15.controller;

import com.ssm.chapter15.exception.RoleException;
import com.ssm.chapter15.pojo.Role;
import org.springframework.stereotype.Controller;
import org.springframework.web.bind.annotation.*; @Controller
@RequestMapping(value = "/roleE")
public class RoleExceptionController { /**
* http://localhost:8081/roleE/notFound.do?id=1
*
* @param id
* @return
*/
@RequestMapping("notFound")
@ResponseBody
public Role notFound(Long id) {
// Role role = roleService.getRole(id);
Role role = new Role(id, "射手", "远程物理输出");
role = null;
//找不到角色信息抛出RoleException
if (role == null) {
throw new RoleException();
}
return role;
} //当前控制器发生RoleException异常时,进入该方法
@ExceptionHandler(RoleException.class)
public String HandleRoleException(RoleException e) {
//返回指定的页面,避免不友好
return "exception";
}
}

Spring MVC 为控制器添加通知与处理异常的更多相关文章

  1. Spring MVC(三)--控制器接受普通请求参数

    Spring MVC中控制器接受参数的类方式有以下几种: 普通参数:只要保证前端参数名称和传入控制器的参数名称一致即可,适合参数较少的情况: pojo类型:如果前端传的是一个pojo对象,只要保证参数 ...

  2. Spring MVC(八)--控制器接受简单列表参数

    有些场景下需要向后台传递一个数组,比如批量删除传多个ID的情况,可以使用数组传递,数组中的ID元素为简单类型,即基本类型. 现在我的测试场景是:要从数据库中查询minId<id<maxId ...

  3. Spring MVC(五)--控制器通过注解@RequestParam接受参数

    上一篇中提到,当前后端命名规则不一致时,需要通过注解@RequestParam接受参数,这个注解是作用在参数上.下面通过实例说明,场景如下: 在页面输入两个参数,控制器通过注解接受,并将接受到的数据渲 ...

  4. Spring MVC(四)--控制器接受pojo参数

    以pojo的方式传递参数适用于参数较多的情况,或者是传递对象的这种情况,比如要创建一个用户,用户有十多个属性,此时就可以通过用户的pojo对象来传参数,需要注意的是前端各字段的名称和pojo对应的属性 ...

  5. Spring MVC(九)--控制器接受对象列表参数

    前一篇文章介绍是传递一个参数列表,列表中的元素为基本类型,其实有时候需要传递多个同一类型的对象,测试也可以使用列表,只是列表中的元素为对象类型. 我模拟的场景是:通过页面按钮触发传递参数的请求,为了简 ...

  6. [Spring MVC] 取控制器返回的ModelAndView/Map/Model/Request的对象

    ${key }页面可取, <input value="${key}"> 或者<%=request.getParameter("key")%&g ...

  7. Spring MVC controller控制器映射无法访问问题!!!

    月 26, 2019 2:47:58 上午 org.apache.coyote.AbstractProtocol start信息: Starting ProtocolHandler ["aj ...

  8. Spring MVC前端控制器不拦截静态资源配置

  9. 如何在Spring MVC Test中避免”Circular view path” 异常

    1. 问题的现象 比如在webConfig中定义了一个viewResolver public class WebConfig extends WebMvcConfigurerAdapter { //配 ...

随机推荐

  1. jquery操作按钮修改对应input属性

    点击右侧的修改按钮,对应的input中的disabled和readonly得属性修改 $(".buttonxg button").click(function(){ $(this) ...

  2. LightOJ - 1095 - Arrange the Numbers(错排)

    链接: https://vjudge.net/problem/LightOJ-1095 题意: Consider this sequence {1, 2, 3 ... N}, as an initia ...

  3. babyheap_fastbin_attack

    babyheap_fastbin_attack 首先检查程序保护 保护全开.是一个选单系统 分析程序 void new() { int index; // [rsp+0h] [rbp-10h] sig ...

  4. 3 Ways to Force Unmount in Linux Showing “device is busy”

    3 Ways to Force Unmount in Linux Showing “device is busy” Updated August 8, 2019By Bobbin ZachariahL ...

  5. 洛谷 P2401 不等数列 题解

    每日一题 day25 打卡 Analysis dp[i][j]=dp[i-1][j-1]*(i-j)+dp[i-1][j]*(j+1); 其中i和j是表示前i个数中有j个小于号,j<=i-1 要 ...

  6. LIO -SCSI target

    2010年底,LIO 项目获选成为新的内核态的 SCSI target,取代原有的用户态的 STGT 项目.当时有两个主要的竞争项目(LIO和SCST),都在努力将代码并入主线内核.本文将比较着两个项 ...

  7. (29)打鸡儿教你Vue.js

    web阅读器开发 epub格式的解析原理 Vue.js+epub.js实现一个简单的阅读器 实现阅读器的基础功能 字号选择,背景颜色 有上一页,下一页的功能 设置字号,切换主题,进度按钮 电子书目录 ...

  8. Hadoop hadoop balancer配置

    hadoop版本:2.9.2 1.带宽的设置参数: dfs.datanode.balance.bandwidthPerSec   默认值 10m 2.datanode之间数据块的传输线程大小:dfs. ...

  9. select下拉框多选取值

    本来是单选取值,现改为多选 其中<select> 标签新增multiple属性,如<select id = "sel"  multiple = "mul ...

  10. IPV4 VS IPV6 谈谈省级ipv6的必要性

    11月26日,中办.国办印发了<推进互联网协议第六版(IPv6)规模部署行动计划>,提出国内要在 5~10 年的时间形成下一代互联网自主技术体系和产业生态,建成全球最大规模的 IPv6 商 ...