namespace AdventOfCode.Utils.Extensions;
public static class LinqExtensions
{
///
/// Returns a slice of the given list
///
/// The list you pretend to slice
/// The first index of the slice
/// The index after the last index of the slice
///
public static List Sublist(this List list, int startIndex, int endIndex = default)
{
var result = new List();
if (endIndex == default)
endIndex = list.Count;
for (var i = startIndex; i < endIndex; i++)
result.Add(list[i]);
return result;
}
///
/// Returns a column of a give matrix list
///
/// 2 dimensions list
/// Column index
///
public static List GetColumn(this List> list, int column)
{
var result = new List();
foreach (var row in list) result.AddRange(row.Where((t, i) => i == column));
return result;
}
///
/// Reverses a given list
///
/// The list to reverse
/// The reversed list
public static List Reversed(this List list)
{
var reversed = new List();
for (var i = 0; i < list.Count; i++)
reversed.Add(list[list.Count - 1 - i]);
return reversed;
}
///
/// Clones a list of elements
///
/// The original list
/// A copy of the original list
public static List Clone(this List original)
{
var ret = new List(original.Count);
foreach (var element in original)
ret.Add(element);
return ret;
}
public static Dictionary Clone
(this Dictionary original)
where TValue : ICloneable
where TKey : notnull
{
var ret = new Dictionary(original.Count, original.Comparer);
foreach (var entry in original)
ret.Add(entry.Key, (TValue)entry.Value.Clone());
return ret;
}
public static Dictionary> Clone
(this Dictionary> original)
where TKey : notnull
{
var ret = new Dictionary>(original.Count, original.Comparer);
foreach (var entry in original)
ret.Add(entry.Key, entry.Value.Clone());
return ret;
}
public static void Fill(this List list, int count, T element)
where T : ICloneable
{
for (var i = 0; i < count; i++)
list.Add(element);
}
public static void Fill(this List> list, int count, List element)
{
for (var i = 0; i < count; i++)
list.Add(element.Clone());
}
public static void Set(this List list, int index, T element)
{
var backup = list.Clone();
list.Clear();
for (var i = 0; i < list.Count; i++) list.Add(i == index ? element : list[i]);
}
}