1

假设您有一个这样的 XML:

    <?xml version="1.0" encoding="utf-8"?>
<Class HashCode="307960707">
  <Person>
    <Class HashCode="-2020100801">
      <FullName>
        <FirstName>Dan</FirstName>
        <LastName>K</LastName>
      </FullName>
    </Class>
    <Age>20</Age>
    <Class HashCode="-439631396">
      <Address>
        <Street>abc</Street>
        <City>new york</City>
        <ZipCode>30500</ZipCode>
        <PhoneNumber>1245</PhoneNumber>
      </Address>
    </Class>
    <Class HashCode="-1436395737">
      <Person>
        <Class HashCode="-1303968324">
          <FullName>
            <FirstName>katty</FirstName>
            <LastName>G</LastName>
          </FullName>
        </Class>
        <Age>18</Age>
        <Class HashCode="-439631396">
          <Address />
        </Class>
        <Class HashCode="307960707">
          <Person />
        </Class>
      </Person>
    </Class>

我希望能够仅按元素XMLReader出现的顺序迭代元素,这意味着 class->Person-> class->FullName 等。
我试图使用类似的方法进行导航,XMLReader.ReadStartElement()但它不起作用,尤其是当我阅读时类似的空格"\n"似乎也是一个元素。:/
我试图绕过那个空白的方法XMLReader.Read()没有成功。

请帮助我了解我应该如何导航。

4

1 回答 1

1

XmlReader构造函数有一个接受XmlReaderSettings对象的重载。该XmlReaderSettings对象具有IgnoreWhitespace属性。

为了只读取下一个元素,您可以在 XmlReader 上实现扩展方法。

这是一个例子:

public static class ExtensionMethods
{
    public static bool ReadNextElement(this XmlReader reader)
    {
        while (reader.Read())
            if (reader.NodeType == XmlNodeType.Element)
                return true;

        return false;
    }
}

这是一个小控制台应用程序,将演示这一点:

public class Program
{
    public static void Main(string[] args)
    {
        var settings = new XmlReaderSettings();
        settings.IgnoreWhitespace = true;
        settings.IgnoreComments = true;
        settings.IgnoreProcessingInstructions = true;

        var reader = XmlReader.Create("XMLFile1.xml", settings);
        while (reader.ReadNextElement())
            Console.WriteLine(reader.Name);
    }
}
于 2012-12-17T23:48:26.650 回答