Как сохранить / восстановить сериализуемый объект в / из файла?


95

У меня есть список объектов, и мне нужно сохранить его где-нибудь на моем компьютере. Я прочитал несколько форумов и знаю, что объект должен быть Serializable. Но было бы неплохо, если бы можно было привести пример. Например, если у меня есть следующее:

[Serializable]
public class SomeClass
{
     public string someProperty { get; set; }
}

SomeClass object1 = new SomeClass { someProperty = "someString" };

Но как я могу сохранить object1где-нибудь на своем компьютере, а затем восстановить?


3
Вот руководство, которое показывает, как сериализовать в файл switchonthecode.com/tutorials/…
Брук,

Ответы:


144

Вы можете использовать следующее:

    /// <summary>
    /// Serializes an object.
    /// </summary>
    /// <typeparam name="T"></typeparam>
    /// <param name="serializableObject"></param>
    /// <param name="fileName"></param>
    public void SerializeObject<T>(T serializableObject, string fileName)
    {
        if (serializableObject == null) { return; }

        try
        {
            XmlDocument xmlDocument = new XmlDocument();
            XmlSerializer serializer = new XmlSerializer(serializableObject.GetType());
            using (MemoryStream stream = new MemoryStream())
            {
                serializer.Serialize(stream, serializableObject);
                stream.Position = 0;
                xmlDocument.Load(stream);
                xmlDocument.Save(fileName);
            }
        }
        catch (Exception ex)
        {
            //Log exception here
        }
    }


    /// <summary>
    /// Deserializes an xml file into an object list
    /// </summary>
    /// <typeparam name="T"></typeparam>
    /// <param name="fileName"></param>
    /// <returns></returns>
    public T DeSerializeObject<T>(string fileName)
    {
        if (string.IsNullOrEmpty(fileName)) { return default(T); }

        T objectOut = default(T);

        try
        {
            XmlDocument xmlDocument = new XmlDocument();
            xmlDocument.Load(fileName);
            string xmlString = xmlDocument.OuterXml;

            using (StringReader read = new StringReader(xmlString))
            {
                Type outType = typeof(T);

                XmlSerializer serializer = new XmlSerializer(outType);
                using (XmlReader reader = new XmlTextReader(read))
                {
                    objectOut = (T)serializer.Deserialize(reader);
                }
            }
        }
        catch (Exception ex)
        {
            //Log exception here
        }

        return objectOut;
    }

1
Ницца! Хотя string attributeXml = string.Empty;in DeSerializeObjectникогда не используется;)
Джимбо

3
Нет необходимости вызывать метод close для читателя в вашем блоке using. Dispose () является неявным и будет иметь место, даже если исключение возникнет в блоке перед явным Close (). Очень полезный блок кода.
S. Brentson

2
Как сохранить список объектов с помощью этой функции Я использовал ее, но она сохраняет только последний объект в моем списке
Decoder94

1
Этот метод не сохраняет внутренние или частные поля, вы можете использовать это: github.com/mrbm2007/ObjectSaver
mrbm

152

Я только что написал в блоге сообщение о сохранении данных объекта в двоичном формате, XML или Json . Вы правы, что должны украсить свои классы атрибутом [Serializable], но только если вы используете двоичную сериализацию. Вы можете предпочесть сериализацию XML или Json. Вот функции для этого в различных форматах. См. Мое сообщение в блоге для более подробной информации.

Двоичный

/// <summary>
/// Writes the given object instance to a binary file.
/// <para>Object type (and all child types) must be decorated with the [Serializable] attribute.</para>
/// <para>To prevent a variable from being serialized, decorate it with the [NonSerialized] attribute; cannot be applied to properties.</para>
/// </summary>
/// <typeparam name="T">The type of object being written to the binary 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 binary 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 WriteToBinaryFile<T>(string filePath, T objectToWrite, bool append = false)
{
    using (Stream stream = File.Open(filePath, append ? FileMode.Append : FileMode.Create))
    {
        var binaryFormatter = new System.Runtime.Serialization.Formatters.Binary.BinaryFormatter();
        binaryFormatter.Serialize(stream, objectToWrite);
    }
}

/// <summary>
/// Reads an object instance from a binary file.
/// </summary>
/// <typeparam name="T">The type of object to read from the binary 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 binary file.</returns>
public static T ReadFromBinaryFile<T>(string filePath)
{
    using (Stream stream = File.Open(filePath, FileMode.Open))
    {
        var binaryFormatter = new System.Runtime.Serialization.Formatters.Binary.BinaryFormatter();
        return (T)binaryFormatter.Deserialize(stream);
    }
}

XML

Требуется, чтобы в ваш проект была включена сборка 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();
    }
}

Json

Вы должны включить ссылку на сборку Newtonsoft.Json, которую можно получить из пакета Json.NET NuGet .

/// <summary>
/// Writes the given object instance to a Json file.
/// <para>Object type must have a parameterless constructor.</para>
/// <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 [JsonIgnore] attribute.</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 WriteToJsonFile<T>(string filePath, T objectToWrite, bool append = false) where T : new()
{
    TextWriter writer = null;
    try
    {
        var contentsToWriteToFile = JsonConvert.SerializeObject(objectToWrite);
        writer = new StreamWriter(filePath, append);
        writer.Write(contentsToWriteToFile);
    }
    finally
    {
        if (writer != null)
            writer.Close();
    }
}

/// <summary>
/// Reads an object instance from an Json 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 Json file.</returns>
public static T ReadFromJsonFile<T>(string filePath) where T : new()
{
    TextReader reader = null;
    try
    {
        reader = new StreamReader(filePath);
        var fileContents = reader.ReadToEnd();
        return JsonConvert.DeserializeObject<T>(fileContents);
    }
    finally
    {
        if (reader != null)
            reader.Close();
    }
}

пример

// Write the contents of the variable someClass to a file.
WriteToBinaryFile<SomeClass>("C:\someClass.txt", object1);

// Read the file contents back into a variable.
SomeClass object1= ReadFromBinaryFile<SomeClass>("C:\someClass.txt");

2
Мне нравится ваш двоичный код сериализации. Но в WriteToBinaryFile зачем вам добавлять файлы в файл? Похоже, вы захотите создать новый файл во всех случаях. В противном случае была бы куча дополнительной информации о десериализации.
общественная беспроводная связь,

1
@publicwireless Да, наверное, ты прав. В то время я особо не думал об этом; Я просто хотел, чтобы подписи трех функций совпадали: P
deadlydog

используя метод добавления, сериализуя множество объектов в одном файле, как их десериализовать? как искать в потоке?
Джон Деметриу

1
Добавьте комментарий к двоичному сериализатору, который будет сообщать людям, что полученные данные помечены строгим именем сборки и изменениями в его версиях без добавления привязок перенаправления или работы в средах, которые не уважают указанные привязки (например, PowerShell) будут fail
zaitsman

1
@JohnDemetriou Если вы сохраняете несколько вещей в файл, я бы рекомендовал обернуть объекты в какую-либо форму объекта контекста и сериализовать этот объект (пусть диспетчер объектов проанализирует те части, которые вы хотите). Если вы пытаетесь сохранить больше данных, чем вы можете хранить в памяти, вы можете переключиться на хранилище объектов (базу данных объектов) вместо файла.
Tezra

30

Вам нужно будет что-то сериализовать: то есть выбрать двоичный файл или xml (для сериализаторов по умолчанию) или написать собственный код сериализации для сериализации в другую текстовую форму.

Как только вы выберете это, ваша сериализация (обычно) вызовет Stream, который записывает в какой-то файл.

Итак, с вашим кодом, если бы я использовал сериализацию XML:

var path = @"C:\Test\myserializationtest.xml";
using(FileStream fs = new FileStream(path, FileMode.Create))
{
    XmlSerializer xSer = new XmlSerializer(typeof(SomeClass));

    xSer.Serialize(fs, serializableObject);
}

Затем для десериализации:

using(FileStream fs = new FileStream(path, FileMode.Open)) //double check that...
{
    XmlSerializer _xSer = new XmlSerializer(typeof(SomeClass));

    var myObject = _xSer.Deserialize(fs);
}

ПРИМЕЧАНИЕ: этот код не был скомпилирован, не говоря уже о запуске - могут быть некоторые ошибки. Кроме того, это предполагает полностью готовую сериализацию / десериализацию. Если вам нужно индивидуальное поведение, вам нужно будет проделать дополнительную работу.


10

1. Восстановить объект из файла

От Здесь вы можете десериализации объекта из файла в два пути.

Решение-1: Прочитать файл в строку и десериализовать JSON в тип

string json = File.ReadAllText(@"c:\myObj.json");
MyObject myObj = JsonConvert.DeserializeObject<MyObject>(json);

Решение-2: десериализовать JSON прямо из файла

using (StreamReader file = File.OpenText(@"c:\myObj.json"))
{
    JsonSerializer serializer = new JsonSerializer();
    MyObject myObj2 = (MyObject)serializer.Deserialize(file, typeof(MyObject));
}

2. Сохранить объект в файл

от здесь вы можете сериализовать объект в файл в два пути.

Решение-1: сериализовать JSON в строку, а затем записать строку в файл

string json = JsonConvert.SerializeObject(myObj);
File.WriteAllText(@"c:\myObj.json", json);

Решение-2: сериализовать JSON непосредственно в файл

using (StreamWriter file = File.CreateText(@"c:\myObj.json"))
{
    JsonSerializer serializer = new JsonSerializer();
    serializer.Serialize(file, myObj);
}

3. Экстра

Вы можете загрузить Newtonsoft.Json из NuGet , выполнив следующую команду

Install-Package Newtonsoft.Json

1

** 1. Преобразуйте строку json в base64string и запишите или добавьте ее в двоичный файл. 2. Прочтите base64string из двоичного файла и выполните десериализацию с помощью BsonReader. **

 public static class BinaryJson
{
    public static string SerializeToBase64String(this object obj)
    {
        JsonSerializer jsonSerializer = new JsonSerializer();
        MemoryStream objBsonMemoryStream = new MemoryStream();
        using (BsonWriter bsonWriterObject = new BsonWriter(objBsonMemoryStream))
        {
            jsonSerializer.Serialize(bsonWriterObject, obj);
            return Convert.ToBase64String(objBsonMemoryStream.ToArray());
        }           
        //return Encoding.ASCII.GetString(objBsonMemoryStream.ToArray());
    }
    public static T DeserializeToObject<T>(this string base64String)
    {
        byte[] data = Convert.FromBase64String(base64String);
        MemoryStream ms = new MemoryStream(data);
        using (BsonReader reader = new BsonReader(ms))
        {
            JsonSerializer serializer = new JsonSerializer();
            return serializer.Deserialize<T>(reader);
        }
    }
}

1

Вы можете использовать JsonConvert из библиотеки Newtonsoft. Чтобы сериализовать объект и записать в файл в формате json:

File.WriteAllText(filePath, JsonConvert.SerializeObject(obj));

И чтобы десериализовать его обратно в объект:

var obj = JsonConvert.DeserializeObject<ObjType>(File.ReadAllText(filePath));
Используя наш сайт, вы подтверждаете, что прочитали и поняли нашу Политику в отношении файлов cookie и Политику конфиденциальности.
Licensed under cc by-sa 3.0 with attribution required.