两个小时我现在尝试用XmlWriter将4行旧代码翻译成XmlDocument,但是我失败了很多时间! ;(
XmlWriter.WriteStartDocument();
XmlWriter.WriteStartElement("document", "urn:hl7-org:v3");
XmlWriter.WriteAttributeString("xmlns", "xsi", null, "http://www.w3.org/2001/XMLSchema-instance");
XmlWriter.WriteAttributeString("schemaLocation", "http://www.w3.org/2001/XMLSchema-instance", "urn:hl7-org:v3 GUDIDSPL.xsd");
我的线条:
XmlDeclaration xmlDeclaration = XmlDocument.CreateXmlDeclaration("1.0", "UTF-8", null);
XmlElement root = XmlDocument.CreateElement(string.Empty, "document", "urn:hl7-org:v3");
XmlDocument.AppendChild(root);
XmlDocument.InsertBefore(xmlDeclaration, root);
这是唯一可行的,在此之后的每一个代码的和平,我尝试失败。 我没有得到100%正确的名称空间! 一个原因是“SetAttribute”,不提供前缀参数。
我希望你能提供帮助。
亲切的问候
我用“har07”实现了代码postet,效果很好! 但我现在有不同的问题。
输出应如下所示:
< document xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="urn:hl7-org:v3 GUDIDSPL.xsd" xmlns="urn:hl7-org:v3">
<id root="1fed661f-e015-4ea9-95e5-7cf293cd0517" />
<code code="C101716" codeSystem="2.16.840.1.113883.3.26.1.1" />
<effectiveTime xsi:type="TS" value="20160212" />
但它看起来像这样:
< document xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="urn:hl7-org:v3 GUDIDSPL.xsd" xmlns="urn:hl7-org:v3">
<id root="6c4bb64e-d652-4fe6-80f1-8599196719d0" xmlns="" />
<code code="C101716" codeSystem="2.16.840.1.113883.3.26.1.1" xmlns="" />
<effectiveTime xsi:type="TS" value="20160212" xmlns="" />
我的创建元素代码始终生成此空xmlns标记。 我添加到我的namespaceManager(“xsi”,“http://www.w3.org/2001/XMLSchema-instance”)
答案 0 :(得分:1)
使用 SetAttribute()
,您可以直接指定前缀和属性本地名称作为第一个参数:
....
XmlElement root = XmlDocument.CreateElement(string.Empty, "document", "urn:hl7-org:v3");
root.SetAttribute("xmlns:xsi", "http://www.w3.org/2001/XMLSchema-instance");
root.SetAttribute("xsi:schemaLocation", "urn:hl7-org:v3 GUDIDSPL.xsd");
....
另一种选择是使用较新的API,XDocument
,而不是XmlDocument
:
XNamespace d = "urn:hl7-org:v3";
XNamespace xsi = "http://www.w3.org/2001/XMLSchema-instance";
var doc =
new XDocument(
new XDeclaration("1.0", "UTF-8", null),
new XElement(d + "document", //create root element in default namespace
new XAttribute("xmlns", d.ToString()), //add default namespace declaration
new XAttribute(XNamespace.Xmlns + "xsi", xsi.ToString()), //add xsi namespace declaration
new XAttribute(xsi + "schemaLocation", "urn:hl7-org:v3 GUDIDSPL.xsd") //add xsi:schemaLocation attribute
)
);
更新:
应该使用接受命名空间uri的SetAttribute()
重载来定义名称空间中的属性,即xsi:schemaLocation
:
....
XmlElement root = XmlDocument.CreateElement(string.Empty, "document", "urn:hl7-org:v3");
root.SetAttribute("xmlns:xsi", "http://www.w3.org/2001/XMLSchema-instance");
root.SetAttribute("schemaLocation", "http://www.w3.org/2001/XMLSchema-instance", "urn:hl7-org:v3 GUDIDSPL.xsd");
....