3

假设您有一个 XML 文件:

<experiment
  xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
  xsi:noNamespaceSchemaLocation="experiment.xsd">
  <something />
<experiment>

你有 xsd 文件:

...
<xs:attribute name="hello" type="xs:boolean" use="optional" default="false" />
...

假设属性“hello”是“something”元素的可选属性,默认值设置为“false”。

使用 XML LINQ 的 XDocument 时,缺少该属性,导致程序在尝试读取时失败:

XDocument xml = XDocument.Load("file.xml");
bool b = bool.Parse(xml.Descendants("something").First().Attribute("hello").Value); // FAIL

LINQ 是自动加载 XML 模式(来自根元素“experiment”的“xsi:noNamespaceSchemaLocation”属性)还是我必须手动强制加载?

如何强制 LINQ 读取可选属性及其默认值?

4

2 回答 2

6

Load方法需要一个 XmlReader,如果您使用具有正确 XmlReaderSettings http://msdn.microsoft.com/en-us/library/1xe0740a的 XmlReader (即需要将 ValidationType 设置为 schema 并注意 schemaLocation 分别为 noNamespaceSchemaLocation 和正确的ValidationFlags)然后我认为该属性将被创建并使用架构中的默认值填充。

这是一个简短的示例:

    XDocument doc;

    XmlReaderSettings xrs = new XmlReaderSettings();
    xrs.ValidationType = ValidationType.Schema;
    xrs.ValidationFlags |= XmlSchemaValidationFlags.ProcessSchemaLocation;


    using (XmlReader xr = XmlReader.Create("../../XMLFile1.xml", xrs))
    {
        doc = XDocument.Load(xr);
    }
    foreach (XElement foo in doc.Root.Elements("foo"))
    {
        Console.WriteLine("bar: {0}", (bool)foo.Attribute("bar"));
    }

带有包含内容的示例文件

<?xml version="1.0" encoding="utf-8" ?>
<root xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:noNamespaceSchemaLocation="XMLSchema1.xsd">
  <foo/>
  <foo bar="true"/>
  <foo bar="false"/>
</root>

<?xml version="1.0" encoding="utf-8"?>
<xs:schema xmlns:xs="http://www.w3.org/2001/XMLSchema">
  <xs:element name="root">
    <xs:complexType>
      <xs:sequence maxOccurs="unbounded">
        <xs:element name="foo">
          <xs:complexType>
            <xs:attribute name="bar" use="optional" type="xs:boolean" default="false"/>
          </xs:complexType>
        </xs:element>
      </xs:sequence>
    </xs:complexType>
  </xs:element>
</xs:schema>

输出是

bar: False
bar: True
bar: False
于 2012-06-28T14:18:16.297 回答
1

使用此Xml 库XElementExtensions.cs 类,您可以使用Get()采用默认值的方法:

XDocument xml = XDocument.Load("file.xml");
bool b = xml.Descendants("something").First().Get("hello", false); 

false是您提供的默认值。

于 2012-06-28T17:17:22.060 回答