我想使用XmlReader保存并加载我的xml数据。但我不知道如何使用这个课程。你能给我一个开始的示例代码吗?
答案 0 :(得分:12)
MSDN有一个简单的例子可以帮助您入门here。
如果您对阅读和编写XML文档感兴趣,而不仅仅是专门使用XmlReader类,那就是a nice article covering a few of your options here。
但是如果你只是想开始玩游戏,试试这个:
XmlReaderSettings settings = new XmlReaderSettings();
settings.IgnoreWhitespace = true;
settings.IgnoreComments = true;
XmlReader reader = XmlReader.Create("file.xml", settings);
答案 1 :(得分:9)
我个人已经从XMLReader切换到System.XML.Linq.XDocument来管理我的XML数据文件。这样我就可以轻松地将数据从xml中提取到对象中,并像我程序中的任何其他对象一样管理它们。当我完成操作它们时,我可以随时将更改保存回xml文件中。
//Load my xml document
XDocument myData = XDocument.Load(PhysicalApplicationPath + "/Data.xml");
//Create my new object
HelpItem newitem = new HelpItem();
newitem.Answer = answer;
newitem.Question = question;
newitem.Category = category;
//Find the Parent Node and then add the new item to it.
XElement helpItems = myData.Descendants("HelpItems").First();
helpItems.Add(newitem.XmlHelpItem());
//then save it back out to the file system
myData.Save(PhysicalApplicationPath + "/Data.xml");
如果我想在易于管理的数据集中使用此数据,我可以将其绑定到我的对象列表。
List<HelpItem> helpitems = (from helpitem in myData.Descendants("HelpItem")
select new HelpItem
{
Category = helpitem.Element("Category").Value,
Question = helpitem.Element("Question").Value,
Answer = helpitem.Element("Answer").Value,
}).ToList<HelpItem>();
现在它可以传递并使用我的对象类的任何固有函数进行操作。
为方便起见,我的类有一个将自己创建为xml节点的功能。
public XElement XmlHelpItem()
{
XElement helpitem = new XElement("HelpItem");
XElement category = new XElement("Category", Category);
XElement question = new XElement("Question", Question);
XElement answer = new XElement("Answer", Answer);
helpitem.Add(category);
helpitem.Add(question);
helpitem.Add(answer);
return helpitem;
}
答案 2 :(得分:7)
您应该使用Create
方法而不是new
,因为XmlReader
是使用the Factory pattern的abstract class
。
var xmlReader = XmlReader.Create("xmlfile.xml");
答案 3 :(得分:6)
从优秀C# 3.0 in a Nutshell开始,请考虑查看第11章中的sample code。