鉴于以下文件:
<doc>
<a>a</a>
<b>1</b>
<b>2</b>
<b>3</b>
<c>c</c>
</doc>
我希望将其转化为:
<doc>
<a>a</a>
<b>1,2,3</b>
<c>c</c>
</doc>
到目前为止我所拥有的内容(主要来自SO的另一篇文章):
<xsl:stylesheet version="1.0" xmlns:xsl="http://www.w3.org/1999/XSL/Transform">
<xsl:template match="node()|@*">
<xsl:copy>
<xsl:apply-templates select="node()|@*" />
</xsl:copy>
</xsl:template>
<xsl:template match="doc">
<xsl:copy>
<xsl:apply-templates select="*[not(self::b)]"/>
<b><xsl:apply-templates select="b/text()"/></b>
</xsl:copy>
</xsl:template>
<xsl:template match="b/text()">
<xsl:if test="position() > 1">,</xsl:if>
<xsl:value-of select="."/>
</xsl:template>
</xsl:stylesheet>
这会产生以下结果:
<doc><a>a</a><c>c</c><b>1,2,3</b></doc>
但是我很难找到一个能够保持文档顺序完整的解决方案。任何<b>
元素的运行都应该被包含原始元素文本的单个元素替换为逗号分隔列表。其他元素不应重新排序。
答案 0 :(得分:1)
你为什么不这样做:
<xsl:stylesheet version="1.0"
xmlns:xsl="http://www.w3.org/1999/XSL/Transform">
<xsl:output method="xml" version="1.0" encoding="UTF-8" indent="yes"/>
<xsl:template match="/doc">
<xsl:copy>
<xsl:copy-of select="a"/>
<b>
<xsl:for-each select="b">
<xsl:value-of select="."/>
<xsl:if test="position() !=last()">,</xsl:if>
</xsl:for-each>
</b>
<xsl:copy-of select="c"/>
</xsl:copy>
</xsl:template>
</xsl:stylesheet>
这假设您知道传入XML的结构,并且可以在b
之前和之后单独枚举元素。否则你必须做类似的事情:
<xsl:template match="/doc">
<xsl:copy>
<xsl:apply-templates select="*[not(self::b or preceding-sibling::b)]"/>
<b>
<xsl:for-each select="b">
<xsl:value-of select="."/>
<xsl:if test="position() !=last()">,</xsl:if>
</xsl:for-each>
</b>
<xsl:apply-templates select="*[not(self::b or following-sibling::b)]"/>
</xsl:copy>
</xsl:template>
答案 1 :(得分:0)
您可以在其他模式下使用兄弟递归:
<xsl:stylesheet xmlns:xsl="http://www.w3.org/1999/XSL/Transform"
version="1.0">
<xsl:output indent="yes"/>
<xsl:strip-space elements="*"/>
<xsl:template match="node()|@*">
<xsl:copy>
<xsl:apply-templates select="node()|@*" />
</xsl:copy>
</xsl:template>
<xsl:template match="b[not(preceding-sibling::*[1][self::b])]">
<xsl:copy>
<xsl:apply-templates select="." mode="merge"/>
</xsl:copy>
</xsl:template>
<xsl:template match="b[preceding-sibling::*[1][self::b]]"/>
<xsl:template match="b" mode="merge">
<xsl:value-of select="."/>
<xsl:variable name="next" select="following-sibling::*[1][self::b]"/>
<xsl:if test="$next">
<xsl:text>,</xsl:text>
<xsl:apply-templates select="$next" mode="merge"/>
</xsl:if>
</xsl:template>
</xsl:stylesheet>