ChatGPT解决这个技术问题 Extra ChatGPT

向 ExpandoObject 动态添加属性

我想在运行时向 ExpandoObject 动态添加属性。因此,例如添加一个字符串属性调用 NewProp 我想写一些类似的东西

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

这很容易吗?


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

或者:

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

我从来没有意识到 Expando 实现了 IDictionary。我一直认为演员会将其复制到字典中。但是,您的帖子让我明白,如果您更改 Dictionary,您也会更改底层 ExpandoObject!非常感谢
获得Error 53 Cannot convert type 'System.Dynamic.ExpandoObject' to 'System.Collections.Generic.IDictionary<string,string>' via a reference conversion, boxing conversion, unboxing conversion, wrapping conversion, or null type conversion
它是 IDictionary<string, object>,而不是 IDictionary<string, string>
可能值得指出第一个不适用于 var x。它仅适用于 dynamic x
请务必注意,当您转换为 IDictionary 时,不要使用 dynamic 作为变量类型。
C
Chris Marisic

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

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

var x = new ExpandoObject() as IDictionary<string, Object>;
x.Add("Shout", new Action(() => { Console.WriteLine("Hellooo!!!"); }));
x.Shout();

您的代码完全错误,您跳过了最重要的部分,即转换为字典。
T
TECNO

这是一个示例帮助类,它转换一个对象并返回一个具有给定对象的所有公共属性的 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<String, object>;
            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");

“var expandoDict = expando as IDictionary;”此行需要更改为“var expandoDict = expando as IDictionary;”
为了让它更棒,使用它们作为扩展方法。
M
Morteza ebrahim nejad

我认为这会添加所需类型的新属性,而无需设置原始值,例如在类定义中定义属性时

var x = new ExpandoObject();
x.NewProp = default(string)

嘿莫特萨!纯代码答案可能会解决问题,但如果您解释它们如何解决问题,它们会更有用。社区需要理论和代码才能完全理解您的答案。