我有一个xml文件,它像:
<Messages>
error message 1
error message 2
</Messages>
我希望输出如下:
Error 1:
error message 1
Error 2:
error message 2
我正在使用xslt 1.0,我尝试:
<?xml version="1.0" encoding="ISO-8859-1"?>
<xsl:stylesheet version="1.0" xmlns:xsl="http://www.w3.org/1999/XSL/Transform">
<xsl:output method="html" omit-xml-declaration="yes"/>
<xsl:template match="Messages">
<h3>Error 1:</h3>
<xsl:value-of select="substring-before(./text(), ' ')"/>
<h3>Error 2:</h3>
<xsl:value-of select="substring-after(./text(), ' ')"/>
</xsl:template>
</xsl:stylesheet>
但是它什么也没给我……有人能帮我一下吗?谢谢!
您可以使用这个递归模板来实现这一点:
<xsl:stylesheet version="1.0" xmlns:xsl="http://www.w3.org/1999/XSL/Transform">
<xsl:output method="html" omit-xml-declaration="yes"/>
<xsl:template match="Messages" name="outputError">
<xsl:param name="index" select="1"/>
<xsl:param name="source" select="text()"/>
<xsl:variable name="thisLine" select="normalize-space(substring-before($source, ' '))"/>
<xsl:variable name="theRest" select="substring-after($source, ' ')"/>
<xsl:choose>
<xsl:when test="$thisLine">
<h3>Error <xsl:value-of select="$index"/>:</h3>
<span><xsl:value-of select="$thisLine"/></span>
<xsl:call-template name="outputError">
<xsl:with-param name="index" select="$index + 1"/>
<xsl:with-param name="source" select="$theRest"/>
</xsl:call-template>
</xsl:when>
<xsl:when test="$theRest">
<xsl:call-template name="outputError">
<xsl:with-param name="index" select="$index"/>
<xsl:with-param name="source" select="$theRest"/>
</xsl:call-template>
</xsl:when>
</xsl:choose>
</xsl:template>
</xsl:stylesheet>
我在<span>
元素中包装了实际的错误,只是为了清楚地将它们与空白区分开,如果您喜欢,您当然可以使用<p>
, <div>
或根本没有元素。
如果我必须使用XSLT 1.0,我会编写这样的两步转换:
<xsl:stylesheet version="1.0" xmlns:xsl="http://www.w3.org/1999/XSL/Transform"
xmlns:ext="http://exslt.org/common">
<xsl:output method="text"/>
<xsl:template match="/*">
<xsl:variable name="vrtfPass1">
<xsl:copy><xsl:apply-templates/></xsl:copy>
</xsl:variable>
<xsl:apply-templates select=
"ext:node-set($vrtfPass1)/*/line
[preceding-sibling::node()[1][self::text() and normalize-space()]]"/>
</xsl:template>
<xsl:template match="/*/text()" name="markUp">
<xsl:param name="pText" select="."/>
<xsl:if test="normalize-space($pText)">
<xsl:value-of select="substring-before(concat($pText,'
'), '
')"/>
<line/>
<xsl:call-template name="markUp">
<xsl:with-param name="pText" select="substring-after($pText,'
')"/>
</xsl:call-template>
</xsl:if>
</xsl:template>
<xsl:template match="line">
Error: <xsl:value-of select="concat(position(), '
')"/>
<xsl:value-of select="normalize-space(preceding-sibling::node()[1])"/>
<xsl:text>
</xsl:text>
</xsl:template>
</xsl:stylesheet>
当对提供的XML文档应用此转换时:
<Messages>
error message 1
error message 2
</Messages>
生成所需的正确结果:
Error: 1
error message 1
Error: 2
error message 2