XSL media: content - string clippings in XSLT

Can anyone tell me how to select the url from this:

<media:content url="http://feedproxy.google.com/~r/TEDTalks_video/~5/aZWq6PY05YE/TimBrown_2009G.mp4" fileSize="57985745" type="video/mp4" />

      

I want to:

in

TimBrown_2009G

      

and then take: TimBrown_2009G and use it as part of the url

+2


source to share


1 answer


URL selection. You just need to make sure you have the correct namespace URI.

<xsl:value-of xmlns:media="http://search.yahoo.com/mrss/" 
              select="media:content/@url"/>

      

URL truncation. ... How to do this best depends on whether you are using XSLT 1 or 2, as the latter has the best string processing features from XPath 2.0.

If you are using XSLT 1, you may need to create a helper template to return the last segment from a delimited string:



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

      

Then you can use that to fetch the last segment of the url and continue fetching the part before point. Assuming the url is in a variable url

:

<xsl:variable name="name">
  <xsl:call-template name="last-substring-after">
    <xsl:with-param name="string" select="$url"/>
    <xsl:with-param name="separator" select="'/'"/>
  </xsl:call-template>
</xsl:variable>
<xsl:value-of select="substring-before($name, '.')"/>

      

+6


source







All Articles