Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Reason for KeyNotFoundException in Dictionary initialization

The following code

new Dictionary<string, List<int>> {
    ["a"] = {1},
};

Throws a run-time KeyNotFoundException, albeit that {1} is a perfectly well-formed array (i.e. int[] a = {1,2,3,4} being valid code). Changing the TValue of the Dictionary to int[], throws a compile-time CS1061, but this does not (note the added new[] array-allocation):

new Dictionary<string, IEnumerable<int>> {
    ["a"] = new[]{1},
};

Why does this happen?

like image 688
Christian Kiewiet Avatar asked Nov 03 '16 09:11

Christian Kiewiet


1 Answers

Your first piece of code is using a collection initializer, which doesn't use logical assignment, but instead is intended to call Add on an existing collection. In other words, this:

var x = new Dictionary<string, List<int>> {
    ["a"] = {1},
};

is equivalent to:

var tmp = new Dictionary<string, List<int>>();
var list = tmp["a"];
list.Add(1);
var x = tmp;

Hopefully it's obvious from that why the second line of the expansion would throw an exception.

Part of your error in reasoning is:

albeit that {1} is a perfectly well-formed array

No, it's not. The syntax {1} means different things in different contexts. In this case, it's a collection initializer. In the statement:

int[] a = { 1, 2, 3, 4 };

it's an array initializer. That syntax only creates a new array in an array declaration, or as part of an array creation expression, e.g. new[] { 1, 2, 3, 4 }.

like image 104
Jon Skeet Avatar answered Oct 02 '22 17:10

Jon Skeet