是否可以按如下方式对节点进行排序:
示例XML
<record>
<id>0</id>
<sku>0</sku>
<name>Title</name>
<prop>456</prop>
<number>99</number>
</record>
如果我应用此模板
<xsl:stylesheet version="1.0" xmlns:xsl="http://www.w3.org/1999/XSL/Transform">
<xsl:output method="xml" indent="yes"/>
<xsl:template match="record/*">
<xsl:param select="." name="value"/>
<div>
<xsl:value-of select="concat(local-name(), ' - ', $value)"/>
</div>
</xsl:template>
</xsl:stylesheet>
输出:
<div>id - 0</div>
<div>sku - 0</div>
<div>name - Title</div>
<div>prop - 456</div>
<div>number - 99</div>
然而,我希望所有0值最后输出,如下所示:
<div>name - Title</div>
<div>prop - 456</div>
<div>number - 99</div>
<div>id - 0</div>
<div>sku - 0</div>
这是否可以通过对<xsl:apply-templates/>
应用排序来实现?
XSLT-1.0有一种简单的方法可以实现这一点。只需在xsl:apply-templates
上使用谓词来检查内容是否为零:
<xsl:template match="record/*">
<div>
<xsl:value-of select="concat(local-name(), ' - ', .)"/>
</div>
</xsl:template>
<xsl:template match="/record">
<xsl:apply-templates select="*[normalize-space(.) != '0']" />
<xsl:apply-templates select="*[normalize-space(.) = '0']" />
</xsl:template>
这不会对输出进行排序,而是按照您想要的方式对其进行分组。xsl:param
是不必要的。
在我看来,这个问题根本不是什么问题。您甚至没有写下您提到的特定值是什么它就是标题。它是record
的子元素的任意序列。
尝试以下脚本,执行以下操作:
<?xml version="1.0" encoding="UTF-8" ?>
<xsl:transform version="2.0" xmlns:xsl="http://www.w3.org/1999/XSL/Transform">
<xsl:output method="xml" encoding="UTF-8" indent="yes" />
<xsl:template match="record">
<xsl:copy>
<xsl:apply-templates select="name, prop, number, id, sku"/>
</xsl:copy>
</xsl:template>
<xsl:template match="record/*">
<div><xsl:value-of select="concat(local-name(), ' - ', .)"/></div>
</xsl:template>
<xsl:template match="@*|node()">
<xsl:copy><xsl:apply-templates select="@*|node()"/></xsl:copy>
</xsl:template>
</xsl:transform>
我使用XSLT2.0,因为最初您没有指定XSLT版本。你能转到2.0版本吗?正如你所看到的,它允许写得很好优雅的解决方案(在版本1.0中不可能(。
我还更改了与record/*
匹配的模板。你实际上没有需要任何参数。使用电流值.
就足够了要素
编辑
另一种可能性是您想要以下排序:
- 首先,具有非数值的元素(在您的情况下,只有
name
(,也许没有任何种类 - 然后是具有数值的元素,按该值降序排列
如果是这种情况,则将匹配record
的模板更改为以下内容:
<xsl:template match="record">
<xsl:copy>
<xsl:apply-templates select="*[not(. castable as xs:integer)]"/>
<xsl:apply-templates select="*[. castable as xs:integer]">
<xsl:sort select="." order="descending" data-type="number"/>
</xsl:apply-templates>
</xsl:copy>
</xsl:template>
并添加:
xmlns:xs="http://www.w3.org/2001/XMLSchema"
exclude-result-prefixes="#all"
到CCD_ 9标签。
但我仍然看不到任何东西,这可以称为特定值。