提前感谢您的支持。我只是遇到了一个问题并且在各方面都做了很多尝试。
我有一个XSLT 1.0需要用逗号解析xml标记的值并将其存储在数组中。
<选项> VAL1,VAL2,VAL3 ,,, VAL4< /选项>
这里我需要用逗号解析OPTIONS字段值,然后将它存储在数组中。在这里,我坚持将其存储在数组中以供进一步使用。
请咨询
<?xml version="1.0" encoding="UTF-8"?>
<xsl:stylesheet xmlns:xsl="http://www.w3.org/1999/XSL/Transform"
version="1.0">
<xsl:output method="text" omit-xml-declaration="yes"/>
<xsl:variable name="inline-array">
<!--<Item>A</Item>
<Item>B</Item>
<Item>C</Item>-->
<xsl:call-template name="splitByComma">
<xsl:with-param name="str" select="OPTIONS"/>
</xsl:call-template>
</xsl:variable>
<xsl:template match="/">
<xsl:param name="array" select="document('')/*/xsl:variable[@name='inline-array']/*"/>
<xsl:value-of select="$array[1]"/>
</xsl:template>
<xsl:template name="splitByComma">
<xsl:param name="str"/>
<xsl:choose>
<xsl:when test="contains($str,',')">
<item><xsl:value-of select="substring-before($str,',')"/></item>
<xsl:call-template name="splitByComma">
<xsl:with-param name="str"
select="substring-after($str,',')"/>
</xsl:call-template>
</xsl:when>
<xsl:otherwise>
<item><xsl:value-of select="$str"/></item>
</xsl:otherwise>
</xsl:choose>
</xsl:template>
</xsl:stylesheet>
答案 0 :(得分:3)
我认为这在XSLT 1.0中无效,因为当您尝试从样式表(即<xsl:param name="array" select="document('')/*/xsl:variable[@name='inline-array']/*"/>
)加载变量内联数组的内容时,实际上会加载其定义。因此,它包含带有子<xsl:call-template...
的元素<xsl:with-param...
,而不是评估它的结果。
所以在这种情况下你有两个选择:
(1)如果xslt处理器支持xxx:node-set(),请使用一些扩展函数
例如,如果您使用MS处理器,则可以在样式表的文档元素中添加其名称空间:xmlns:msxsl="urn:schemas-microsoft-com:xslt"
。
您可以从此命名空间调用函数node-set()
:<xsl:variable name="array" select="msxsl:node-set($inline-array)/item" />
。这会将您的变量处理为nodeset,您可以将其作为另一个xml访问:<xsl:value-of select="$array[3]"/>
。
其他供应商也可能有这样的扩展 - 查看处理器的文档。或者看看“exslt”。
(2)您还可以创建另一个递归命名模板,在csv字符串中获取所需值的位置。它将在指定位置返回单个值。但是对于更大的数据来说可能有点贵 - 这取决于您的预期输入。
(3)切换到xslt 2.0,这些事情要容易得多
您可以在xslt 2.0中使用tokenize()函数
<xsl:variable name="OPTIONS" select="'val1,,val2,val3,,,val4'" />
<xsl:variable name="array" select="tokenize($OPTIONS, ',')" />
<xsl:value-of select="$array[3]" />