24

I would like to use something like this:

Dictionary<int, string>[] matrix = new Dictionary<int, string>[2];

But, when I do:

matrix[0].Add(0, "first str");

It throws " 'TargetInvocationException '...Exception has been thrown by the target of an invocation."

What is the problem? Am I using that array of dictionaries correctly?

2
  • 3
    Hmmm, you should get a NullReferenceException. Show more code. Commented Feb 15, 2012 at 20:57
  • 1
    Have you initialized matrix[0] to a new Dictionary<int, string>? Also, TargetInvocationException is part of the System.Reflection namespace. Where are you using reflection? Commented Feb 15, 2012 at 20:58

5 Answers 5

33

Try this:

Dictionary<int, string>[] matrix = new Dictionary<int, string>[] 
{
    new Dictionary<int, string>(),
    new Dictionary<int, string>()
};

You need to instantiate the dictionaries inside the array before you can use them.

Sign up to request clarification or add additional context in comments.

2 Comments

You can also simlpify "new Dictionary<int, string>[]" to just "new []"
simple and elegant!
10

Did you set the array objects to instances of Dictionary?

Dictionary<int, string>[] matrix = new Dictionary<int, string>[2];
matrix[0] = new Dictionary<int, string>();
matrix[1] = new Dictionary<int, string>();
matrix[0].Add(0, "first str");

Comments

7
Dictionary<int, string>[] matrix = new Dictionary<int, string>[2];

Doing this allocates the array 'matrix', but the the dictionaries supposed to be contained in that array are never instantiated. You have to create a Dictionary object in all cells in the array by using the new keyword.

matrix[0] = new Dictionary<int, string>();
matrix[0].Add(0, "first str");

Comments

4

You forgot to initialize the Dictionary. Just put the line below before adding the item:

matrix[0] = new Dictionary<int, string>();

Comments

3

You've initialized the array, but not the dictionary. You need to initialize matrix[0] (though that should cause a null reference exception).

Comments

Start asking to get answers

Find the answer to your question by asking.

Ask question

Explore related questions

See similar questions with these tags.