Reputation: 6686
How to create xml document with node prefix like:
<sphinx:docset>
<sphinx:schema>
<sphinx:field name="subject"/>
<sphinx:field name="content"/>
<sphinx:attr name="published" type="timestamp"/>
</sphinx:schema>
When I try to run something like new XElement("sphinx:docset")
i getting exception
Unhandled Exception: System.Xml.XmlException: The ':' character, hexadecimal val ue 0x3A, cannot be included in a name.
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)
Upvotes: 76
Views: 70513
Reputation: 349
Step by step using LINQ to XML:
XNamespace ns = "http://url/for/sphinx";
XAttribute sphinx = new XAttribute(XNamespace.Xmlns + "sphinx", ns);
XElement docset = new XElement(ns + "docset", sphinx);
XElement schema = new XElement(ns + "schema");
docset.Add(schema);
XElement field1 = new XElement(ns + "field", new XAttribute("name", "subject"));
XElement field2 = new XElement(ns + "field", new XAttribute("name", "content"));
XElement attr = new XElement(ns + "attr",
new XAttribute("name", "published"),
new XAttribute("type", "timestamp"));
schema.Add(field1, field2, attr);
Console.WriteLine(docset);
Output:
<sphinx:docset xmlns:sphinx="http://url/for/sphinx">
<sphinx:schema>
<sphinx:field name="subject" />
<sphinx:field name="content" />
<sphinx:attr name="published" type="timestamp" />
</sphinx:schema>
</sphinx:docset>
Upvotes: -1
Reputation: 83356
You can read the namespace of your document and use it in queries like this:
XDocument xml = XDocument.Load(address);
XNamespace ns = xml.Root.Name.Namespace;
foreach (XElement el in xml.Descendants(ns + "whateverYourElementNameIs"))
//do stuff
Upvotes: 22
Reputation: 1500525
It's really easy in LINQ to XML:
XNamespace ns = "sphinx";
XElement element = new XElement(ns + "docset");
Or to make the "alias" work properly to make it look like your examples, something like this:
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"))));
That produces:
<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>
Upvotes: 128