13

我有一个巨大的 xsl 文件,但我使用“tokenize”解析逗号分隔字符串的部分抛出错误。为简单起见,我将其分解为仅测试标记化部分,似乎无法取得任何进展。我不断收到以下错误:

预期的表达。标记化(-->[<--text],',')

我尝试使用在其他帖子中共享的一些示例 xsl,但从未设法让它工作。我很难理解为什么下面的 xsl 代码无效。这似乎不是很简单,但我想我错过了一些简单的东西。任何帮助我朝着正确的方向前进将不胜感激。

XSL:

<xsl:stylesheet version="1.0"
xmlns:xsl="http://www.w3.org/1999/XSL/Transform">
<xsl:template match="/root">
<xsl:for-each select="tokenize([text],',')"/>
<items>
<item>
<xsl:value-of select="."/>
</item>
</items>
</xsl:for-each>
</xsl:template>
</xsl:stylesheet>

XML:

<?xml-stylesheet type="text/xsl" href="simple.xsl"?>
<root>
<text>Item1, Item2, Item3</text>
</root>

我期待 XML 输出如下:

<items>
<item>Item1</item>
<item>Item2</item>
<item>Item3</item>
</items>

谢谢!

4

2 回答 2

11

我看到了 4 个错误:

  1. 您正在使用tokenize()1.0 样式表。您需要将版本更改为 2.0 并使用 2.0 处理器。如果您使用网络浏览器进行转换,根据xml-stylesheet处理指令,您可能没有使用 2.0 处理器。

  2. 您的 tokenize ( [text]) 的第一个参数无效。只需使用text.

  3. 你过早地关闭了你的xsl:for-each.

  4. 您正在<items>为每个项目输出一个。把<items>外面的xsl:for-each

更改示例:

<xsl:stylesheet version="2.0" xmlns:xsl="http://www.w3.org/1999/XSL/Transform">
    <xsl:template match="/root">
        <items>
            <xsl:for-each select="tokenize(text,',')">
                <item>
                    <xsl:value-of select="."/>
                </item>
            </xsl:for-each>
        </items>
    </xsl:template>
</xsl:stylesheet>

要真正使用 2.0 处理器获得所需的输出,我还建议使用xsl:outputand normalize-space()

<xsl:stylesheet version="2.0" xmlns:xsl="http://www.w3.org/1999/XSL/Transform">
    <xsl:output indent="yes"/>

    <xsl:template match="/root">
        <items>
            <xsl:for-each select="tokenize(text,',')">
                <item>
                    <xsl:value-of select="normalize-space(.)"/>
                </item>
            </xsl:for-each>
        </items>
    </xsl:template>

</xsl:stylesheet>
于 2012-07-14T23:10:41.343 回答
5

正如 DevNull 所述,tokenize() 是一个 XSLT 2.0 函数。但是,如果您的处理器支持 EXSLT,则可以使用str:tokenize() 函数。否则,您将需要用户递归来拆分逗号分隔的值,如下所示...

<xsl:stylesheet version="1.0" xmlns:xsl="http://www.w3.org/1999/XSL/Transform">
<xsl:output method="xml" indent="yes"/>
<xsl:strip-space elements="*" />

<xsl:template match="/">
 <items>
   <xsl:apply-templates select="root/text"/>
 </items>
</xsl:template>

<xsl:template match="text">
 <xsl:call-template name="tokenize"> 
   <xsl:with-param name="csv" select="." /> 
 </xsl:call-template>    
</xsl:template>

<xsl:template name="tokenize">
 <xsl:param name="csv" />
  <xsl:variable name="first-item" select="normalize-space( 
    substring-before( concat( $csv, ','), ','))" /> 
 <xsl:if test="$first-item">
  <item>
   <xsl:value-of select="$first-item" /> 
  </item>  
  <xsl:call-template name="tokenize"> 
   <xsl:with-param name="csv" select="substring-after($csv,',')" /> 
  </xsl:call-template>    
 </xsl:if>  
</xsl:template>

</xsl:stylesheet>
于 2012-07-15T15:21:28.883 回答