web-dev-qa-db-ja.com

htmlagilityパックのノードから子ノードにアクセスする方法

<html>
    <body>
        <div class="main">
            <div class="submain"><h2></h2><p></p><ul></ul>
            </div>
            <div class="submain"><h2></h2><p></p><ul></ul>
            </div>
        </div>
    </body>
</html>

HtmlをHtmlDocumentにロードしました。次に、XPathをsubmainとして選択しました。次に、各タグ、つまりh2pに個別にアクセスする方法がわかりません。

HtmlAgilityPack.HtmlNodeCollection nodes = doc.DocumentNode.SelectNodes("//div[@class=\"submain\"]");
foreach (HtmlAgilityPack.HtmlNode node in nodes) {}

node.InnerTextを使用すると、すべてのテキストが表示され、InnerHtmlも役に立ちません。個別のタグを選択するにはどうすればよいですか?

17
Ajit

以下が役立ちます:

HtmlAgilityPack.HtmlNodeCollection nodes = doc.DocumentNode.SelectNodes("//div[@class=\"submain\"]");
foreach (HtmlAgilityPack.HtmlNode node in nodes) {
    //Do you say you want to access to <h2>, <p> here?
    //You can do:
    HtmlNode h2Node = node.SelectSingleNode("./h2"); //That will get the first <h2> node
    HtmlNode allH2Nodes= node.SelectNodes(".//h2"); //That will search in depth too

    //And you can also take a look at the children, without using XPath (like in a tree):        
    HtmlNode h2Node = node.ChildNodes["h2"];
}
33
Oscar Mederos

あなたは子孫を探しています

var firstSubmainNodeName = doc
   .DocumentNode
   .Descendants()
   .Where(n => n.Attributes["class"].Value == "submain")
   .First()
   .InnerText;
5
user6856

記憶から、各Nodeには独自のChildNodesコレクションがあると思います。したがって、for…eachブロックあなたが検査できるはずですnode.ChildNodes

2
Jay