XNamespace作为附加属性,为什么

时间:2017-01-09 22:02:22

标签: c# xml linq-to-xml xattribute xnamespace

我想实现这个目标:

    <?xml version="1.0" encoding="utf-8"?>
<configuration xmlns:xdt="http://schemas.microsoft.com/XML-Document-Transform">
  <appSettings>    
    <add key="WriteToLogFile" value="true" xdt:Transform="SetAttributes(value)" xdt:Locator="Match(name)" />
    <add key="SendErrorEmail" value="false" xdt:Transform="SetAttributes(value)" xdt:Locator="Match(name)" />    
  </appSettings>
</configuration>

这是我的c#代码:

var items = GetItems();
XNamespace xdtNamespace = "xdt";

XDocument doc = new XDocument(new XElement("configuration", new XAttribute(XNamespace.Xmlns + "xdt", "http://schemas.microsoft.com/XML-Document-Transform"),
new XElement("appSettings", from item in items
    select new XElement("add",
        new XAttribute("key", item.Key),
        new XAttribute("value", item.Value),
        new XAttribute(xdtNamespace + "Transform", "SetAttributes(value)"),
        new XAttribute(xdtNamespace + "Locator", "Match(name)")))));

doc.Declaration = new XDeclaration("1.0", "utf-8", null);                
doc.Save("Test.xml");

我的c#代码的输出是:

 <?xml version="1.0" encoding="utf-8"?>
<configuration xmlns:xdt="http://schemas.microsoft.com/XML-Document-Transform">
  <appSettings>   
    <add key="WriteToLogFile" value="true" p4:Transform="SetAttributes(value)" p4:Locator="Match(name)" xmlns:p4="xdt" />
    <add key="SendErrorEmail" value="false" p4:Transform="SetAttributes(value)" p4:Locator="Match(name)" xmlns:p4="xdt" />    
  </appSettings>
</configuration>

如您所见,每个元素都有一个额外的属性 xmlns:p4 =&#34; xdt&#34; 。 属性Transform和Locator以 p4 为前缀,而不是 xdt 。 为什么会这样?

我已经阅读过与xml名称空间相关的msdn文档(以及其他一些类似的文章),但坦率地说它很混乱,我没有找到任何有用的东西。

是否有好的文章,简单解释一下我的案例?

1 个答案:

答案 0 :(得分:1)

您将命名空间别名(您想要xdt)与命名空间URI混淆。您希望将元素放在正确的命名空间中(通过URI),但在根元素中使用您想要的别名指定xmlns属性:

using System;
using System.Xml.Linq;

class Test
{
    static void Main(string[] args)
    {
        XNamespace xdt = "http://schemas.microsoft.com/XML-Document-Transform";

        XDocument doc = new XDocument(
            new XElement("configuration",
                new XAttribute(XNamespace.Xmlns + "xdt", xdt.NamespaceName),
                new XElement("appSettings",
                    new XElement("add",
                        new XAttribute("key", "WriteToLogFile"),
                        new XAttribute("value", true),
                        new XAttribute(xdt + "Transform", "SetAttributes(value)"),
                        new XAttribute(xdt + "Locator", "Match(name)")
                    )
                )
            )
        );
        Console.WriteLine(doc);
    }    
}

输出:

<configuration xmlns:xdt="http://schemas.microsoft.com/XML-Document-Transform">
  <appSettings>
    <add key="WriteToLogFile" value="true" xdt:Transform="SetAttributes(value)" xdt:Locator="Match(name)" />
  </appSettings>
</configuration>