我需要转换以下重复模式
<root>
<bar>bar 1</bar>
<baz>baz 1</baz>
<qux>qux 1</qux>
<bar>bar 2</bar>
<baz>baz 2</baz>
<qux>qux 2</qux>
</root>
进入这个;
<root>
<foo>
<bar>bar 1</bar>
<baz>baz 1</baz>
<qux>qux 1</qux>
</foo>
<foo>
<bar>bar 2</bar>
<baz>baz 2</baz>
<qux>qux 2</qux>
</foo>
</root>
但不想使用循环解决方案。
答案 0 :(得分:1)
许多很多解决方案。这个使用细粒度遍历:
<xsl:stylesheet version="1.0" xmlns:xsl="http://www.w3.org/1999/XSL/Transform">
<xsl:template match="node()|@*" name="identity">
<xsl:copy>
<xsl:apply-templates select="node()[1]|@*"/>
</xsl:copy>
<xsl:apply-templates select="following-sibling::node()[1]"/>
</xsl:template>
<xsl:template match="bar">
<foo>
<xsl:call-template name="identity"/>
</foo>
<xsl:apply-templates select="following-sibling::bar[1]"/>
</xsl:template>
<xsl:template match="qux">
<xsl:copy>
<xsl:apply-templates select="node()[1]|@*"/>
</xsl:copy>
</xsl:template>
</xsl:stylesheet>
输出:
<root>
<foo>
<bar>bar 1</bar>
<baz>baz 1</baz>
<qux>qux 1</qux>
</foo>
<foo>
<bar>bar 2</bar>
<baz>baz 2</baz>
<qux>qux 2</qux>
</foo>
</root>
其他解决方案:使用键推送样式。
<xsl:stylesheet version="1.0" xmlns:xsl="http://www.w3.org/1999/XSL/Transform">
<xsl:key name="kElementByPrecedingBar" match="root/*[not(self::bar)]"
use="generate-id(preceding-sibling::bar[1])"/>
<xsl:template match="node()|@*" name="identity">
<xsl:copy>
<xsl:apply-templates select="node()|@*"/>
</xsl:copy>
</xsl:template>
<xsl:template match="bar" mode="wrap">
<foo>
<xsl:apply-templates select=".|key('kElementByPrecedingBar',
generate-id())"/>
</foo>
</xsl:template>
<xsl:template match="root">
<xsl:copy>
<xsl:apply-templates select="bar" mode="wrap"/>
</xsl:copy>
</xsl:template>
</xsl:stylesheet>
答案 1 :(得分:0)
这种转变:
<xsl:stylesheet version="1.0"
xmlns:xsl="http://www.w3.org/1999/XSL/Transform">
<xsl:output omit-xml-declaration="yes" indent="yes"/>
<xsl:strip-space elements="*"/>
<xsl:key name="kFollowing" match="*[not(name()=name(/*/*[1]))]"
use="generate-id(preceding-sibling::*[name()=name(/*/*[1])][1])"/>
<xsl:template match="node()|@*" name="identity">
<xsl:copy>
<xsl:apply-templates select="node()|@*"/>
</xsl:copy>
</xsl:template>
<xsl:template match="/*/*"/>
<xsl:template match="/*/*[name()=name(/*/*[1])]">
<foo>
<xsl:apply-templates select=".|key('kFollowing', generate-id())" mode="copy"/>
</foo>
</xsl:template>
<xsl:template match="*" mode="copy">
<xsl:call-template name="identity"/>
</xsl:template>
</xsl:stylesheet>
应用于提供的XML文档:
<root>
<bar>bar 1</bar>
<baz>baz 1</baz>
<qux>qux 1</qux>
<bar>bar 2</bar>
<baz>baz 2</baz>
<qux>qux 2</qux>
</root>
生成想要的正确结果:
<root>
<foo>
<bar>bar 1</bar>
<baz>baz 1</baz>
<qux>qux 1</qux>
</foo>
<foo>
<bar>bar 2</bar>
<baz>baz 2</baz>
<qux>qux 2</qux>
</foo>
</root>
请注意:
转换不需要知道和硬编码任何元素名称 - 它只是使用元素名称序列重复的事实。
使用密钥查找群组的所有成员。
使用模式以多种方式处理相同的节点。