我更喜欢LINQ to XML over XMLReader,因为它感觉更容易使用。但是,我知道我在某处做错了。我不是在寻找更快的执行或任何东西,只是更清晰的重写。我不知道它是否能够完全适合from foo in bar where foo is some condition
形式,但必须采用更清洁的方式。
我不是在这里使用匿名对象而是输出为字符串,因为我排除了一些将数据调整到现有对象的代码 - 但是,它现在是一种混乱的结构,我需要重构。
我的XML看起来像这样。
<?xml version="1.0" encoding="utf-8" ?>
<entity name="Something">
<Component type="RenderComponent">
<Material type="string">fur</Material>
<Reflectiveness type="int">678</Reflectiveness>
</Component>
<Component type="HealthComponent">
<Sound type="int">60</Sound>
</Component>
</entity>
我的代码:
static void Main(string[] args)
{
XDocument xdoc = XDocument.Load(@"..\..\XMLFile1.xml");
List<string> comNames = new List<string>();
Dictionary<string, string> paramValues = new Dictionary<string, string>();
List<string> paramTypes = new List<string>();
foreach (XElement e in xdoc.Root.Elements("Component"))
{
string type = e.Attribute("type").Value;
foreach(XElement param in e.Elements())
{
paramValues.Add(param.Name.LocalName, param.Value);
paramTypes.Add(param.Attributes().First().Value);
}
Console.WriteLine(" \n\n\n");
comNames.Add(type);
}
}
给出产出:
comNames - RenderComponent, HealthComponent
paramValues - (Material, fur), (Reflectiveness, 678), (Sound, 60)
paramTypes - string, int, int
如果它稍微清除了一下,文件的总体布局:
entity
属性的根节点name
(在此示例中已忘记)n
具有type
属性的组件节点Component
节点都有许多具有名称,type
属性和value
的子节点。答案 0 :(得分:4)
我想,你可以这样做:
XDocument xdoc = XDocument.Load(@"..\..\XMLFile1.xml");
var data =
xdoc.Root.Elements("Component")
.SelectMany(e => new
{
type = e.Attribute("type").Value,
paramValues = e.Elements()
.Select(x => new KeyValuePair<string,
string>
(x.Name.LocalName,
x.Value)),
paramType = e.Elements()
.Select(x => x.Attributes().First()
.Value)
});
List<string> comNames = data.Select(x => x.type).ToList();
List<string> paramTypes = data.Select(x => x.paramType).ToList();
Dictionary<string, string> paramValues = data.Select(x => x.paramValues)
.ToDictionary(x => x.Key,
x => x.Value);
但老实说,我认为你原来的代码很好。