I have some code and when it executes, it throws a IndexOutOfRangeException
, saying,
Index was outside the bounds of the array.
What does this mean, and what can I do about it?
Depending on classes used it can also be ArgumentOutOfRangeException
An exception of type 'System.ArgumentOutOfRangeException' occurred in mscorlib.dll but was not handled in user code Additional information: Index was out of range. Must be non-negative and less than the size of the collection.
What Is It?
This exception means that you're trying to access a collection item by index, using an invalid index. An index is invalid when it's lower than the collection's lower bound or greater than or equal to the number of elements it contains.
When It Is Thrown
Given an array declared as:
You can access this array from 0 to 3, values outside this range will cause
IndexOutOfRangeException
to be thrown. Remember this when you create and access an array.Array Length
In C#, usually, arrays are 0-based. It means that first element has index 0 and last element has index
Length - 1
(whereLength
is total number of items in the array) so this code doesn't work:Moreover please note that if you have a multidimensional array then you can't use
Array.Length
for both dimension, you have to useArray.GetLength()
:Upper Bound Is Not Inclusive
In the following example we create a raw bidimensional array of
Color
. Each item represents a pixel, indices are from(0, 0)
to(imageWidth - 1, imageHeight - 1)
.This code will then fail because array is 0-based and last (bottom-right) pixel in the image is
pixels[imageWidth - 1, imageHeight - 1]
:In another scenario you may get
ArgumentOutOfRangeException
for this code (for example if you're usingGetPixel
method on aBitmap
class).Arrays Do Not Grow
An array is fast. Very fast in linear search compared to every other collection. It is because items are contiguous in memory so memory address can be calculated (and increment is just an addition). No need to follow a node list, simple math! You pay this with a limitation: they can't grow, if you need more elements you need to reallocate that array (this may take a relatively long time if old items must be copied to a new block). You resize them with
Array.Resize<T>()
, this example adds a new entry to an existing array:Don't forget that valid indices are from
0
toLength - 1
. If you simply try to assign an item atLength
you'll getIndexOutOfRangeException
(this behavior may confuse you if you think they may increase with a syntax similar toInsert
method of other collections).Special Arrays With Custom Lower Bound
First item in arrays has always index 0. This is not always true because you can create an array with a custom lower bound:
In that example, array indices are valid from 1 to 4. Of course, upper bound cannot be changed.
Wrong Arguments
If you access an array using unvalidated arguments (from user input or from function user) you may get this error:
Unexpected Results
This exception may be thrown for another reason too: by convention, many search functions will return -1 (nullables has been introduced with .NET 2.0 and anyway it's also a well-known convention in use from many years) if they didn't find anything. Let's imagine you have an array of objects comparable with a string. You may think to write this code:
This will fail if no items in
myArray
will satisfy search condition becauseArray.IndexOf()
will return -1 and then array access will throw.Next example is a naive example to calculate occurrences of a given set of numbers (knowing maximum number and returning an array where item at index 0 represents number 0, items at index 1 represents number 1 and so on):
Of course, it's a pretty terrible implementation but what I want to show is that it'll fail for negative numbers and numbers above
maximum
.How it applies to
List<T>
?Same cases as array - range of valid indexes - 0 (
List
's indexes always start with 0) tolist.Count
- accessing elements outside of this range will cause the exception.Note that
List<T>
throwsArgumentOutOfRangeException
for the same cases where arrays useIndexOutOfRangeException
.Unlike arrays,
List<T>
starts empty - so trying to access items of just created list lead to this exception.Common case is to populate list with indexing (similar to
Dictionary<int, T>
) will cause exception:IDataReader and Columns
Imagine you're trying to read data from a database with this code:
GetString()
will throwIndexOutOfRangeException
because you're dataset has only two columns but you're trying to get a value from 3rd one (indices are always 0-based).Please note that this behavior is shared with most
IDataReader
implementations (SqlDataReader
,OleDbDataReader
and so on).You can get the same exception also if you use the IDataReader overload of the indexer operator that takes a column name and pass an invalid column name.
Suppose for example that you have retrieved a column named Column1 but then you try to retrieve the value of that field with
This happens because the indexer operator is implemented trying to retrieve the index of a Colum1 field that doesn't exist. The GetOrdinal method will throw this exception when its internal helper code returns a -1 as the index of "Colum1".
Others
There is another (documented) case when this exception is thrown: if, in
DataView
, data column name being supplied to theDataViewSort
property is not valid.How to Avoid
In this example, let me assume, for simplicity, that arrays are always monodimensional and 0-based. If you want to be strict (or you're developing a library), you may need to replace
0
withGetLowerBound(0)
and.Length
withGetUpperBound(0)
(of course if you have parameters of typeSystem.Arra
y, it doesn't apply forT[]
). Please note that in this case, upper bound is inclusive then this code:Should be rewritten like this:
Please note that this is not allowed (it'll throw
InvalidCastException
), that's why if your parameters areT[]
you're safe about custom lower bound arrays:Validate Parameters
If index comes from a parameter you should always validate them (throwing appropriate
ArgumentException
orArgumentOutOfRangeException
). In the next example, wrong parameters may causeIndexOutOfRangeException
, users of this function may expect this because they're passing an array but it's not always so obvious. I'd suggest to always validate parameters for public functions:If function is private you may simply replace
if
logic withDebug.Assert()
:Check Object State
Array index may not come directly from a parameter. It may be part of object state. In general is always a good practice to validate object state (by itself and with function parameters, if needed). You can use
Debug.Assert()
, throw a proper exception (more descriptive about the problem) or handle that like in this example:Validate Return Values
In one of previous examples we directly used
Array.IndexOf()
return value. If we know it may fail then it's better to handle that case:How to Debug
In my opinion, most of the questions, here on SO, about this error can be simply avoided. The time you spend to write a proper question (with a small working example and a small explanation) could easily much more than the time you'll need to debug your code. First of all, read this Eric Lippert's blog post about debugging of small programs, I won't repeat his words here but it's absolutely a must read.
You have source code, you have exception message with a stack trace. Go there, pick right line number and you'll see:
You found your error, check how
index
increases. Is it right? Check how array is allocated, is coherent with howindex
increases? Is it right according to your specifications? If you answer yes to all these questions, then you'll find good help here on StackOverflow but please first check for that by yourself. You'll save your own time!A good start point is to always use assertions and to validate inputs. You may even want to use code contracts. When something went wrong and you can't figure out what happens with a quick look at your code then you have to resort to an old friend: debugger. Just run your application in debug inside Visual Studio (or your favorite IDE), you'll see exactly which line throws this exception, which array is involved and which index you're trying to use. Really, 99% of the times you'll solve it by yourself in a few minutes.
If this happens in production then you'd better to add assertions in incriminated code, probably we won't see in your code what you can't see by yourself (but you can always bet).
The VB.NET side of the story
Everything that we have said in the C# answer is valid for VB.NET with the obvious syntax differences but there is an important point to consider when you deal with VB.NET arrays.
In VB.NET, arrays are declared setting the maximum valid index value for the array. It is not the count of the elements that we want to store in the array.
So this loop will fill the array with 5 integers without causing any IndexOutOfRangeException
The VB.NET rule
This exception means that you're trying to access a collection item by index, using an invalid index. An index is invalid when it's lower than the collection's lower bound or greater than
equal to the number of elements it contains.the maximum allowed index defined in the array declaration