0

このXMLを取得した場合(最初のタグは空です)

<messages>
    <message>                                                                                             
            <name>Kiro</name>                                                                       
            <acc></acc>                                                                     
            <date>20120506</date>                                                                       
            <template>TMPL_ACC_UP</template>                                                                    
        </message>                                                              
        <message>                                                                       
            <name>Third</name>                                                                  
            <acc>555</acc>                                                                  
            <date>20120507</date>                                                                       
            <template>TMPL_ACC_UP</template>                                                                
        </message>                                                              
</messages>

ここで、次のXPath式「// message / acc / text()」を使用してすべてのアカウントを取得し、ノードリスト1(空のノードは含まれていません)を取得します。空のタグ['555'、'']の空の文字列を取得したい。どうすればこれを達成できますか?ありがとう!

4

2 に答える 2

2

XPath 2.0では、次のようなワンライナーを使用できます

/*/message/acc/string()

ただし、これは、単一のXPath1.0式を評価した結果として生成することはできません

XPath 1.0を使用する必要がある場合、解決策はすべての/*/message/acc要素を選択してから、XPathをホストしているPLで、選択した各要素の文字列値を出力することです。

たとえば、このXSLT 1.0変換

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

 <xsl:template match="/">
  <xsl:text>[</xsl:text><xsl:apply-templates/><xsl:text>]</xsl:text>
 </xsl:template>
 <xsl:template match="acc">
    <xsl:if test="preceding::acc">, </xsl:if>
   <xsl:text>'</xsl:text><xsl:value-of select="."/><xsl:text>'</xsl:text>
 </xsl:template>
 <xsl:template match="text()"/>
</xsl:stylesheet>

提供されたXMLドキュメントに適用した場合:

<messages>
    <message>
            <name>Kiro</name>
            <acc></acc>
            <date>20120506</date>
            <template>TMPL_ACC_UP</template>
        </message>
        <message>
            <name>Third</name>
            <acc>555</acc>
            <date>20120507</date>
            <template>TMPL_ACC_UP</template>
        </message>
</messages>

必要な正しい結果を生成します。

['', '555']
于 2012-06-28T12:49:50.680 に答える
1

ノードをループして、それらのテキストを値として抽出します

<?xml version="1.0" encoding="ISO-8859-1"?>
<xsl:stylesheet version="1.0" xmlns:xsl="http://www.w3.org/1999/XSL/Transform">

<xsl:template match="/">
  <html>
  <body>[
      <xsl:for-each select="//message/acc">
       '<xsl:value-of select="text()"/>',
      </xsl:for-each>]
  </body>
  </html>
</xsl:template>
</xsl:stylesheet>

結果:[ '', '555', ]

于 2012-06-28T10:18:10.437 に答える