web-dev-qa-db-ja.com

XElement名前空間(操作方法)

次のようなノードプレフィックスを使用してxmlドキュメントを作成する方法

_<sphinx:docset>
  <sphinx:schema>
    <sphinx:field name="subject"/>
    <sphinx:field name="content"/>
    <sphinx:attr name="published" type="timestamp"/>
 </sphinx:schema>
_

new XElement("sphinx:docset")のようなものを実行しようとすると、例外が発生します

未処理の例外:System.Xml.XmlException: ':'文字、16進値0x3Aは名前に含めることができません。
at System.Xml.XmlConvert.VerifyNCName(String name、ExceptionType exceptionTyp e)
at System.Xml.Linq.XName..ctor(XNamespace ns、String localName)
at System.Xml.Linq.XNamespace.GetName(String localName)
at System.Xml.Linq.XName.Get(String expandedName)

69
Edward83

LINQ to XMLでは非常に簡単です。

XNamespace ns = "sphinx";
XElement element = new XElement(ns + "docset");

または、「エイリアス」を適切に機能させて、次のような例のように見せます。

XNamespace ns = "http://url/for/sphinx";
XElement element = new XElement("container",
    new XAttribute(XNamespace.Xmlns + "sphinx", ns),
    new XElement(ns + "docset",
        new XElement(ns + "schema"),
            new XElement(ns + "field", new XAttribute("name", "subject")),
            new XElement(ns + "field", new XAttribute("name", "content")),
            new XElement(ns + "attr", 
                         new XAttribute("name", "published"),
                         new XAttribute("type", "timestamp"))));

それは生成します:

<container xmlns:sphinx="http://url/for/sphinx">
  <sphinx:docset>
    <sphinx:schema />
    <sphinx:field name="subject" />
    <sphinx:field name="content" />
    <sphinx:attr name="published" type="timestamp" />
  </sphinx:docset>
</container>
113
Jon Skeet

ドキュメントの名前空間を読み取り、次のようなクエリで使用できます。

XDocument xml = XDocument.Load(address);
XNamespace ns = xml.Root.Name.Namespace;
foreach (XElement el in xml.Descendants(ns + "whateverYourElementNameIs"))
    //do stuff
20
Adam Rackis