C# 4.0 新对象ExpandoObject

先来看下该类的成员:

   http://msdn.microsoft.com/en-us/library/system.dynamic.expandoobject_members(VS.100).ASPx

  ExpandoObject instances can add and remove members at run time.什么意思呢?这意味着此类的实例能够在运行时动态的增加和删除成员。

  其中有个新概念:dynamic language runtime (DLR)(动态语言运行时),我才疏学浅,还希望各位专家们多去研究下。

  说说ExpandoObject这个动态特性的意义吧。

  我们用XML来做下对比:

  首先我们创建一个XML对象,


XElement  contactXML = 
new XElement("Contact", 
new XElement("Name",  "Patrick Hines"), 
new XElement("Phone", "206-555-0144"), 
new  XElement("Address", 
new XElement("Street1", "123 Main St"), 
new XElement("City", "Mercer Island"), 
new XElement("State",  "WA"), 
new XElement("Postal", "68042") 
) 
);



  再来看看Dynamic对象,


dynamic contact = new ExpandoObject(); 
contact.Name = "Patrick  Hines"; 
contact.Phone = "206-555-0144"; 
contact.Address =  new ExpandoObject(); 
contact.Address.Street = "123 Main St"; 
contact.Address.City = "Mercer Island"; 
contact.Address.State =  "WA"; 
contact.Address.Postal = "68402";



  首先,我们看下dynamic对象的声明:dynamic contact = new ExpandoObject();

  我没有写成 ExpandoObject contact = new ExpandoObject(), 因为我用静态的ExpandoObject 类型来声明则此对象没有在运行时增加成员的特性,所以我使用新的关键字dynamic.

  其次,大家能注意到,我创建一个子节点只需要创建一个ExpandoObject实例作为contact对象的成员。

  这样你可以很简单的看清父子节点之间的关系,更重要的是你可以很简单的访问每一个元素。

  用linq to XML:


Console.WriteLine((string)contactXML.Element("Address").Element("State"));



  用 ExpandoObject对象:


Console.WriteLine(contact.Address.State); 



  可是,当你有很多个contact对象时该怎么办呢?

  呵呵,看代码:

  //用XML 方式:


XElement contactsXML = 
new XElement("Contacts", 
new  XElement("Contact", 
new XElement("Name", "Patrick Hines"), 
new XElement("Phone", "206-555-0144") 
), 
new  XElement("Contact", 
new XElement("Name", "Ellen Adams"), 
new  XElement("Phone", "206-555-0155") 
) 
); 


  //用dynamic对象:


dynamic  contacts = new List(); 
contacts.Add(new ExpandoObject()); 
contacts[0].Name = "Patrick Hines"; 
contacts[0].Phone =  "206-555-0144"; 
contacts.Add(new ExpandoObject()); 
contacts[1].Name = "Ellen Adams"; 
contacts[1].Phone =  "206-555-0155"; 



  再来看看用Linq to Object怎么来操作dynamic吧,


var phones  = from c in (contacts as List) 
where c.Name == "Patrick Hines" 
select c.Phone; 

你可能感兴趣的:(java,C++,c,C#,LINQ)