Spring RedirectAttributes: addAttribute() vs addFlashAttribute()

2022-08-31 12:01:22

到目前为止,我的理解是在我们的控制器请求映射方法上,我们可以指定RedirectAttributes参数,并在请求被重定向时填充属性。

示例

@RequestMapping(value="/hello", method=GET)
public String hello(RedirectAttributes redirAttr)
{
   // should I use redirAttr.addAttribute() or redirAttr.addFlashAttribute() here ?

   // ...

   return "redirect:/somewhere";
}

然后,重定向属性将在它重定向到的目标页面上可用。

但是,RedirectAttributes 类有两种方法:

已经阅读了一段时间的春季文档,但我有点迷茫。这两者之间的根本区别是什么,我应该如何选择使用哪一个?


答案 1

区别如下:

  • addFlashAttribute()实际上将属性存储在闪存图中(在用户内部维护,并在下一个重定向请求得到满足后删除)session

  • addAttribute()实质上是从您的属性中构造请求参数,并使用请求参数重定向到所需的页面。

因此,这样做的好处是,您可以在flash属性中存储几乎任何对象(因为它根本不被序列化为请求参数,而是作为对象进行维护),而由于您添加的对象被转换为正常的请求参数,因此您非常局限于对象类型,如或基元。addFlashAttribute()addAttribute()String


答案 2

假设您有 2 个控制器。如果从一个控制器重定向到另一个控制器,则模型对象中的值在另一个控制器中将不可用。因此,如果您想共享模型对象值,则必须在第一个控制器中说

addFlashAttribute("modelkey", "modelvalue");

然后第二个控制器的模型现在包含上面的键值对。

第二个问题?课堂上和课堂上的区别是什么addAttributeaddFlashAttributeRedirectAttributes

addAttribute会将这些值作为请求参数而不是模型传递,因此当您添加一些使用时,您可以从addAttributerequest.getParameter

下面是代码。我曾经发现发生了什么:

@RequestMapping(value = "/rm1", method = RequestMethod.POST)
public String rm1(Model model,RedirectAttributes rm) {
    System.out.println("Entered rm1 method ");

    rm.addFlashAttribute("modelkey", "modelvalue");
    rm.addAttribute("nonflash", "nonflashvalue");
    model.addAttribute("modelkey", "modelvalue");

    return "redirect:/rm2.htm";
}


@RequestMapping(value = "/rm2", method = RequestMethod.GET)
public String rm2(Model model,HttpServletRequest request) {
    System.out.println("Entered rm2 method ");

    Map md = model.asMap();
    for (Object modelKey : md.keySet()) {
        Object modelValue = md.get(modelKey);
        System.out.println(modelKey + " -- " + modelValue);
    }

    System.out.println("=== Request data ===");

    java.util.Enumeration<String> reqEnum = request.getParameterNames();
    while (reqEnum.hasMoreElements()) {
        String s = reqEnum.nextElement();
        System.out.println(s);
        System.out.println("==" + request.getParameter(s));
    }

    return "controller2output";
}

推荐