3

我有这样的xml:

<article>
   <title> Test title - <literal> Compulsory - </literal> <fn> ABC </fn> 
   <comments> a comment</comments>
   </title>
</article>

我想在变量中获取所有子节点+自身文本,例如

$full_title = "考试题目 - 必修 - ABC"

注释节点文本除外。

以下是我错过标题节点文本的失败尝试。

<xsl:template name="test">
    <xsl:variable name="full_title" select="article/title/*[not(self::comments)][1]" />
    <xsl:variable name="width" select="45" /> 
                <xsl:choose>
                    <xsl:when test="string-length($full_title) &gt;    $width">
                        <xsl:value-of select="concat(substring($full_title,1,$width),'..')"/>
                    </xsl:when>
                    <xsl:otherwise>
                        <xsl:value-of select="$full_title"/>    
                    </xsl:otherwise>
            </xsl:choose>
</xsl:template>
4

2 回答 2

2

更改*node()。这将选择元素的子元素和文本节点<title>。然后取出,[1]因为你想要所有的孩子<title>

<xsl:variable name="full_title"
    select="string-join(article/title/node()[not(self::comments)], '')" />

<title>一种更可靠的方法是,如果您有多个级别并且<comments>元素作为孙子出现,那么您不会被绊倒,那就是:

<xsl:variable name="full_title"
    select="string-join(article/title//text()[not(ancestor::comments)], '')" />

更新:

由于您希望变量保存一个字符串值,并且由于您将它传递给类似的函数concat()并且string-length()不能将多个节点的序列作为第一个参数,string-join(..., '')因此在序列周围使用通过连接字符串值将其转换为字符串每个节点。

于 2013-08-01T14:06:02.820 回答
1

尝试这个:

<xsl:stylesheet xmlns:xsl="http://www.w3.org/1999/XSL/Transform" version="1.0">
    <xsl:output method="xml" indent="yes" omit-xml-declaration="yes"/>
    <xsl:template match="/">
        <xsl:variable name="full-text">
            <xsl:apply-templates select="//*[not(self::comments)]" 
               mode="no-comments"/> 
        </xsl:variable>
        <xsl:value-of select="$full-text"/><!-- just for debug-->
    </xsl:template >

    <xsl:template match="*" mode="no-comments">
        <xsl:value-of select="text()"/>
    </xsl:template>
</xsl:stylesheet>

mode仅用于清晰的属性

于 2013-08-01T14:05:27.317 回答