如何使用XSLT从元素中删除一些内容

时间:2016-12-09 07:00:31

标签: json xml xslt

对于图像标记,我需要在JSON输出中使用XSLT仅保留带有“file /”内容的图像文件:

我的输入XML文件是:

<image>binary/alias/my.jpg</image>

XSL用作:

<xsl:template match="image">
  image: <xsl:apply-templates/>,
</xsl:template>

我得到的JSON输出是:

image: binary/alias/my.jpg

我需要输出为:

image: files/my.jpg

请帮我解决这个问题。提前谢谢。

2 个答案:

答案 0 :(得分:1)

在XSLT 2.0中,你可以这样做:

<xsl:template match="image">
    <xsl:text>image: files/</xsl:text>
    <xsl:value-of select="tokenize(., '/')[last()]"/>
</xsl:template>

答案 1 :(得分:0)

要在最后一次出现char之后获取字符串(在本例中为'/'),您需要(在XSLT-1.0中)一个递归模板。应用此模板,解决方案很简单:输出所需的前缀文本'image:files /'并附加递归模板的结果:

<xsl:stylesheet version="1.0" xmlns:xsl="http://www.w3.org/1999/XSL/Transform">

  <xsl:template match="image">
    image: files/<xsl:call-template name="LastOccurrence">
      <xsl:with-param name="value" select="text()" />
      <xsl:with-param name="separator" select="'/'" />
    </xsl:call-template>
  </xsl:template> 

  <xsl:template name="LastOccurrence">
    <xsl:param name="value" />
    <xsl:param name="separator" select="'/'" />

    <xsl:choose>
      <xsl:when test="contains($value, $separator)">
        <xsl:call-template name="LastOccurrence">
          <xsl:with-param name="value" select="substring-after($value, $separator)" />
          <xsl:with-param name="separator" select="$separator" />
        </xsl:call-template>
      </xsl:when>
      <xsl:otherwise>
        <xsl:value-of select="$value" />
      </xsl:otherwise>
    </xsl:choose>
  </xsl:template>

</xsl:stylesheet>

LastOccurrence模板的灵感来自this SO post