Under the premise that these initialization statements compile
List<int> l = new List<int> { 1, 2, 3 };
Dictionary<int, int> d = new Dictionary<int, int> { [1] = 11, [2] = 22 };
Foo f = new Foo { Bar = new List<int>() };
and this will not
List<int> l = { 1, 2, 3 };
Dictionary<int, int> d = { [1] = 11, [2] = 22 };
Foo f = { Bar = new List<int>() };
I have a question about nested initializations. Given the following class
public class Foo {
public List<int> Bar { get; set; } = new List<int>();
public Dictionary<int, Foo> Baz { get; set; } = new Dictionary<int, Foo>();
}
I discovered by accident that you could actually do this:
Foo f = new Foo {
Bar = { 1, 2, 3 },
Baz = {
[1] = {
Bar = { 4, 5, 6 }
}
}
};
While it does compile it throws a KeyNotFoundException
. So I changed the properties to
public List<int> Bar { get; set; } = new List<int> { 4, 5, 6 };
public Dictionary<int, Foo> Baz { get; set; }
= new Dictionary<int, Foo> { [1] = new Foo { Bar = new List<int>() { 1, 2, 3 } } };
assuming that this is some unusual notation for replacing existing members. Now the initialization throws a StackOverflowException
.
So my question is, why does the expression even compile? What is it supposed to do? I feel like I must be missing something really obvious.
It's an object initializer with a collection initializer value. From the C# specification section 7.6.10.2:
So your code code is roughly equivalent to:
Your initialization version will throw a
StackOverflowException
because the initializer forFoo
needs to create a new instance ofFoo
, which needs to create a new instance ofFoo
etc.