Extensions-methods on IEnumerable

LINQ offers you many important higher order functions to transform IEnumerables in many ways.

Funcky offers a few additional ones which can come in handy.

AdjacentGroupBy

A marble diagram showing the AdjacentGroupBy operation

AverageOrNone

CartesianProduct

In mathematics, specifically set theory, the Cartesian product of two sets A and B, denoted AƗB, is the set of all ordered pairs (a, b) where a āˆˆ A and b āˆˆ B.

In other words: The Cartesian product produces all possible pairs of two given IEnumerables.

A marble diagram showing the CartesianProduct operation

Recipe

The Cartesian product can be easily implemented ad-hoc using LINQ's built-in SelectMany extension function:

using System;
using System.Linq;

// Version A: Get each pair as a tuple
var result = sequenceA.SelectMany(_ => sequenceB, ValueTuple.Create);

// Version B: Transform each pair using a selector
var result = sequenceA.SelectMany(_ => sequenceB, (a, b) => ...);

// Version C: Using LINQs declarative query syntax
var result =
    from a in sequenceA
    from b in sequenceB
    select ...;

Examples

Two sequences as input:

smiles = [šŸ˜€, šŸ˜, šŸ™„]
fruits = [šŸ‰, šŸŒ, šŸ‡, šŸ“]

The Cartesian products of smiles and fruits:

smiles Ɨ fruits => [[šŸ˜€, šŸ‰], [šŸ˜€, šŸŒ], [šŸ˜€, šŸ‡], [šŸ˜€, šŸ“],
                    [šŸ˜, šŸ‰], [šŸ˜, šŸŒ], [šŸ˜, šŸ‡], [šŸ˜, šŸ“],
				    [šŸ™„, šŸ‰], [šŸ™„, šŸŒ], [šŸ™„, šŸ‡], [šŸ™„, šŸ“]]

In this C# example you see how all playing cards are in fact a Cartesian products of a suit and a value.

This example uses the overload with a selector, because we just want a sequence of strings.

using System;
using System.Linq;
using Funcky;

var suits = Sequence.Return("ā™ ", "ā™£", "ā™„", "ā™¦");
var values = Sequence.Return("2", "3", "4", "5", "6", "7", "8", "9", "T", "J", "Q", "K", "A");

var deck = suits.SelectMany(_ => values, (suit, value) => $"{value}{suit}");

Chunk

With the .Chunk(int) extension method, you can turn an IEnumerable<T> into a IEnumerable<IEnumerable<T>>, with the inner Enumerables being of the given size. Empty and negative chunk sizes are not allowed and will throw a ArgumentOutOfRangeException.

A marble diagram showing the Chunk operation

Examples

var numbers = new List<int> { 1, 2, 3, 4, 5, 6, 7, 8, 9 };
var chunked = numbers.Chunk(3);
// Result: IEnumerable with Chunks of size 3:
// 1st Chunk: 1, 2, 3
// 2nd Chunk: 4, 5, 6
// 3rd Chunk: 7, 8, 9

When the last chunk isn't complete, we get a smaller, incomplete last chunk:

var numbers = new List<int> { 1, 2, 3, 4, 5, 6, 7 };
var chunked = numbers.Chunk(4);
// Result: IEnumerable with Chunks of size 4:
// 1st Chunk: 1, 2, 3, 4
// 2nd Chunk: 5, 6, 7

If required, you can also pass a result selector, that turns the inner IEnumerables into a different type:

var magicSquare = new List<int> { 4, 9, 2, 3, 5, 7, 8, 1, 6 };
var result = magicSquare.Chunk(3, Enumerable.Average); // equivalent to magicSquare.Chunk(3, number => Enumerable.Average(number));
// Result: IEnumerable<int> with 5, 5, 5 as items

ForEach

With the .ForEach extension method, you can invoke an action for each item in an enumerable, just like a foreach statement would allow you to do.

This method is already available in .NET, but just on Lists, and it makes sense for it to be available on every enumerable.

Keep in mind that .ForEach is imperative and only expects an Action<T>. It should not be used to change state of anything outside of the .ForEach. If you want to combine the enumerable into a result, consider using .Aggregate(), as that is designed for such use-cases.

Example

// Original
foreach (var item in Items)
{
   DoSomething(item);
}

// Using `.ForEach`
Items.ForEach(DoSomething); // equivalent to Items.ForEach(item => DoSomething(item));

FirstOrNone

Inspect

With the .Inspect extension method, you can invoke an action for each item in an enumerable, just like .ForEach or the foreach statement would allow you to do, but the method yields the initial enumerable back.

This can be useful when you want to apply a side-effect to a list before returning, or continue selecting on a list after applying a side-effect. Inspect can be especially useful when you want to log step(s) of a complex query, since you don't have to change the structure of the code to use it.

Examples

// Original using .ForEach
var items = someList.Select(TransformSomething);
Items.ForEach(DoSomething);
return items;

// Using `.Inspect`
return someList.Select(TransformSomething).Inspect(DoSomething);
// Original using foreach
var items = someList.Select(TransformToSomething);
foreach (var item in items) 
{
  DoSomething(item);
}
var transformedItems = items.Select(TransformToSomethingElse);

// Using `.Inspect`
var transformedItems = someList
  .Select(TransformSomething)
  .Inspect(DoSomething)
  .Select(TransformToSomethingElse);

Deferred Execution

It is important to understand at which moment .Inspect is executed. The exact moment of execution is the same as if it were a Select, Where or any other deferred LINQ-method. See Microsoft Docs for more information about deferred execution in LINQ. This is also an important difference between .ForEach (eager) and .Inspect (deferred).

Consider the following example:

Enumerable.Range(1, 100)
  .Inspect(n => Console.WriteLine($"before where: {n}"))
  .Where(n => n % 2 == 0)
  .Inspect(n => Console.WriteLine($"after where: {n}"))
  .Inspect(Console.WriteLine)
  .Take(2)
  .ToImmutableList(); // <- Side effects of .Inspect happen here
  
// Prints:
// before where: 1
// before where: 2
// after where: 2
// 2
// before where: 3
// before where: 4
// after where: 4
// 4

Interleave

A marble diagram showing the Interleave operation

Intersperse

A marble diagram showing the Interleave operation

Materialize

Merge

A marble diagram showing the Merge operation

Examples

Given two sequences which are already ordered the same way:

  sequence1 = [1, 2, 7, 9, 14]
  sequence2 = [3, 6, 8, 11, 12, 16]

By merging we get one single sequence with the all elements of the given sequences with the same order.

  sequence1.Merge(sequence2) =>
              [1, 2,       7,    9,         14    ]
              [      3, 6,    8,    11, 12,     16]
              -------------------------------------
              [1, 2, 3, 6, 7, 8, 9, 11, 12, 14, 16]

None

With the .None extension method, you can make !enumerable.Any() calls easier.

That's all there is. You can replace:

if (!enumerable.Any()) { ... }

with the easier to read

if (enumerable.None()) { ... }

Just like with .Any(), you can additionally pass a predicate as a parameter:

if (enumerable.None(item => item.SomeNumericProperty == 2) { ... }

PairWise

A marble diagram showing the Pairwise operation

Example

animals = [ šŸµ, šŸ¶, šŸŗ, šŸ±, šŸ¦„, šŸ·, šŸ¦]

animals.PairWise() =>
    [[šŸµ, šŸ¶],
	 [šŸ¶, šŸŗ],
	 [šŸŗ, šŸ±],
	 [šŸ±, šŸ¦„],
	 [šŸ¦„, šŸ·],
	 [šŸ·, šŸ¦]]

Partition

A marble diagram showing the Partition operation

Example

plantBasedFood = [šŸ‰, šŸ© , šŸŽ‚, šŸŒ, šŸ«, šŸ“, šŸ’, šŸ„•, šŸŒ½, šŸ„§ ]

plantBasedFood.Partition(IsProcessedFood?)
  => [[šŸ© , šŸŽ‚, šŸ«, šŸ„§],
      [šŸ‰, šŸŒ, šŸ“, šŸ’, šŸ„•, šŸŒ½]]

PowerSet

A marble diagram showing the PowerSet operation

Shuffle

A marble diagram showing the Shuffle operation

SlidingWindow

A marble diagram showing the SlidingWindow operation

Split

A marble diagram showing the Split operation

TakeEvery

A marble diagram showing the TakeEvery operation

Transpose

A marble diagram showing the Transpose operation

WhereNotNull

A marble diagram showing the WhereNotNull operation

WhereSelect

A marble diagram showing the WhereSelect operation

WithFirst

A marble diagram showing the WithFirst operation

WithIndex

A marble diagram showing the WithIndex operation

WithLast

A marble diagram showing the WithLast operation

WithPrevious

A marble diagram showing the WithPrevious operation

Example

animals = [ šŸ¦„, šŸŗ, šŸ·, šŸ¦, šŸµ, šŸ¶ ]

animals.WithPrevious() =>
    [[āˆ…, šŸ¦„],
	 [šŸ¦„, šŸŗ],
	 [šŸŗ, šŸ·],
	 [šŸ·, šŸ¦],
	 [šŸ¦, šŸµ],
	 [šŸµ, šŸ¶]]

ZipLongest

A marble diagram showing the ZipLongest operation