透過序列化和反序列化泛型資料實體集合來實現持久化資料物件的方法
我們在平時使用資料庫的時候,常常會碰到一個問題,就是不希望資料實體物件插入資料庫中, 卻有想持久化的時候,那麼就可以用序列化成
XML字串,來保存到其他地方,由於生成的是字串,所以可以保存到任意我們想保存的地方。例如asp.net的ViewState,cookie,cache等。
首先,我們定義一個資料實體類別。
class Entity
{
public Entity()
{}
private int id;
public int Id
{
get
{
return id;
}
set
{
id = value;
}
}
private string name;
public string Name
{
get
{
return name;
}
set
{
name = value;
}
}
private double price;
public double Price
{
get
{
return price;
}
set
{
price = value;
}
}
}
於是將他插入List<Entity>物件中
List<Entity> list = new List<Entity>();
Entity obj = new Entity();
obj.Id = 1;
obj.Name = "test";
obj.Price = 3.23;
list.Add(obj);
這樣,一個List<Entity>物件就建立成功了,下面我們來將他序列化
public static string Serialize<BusinessObject>(List<BusinessObject> GenericList)
{
XmlDocument result = new XmlDocument();
result.LoadXml("<Root></Root>");
foreach (BusinessObject obj in GenericList)
{
XmlElement Item = result.CreateElement("Item");
PropertyInfo[] properties = obj.GetType().GetProperties();
foreach (PropertyInfo property in properties)
{
if (property.GetValue(obj, null) != null)
{
XmlElement element = result.CreateElement(property.Name);
element.SetAttribute("Type", property.PropertyType.Name);
element.InnerText = property.GetValue(obj, null).ToString();
Item.AppendChild(element);
}
}
result.DocumentElement.AppendChild(Item);
}
return result.InnerXml;
}
然後我們呼叫這個方法
string str = Serialize<Entity>(list);
產生的XML檔為:
<Root>
<Item>
<Id Type="Int32">1</Id>
<Name Type="String">test</Name>
<Price Type="Double">3.23</Price>
</Item>
</Root>
下面,我們根據上面產生的xml文件,將他反序列化,產生剛才的List<Entity>物件
public static List<BusinessObject> Deserialize<BusinessObject>(string XmlStr)
{
List<BusinessObject> result = new List<BusinessObject>();
XmlDocument XmlDoc = new XmlDocument();
XmlDoc.LoadXml(XmlStr);
foreach (XmlNode ItemNode in XmlDoc.GetElementsByTagName("Root").Item(0).ChildNodes)
{
BusinessObject item = Activator.CreateInstance<BusinessObject>();
PropertyInfo[] properties = typeof(BusinessObject).GetProperties();
foreach (XmlNode propertyNode in ItemNode.ChildNodes)
{
string name = propertyNode.Name;
string type = propertyNode.Attributes["Type"].Value;
string value = propertyNode.InnerXml;
foreach (PropertyInfo property in properties)
{
if (name == property.Name)
{
property.SetValue(item,Convert.ChangeType(value,property.PropertyType), null);
}
}
}
result.Add(item);
}
return result;
}
然後我們呼叫這個方法:
List<Entity> list = Deserialize<Entity>(str);
完了。
本文只是為大家介紹了序列化List<>物件的簡單方法,用的時候要根據自己的情況而定。
http://www.cnblogs.com/kchen/archive/2006/11/04/550382.html