空引用异常 - 使用 Element 和 XPath 的 XDocument

Null reference exception - XDocument using Element and XPath

我正在从数据库中获取一些 XML 字符串形式的数据。数据在数据库中保存为ntext。

从数据库中获取数据没有问题。问题在后面,当我要处理xml中的数据时。我将一个字符串加载到 xDocument 中。

我想先获取Owner值。但是我得到一个 nullreference 异常,这意味着我没有编写我假设的正确 Xpath。

写入“./Owner”无效。写“/./Owner”不起作用然后我得到一个 XML 异常。

我从 XMLDocument 开始,但认为我 运行 遇到了命名空间问题。开始阅读,看起来使用 xDocument 更好。 正如您在我的代码中看到的那样,我尝试通过两种方式获取 Owner 值,但都失败了。

我的 XML 看起来有点像这样:

    <Container xmlns:i="http://www.w3.org/2001/XMLSchema-instance" xmlns="DM">
<IsConsigned>false</IsConsigned>
<LockState>Unlocked</LockState>
<SourceType i:nil="true" />
<Id>04216194-4f62-47ee-ab21-c1053d01bf1e</Id>
<Owner>IN</Owner>
<Created>2012-08-21T09:29:10.528321+02:00</Created>
</Container>

还有我的代码:

      class Program
{
   static SqlConnection conn = new SqlConnection();
   static XDocument xml = new XDocument();

    static void Main(string[] args)
    {
        using (conn)
        {
            conn.ConnectionString = Properties.Settings.Default.connectionString;
            //connection.Open();
            conn.Open();
            SqlDataReader reader = GetDataFromDatabase();

            if (reader.HasRows)
            {

                while (reader.Read())
                {
                    string xmlFile = reader.GetSqlString(0).ToString();
                    HandleData(xmlFile);
                }
            }
            else
            {
                Console.WriteLine("No rows found.");
            }
            reader.Close();
        }
    }

    public static void HandleData(string xmlIn)
    {

        xml = XDocument.Parse(xmlIn);
        XElement xmlElement = xml.Root;
        string test1 = xml.Element("Owner").Value.ToString();
        string test = xmlElement.Element("Owner").Value.ToString();
    }

    }

请在 http://www.w3schools.com/xpath/default.asp 阅读有关 XPath 的更多信息。

您在此处找到的解决方案:https://dotnetfiddle.net/Aflm8t

这不是使用 XmlDocumentXDocument 的问题。你的XML有默认命名空间,一个没有前缀声明的命名空间,在这里:

xmlns="DM"

与此处前缀为 i 的对比:xmlns:i="http://www.w3.org/2001/XMLSchema-instance"。请注意,不仅声明默认命名空间的元素在该命名空间中,而且所有后代元素都隐式继承祖先默认命名空间,除非另有说明(使用显式命名空间前缀或指向不同命名空间 uri 的本地默认命名空间)。

您可以使用 "XNamespace"+"element's local name" 的组合来形成限定名称以引用命名空间中的元素,例如:

var xmlIn = @"<Container xmlns:i='http://www.w3.org/2001/XMLSchema-instance' xmlns='DM'>
<IsConsigned>false</IsConsigned>
<LockState>Unlocked</LockState>
<SourceType i:nil='true' />
<Id>04216194-4f62-47ee-ab21-c1053d01bf1e</Id>
<Owner>IN</Owner>
<Created>2012-08-21T09:29:10.528321+02:00</Created>
</Container>";
var xml = XDocument.Parse(xmlIn);
XNamespace d = "DM";
string owner = xml.Root.Element(d+"Owner").Value;
Console.WriteLine(owner);
string id = xml.Root.Element(d+"Id").Value;
Console.WriteLine(id);

Dotnetfiddle Demo

输出:

IN
04216194-4f62-47ee-ab21-c1053d01bf1e

旁注:

  • Element() 不识别 XPath 表达式,它接受 XName 参数。
  • XElement.Value 属性 已经是一个字符串,不需要调用 ToString() 了。
  • 类似案例供参考,如果以后需要在 XDocument 中使用 XPath : Use XPath with XML namespace