web-dev-qa-db-ja.com

特定のリストを除くすべてのXML子ノードを選択するXPath式?

これがサンプルデータです:

<catalog>
    <cd>
        <title>Empire Burlesque</title>
        <artist>Bob Dylan</artist>
        <country>USA</country>
                <customField1>Whatever</customField1>
                <customField2>Whatever</customField2>
                <customField3>Whatever</customField3>
        <company>Columbia</company>
        <price>10.90</price>
        <year>1985</year>
    </cd>
    <cd>
        <title>Hide your heart</title>
        <artist>Bonnie Tyler</artist>
        <country>UK</country>
                <customField1>Whatever</customField1>
                <customField2>Whatever</customField2>
        <company>CBS Records</company>
        <price>9.90</price>
        <year>1988</year>
    </cd>
    <cd>
        <title>Greatest Hits</title>
        <artist>Dolly Parton</artist>
        <country>USA</country>
                <customField1>Whatever</customField1>
        <company>RCA</company>
        <price>9.90</price>
        <year>1982</year>
    </cd>
</catalog>

価格と年の要素を除くすべてを選択したいとします。私は明らかに動作しない以下のようなものを書くことを期待します。

<?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="//cd/* except (//cd/price|//cd/year)">
    Current node: <xsl:value-of select="current()"/>
    <br />
  </xsl:for-each>
  </body>
  </html>
</xsl:template>
</xsl:stylesheet>

特定の子要素を除外する方法を教えてください。

17
<xsl:for-each select="//cd/*[not(self::price or self::year)]">

しかし、これは実際には悪く、不必要に複雑です。より良い:

<xsl:template match="catalog">
  <html>
    <body>
      <xsl:apply-templates select="cd/*" />
    </body>
  </html>
</xsl:template>

<!-- this is an empty template to mute any unwanted elements -->
<xsl:template match="cd/price | cd/year" />

<!-- this is to output wanted elements -->
<xsl:template match="cd/*">
  <xsl:text>Current node: </xsl:text>
  <xsl:value-of select="."/>
  <br />
</xsl:template>

<xsl:for-each>は避けてください。ほとんどの場合、これは間違ったツールであり、<xsl:apply-templates>および<xsl:template>に置き換える必要があります。

上記は、一致表現の特異性のために機能します。 match="cd/price | cd/year"match="cd/*"よりも具体的であるため、cd/priceまたはcd/year要素の推奨テンプレートです。ノードを除外しようとせず、ノードを破棄して破棄し、処理してください。

38
Tomalak

私は次のようなものを試し始めます

"//cd/*[(name() != 'price') and (name() != 'year')]"

または、<xsl:apply-templates/>と一致する通常の再帰テンプレートを実行してから、<price/>および<year/>要素に空のテンプレートを作成します。

<xsl:template match="price"/>
<xsl:template match="year"/>
9
ndim