要在 XSLT1.0 中执行此操作,您将使用 Muenchian Grouping。在您的情况下,您通过前面的第一个大元素和小元素的组合对时间元素进行分组。这意味着您将从定义以下键开始
<xsl:key
name="pairs"
match="Time"
use="concat(preceding-sibling::Large[1], '|', preceding-sibling::small[1])" />
然后,您需要在组中首先出现的时间元素为其特定键。你可以这样做:
<xsl:apply-templates
select="element/Time[
generate-id()
= generate-id(
key(
'pairs',
concat(preceding-sibling::Large[1], '|', preceding-sibling::small[1])
)[1])]" />
然后,例如,要获取smallnum值,它是组中所有元素的值,您只需这样做,其中$key定义为concat(preceding-sibling::Large[1], '|', preceding-sibling::small[1])
<xsl:value-of select="count(key('pairs', $key))" />
对于totsmalltime元素,只需使用 sum 而不是 count。
这是完整的 XSLT
<xsl:stylesheet version="1.0" xmlns:xsl="http://www.w3.org/1999/XSL/Transform">
<xsl:output method="xml" indent="yes"/>
<xsl:key name="pairs" match="Time" use="concat(preceding-sibling::Large[1], '|', preceding-sibling::small[1])"/>
<xsl:template match="/root">
<root>
<xsl:apply-templates select="element/Time[generate-id() = generate-id(key('pairs', concat(preceding-sibling::Large[1], '|', preceding-sibling::small[1]))[1])]"/>
</root>
</xsl:template>
<xsl:template match="Time">
<xsl:variable name="small" select="preceding-sibling::small[1]"/>
<xsl:variable name="Large" select="preceding-sibling::Large[1]"/>
<xsl:variable name="key" select="concat($Large, '|', $small)"/>
<element>
<xsl:copy-of select="$small"/>
<xsl:copy-of select="$Large"/>
<smallnum>
<xsl:value-of select="count(key('pairs', $key))"/>
</smallnum>
<totsmalltime>
<xsl:value-of select="sum(key('pairs', $key))"/>
</totsmalltime>
</element>
</xsl:template>
</xsl:stylesheet>
当应用于您的 XML 时,将输出以下内容
<root>
<element>
<small>a</small>
<Large>B</Large>
<smallnum>2</smallnum>
<totsmalltime>623</totsmalltime>
</element>
<element>
<small>b</small>
<Large>A</Large>
<smallnum>2</smallnum>
<totsmalltime>575</totsmalltime>
</element>
<element>
<small>c</small>
<Large>B</Large>
<smallnum>1</smallnum>
<totsmalltime>325</totsmalltime>
</element>
</root>
编辑:在 XSLT2.0 中,您可以在进行计数和求和时使用xsl:for-each-group元素以及current-group() 。
<xsl:stylesheet version="2.0" xmlns:xsl="http://www.w3.org/1999/XSL/Transform">
<xsl:output method="xml" indent="yes"/>
<xsl:template match="/root">
<root>
<xsl:for-each-group select="element/Time" group-by="concat(preceding-sibling::Large[1], '|', preceding-sibling::small[1])">
<element>
<xsl:copy-of select="preceding-sibling::small[1]"/>
<xsl:copy-of select="preceding-sibling::Large[1]"/>
<smallnum>
<xsl:value-of select="count(current-group())"/>
</smallnum>
<totsmalltime>
<xsl:value-of select="sum(current-group())"/>
</totsmalltime>
</element>
</xsl:for-each-group>
</root>
</xsl:template>
</xsl:stylesheet>
这也应该输出相同的 XML。