0

XDocumentとLINQは初めてです。これが私がやろうとしていることです:

XMLファイル:

<?xml version="1.0" encoding="utf-8"?>
<root>
  <chapters total-chapters="3">
    <Chapter chapter-no="1">
      <chapter-summary>this is chapter 1</chapter-summary>
    </Chapter>
    <Chapter chapter-no="2">
      <chapter-summary>this is chapter 2</chapter-summary>
    </Chapter>
    <Chapter chapter-no="3">
      <chapter-summary>this is chapter 3</chapter-summary>
    </Chapter>
    <Chapter chapter-no="4">
      <chapter-summary>this is chapter 4</chapter-summary>
    </Chapter>
</chapters>
</root>

今、私は特定の章ですべてのレコードを読む必要があります-いいえ。私はLINQクエリを次のように書いています:

IEnumerable<XElement> elem_list = 
    from e in xdoc.Elements("Chapter") 
    where (string) e.Attribute("chapter-no") == "1" 
    select e;

foreach (XElement e in elem_list)
{
    Console.WriteLine(e);
}

ただし、elem_listは入力されておらず、何も表示されません。

4

2 に答える 2

2

.Elements("Chapter")現在の要素 ( のルート) の直接の子内のみを検索しますxdoc

使用できます.Descendants("Chapter")

IEnumerable<XElement> elem_list = from e in xdoc.Descendants("Chapter")
                                  where (string) e.Attribute("chapter-no") == "1"
                                  select e;

または、完全なアイテム パスを指定します。

IEnumerable<XElement> elem_list = from e in xdoc.Root.Element("chapters").Elements("Chapter")
                                  where (string) e.Attribute("chapter-no") == "1"
                                  select e;

別のアプローチ -XPathセレクターを使用:

xdoc.XPathSelectElements("root/chapters/Chapter[@chapter-no=1]");

using System.Xml.XPath;最後のサンプルを機能させるために必要です。

于 2013-03-16T19:01:21.150 に答える
0

次のようなことができます。

IEnumerable<XElement> elem_list = 
   xdoc.Descendants("Chapter")
   .Where (c => c.Attribute("chapter-no").Value.Equals("1"));
于 2013-03-16T19:08:29.930 に答える