如何创建带有'include'声明
本文关键字:include 声明 何创建 创建 | 更新日期: 2023-09-27 18:05:47
我以前已经设法编写代码来制作简单的XML文档,但是我需要编写一个具有XML 'include'属性的XML文档。
这是我需要复制的示例:
<?xml version="1.0" encoding="utf-8"?>
<document xmlns:xi="http://www.w3.org/2001/XInclude">
<xi:include href="./file.xml"/>
<data>
</data>
</document>
网上有很多关于这个主题的信息,但它似乎远远超出了我的大部分,主要是关于"include"语句的阅读和处理。我只需要将其写入XML中,每次都将完全相同。
这是我尝试过的,但它显然不应该这样工作,它不允许我使用空白标签。
public static void WriteXml()
{
// Create the xml document in memory
XmlDocument myXml = new XmlDocument();
// Append deceleration
XmlDeclaration xmlDec = myXml.CreateXmlDeclaration("1.0", "UTF-8", null);
myXml.AppendChild(xmlDec);
// Append root node
XmlElement rootNode = myXml.CreateElement("document");
rootNode.SetAttribute("xmlns:xi", "http://www.w3.org/2001/XInclude");
myXml.AppendChild(rootNode);
// Append includes statement
XmlElement xiStatement = myXml.CreateElement("");
xiStatement.SetAttribute("xi:include", "./file.xml");
rootNode.AppendChild(xiStatement);
myXml.Save(@"C:'Temp'testxml.xml");
}
谁能建议一个简单的方法来添加包含语句?
编辑:如果我使用以下,它更接近我的目标,但添加href属性似乎会导致标签"xi:include"自动更改为"include"。
public static void WriteXml()
{
// Create the xml document in memory
XmlDocument myXml = new XmlDocument();
// Append deceleration
XmlDeclaration xmlDec = myXml.CreateXmlDeclaration("1.0", "UTF-8", null);
myXml.AppendChild(xmlDec);
// Append root node
XmlElement rootNode = myXml.CreateElement("document");
rootNode.SetAttribute("xmlns:xi", "http://www.w3.org/2001/XInclude");
myXml.AppendChild(rootNode);
// Append includes statement
XmlElement xiStatement = myXml.CreateElement("xi:include");
xiStatement.SetAttribute("href", "./file.xml");
rootNode.AppendChild(xiStatement);
myXml.Save(@"C:'Temp'testxml.xml");
}
首先,如前所述,您的include
是一个元素,而href
是一个属性,因此您可以这样创建:
var doc = new XmlDocument();
var declaration = doc.CreateXmlDeclaration("1.0", "UTF-8", null);
doc.AppendChild(declaration);
var root = doc.CreateElement("document");
root.SetAttribute("xmlns:xi", "http://www.w3.org/2001/XInclude");
doc.AppendChild(root);
var include = doc.CreateElement("xi", "include", "http://www.w3.org/2001/XInclude");
include.SetAttribute("href", "./file.xml");
root.AppendChild(include);
var data = doc.CreateElement("data");
root.AppendChild(data);
但是一个更简单的解决方案是使用LINQ to XML,这是一个更具表现力的API。有很多方法可以使用它,其中一种方法是:
XNamespace include = "http://www.w3.org/2001/XInclude";
var doc = new XDocument(
new XDeclaration("1.0", "UTF-8", null),
new XElement("document",
new XAttribute(XNamespace.Xmlns + "xi", include),
new XElement(include + "include",
new XAttribute("href", "./file.xml")
),
new XElement("data")
)
);