dynamic地将属性添加到ExpandoObject

我想在运行时dynamic地将属性添加到ExpandoObject。 所以,例如添加一个string属性调用NewProp我想写的东西

var x = new ExpandoObject(); x.AddProperty("NewProp", System.String); 

这很容易吗?

 dynamic x = new ExpandoObject(); x.NewProp = string.Empty; 

或者:

 var x = new ExpandoObject() as IDictionary<string, Object>; x.Add("NewProp", string.Empty); 

正如Filip在这里解释的 – http://www.filipekberg.se/2011/10/02/adding-properties-and-methods-to-an-expandoobject-dynamicly/

您也可以在运行时添加方法。

 x.Add("Shout", new Action(() => { Console.WriteLine("Hellooo!!!"); })); x.Shout(); 

这里是一个示例帮助类,它转换一个对象并返回给定对象的所有公共属性的Expando。

 public static class dynamicHelper { public static ExpandoObject convertToExpando(object obj) { //Get Properties Using Reflections BindingFlags flags = BindingFlags.Public | BindingFlags.Instance; PropertyInfo[] properties = obj.GetType().GetProperties(flags); //Add Them to a new Expando ExpandoObject expando = new ExpandoObject(); foreach (PropertyInfo property in properties) { AddProperty(expando, property.Name, property.GetValue(obj)); } return expando; } public static void AddProperty(ExpandoObject expando, string propertyName, object propertyValue) { //Take use of the IDictionary implementation var expandoDict = expando as IDictionary; if (expandoDict.ContainsKey(propertyName)) expandoDict[propertyName] = propertyValue; else expandoDict.Add(propertyName, propertyValue); } } 

用法:

 //Create Dynamic Object dynamic expandoObj= dynamicHelper.convertToExpando(myObject); //Add Custom Properties dynamicHelper.AddProperty(expandoObj, "dynamicKey", "Some Value");