I am working with C# and I have a dictionary called intervalRecordsPerObject
of type Dictionary<string, List<TimeInterval>>
. I need to iterate through the dictionary. The problem is: everytime I iterate through the dictionary, more KeyValuePairs
may get added to it. As the dictionary grows, I need to keep iterating over the new entries too.
Firstly, I did this: A simple foreach
loop that gave me an InvalidOperationException
saying
Collection was modified; enumeration operation may not execute.
I know I cannot iterate over the Dictionary this way if it keeps changing as C# converts it with ToList()
before foreach
loop.
I know I can copy the keys to a temporary array, iterate over the dictionary using simple for
loop and Count
and whenever a new entry is added to the dictionary, add the corresponding key to the array too. Now, the problem is a simple array cannot grow dynamically and I don't know beforehand what the required size could be.
To move ahead, I thought I'd do this:
List<string> keyList = new List<string>(intervalRecordsPerObject.Count);
intervalRecordsPerObject.Keys.CopyTo(keyList.ToArray(), 0);
I cannot do this either. keyList
is currently empty and therefore keyList.toArray()
returns an array of length 0 which gives me an ArgumentException
saying
Destination array is not long enough to copy all the items in the collection. Check array index and length.
I am stuck! Any idea what more can I try? Thanks for any help.
Addition 1:
The dictionary stores the time intervals for which a particular object is present. Key is the ID of the object. New entries may get added in every iteration (worst case) or may not get added even once. Whether or not entries are added is decided by a few conditions (whether the object overlaps with some other intervals, etc.). This triggers a change in the ID and the corresponding interval list which is then added as a new entry to the dictionary.
Something like this:
The trick here is that you enumerate the
List<T>
by index! In this way, even if you add new elements, thefor (...)
will "catch" them.Other possible solution, by using a temporary
Dictionary<,>
: