ArgumentOutOfRangeException on initialized List

后端 未结 1 796
失恋的感觉
失恋的感觉 2020-11-28 16:42

It\'s throwing an ArgumentOutOfRangeException in the middle of the For loop, please note that I cut out the rest of the for loop

for (int i = 0; i < Curre         


        
相关标签:
1条回答
  • 2020-11-28 17:21

    You cannot index into a list if that offset doesn't exist. So, for example, indexing an empty list will always throw an exception. Use a method like Add to append the item to the end of the list, or Insert to place the item in the middle of the list somewhere, etc.

    For example:

    var list = new List<string>();
    list[0] = "foo"; // Runtime error -- the index 0 doesn't exist.
    

    On the other hand:

    var list = new List<string>();
    list.Add("foo");       // Ok.  The list is now { "foo" }.
    list.Insert(0, "bar"); // Ok.  The list is now { "bar", "foo" }.
    list[1] = "baz";       // Ok.  The list is now { "bar", "baz" }.
    list[2] = "hello";     // Runtime error -- the index 2 doesn't exist.
    

    Note that in your code, this is happening when you write to the Courses list, and not when you read from the Course_ID list.

    0 讨论(0)
提交回复
热议问题