1

我有一个要使用 LINQ 查询的 XML 文件。我想为每条记录创建一个新行。这是我迄今为止尝试过但失败的方法。

<?xml version="1.0" encoding="utf-8"?>
<categories xmlns="urn:schemas-pi-meta:categories" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="urn:schemas-pi-meta:categories Xsd/meta.xml.config.xsd">
<category name="history">
    <data>
      <value name="customer">2</value>
      <value name="truck">1</value>
    </data>
    <category name="record">
      <data>
        <value name="time">1/3/2013 2:22:41 PM</value>
        <value name="quantity">3</value>
        <value name="unit">barrels</value>
        <value name="cancelled">false</value>
        <value name="errored">false</value>
      </data>
    </category>
  </category>

该文件较长,因此我已将其删除,但它会重复。

这是我试图做的:

 XElement root = XElement.Load("D:\\Linq XM\\history.xml.config");

 IEnumerable<XElement> address = from el in root.Elements("categories")
    where (string)el.Attribute("category") == "record"
    select el;

我试图改变 Elements 的价值,认为我可能遗漏了一些东西,但不知何故,查询没有返回我的数据。

4

1 回答 1

8

据我所知,有四个问题。

第一个问题是您正在寻找根categories元素的元素 - 当categories元素根元素时。我怀疑你真的想寻找category元素而不是categories元素。

第二个问题是你试图找到一个名为category. name在我看来,您应该检查名为category.

第三个问题是具有name属性的类别record实际上根本不是直接子元素categories——它是后代,但不是直接子元素——所以你应该使用Descendants而不是Elements

第四个问题是您没有指定命名空间。文件的这一部分:

<categories xmlns="urn:schemas-pi-meta:categories"  ...

指定此元素和后代的默认命名空间是 URI "urn:schemas-pi-meta:categories"。因此,当您说出您要查找的内容时,您需要指定这一点。

把这些放在一起,你会得到:

XNamespace ns = "urn:schemas-pi-meta:categories";
var query = from el in root.Descendants(ns + "category")
            where (string) el.Attribute("name") == "record"
            select el;

或者没有查询表达式(因为它比这里的价值更麻烦):

XNamespace ns = "urn:schemas-pi-meta:categories";
var query = root.Descendants(ns + "category")
                .Where(el => (string) el.Attribute("name") == "record");
于 2013-01-06T02:44:38.293 回答