我的 Spring MVC Web 应用程序在页面顶部有一个导航菜单,其中包含指向项目列表的链接。从数据库中检索项目列表。此菜单对应用程序中的所有页面通用。目前,在每个控制器中,我检索并存储会话中的项目列表(如果尚未在会话中),以便它在每个页面上都可用。它工作正常,但我觉得应该有更好的方法来做到这一点。为了避免这种冗余,我现在尝试使用 HandlerInterceptorAdapter。我能够让它工作,但并不完美。第一次加载页面时,我没有看到我在会话中设置的对象。但是,如果我刷新页面,我确实会在会话中看到该对象。
我以这种方式创建了我的拦截器:
public class MyHandlerInterceptor extends HandlerInterceptorAdapter {
private MyService myService;
//Constructor
public MyHandlerInterceptor(MyService myService) {
this.myService = myService;
}
//Overridden method
public void postHandle(HttpServletRequest request,
HttpServletResponse response,
Object handler,
ModelAndView modelAndView) throws Exception {
System.out.println("In posthandle...");
if (request.getSession().getAttribute("items") == null) {
request.getSession().setAttribute("items", myService.getCategories());
}
}
}
我声明了拦截器:
<mvc:interceptors>
<bean class="com.gyanify.webapp.interceptors.MyHandlerInterceptor"
autowire="constructor"/>
</mvc:interceptors>
我正在检查 jsp 呈现时是否在会话中设置了对象:
...
Session Attributes <br/>
<%
System.out.println("Printing from the jsp...");
Enumeration keys = session.getAttributeNames();
while (keys.hasMoreElements())
{
String key = (String)keys.nextElement();
out.println(key + ": " + session.getValue(key) + "<br>");
}
%>
...
这样,当我第一次加载页面时,我会在控制台中看到以下打印:
...
Returning view....(this is printed from the controller)
Printing from the jsp...
In posthandle...
...
我的理解是在渲染页面之前调用了 posthandle 方法。但是,根据控制台上的输出,我看到jsp是在拦截器的posthandle方法之前渲染的。
谁能帮我理解它为什么会这样?