集成Spring Beans和JSP标记

时间:2016-12-20 03:13:52

标签: java spring taglib

是否有可能在Spring中以某种方式集成Spring bean和JSP标记。那是使用Spring bean作为JSP标签吗?如果是这样,这是一个好/可怕的想法?所以这样的事情是可能的:

@Component
public class SomeBean extends SimpleTagSupport {

    @Autowired
    SomeBean someBean;

    @Override
    public void doTag() throws JspException, IOException {
        getJspContext().getOut().write(someBean.doSomething());
    }
}

我会在tags.tld中做些什么来让它使用Spring bean而不是创建一个不会注入someBean的新实例?还是别的什么?

1 个答案:

答案 0 :(得分:2)

InternalResourceViewResolver允许您将导出bean的展示用于jsp上下文。例如,如果您想公开bean列表,则应该在dispatcher-servlet.xml下面配置视图解析器:

   ...
   <bean class="org.springframework.web.servlet.view.InternalResourceViewResolver">
       <property name="prefix" value="/WEB-INF/views/"/>
       <property name="suffix" value=".jsp"/>
       <property name="exposedContextBeanNames">
           <list>
               <value>someBean</value>
           </list>
       </property>
   </bean>
   ...

其中someBean是您要导出到jsp上下文的bean的名称。您甚至可以公开所有 spring bean:

   ...
   <bean class="org.springframework.web.servlet.view.InternalResourceViewResolver">
       <property name="prefix" value="/WEB-INF/views/"/>
       <property name="suffix" value=".jsp"/>
       <property name="exposeContextBeansAsAttributes" value="true"/>
   </bean>
   ...

这允许您通过bean的名称从jsp上下文访问spring bean。

假设您的代码处理程序如下所示:

package com.mytags;
public class SomeTag extends SimpleTagSupport {

    private SomeBean bean;

    @Override
    public void doTag() throws JspException, IOException {
        getJspContext().getOut().write(bean.doSomething());
    }

    public SomeBean getBean(){...}
    public void setBean(SomeBean bean){...}
}

然后在tld中你的标签将被描述:

...
<tag>
    <name>someTag</name>
    <tag-class>com.mytags.SomeTag</tag-class>
    <body-content>empty</body-content>
    <attribute>
        <name>bean</name>
        <required>true</required>
        <rtexprvalue>true</rtexprvalue>
        <type>com.mybeans.SomeBean</type>
    </attribute>
</tag>
...

注意,您必须将rtexprvalue指定为true,因为您将bean作为EL表达式传递给标记。现在你可以在jsp:

中使用这个标签
<%@ taglib prefix="mytags" uri="http://mytags.com" %>
<%@ page contentType="text/html;charset=UTF-8" language="java" %>
<html>
  <head>
    <title></title>
  </head>
  <body>
    <mytags:someTag bean="${someBean}"/>
  </body>
</html>

但实际上直接从标记处理程序访问spring bean并不是一个好主意。标签必须知道如何显示数据,但应从如何获取此数据中抽象出来。更好地准备您想要在控制器中显示的所有数据,并将其作为模型传递给j​​sp。