我试图在xslt的帮助下转换xml,而xslt是在java的帮助下通过读取规则文件生成的。
假设Xml是这样的。
<root>
<p> This is <span>India</span> & is <span>tolerant</span> enough to <span>live</span>normal black here</p>
<p> Well <span>Pakistan</span> ,<span>Srilanka</span>, <span>Bangladesh</span>,<span>China</span> is our neighbouring country</p>
</root>
我希望第一个p的第一个跨度以绿色和绿色着色。第二个没有映射,所以在正常的黑色&amp;第三个是蓝色。
同样可以有更多不。可以出现内联元素和将有不同的规则。
类似地,第二个“p”对于不同的内联元素将具有不同的规则。如何在xslt中区分和应用此规则?
Java读取规则文件并动态准备xslt吗?
有人可以建议怎么做吗?
答案 0 :(得分:2)
你可以做的是拥有一系列模板,在条件匹配中包含各种规则。例如
<xsl:template match="p/span[1]">
<span style="color:red">
<xsl:apply-templates select="@*|node()"/>
</span>
</xsl:template>
<xsl:template match="p/span[2]">
<span style="color:blue">
<xsl:apply-templates select="@*|node()"/>
</span>
</xsl:template>
<xsl:template match="p/span[position() > 2]">
<span style="color:green">
<xsl:apply-templates select="@*|node()"/>
</span>
</xsl:template>
或者,在匹配span
代码的情况下,您可以将它们全部合并到一个模板中,改为xsl:choose
。
<xsl:template match="p/span">
<xsl:variable name="position">
<xsl:number />
</xsl:variable>
<xsl:variable name="colour">
<xsl:choose>
<xsl:when test="$position = 1">red</xsl:when>
<xsl:when test="$position = 2">green</xsl:when>
<xsl:otherwise>blue</xsl:otherwise>
</xsl:choose>
</xsl:variable>
<span style="color:{$colour}">
<xsl:apply-templates select="@*|node()"/>
</span>
</xsl:template>
尝试使用此XSLT作为初学者
<xsl:stylesheet xmlns:xsl="http://www.w3.org/1999/XSL/Transform" version="1.0">
<xsl:output method="html" doctype-public="XSLT-compat" omit-xml-declaration="yes" encoding="UTF-8" indent="yes" />
<xsl:template match="p/span">
<xsl:variable name="position">
<xsl:number />
</xsl:variable>
<xsl:variable name="colour">
<xsl:choose>
<xsl:when test="$position = 1">red</xsl:when>
<xsl:when test="$position = 2">green</xsl:when>
<xsl:otherwise>blue</xsl:otherwise>
</xsl:choose>
</xsl:variable>
<span style="color:{$colour}">
<xsl:apply-templates select="@*|node()"/>
</span>
</xsl:template>
<xsl:template match="@*|node()">
<xsl:copy>
<xsl:apply-templates select="@*|node()"/>
</xsl:copy>
</xsl:template>
</xsl:stylesheet>