2

我的 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方法之前渲染的。

谁能帮我理解它为什么会这样?

4

2 回答 2

2

在进一步调查中,我发现问题出在我配置 spring 上下文 xml 文件的方式上。我有两个文件——一个用于应用程序上下文,另一个用于 Web 上下文。最初,我在应用程序上下文 xml 中定义了组件扫描和 mv:annotation-driven 标签:

<context:component-scan base-package="com.webapp" />
<mvc:annotation-driven validator="validator"/>

并在 web 上下文 xml 中定义了我的拦截器。

在调试模式下,我看到拦截器在处理请求后被映射到上下文。

为了使其工作,我将应用程序上下文中的配置更改为以下内容:

<context:component-scan base-package="com.webapp">
  <context:exclude-filter type="regex" expression="com\.webapp\.controllers\.*"/>
</context:component-scan>

并将以下内容添加到 Web 上下文 xml:

<context:component-scan base-package="com.webapp.controllers" />
<mvc:annotation-driven validator="validator"/>

我仍在试图理解为什么这有效而早期的配置没有。

于 2013-01-01T20:10:11.373 回答
0

这是正常的,因为您在视图渲染器之后在 postHanlde 中设置了会话。所以第一个视图没有数据,在第二页上,因为它在渲染第一页后保存在会话中,你可以看到它。

在 preHandle 方法中编写您的代码,它将按您的意愿工作

于 2013-01-01T12:54:21.770 回答