我需要一些关于我正在编写的xslt的帮助。下面是我的源码xml。
<document>
<content1></content1>
<content2></content2>
<Br/>
<content3></content3>
<content4></content4>
<Br/>
<content5></content5>
<content6></content6>
</document>
这是我打算创建的输出的结构:
<document>
<p>
<content1></content1>
<content2></content2>
</p>
<p>
<content3></content3>
<content4></content4>
</p>
<p>
<content5></content5>
<content6></content6>
</p>
</document>
我的问题是,如何对内容进行分组并将其包装在“&lt; p&gt;”中每当我看到“&lt; br&gt;”时标记标记
谢谢!
答案 0 :(得分:1)
使用Muenchian方法将document
的儿童按其前一个Br
分组:
<xsl:stylesheet xmlns:xsl="http://www.w3.org/1999/XSL/Transform" version="1.0">
<xsl:output omit-xml-declaration="yes" indent="yes"/>
<xsl:strip-space elements="*"/>
<xsl:key name="byPosition" match="/document/*[not(self::Br)]"
use="generate-id(preceding-sibling::Br[1])"/>
<xsl:template match="@*|node()" name="identity" priority="-5">
<xsl:copy>
<xsl:apply-templates select="@*|node()"/>
</xsl:copy>
</xsl:template>
<xsl:template match="/document/*[not(self::Br) and
generate-id()=generate-id(key('byPosition',
generate-id(preceding-sibling::Br[1]))[1])]">
<p><xsl:copy-of
select="key('byPosition',
generate-id(preceding-sibling::Br[1]))"/></p>
</xsl:template>
<xsl:template match="/document/*" priority="-3"/>
</xsl:stylesheet>
说明:首先,项目根据其前一个key
元素分组在Br
中:
<xsl:key name="byPosition" match="/document/*[not(self::Br)]"
use="generate-id(preceding-sibling::Br[1])"/>
Identity Transform用于复制大多数节点:
<xsl:template match="@*|node()" name="identity" priority="-5">
<xsl:copy>
<xsl:apply-templates select="@*|node()"/>
</xsl:copy>
</xsl:template>
然后,我们会匹配document
的所有key
个孩子,这是<xsl:template match="document/*[not(self::Br) and
generate-id()=generate-id(key('byPosition',
generate-id(preceding-sibling::Br[1]))[1])]">
的第一个这样的项目:
key
...并将其用作复制按<xsl:copy-of select="key('byPosition',
generate-id(preceding-sibling::Br[1]))"/>
分组的所有项目的点:
{{1}}
答案 1 :(得分:1)
此XSLT 1.0为您提供了预期的结果:
<?xml version="1.0" encoding="UTF-8"?>
<xsl:stylesheet xmlns:xsl="http://www.w3.org/1999/XSL/Transform"
version="1.0">
<xsl:output indent="yes"/>
<xsl:strip-space elements="*"/>
<xsl:key name="parag" match="document/*[not(self::Br)]" use="count(following-sibling::Br)"/>
<xsl:template match="node()|@*">
<xsl:copy>
<xsl:apply-templates select="node()|@*"/>
</xsl:copy>
</xsl:template>
<xsl:template match="document/*[not(self::Br) and not(position()=1)]"/>
<xsl:template match="Br|document/*[position()=1]">
<p>
<xsl:for-each select="key('parag',count(following-sibling::Br))">
<xsl:copy>
<xsl:apply-templates select="node()|@*"/>
</xsl:copy>
</xsl:for-each>
</p>
</xsl:template>
</xsl:stylesheet>