Some time we need to save the data in the files which is nothing but the details of the object. For example i am having a application doing vector drawing and i want to save the details of the line object not the image file. How to save the line object and how to get it back. We can use serialization with which we can save our object in file directly and can load it too. Also we can use XML Serialization which is so popular these days.
We have to just mark out objects and class with certain Attributes like XMLRoot, XMLElement, XMLAttribute and so on.
using System;
using System.Collections.Generic;
using System.IO;
using System.Xml.Serialization;
namespace XMLSerialization
{
static class Program
{
static void Main()
{
DoSerialization();
}
private static void DoSerialization()
{
Student student1 = new Student { Name = "A", Marks = 23 };
Student student2 = new Student { Name = "B", Marks = 25 };
Students students = new Students();
students.StudentList.Add(student1);
students.StudentList.Add(student2);
XmlSerializer xmlSerialize = new XmlSerializer(students.GetType());
StreamWriter writer = new StreamWriter("a.xml");
xmlSerialize.Serialize(writer, students);
writer.Close();
StreamReader reader = new StreamReader("a.xml");
Students studentsfromFile = (Students)xmlSerialize.Deserialize(reader);
foreach (Student st in studentsfromFile.StudentList)
{
Console.WriteLine("Name : {0} Marks : {1}", st.Name, st.Marks);
}
Console.ReadLine();
}
}
[XmlRoot("Students")]
public class Students
{
[XmlElement("Student")]
public List<Student> StudentList = new List<Student>();
}
public class Student
{
[XmlElement("Name")]
public string Name;
[XmlElement("Marks")]
public int Marks;
}
}
Image may be NSFW.
Clik here to view.

Clik here to view.
