0

假设我有 xml 文件:

<?xml version="1.0" encoding="utf-8"?>
<Test Description="Test XML" VersionFormat="123" ProtectedContentText="(Test test)">
    <Testapp>
        <TestappA>
            <A Id="0" Caption="Test 0" />
            <A Id="1" Caption="Test 1" />
            <A Id="2" Caption="Test 2" />
            <A Id="3" Caption="Test 3">
                <AA>
                    <B Id="4" Caption="Test 4" />
                </AA>
            </A>
        </TestappA>
        <AA>
            <Reason Id="5" Caption="Test 5" />
            <Reason Id="6" Caption="Test 6" />
            <Reason Id="7" Caption="Test 7" />
        </AA>
    </Testapp>
</Test>

我需要在不使用 LINQ 的情况下从此 xml 中读取属性 Caption 的值,因为此代码的目的是在 Unity3D 中执行此操作,在花了一整夜使之成为现实之后,我编写了一个不起作用的代码。请帮忙!

代码截断:

// XML settings
XmlReaderSettings settings = new XmlReaderSettings();
settings.IgnoreWhitespace = true;
settings.IgnoreComments = true;                        

// Loop through the XML to get all text from the right attributes
using (XmlReader reader = XmlReader.Create(sourceFilepathTb.Text, settings))
{
    while (reader.Read())
    {
        if (reader.NodeType == XmlNodeType.Element)
        {
            if (reader.HasAttributes)
            {
                if (reader.GetAttribute("Caption") != null)
                {                                
                    MessageBox.Show(reader.GetAttribute("Caption"));
                }                            
            }
        }
    }
}
4

2 回答 2

1

以下是我处理 xml 的方式:首先我用我的 xml 加载 XmlDocument

XmlDocument x = new XmlDocument();
x.Load("Filename goes here");

然后要获取属性,我们有几个选择。如果你只想要所有的字幕而不关心其他任何事情,你可以这样做:

XmlNodeList xnl = x.GetElementsByTagName("A");
foreach(XmlNode n in xnl)
   MessageBox.Show(n.Attribute["Caption"].Value);

并为您拥有的每个元素标签重复此操作。

不过,在我提供更好的建议之前,我需要更多地了解您的要求。

于 2012-11-07T15:20:37.160 回答
0

您可以使用XPath获取列表

XmlDocument doc = new XmlDocument();
doc.LoadXml(xmlstring); // Or use doc.Load(filename) to load from file
XmlNodeList attributes = doc.DocumentElement.SelectNodes("//@Caption");
foreach (XmlAttribute attrib in attributes)
{
    Messageox.Show(attrib.Value);
}

我们使用@ 表示法来选择当前文档中具有Caption属性的所有节点。有关 xpath 的更多信息 - http://www.w3schools.com/xpath/xpath_syntax.asp

于 2012-11-07T15:31:30.623 回答