我在研究类似问题时遇到了这个问题。为了子孙后代,这就是我在野外看到的完成的方式。我假设您的标签已在标签库描述符文件中正确定义。
父标记类
public class TestTag extends BodyTagSupport {
// Attributes
private String test1;
private String test2;
private String test3;
// Setters
public void setTest1(String str) {
this.test1 = str;
}
// Et Cetera
// Accessors
public String getTest1() {
return this.test1;
}
// Et Cetera
@Override
public int doStartTag() {
// Do whatever is necessary here to set values for your attributes
}
// Process body
}
由于doStartTag
在我们开始处理标签内的主体之前被调用,我们知道我们可以安全地访问子标签中我们关心的属性。
子标签
public class Result1Tag extends TagSupport {
// Take care of declaring and setting attributes if necessary
@Override
public int doStartTag() throws JspException {
//TestTag parent = (TestTag)super.getParent(); Not recommended
TestTag parent = (TestTag)TagSupport.findAncestorWithClass(this, TestTag.class);
if (parent == null) {
throw new JspTagException("Result1Tag must be enclosed in a TestTag");
}
String test1 = parent.getTest1();
// Whatever logic you need for this attribute to generate content
}
}
这里不鼓励使用 of 的原因getParent()
是它只检索最近的封闭标记。如果我们需要重构代码,这会限制我们。
<test test1="foo" test2="bar" test3="foobar">
<c:if test="${ condition }">
<result1/>
</c:if>
<result2/>
<result3/>
</test>
- 使用 getParent() 实现,我们无法检索父标记,因为我们插入的 JSTL 标记现在是最近的封闭标记。
- 使用 findAncestorWithClass() 实现,我们成功地检索到父标签,因为我们迭代地搜索具有指定类的祖先标签。