Controller类中方法的返回值
1.返回ModelAndView
java
@RequestMapping("/hello")
public ModelAndView hello(){
//封装了页面和数据
ModelAndView view = new ModelAndView();
//对这个请求的页面添加属性(数据)
view.addObject("hello","Hello,欢迎成功进入!");
//设置内容显示的页面
view.setViewName("success");
return view;
}
2.返回字符串
2.1逻辑视图名
-
说明:controller方法返回字符串可以指定逻辑视图名,通过视图解析器解析为物理视图地址。
-
返回字符串
java
@GetMapping("/hello")
public String hello(Model model){
model.addAttribute("hello","Hello,欢迎成功进入!");
return "success";
}
2.2Redirect重定向
说明:
- Contrller方法返回结果重定向到一个url地址,如下商品修改提交后重定向到商品查询方法,参数无法带到商品查询方法中。
- redirect方式相当于"response.sendRedirect()",转发后浏览器的地址栏变为转发后的地址,因为转发即执行了一个新的request和response。
- 由于新发起一个request原来的参数在转发时就不能传递到下一个url,如果要传参数可以/item/queryItem后边加参数,如下:
/item/queryItem?...&.....
java
@GetMapping("/account/findAccount")
public String findAccount3(){
return "redirect:/account/findAll";
}
@GetMapping("/account/findAll")
public String findAll(Model model){
model.addAttribute("hello","Hello,欢迎成功进入!");
return "success";
}
2.3Forward转发
说明:
- controller方法执行后继续执行另一个controller方法,如下商品修改提交后转向到商品查询页面,修改商品的id参数可以带到商品查询方法中。
- forward方式相当于
request.getRequestDispatcher().forward(request,response)
,转发后浏览器地址栏还是原来的地址。转发并没有执行新的request和response,而是和转发前的请求共用一个request和response。所以转发前请求的参数在转发后仍然可以读取到。
java
@Controller
@RequestMapping("/account")
public class AccountController {
@RequestMapping(value = "/findAccount3")
public String findAccount3() {
return "forward:/account/findAccount4";
}
@RequestMapping(value = "/findAccount4")
public String findAccount4(Model model) {
//添加数据
model.addAttribute("msg", "这是springmvc的重定向");
return "success";
}
}