通过System.Linq获取C#中元素的名称和值

时间:2012-05-24 07:53:15

标签: c# xml linq linq-to-xml

我有一个自定义配置文件。

<Students>
 <student>
   <Detail Name="abc" Class="1st Year">
       <add key="Main" value="web"/>
       <add key="Optional" value="database"/>
   </Detail>
 </student>
</Students>

我通过IConfigurationHandler接口实现读取了这个文件。 当我读取Detail元素的childNode属性时。它将结果返回到IDE的立即窗口。

elem.Attributes.ToObjectArray()

{object[2]}
    [0]: {Attribute, Name="key", Value="Main"}
    [1]: {Attribute, Name="value", Value="web"}

当我尝试在控制台上写字时

 Console.WriteLine("Value '{0}'",elem.Attributes.ToObjectArray());

它确实让我回复

Value : 'System.Configuration.ConfigXmlAttribute'

elem.Attributes.Item(1)方法给出了Name和Value的详细信息,但在这里我需要传递我当前不知道的属性的索引值。

我希望通过 LINQ查询获取属性的名称和值,并在控制台上为每个childNode属性显示,如下所示:

Value : Name="Key" and Value="Main"
        Name="value", Value="web"

我怎样才能做到这一点?

4 个答案:

答案 0 :(得分:3)

您可以使用Linq 选择 string.Join 来获取所需的输出。

string.Join(Environment.NewLine, 
    elem.Attributes.ToObjectArray()
        .Select(a => "Name=" + a.Name + ", Value=" + a.Value)
)

答案 1 :(得分:3)

如果您想使用此Xml Library,您可以使用以下代码获取所有学生及其详细信息:

XElement root = XElement.Load(file); // or .Parse(string)
var students = root.Elements("student").Select(s => new
{
    Name = s.Get("Detail/Name", string.Empty),
    Class = s.Get("Detail/Class", string.Empty),
    Items = s.GetElements("Detail/add").Select(add => new
    {
        Key = add.Get("key", string.Empty),
        Value = add.Get("value", string.Empty)
    }).ToArray()
}).ToArray();

然后迭代它们使用:

foreach(var student in students)
{
    Console.WriteLine(string.Format("{0}: {1}", student.Name, student.Class));
    foreach(var item in student.Items)
        Console.WriteLine(string.Format("  Key: {0}, Value: {1}", item.Key, item.Value));
}

答案 2 :(得分:2)

这将获得您在问题中陈述的Detail元素的子元素的所有属性。

XDocument x = XDocument.Parse("<Students> <student> <Detail Name=\"abc\" Class=\"1st Year\"> <add key=\"Main\" value=\"web\"/> <add key=\"Optional\" value=\"database\"/> </Detail> </student> </Students>");

var attributes = x.Descendants("Detail")
                  .Elements()
                  .Attributes()
                  .Select(d => new { Name = d.Name, Value = d.Value }).ToArray();

foreach (var attribute in attributes)
{
     Console.WriteLine(string.Format("Name={0}, Value={1}", attribute.Name, attribute.Value));
}

答案 3 :(得分:0)

如果您在编写的object[]中有属性,可以通过

进行模拟
var Attributes = new object[]{
    new {Name="key", Value="Main"},
    new {Name="value", Value="web"}
};

然后问题是您有匿名类型,其名称无法轻易提取。

看看这段代码(你可以将它粘贴到LinqPad编辑器窗口的main()方法中来执行它):

var linq=from a in Attributes
let s = string.Join(",",a).TrimStart('{').TrimEnd('}').Split(',')
select new 
{
    Value = s[0].Split('=')[1].Trim(),
    Name = s[1].Split('=')[1].Trim()
};
//linq.Dump();

由于你无法访问 object [] 数组中变量 Attributes 的Name和Value属性,因为编译器会将它们隐藏起来,所以诀窍在于使用 Join(“,”,a)方法来解决这个限制。

之后您需要做的就是修剪拆分生成的字符串,最后使用值和创建一个新对象名称属性。 如果你取消注释LinqPad中的 linq.Dump(); 行,你可以尝试一下 - 它返回你想要的东西,Linq语句还可以查询它。