11

次のファイルがあります。

<root>
  <Product desc="Household">
    <Product1 desc="Cheap">
        <Producta desc="Cheap Item 1" category="Cooking" />
        <Productb desc="Cheap Item 2" category="Gardening" />
    </Product1>
    <Product2 desc="Costly">
        <Producta desc="Costly Item 1" category="Decoration"/>
        <Productb desc="Costly Item 2" category="Furnishing" />
        <Productc desc="Costly Item 3" category="Pool" />
    </Product2>
  </Product>
</root>

次のような情報を見つけたい: 安い商品と高い商品の合計、すべてのカテゴリのリスト (料理、ガーデニング、装飾など)、並べ替えられたカテゴリのリスト、および「高い」製品のみを選択する

LINQを使用するにはどうすればよいですか。私は今までこれをしました:

 XElement xe = XElement.Load(Server.MapPath("~/product.xml"));
 ????
4

2 に答える 2

9

まあ、個人的には次のほうが簡単だと思いますXmlDocument

    XmlDocument root = new XmlDocument();
    root.LoadXml(xml); // or .Load(path);

    var categories = root.SelectNodes(
        "/root/Product/Product/Product/@category")
        .Cast<XmlNode>().Select(cat => cat.InnerText).Distinct();
    var sortedCategories = categories.OrderBy(cat => cat);
    foreach (var category in sortedCategories)
    {
        Console.WriteLine(category);
    }

    var totalItems = root.SelectNodes(
         "/root/Products/Product/Product").Count;
    Console.WriteLine(totalItems);

    foreach (XmlElement prod in root.SelectNodes(
        "/root/Product/Product[@desc='Costly']/Product"))
    {
        Console.WriteLine(prod.GetAttribute("desc"));
    }
于 2009-02-23T07:42:07.160 に答える
9

あなたの XML 構造は、3 レベルの階層に Product 要素を使用しているため、残念です。「家庭」に似た要素は他にありますか?

家庭用のものだけが必要であると仮定すると、次を使用できます。

安い/高いのそれぞれのアイテムを数える

xe.Element("Product") // Select the Product desc="household" element
  .Elements() // Select the elements below it
  .Select(element => new { Name=(string) element.Attribute("desc"),
                           Count=element.Elements().Count() });

すべてのカテゴリを一覧表示

xe.Descendants() // Select all descendant elements
  .Attributes() // All attributes from all elements
  // Limit it to "category" elements
  .Where(attr => attr.Name == "category")
  // Select the value
  .Select(attr => attr.Value)
  // Remove duplicates
  .Distinct();

これを並べ替える.OrderBy(x => x)には、最後に使用します。

「高価な」製品を選択する

xe.Descendants() // Select all elements
  // Only consider those with a "Costly" description
  .Where(element => (string) element.Attribute("desc") == "Costly")
  // Select the subelements of that element, and flatten the result
  .SelectMany(element => element.Elements());
于 2009-02-23T07:27:31.907 に答える