问题
我正在尝试创建一个自定义标签处理程序,其目的是在给定列表上循环并使用给定的定界符将各项连接起来。标签的签名是:<custom:joinList list="${product.vendors}" delimiter=", " var="vendor">
。几个注意事项。 list
属性应该是Collection.class
对象。 delimiter
始终是String
,var
是正文在每个循环中可以访问的变量。因此,标签应始终具有一个主体来打印每个项目,然后标签处理程序将在末尾附加delimiter
。
例如,这就是从JSP调用标签的方法:
<custom:joinList list="${product.vendors}" delimiter=", " var="vendor">
${vendor.id} // Vendor obviously has a getId() method
</custom:joinList>
我尝试过的事情
首先,我创建了一个扩展javax.servlet.jsp.tagext.SimpleTagSupport
的类,并且在doTag()
方法中,我将列表中的下一项作为属性传递到pageContext
中。
第二,我尝试扩展javax.servlet.jsp.tagext.TagSupport
,但是后来我不知道如何在每次执行正文后写入out
编写器。
代码示例
定义标签的TLD:
<tag>
<description>Joins a Collection with the given delimiter param</description>
<name>joinList</name>
<tag-class>com.myproject.tags.JoinListTag</tag-class>
<body-content>tagdependent</body-content>
<attribute>
<description>The collection to be printed</description>
<name>list</name>
<required>true</required>
<rtexprvalue>true</rtexprvalue>
</attribute>
<attribute>
<description>The delimiter that is going to be used</description>
<name>delimiter</name>
<required>true</required>
<rtexprvalue>true</rtexprvalue>
</attribute>
<attribute>
<description>The item that will return on each loop to get a handle on each iteration</description>
<name>var</name>
<required>true</required>
</attribute>
</tag>
这是自定义标记处理程序,我想这很简单。
public class JoinListTag extends SimpleTagSupport {
private Iterator iterator;
private String delimiter;
private String var;
public void setList(Collection list) {
if (list.size() > 0) {
this.iterator = list.iterator();
}
}
public void setDelimiter(String delimiter) {
this.delimiter = delimiter;
}
public void setVar(String var) {
this.var = var;
}
@Override
public void doTag() throws JspException, IOException {
if (iterator == null) {
return;
}
while (iterator.hasNext()) {
getJspContext().setAttribute(var, iterator.next()); // define the variable to the body
getJspBody().invoke(null); // invoke the body
if (iterator.hasNext()) {
getJspContext().getOut().print(delimiter); // apply the delimiter
}
}
}
}
从上面开始,我期望如果1, 2, 3
列表是这样填充的,则打印product.vendors
,但我却得到${vendor.id}, ${vendor.id}, ${vendor.id}
答案 0 :(得分:0)
所以最终只是一个单词更改。
在我的TLD中,将标签的body-content
定义为tagdependent
。我不得不将其更改为scriptless
。显然,再次浏览文档不会伤害任何人...