我有一个那样格式的文件

<?xml version="1.0" encoding="UTF-8"?>
<AMG>
    <Include File="..."/> <!-- comment -->
    <Include File="...."/> <!-- comment -->

    <AMGmers Name="Auto">
        <Array Type="move" Name="move_name"/>
    </AMGmers>

    <AMGmers Name="Black" Parent="Auto">
        <Attr Type="Color" Name="auto_Params"/>
    </AMGmers>
        <!-- comment -->

</AMG>

我必须从<AMGmers>获取所有名称,并且必须检查可用性父级。
我想这么做
XmlDocument doc1 = new XmlDocument();
doc1.Load("test.xml");
XmlNodeList elemList1 = doc1.GetElementsByTagName("Name");

请帮助我理解。

最佳答案

因为<AMG>是根节点并且<AMGmers>标记在<AMG>中,所以可以使用此语法获取所有<AMGmers>标记

XmlNodeList elemList1 = doc1.SelectNodes("AMG/AMGmers");

我假设您想从所有Name标记中获取<AMGmers>属性的值,并检查每个<AMGmers>标记是否有Parent属性,因此这段代码应该可以工作
foreach (XmlNode node in elemList1)
{
    if (node.Attributes["Name"] != null)
    {
        string name = node.Attributes["Name"].Value;

        // do whatever you want with name
    }

    if (node.Attributes["Parent"] != null)
    {
        // logic when Parent attribute is present
        // node.Attributes["Parent"].Value is the value of Parent attribute
    }
    else
    {
        // logic when Parent attribute isn't present
    }
}

编辑
如果要获取<Array>内的<AMGmers>节点,可以执行以下操作
foreach (XmlNode node in elemList1)
{
    XmlNodeList arrayNodes = node.SelectNodes("Array");
    foreach (XmlNode arrayNode in arrayNodes)
    {
        if (arrayNode.Attributes["Type"] != null)
        {
            // logic when Type attribute is present
            // arrayNode.Attributes["Type"].Value is the value of Type attribute
        }
    }
}

编辑2
如果要枚举<AMGmers>中的所有节点,可以执行以下操作
foreach (XmlNode node in elemList1)
{
    foreach (XmlNode childNode in node.ChildNodes)
    {
        // do whatever you want with childNode
    }
}

10-07 19:00