I've noticed that the new ExpandoObject
implements IDictionary<string,object>
which has the requisite IEnumerable<KeyValuePair<string, object>>
and Add(string, object)
methods and so it should be possible to use the collection initialiser syntax to add properties to the expando object in the same way as you add items to a dictionary.
Dictionary<string,object> dict = new Dictionary<string,object>()
{
{ "Hello", "World" }
};
dynamic obj = new ExpandoObject()
{
{ "foo", "hello" },
{ "bar", 42 },
{ "baz", new object() }
};
int value = obj.bar;
But there doesn't seem to be a way of doing that. Error:
'System.Dynamic.ExpandoObject' does not contain a definition for 'Add'
I assume this doesn't work because the interface is implemented explicitly. but is there any way of getting around that? This works fine,
IDictionary<string, object> exdict = new ExpandoObject() as IDictionary<string, object>();
exdict.Add("foo", "hello");
exdict.Add("bar", 42);
exdict.Add("baz", new object());
but the collection initializer syntax is much neater.
First of all, you are spot on. The
IDictionary<string,object>
has been implemented explicitly.You do not even need casting. This works:
Now the reason collection syntax does not work is because that is an implementation in theDictionary<T,T>
constructor and not part of the interface hence it will not work for expando.Wrong statement above. You are right, it uses add function:
Gets compiled to
UPDATE
The main reason is
Add
has been implemented asprotected
(with no modifier which becomesprotected
).Since
Add
is not visible onExpandoObject
, it cannot be called as above.