如何生成XML文件

时间:2009-10-09 09:30:37

标签: asp.net xml

我需要在这里创建一个xml文件

bool result= false;

如何使用C#语法在ASP.NET中实现此目的。 result是我需要在XML文件中添加的值。

我需要在包含此内容的文件夹下创建一个XML文件

<?xml version="1.0" encoding="utf-8" ?> 
<user>
  <Authenticated>yes</Authenticated> 
</user>

谢谢

3 个答案:

答案 0 :(得分:3)

XElement xml = new XElement("user",
                    new XElement("Authenticated","Yes"))
                );
xml.Save(savePath);

适用于.net 3及以上版本,但是  您可以将XmlDocument用于更高版本

    XmlDocument xmlDoc = new XmlDocument();

    // Write down the XML declaration
    XmlDeclaration xmlDeclaration = xmlDoc.CreateXmlDeclaration("1.0","utf-8",null);

    // Create the root element
    XmlElement rootNode  = xmlDoc.CreateElement("user");
    xmlDoc.InsertBefore(xmlDeclaration, xmlDoc.DocumentElement); 
    xmlDoc.AppendChild(rootNode);

    // Create the required nodes
    XmlElement mainNode  = xmlDoc.CreateElement("Authenticated");
    XmlText yesText= xmlDoc.CreateTextNode("Yes");
    mainNode.AppendChild(yesText);

    rootNode.AppendChild(mainNode);

    xmlDoc.Save(savePath);

您也可以像建议@marc_s一样使用XmlWriter,或者至少可以将xml存储到文件中,如sting

using(StreamWriter sw = new StreamWriter(savePath))
{
sw.Write(string.Format("<?xml version=\"1.0\" encoding=\"utf-8\" ?>
<user><Authenticated>{0}</Authenticated></user>","Yes"));
}

答案 1 :(得分:2)

这个怎么样:

XmlTextWriter xtw = new XmlTextWriter(@"yourfilename.xml", Encoding.UTF8);

xtw.WriteProcessingInstruction("xml", "version=\"1.0\" encoding=\"utf-8\"");
xtw.WriteStartElement("user");
xtw.WriteStartElement("Authenticated");
xtw.WriteValue(result);
xtw.WriteEndElement();  // Authenticated
xtw.WriteEndElement();  // user

xtw.Flush();
xtw.Close();

或者,如果您更喜欢在内存中构建XML文件,还可以使用XmlDocument类及其方法:

// Create XmlDocument and add processing instruction
XmlDocument xdoc = new XmlDocument();
xdoc.AppendChild(xdoc.CreateProcessingInstruction("xml", "version=\"1.0\" encoding=\"utf-8\""));

// generate <user> element
XmlElement userElement = xdoc.CreateElement("user");

// create <Authenticated> subelement and set it's InnerText to the result value        
XmlElement authElement = xdoc.CreateElement("Authenticated");
authElement.InnerText = result.ToString();

// add the <Authenticated> node as a child to the <user> node
userElement.AppendChild(authElement);

// add the <user> node to the XmlDocument
xdoc.AppendChild(userElement);

// save to file
xdoc.Save(@"C:\yourtargetfile.xml");

如果您的文件顶部有using System.Xml;子句,则应该适用于任何版本的.NET框架。

马克

答案 2 :(得分:1)

如果要生成XML,然后让用户选择将XML保存在工作站中,请查看下面的帖子。它详细解释了这个过程。

Generating XML in Memory Stream and download