spring 允許我們有選擇地指定 ModelMap 中的哪些屬性需要轉存到 session 中,以便下壹個請求屬對應的 ModelMap 的屬性列表中還能訪問到這些屬性。這壹功能是通過類定義處標註 @SessionAttributes 註解來實現的。
使模型對象的特定屬性具有 Session 範圍的作用域
Java代碼 收藏代碼
package com.baobaotao.web;
…
import org.springframework.ui.ModelMap;
import org.springframework.web.bind.annotation.SessionAttributes;
@Controller
@RequestMapping("/bbtForum.do")
<span style="color: #008000;">@SessionAttributes("currUser") //①將ModelMap中屬性名為currUser的屬性
//放到Session屬性列表中,以便這個屬性可以跨請求訪問</span>
public class BbtForumController {
…
@RequestMapping(params = "method=listBoardTopic")
public String listBoardTopic(@RequestParam("id")int topicId, User user,
ModelMap model) {
bbtForumService.getBoardTopics(topicId);
System.out.println("topicId:" + topicId);
System.out.println("user:" + user);
model.addAttribute("currUser",user); <span style="color: #008000;">//②向ModelMap中添加壹個屬性</span>
return "listTopic";
}
}
我們在 ② 處添加了壹個 ModelMap 屬性,其屬性名為 currUser,而 ① 處通過 @SessionAttributes 註解將 ModelMap 中名為 currUser 的屬性放置到 Session 中,所以我們不但可以在 listBoardTopic() 請求所對應的 JSP 視圖頁面中通過 request.getAttribute(“currUser”) 和 session.getAttribute(“currUser”) 獲取 user 對象,還可以在下壹個請求所對應的 JSP 視圖頁面中通過 session.getAttribute(“currUser”) 或 ModelMap#get(“currUser”) 訪問到這個屬性。
這裏我們僅將壹個 ModelMap 的屬性放入 Session 中,其實 @SessionAttributes 允許指定多個屬性。妳可以通過字符串數組的方式指定多個屬性,如 @SessionAttributes({“attr1”,”attr2”})。此外,@SessionAttributes 還可以通過屬性類型指定要 session 化的 ModelMap 屬性,如 @SessionAttributes(types = User.class),當然也可以指定多個類,如 @SessionAttributes(types = {User.class,Dept.class}),還可以聯合使用屬性名和屬性類型指定:@SessionAttributes(types = {User.class,Dept.class},value={“attr1”,”attr2”})。
二、@ModelAttribute
我們可以在需要訪問 Session 屬性的 controller 上加上 @SessionAttributes,然後在 action 需要的 User 參數上加上 @ModelAttribute,並保證兩者的屬性名稱壹致。SpringMVC 就會自動將 @SessionAttributes 定義的屬性註入到 ModelMap 對象,在 setup action 的參數列表時,去 ModelMap 中取到這樣的對象,再添加到參數列表。只要我們不去調用 SessionStatus 的 setComplete() 方法,這個對象就會壹直保留在 Session 中,從而實現 Session 信息的***享。
Java代碼 收藏代碼
@Controller
<span style="color: #008000;">@SessionAttributes("currentUser")</span>
public class GreetingController{
@RequestMapping
public void hello<span style="color: #008000;">(@ModelAttribute("currentUser")</span> User user){
//user.sayHello()
}
}