Serialization allows the conversion of an object into a stream of bytes, enabling its storage in files or transmission over networks. This question addresses the specific challenge of saving and loading a serialized structure stored in a MemoryStream to a file.
To save the serialized content from a MemoryStream to a file, you can utilize the WriteTo method. This method takes a stream as an argument and writes the contents of the MemoryStream to it. Here's an example:
using System.IO; using System.Runtime.Serialization.Formatters.Binary; // Create a MemoryStream to store serialized data MemoryStream memoryStream = new MemoryStream(); // Serialize an object to memory stream BinaryFormatter binaryFormatter = new BinaryFormatter(); binaryFormatter.Serialize(memoryStream, objectToSerialize); // Save MemoryStream to file using (FileStream fileStream = new FileStream("filename.bin", FileMode.Create)) { memoryStream.WriteTo(fileStream); }
To load the serialized content from a file into a MemoryStream, you can use the CopyTo method (introduced in framework version 4.5.2). This method transfers the contents of one stream to another. In this case, the data from the file is copied into the MemoryStream. Here's an example:
// Create a MemoryStream to receive the loaded data MemoryStream loadedMemoryStream = new MemoryStream(); // Load file into MemoryStream using (FileStream fileStream = new FileStream("filename.bin", FileMode.Open)) { fileStream.CopyTo(loadedMemoryStream); }
Update: As of framework version 4.5, the CopyTo method can also be used to save a MemoryStream to a file. The below code can be used interchangeably with the WriteTo method:
using System.IO; using System.Runtime.Serialization.Formatters.Binary; // Create a MemoryStream to store serialized data MemoryStream memoryStream = new MemoryStream(); // Serialize an object to memory stream BinaryFormatter binaryFormatter = new BinaryFormatter(); binaryFormatter.Serialize(memoryStream, objectToSerialize); // Save MemoryStream to file using (FileStream fileStream = new FileStream("filename.bin", FileMode.Create)) { memoryStream.CopyTo(fileStream); }
The above is the detailed content of How do you save and load serialized data from a MemoryStream to a file?. For more information, please follow other related articles on the PHP Chinese website!