示例XML:
<Root>
<Product value="Candy">
<Item value="Gum" price="1.00"/>
<Item value="Mints" price="0.50"/>
</Product>
</Root>
假设我有一个属性类:
public class CandyItems
{
public string Value{get; set;}
public string Price{get; set;}
}
在我的主程序课程中,我有一个列表:
var Candies = new List<CandyItems>;
我正在努力用一种简洁的方法来填充Candies
列表,使用LINQ。
我可以分步进行,例如:
//Get list of Items within <Product value="Candy">
XElement tempCandies = XDocument.Load("file.xml").Root.Elements("Product").Single(c => c.Attributes("value") == "Candy").Descendants("Item");
//Loop through the elements
foreach(var item in tempCandies){
Candies.Add(new CandyItems{Value = item.Attributes("value"), Price = item.Attributes("price")});
}
但似乎我可以用纯粹的LINQ更简洁地做到这一点。或者是否有另一种推荐的方法?
答案 0 :(得分:0)
这样的事情(加载文档后):
var candies =
xdoc.Root.Elements("Product")
.Where(p => p.Attribute("value").Value == "Candy")
.SelectMany(p => p.Descendants("Item").Select(i => new CandyItems {
Value = i.Attribute("value").Value,
Price = i.Attribute("price").Value }));
注意:省略任何和所有错误处理。
答案 1 :(得分:0)
试试这个: -
XDocument xdoc = XDocument.Load(@"Path\Candies.xml");
List<CandyItems> Candies = xdoc.Descendants("Item")
.Select(x => new CandyItems
{
Value = (string)x.Attribute("value"),
Price = (string)x.Attribute("price")
}).ToList();
虽然,你没有提到但是如果你只想获取Candies而你的XML可能包含其他产品: -
<Root>
<Product value="Candy">
<Item value="Gum" price="1.00"/>
<Item value="Mints" price="0.50"/>
</Product>
<Product value="Chocolate">
<Item value="MilkChocolate" price="7.00"/>
<Item value="DarkChocolate" price="10.50"/>
</Product>
</Root>
然后,您可以应用过滤器来仅提取Candy
这样的产品: -
List<CandyItems> Candies = xdoc.Descendants("Item")
.Where(x => (string)x.Parent.Attribute("value") == "Candy")
.Select(x => new CandyItems
{
Value = (string)x.Attribute("value"),
Price = (string)x.Attribute("price")
}).ToList();