# C# Collections ## Arrays An array is an object that contains multiple elements of a particular type. The number of elements is fixed for the lifetime of the array, so it must be specified when the array is created. An array type is always a reference type, regardless of the element type. Nonetheless, the choice between reference type and value type elements makes a significant difference in an array's behavior. ```cs type[] array = new type[dimension]; type array[] = new type[dimension]; //invalid type[] array = {value1, value2, ..., valueN}; // initializer var array = new type[] {value1, value2, ..., valueN}; // initializer (var type needs new operator) var array = new[] {value1, value2, ..., valueN}; // initializer w/ element type inference (var type needs new operator), can be used as method arg array[index]; // value access array[index] = value; // value assignment array.Length; // dimension of the array // from IEnumerable array.OfType(); // filter array based on type, returns IEnumerable ``` ### [Array Methods](https://docs.microsoft.com/en-us/dotnet/api/system.array?view=netcore-3.1#methods) ```cs // overloaded search methods Array.IndexOf(array, item); // return index of searched item in passed array Array.LastIndexOf(array, item); // return index of searched item staring from the end of the array Array.FindIndex(array, Predicate) // returns the index of the first item matching the predicate (can be lambda function) Array.FindLastIndex(array, Predicate) // returns the index of the last item matching the predicate (can be lambda function) Array.Find(array, Predicate) // returns the value of the first item matching the predicate (can be lambda function) Array.FindLast(array, Predicate) // returns the value of the last item matching the predicate (can be lambda function) Array.FindAll(array, Predicate) // returns array of all items matching the predicate (can be lambda function) Array.BinarySearch(array, value) // Searches a SORTED array for a value, using a binary search algorithm; returns the index of the found item Array.Sort(array); Array.Reverse(array); // reverses the order of array elements Array.Clear(start_index, x); //removes reference to x elements starting at start index. Dimension of array unchanged (cleared elements value is set tu null) Array.Resize(ref array, target_dimension); //expands or shrinks the array dimension. Shrinking drops trailing values. Array passed by reference. // Copies elements from an Array starting at the specified index and pastes them to another Array starting at the specified destination index. Array.Copy(sourceArray, sourceStartIndex, destinationArray, destinationStartIndex, numItemsToCopy); // Copies elements from an Array starting at the first element and pastes them into another Array starting at the first element. Array.Copy(sourceArray, destinationArray, numItemsToCopy); Array.Clone(); // returns a shallow copy of the array ``` ### Multidimensional Arrays C# supports two multidimensional array forms: [jagged][jagg_arrays] arrays and [rectangular][rect_arrays] arrays (*matrices*). [jagg_arrays]: https://docs.microsoft.com/en-us/dotnet/csharp/programming-guide/arrays/jagged-arrays [rect_arrays]: https://docs.microsoft.com/en-us/dotnet/csharp/programming-guide/arrays/multidimensional-arrays ```cs //specify first dimension type[][] jagged = new type[][] { new[] {item1, item2, item3}, new[] {item1}, new[] {item1, item2}, ... } // shorthand type[][] jagged = { new[] {item1, item2, item3}, new[] {item1}, new[] {item1, item2}, ... } // matrices type[,] matrix = new type[n, m]; // n * m matrix type[,] matrix = {{}, {}, {}, ...}; // {} for each row to initialize type[, ,] tensor = new type[n, m, o] // n * m * o tensor matrix.Length; // total number of elements (n * m) matrix.GetLength(int dimension); // get the size of a particular direction // row = 0, column = 1, ... ``` ## [Lists](https://docs.microsoft.com/en-us/dotnet/api/system.collections.generic.list-1) `List` stores sequences of elements. It can grow or shrink, allowing to add or remove elements. ```cs using System.Collections.Generics; List list = new List(); List list = new List {item_1, ...}; // initialized usable since list implements IEnumerable and has Add() method (even extension method) List list = new List(dimension); // set list starting dimension List list = new List(IEnumerable); // create a list from an enumerable collection list.Add(item); //item insertion into the list list.AddRange(IEnumerable collection); // insert multiple items list.Insert(index, item); // insert an item at the specified index list.InsertRange(index, item); // insert items at the specified index list.IndexOf(item); // return index of searched item in passed list list.LastIndexOf(item); // return index of searched item staring from the end of the array list.FindIndex(Predicate) // returns the index of the first item matching the predicate (can be lambda function) list.FindLastIndex(Predicate) // returns the index of the last item matching the predicate (can be lambda function) list.Find(Predicate) // returns the value of the first item matching the predicate (can be lambda function) list.FindLast(Predicate) // returns the value of the last item matching the predicate (can be lambda function) list.FindAll(Predicate) // returns list of all items matching the predicate (can be lambda function) list.BinarySearch(value) // Searches a SORTED list for a value, using a binary search algorithm; returns the index of the found item list.Remove(item); // remove item from list list.RemoveAt(index); // remove item at specified position list.RemoveRange(index, quantity); // remove quantity items at specified position list.Contains(item); // check if item is in the list list.TrueForAll(Predicate); // Determines whether every element matches the conditions defined by the specified predicate list[index]; // access to items by index list[index] = value; // modify to items by index list.Count; // number of items in the list list.Sort(); // sorts item in crescent order list.Reverse(); // Reverses the order of the elements in the list // from IEnumerable list.OfType(); // filter list based on type, returns IEnumerable list.OfType().ToList(); // filter list based on type, returns List ``` ## [Iterators](https://docs.microsoft.com/en-us/dotnet/csharp/programming-guide/concepts/iterators) An iterator can be used to step through collections such as lists and arrays. An iterator method or `get` accessor performs a custom iteration over a collection. An iterator method uses the `yield return` statement to return each element one at a time. When a `yield return` statement is reached, the current location in code is remembered. Execution is restarted from that location the next time the iterator function is called. It's possible to use a `yield break` statement or exception to end the iteration. **Note**: Since an iterator returns an `IEnumerable` is can be used to implement a `GetEnumerator()`. ```cs // simple iterator public static System.Collections.IEnumerable IterateRange(int start = 0, int end) { for(int i = start; i < end; i++){ yield return i; } } ``` ## List & Sequence Interfaces ### [`IEnumerable`](https://docs.microsoft.com/en-us/dotnet/api/system.collections.generic.ienumerable-1) Exposes the enumerator, which supports a simple iteration over a collection of a specified type. ```cs public interface IEnumerable : IEnumerable { IEnumerator GetEnumerator(); // return an enumerator } // iterate through a collection public interface IEnumerator { // properties object Current { get; } // Get the element in the collection at the current position of the enumerator. // methods void IDisposable.Dispose(); // Perform application-defined tasks associated with freeing, releasing, or resetting unmanaged resources bool MoveNext(); // Advance the enumerator to the next element of the collection. void Reset(); // Set the enumerator to its initial position, which is before the first element in the collection. } ``` **Note**: must call `Dispose()` on enumerators once finished with them, because many of them rely on this. `Reset()` is legacy and can, in some situations, throw `NotSupportedException()`. ### [`ICollection`](https://docs.microsoft.com/en-us/dotnet/api/system.collections.generic.icollection-1) ```cs public interface ICollection : IEnumerable { // properties int Count { get; } // Get the number of elements contained in the ICollection bool IsReadOnly { get; } // Get a value indicating whether the ICollection is read-only // methods void Add (T item); // Add an item to the ICollection void Clear (); // Removes all items from the ICollection bool Contains (T item); // Determines whether the ICollection contains a specific value IEnumerator GetEnumerator (); // Returns an enumerator that iterates through a collection bool Remove (T item); // Removes the first occurrence of a specific object from the ICollection } ``` ### [`IList`](https://docs.microsoft.com/en-us/dotnet/api/system.collections.generic.ilist-1) ```cs public interface IList : ICollection, IEnumerable { // properties int Count { get; } // Get the number of elements contained in the ICollection bool IsReadOnly { get; } // Get a value indicating whether the ICollection is read-only T this[int index] { get; set; } // Get or set the element at the specified index // methods void Add (T item); // Add an item to the ICollection void Clear (); // Remove all items from the ICollection bool Contains (T item); // Determine whether the ICollection contains a specific value void CopyTo (T[] array, int arrayIndex); // Copy the elements of the ICollection to an Array, starting at a particular Array index IEnumerator GetEnumerator (); // Return an enumerator that iterates through a collection int IndexOf (T item); // Determine the index of a specific item in the IList void Insert (int index, T item); // Insert an item to the IList at the specified index bool Remove (T item); // Remove the first occurrence of a specific object from the ICollection oid RemoveAt (int index); // Remove the IList item at the specified index } ``` ## [Dictionaries](https://docs.microsoft.com/en-us/dotnet/api/system.collections.generic.dictionary-2) [ValueCollection](https://docs.microsoft.com/en-us/dotnet/api/system.collections.generic.dictionary-2.valuecollection) [KeyCollection](https://docs.microsoft.com/en-us/dotnet/api/system.collections.generic.dictionary-2.keycollection) **Notes**: - Enumerating a dictionary will return `KeyValuePair`. - The `Dictionary` collection class relies on hashes to offer fast lookup (`TKey` should have a good `GetHashCode()`). ```cs Dictionary dict = new Dictionary(); // init empty dict Dictionary dict = new Dictionary(IEqualityComparer); // specify key comparer (TKey must implement Equals() and GetHashCode()) // initializer (implicitly uses Add method) Dictionary dict = { { key, value } { key, value }, ... } // object initializer Dictionary dict = { [key] = value, [key] = value, ... } // indexer access dict[key]; // read value associated with key (throws KeyNotFoundException if key does not exist) dict[key] = value; // modify value associated with key (throws KeyNotFoundException if key does not exist) dict.Count; // number of key-value pair stored in the dict dict.Keys; // Dictionary.KeyCollection containing the keys of the dict dict.Values; // Dictionary.ValueCollection containing the values of the dict dict.Add(key, value); // ArgumentException if the key already exists dict.Clear(); // empty the dictionary dict.ContainsKey(key); // check if a key is in the dictionary dict.ContainsValue(value); // check if a value is in the dictionary dict.Remove(key); // remove a key-value pair dict.Remove(key, out var); // remove key-value pair and copy TValue to var parameter dict.TryAdd(key, value); // adds a key-value pair; returns true if pair is added, false otherwise dict.TryGetValue(key, out var); // put the value associated with kay in the var parameter; true if the dict contains an element with the specified key, false otherwise. ``` ## [Sets](https://docs.microsoft.com/en-us/dotnet/api/system.collections.generic.hashset-1) Collection of non duplicate items. ```cs HashSet set = new HashSet(); set.Add(T); // adds an item to the set; true if the element is added, false if the element is already present. set.Clear(); //Remove all elements from a HashSet object. set.Contains(T); // Determine whether a HashSet object contains the specified element. set.CopyTo(T[]); // Coy the elements of a HashSet object to an array. set.CopyTo(T[], arrayIndex); // Copy the elements of a HashSet object to an array, starting at the specified array index. set.CopyTo(T[], arrayIndex, count); // Copies the specified number of elements of a HashSet object to an array, starting at the specified array index. set.CreateSetComparer(); // Return an IEqualityComparer object that can be used for equality testing of a HashSet object. set.ExceptWith(IEnumerable); // Remove all elements in the specified collection from the current HashSet object. set.IntersectWith(IEnumerable); // Modify the current HashSet object to contain only elements that are present in that object and in the specified collection. set.IsProperSubsetOf(IEnumerable); // Determine whether a HashSet object is a proper subset of the specified collection. set.IsProperSupersetOf(IEnumerable); // Determine whether a HashSet object is a proper superset of the specified collection. set.IsSubsetOf(IEnumerable); // Determine whether a HashSet object is a subset of the specified collection. set.IsSupersetOf(IEnumerable); // Determine whether a HashSet object is a superset of the specified collection. set.Overlaps(IEnumerable); // Determine whether the current HashSet object and a specified collection share common elements. set.Remove(T); // Remove the specified element from a HashSet object. set.RemoveWhere(Predicate); // Remove all elements that match the conditions defined by the specified predicate from a HashSet collection. set.SetEquals(IEnumerable); // Determine whether a HashSet object and the specified collection contain the same elements. set.SymmetricExceptWith(IEnumerable); // Modify the current HashSet object to contain only elements that are present either in that object or in the specified collection, but not both. set.UnionWith(IEnumerable); // Modify the current HashSet object to contain all elements that are present in itself, the specified collection, or both. set.TryGetValue(T, out T); // Search the set for a given value and returns the equal value it finds, if any. ```