using System; using System.Linq; using System.Collections.Generic; public static class Collection { public static void ForEach(this IEnumerable x, Action f) => x.ToList().ForEach(f); /* public static ListI> Add(this ListI> l, T x, U y) => l.Add(Tuple.Create(x,y)); */ // System.Collections.Immutable requires NuGet and is not available on repl.it public static List Cons(this List l, T x) { l.Add(x); return l; } // Circumvent bug with collection initializers, tuples and // first-class functions by using repeated .Add() // See https://repl.it/@suzannesoy/WarlikeWorstTraining#main.cs public static List> Cons(this List> l, T x, U y) => l.Cons(Tuple.Create(x,y)); public static List> Cons(this List> l, T x, U y, V z) => l.Cons(Tuple.Create(x,y,z)); public static void Deconstruct(this Tuple t, out A a, out B b) { a = t.Item1; b = t.Item2; } public struct Item { public readonly T item; public readonly long index; public readonly bool first; public readonly bool last; public Item(T item, long index, bool first, bool last) { this.item = item; this.index = index; this.first = first; this.last = last; } } public static IEnumerable> Indexed(this IEnumerable e) { long i = 0L; bool first = true; T prevX = default(T); // Dummy long prevI = default(long); bool prevFirst = default(bool); foreach (var x in e) { if (!first) { yield return new Item(prevX, prevI, prevFirst, false); } prevX = x; prevI = i; prevFirst = first; first = false; i++; } if (!first) { yield return new Item(prevX, prevI, prevFirst, true); } } public struct Peekable : IEnumerator, System.Collections.IEnumerator { private IEnumerator e; private bool peeked; private T previous; public T Current { get => peeked ? previous : e.Current; } object System.Collections.IEnumerator.Current { get => this.Current; } public bool MoveNext() { this.peeked = false; this.previous = default(T); return this.e.MoveNext(); } public bool Peek() { if (this.peeked) { throw new Exception("Already peeked once"); } else { this.previous = e.Current; this.peeked = true; return this.e.MoveNext(); } } public void Dispose() { e.Dispose(); } public void Reset() { e.Reset(); } public Peekable(IEnumerable e) { this.e = e.GetEnumerator(); this.peeked = false; this.previous = default(T); } } public static Peekable Peekable(this IEnumerable e) { return new Peekable(e); } public static IEnumerable SingleUseEnumerable(this IEnumerator e) { while (e.MoveNext()) { yield return e.Current; } } public static IEnumerable TakeUntil(this IEnumerable e, Func f) => e.TakeWhile(x => !f(x)); public static IEnumerable Singleton(this T x) { yield return x; } }