オブジェクトのデータをBinary、XML、またはJsonに保存することについてのブログ投稿を書きました。クラス変数の名前をxmlファイルでコードとは異なるものにする必要があるため、各パブリックプロパティを[XmlElement( "NameToShowUpInXmlFileGoesHere")]で装飾する必要があります。
それができたら、次の関数を呼び出して、オブジェクトインスタンスをファイルに保存およびファイルからロードします。
注:これには、System.Xmlアセンブリがプロジェクトに含まれている必要があります。
/// <summary>
/// Writes the given object instance to an XML file.
/// <para>Only Public properties and variables will be written to the file. These can be any type though, even other classes.</para>
/// <para>If there are public properties/variables that you do not want written to the file, decorate them with the [XmlIgnore] attribute.</para>
/// <para>Object type must have a parameterless constructor.</para>
/// </summary>
/// <typeparam name="T">The type of object being written to the file.</typeparam>
/// <param name="filePath">The file path to write the object instance to.</param>
/// <param name="objectToWrite">The object instance to write to the file.</param>
/// <param name="append">If false the file will be overwritten if it already exists. If true the contents will be appended to the file.</param>
public static void WriteToXmlFile<T>(string filePath, T objectToWrite, bool append = false) where T : new()
{
TextWriter writer = null;
try
{
var serializer = new XmlSerializer(typeof(T));
writer = new StreamWriter(filePath, append);
serializer.Serialize(writer, objectToWrite);
}
finally
{
if (writer != null)
writer.Close();
}
}
/// <summary>
/// Reads an object instance from an XML file.
/// <para>Object type must have a parameterless constructor.</para>
/// </summary>
/// <typeparam name="T">The type of object to read from the file.</typeparam>
/// <param name="filePath">The file path to read the object instance from.</param>
/// <returns>Returns a new instance of the object read from the XML file.</returns>
public static T ReadFromXmlFile<T>(string filePath) where T : new()
{
TextReader reader = null;
try
{
var serializer = new XmlSerializer(typeof(T));
reader = new StreamReader(filePath);
return (T)serializer.Deserialize(reader);
}
finally
{
if (reader != null)
reader.Close();
}
}
例
public class place
{
[XmlElement("pID")]
public string placeID { get; set; }
[XmlElement("pCatID")]
public string placeCatID { get; set; }
[XmlElement("pName")]
public string placeName { get; set; }
}
// To write the placeList variable contents to XML.
WriteToXmlFile<List<place>>("C:\places.txt", placeList);
// To read the xml file contents back into a variable.
List<place> placeList= ReadFromXmlFile<List<place>>("C:\places.txt");