SpringBoot两个Controller重定向传参解决办法
? 这是我昨天遇到的一个问题,Controller中想要传递参数时,比较常用的是Model,但是如果Controller返回采用重定向的方法,model中的数据则不能成功带到重定向的页面中去。
? 在网上查阅一些资料后,发现可以用RedirectAttributes。具体代码如下:
Controller1
@RequestMapping("/testA")
public String A(RedirectAttributes redirectAttributes){
redirectAttributes.addFlashAttribute("msg","这是redirectAttributes的addFlashAttribute方法");
return "redirect:/testB";
}
Controller2
@RequestMapping("/testB")
public String B(){
return "test";
}
? 前端接收页面,这里我使用的是thymeleaf模板。
<!DOCTYPE html>
<html lang="en" xmlns:th="http://www.thymeleaf.org">
<head>
<meta charset="UTF-8">
<title>Title</title>
</head>
<body>
<span th:text="${msg}"></span>
</body>
</html>
? 非常简单的例子,成功接收到了,重定向传递的数据。
? 但是!我尝试了很多次发现有上面这种方法可以传递String类型的数据,但是如果传递的是一个自定义对象的话,这种方法就不能成功传递数据了。就需要以下这么操作。
Controller1
@RequestMapping("/testA")
public String A(RedirectAttributes redirectAttributes){
redirectAttributes.addFlashAttribute("msg","这是redirectAttributes的addFlashAttribute方法传递对象");
User user = new User();
user.setName("吴彦祖");
redirectAttributes.addFlashAttribute("user", user);
return "redirect:/testB";
}
这里User是我自定义的一个类,并把它的name属性赋值为“吴彦祖”。
Controller2
@RequestMapping("/testB")
public String B(Model model, HttpServletRequest request){
Map<String,Object> map=((Map<String, Object>) RequestContextUtils.getInputFlashMap(request));
User user=(User) map.get("user");
model.addAttribute("user",user);
return "test";
}
这样便能将user对象传递给前端页面。前端页面代码如下:
<!DOCTYPE html>
<html lang="en" xmlns:th="http://www.thymeleaf.org" xmlns="http://www.w3.org/1999/html">
<head>
<meta charset="UTF-8">
<title>Title</title>
</head>
<body>
<span th:text="${msg}"></span><br>
<span th:text="${user?.getName()}"></span>
</body>
</html>
user?.getName()的意思为如果user不为空,则取name值。
运行结果如下:
|