Skip to content

High performance LINQ implementation with minimal heap allocations. Supports enumerables, async enumerables, arrays and Span<T>.

License

Notifications You must be signed in to change notification settings

kopffarben/NetFabric.Hyperlinq

 
 

Repository files navigation

GitHub last commit (master) Build (master) Coverage NuGet Version NuGet Downloads Gitter

NetFabric.Hyperlinq

Hyperlinq** is an alternative implementation of several operations found in both the System.Linq and System.Linq.Async namespaces:

  • Uses value-types to improve performance by making method calls non-virtual and reducing GC collections by not allocating on the heap.

  • Adds support for Span<> and Memory<>.

This implementation favors performance in detriment of assembly binary size (lots of overloads).

Contents

Usage

  1. Add the NetFabric.Hyperlinq NuGet package to your project.
  2. Optionally, also add the NetFabric.Hyperlinq.Analyzer NuGet package to your project. It's a Roslyn analyzer that suggests performance improvements on your enumeration source code. No dependencies are added to your assemblies.
  3. Add an using NetFabric.Hyperlinq directive to all source code files where you want to use NetFabric.Hyperlinq. It can coexist with System.Linq and System.Linq.Async directives:
using System;
using System.Linq;
using System.Linq.Async;
using NetFabric.Hyperlinq; // add this directive

BCL Collections

NetFabric.Hyperlinq includes bindings for collections available in the namespaces; System, System.Collections.Generic and System.Collections.Immutable. This includes:

  • arrays
  • Span<>, ReadOnlySpan<>, Memory<> and ReadOnlyMemory<>
  • List<>, Dictionary<>, Stack<>, ...
  • ImmutableArray<>, ImmutableList<>, ImmutableStack<>, ...

For all these collections, once the directive is added, NetFabric.Hyperlinq will used automatically.

public static void Example(ReadOnlySpan<int> span)
{
  var result = span
    .Where(item => item > 2)
    .Select(item => item * 2);

  foreach(var value in result)
    Console.WriteLine(value);
}

AsValueEnumerable and AsAsyncValueEnumerable

NetFabric.Hyperlinq implements operations (extension methods) for the interfaces:

  • IValueEnumerable<,>
  • IValueReadOnlyCollection<,>
  • IValueReadOnlyList<,>
  • IAsyncValueEnumerable<,>

If the collection does not implement any of these, you have to use the conversion methods AsValueEnumerable() or AsAsyncValueEnumerable() to use the NetFabric.Hyperlinq operations. (Except for the BCL collections where specific bindings are provided.)

In the following example, AsValueEnumerable() converts IReadOnlyList<> to IValueReadOnlyList<>. The subsequent operations used are the ones implemented in NetFabric.Hyperlinq (if available):

public static void Example(IReadOnlyList<int> list)
{
  var result = list
    .AsValueEnumerable()
    .Where(item => item > 2)
    .Select(item => item * 2);

  foreach(var value in result)
    Console.WriteLine(value);
}

The conversion methods can also be applied to the output of LINQ operators. This is useful when you use operations not available in NetFabric.Hyperlinq or that do not return a value enumeration interfaces.

public static void Example(IReadOnlyList<int> list)
{
  var result = list
    .AsValueEnumerable()
    .Where(item => item > 2)
    .OrderByDescending(item => item) // does not return a value enumeration interfaces
    .AsValueEnumerable()
    .Select(item => item * 2);

  foreach(var value in result)
    Console.WriteLine(value);
}

All value enumeration interfaces derive from IEnumerable<> or IAsyncEnumerable so, as you can see in the previous example, they can be used as the input of LINQ operations or of any other third-party library.

Generation operations

In NetFabric.Hyperlinq, the generation operations like Empty(), Range(), Repeat() and Return() are static methods implemented in the static class ValueEnumerable. To use these, instead of the ones from LINQ, simply replace Enumerable for ValueEnumerable.

public static void Example(int count)
{
  var source = ValueEnumerable
    .Range(0, count)
    .Select(item => item * 2);

  foreach(var value in source)
    Console.WriteLine(value);
}

Method return types

Usually, when returning a query, it's used IEnumerable<> as the method return type:

public static IEnumerable<int> Example(int count)
  => ValueEnumerable
    .Range(0, count)
    .Select(value => value * 2);

This allows the caller to use LINQ or a foreach loop to pull and process the result. NetFabric.Hyperlinq can also be used but the AsValueEnumerable() conversion method has to be used.

The operation in NetFabric.Hyperlinq are implemented so that they return the highest level enumeration interface possible. For example, the Range() operation returns IValueReadOnlyList<,> and the subsequent Select() does not change this. IValueReadOnlyList<,> derives from IReadOnlyList<> so, we can change the method to return this interface:

public static IReadOnlyList<int> Example(int count)
  => ValueEnumerable
    .Range(0, count)
    .Select(value => value * 2);

Now, the caller is free to use the enumerator or the indexer, which are provided by this interface. This means that, all previous methods of iteration can be used plus the for loops, which are much more efficient. The indexer performs fewer internal operations and doesn't need an enumerator instance. NetFabric.Hyperlinq can also be used and the AsValueEnumerable() conversion method still has to be used but, NetFabric.Hyperlinq will now use the indexer.

Otherwise, NetFabric.Hyperlinq will use enumerators. It implements all enumerators as value types. This allows the enumerators not to be allocated on the heap and calls to its methods to be non-virtual. The IEnumerable<> interface, and all other derived BCL interfaces, convert the enumerator to the IEnumerator<> interface. This results in the enumerator to be boxed, undoing the mentioned benefits.

NetFabric.Hyperlinq defines value enumerable interfaces that contain the enumerator type as a generic parameter. This allows the caller to use it without boxing. Consider changing the method to return one of these interfaces:

public static IValueReadOnlyList<int, ReadOnlyList.SelectEnumerable<ValueEnumerable.RangeEnumerable, int, int>.DisposableEnumerator> Example(int count)
  => ValueEnumerable
    .Range(0, count)
    .Select(value => value * 2);

The caller is now able to use NetFabric.Hyperlinq without requiring the AsValueEnumerable() conversion method. In this case, it will use the indexer in all subsequent operations but the enumerator is still available. In other cases (IValueEnumerable<,>, IValueReadOnlyCollection<,> and IAsyncValueEnumerable<,>) it will use the enumerator.

Finding the correct generic types is hard but the NetFabric.Hyperlinq.Analyzer can help you. It will inform you when the type can be changed and to what types.

NetFabric.Hyperlinq also implements the enumerables as value types. Returning an interface means that the enumerable will still be boxed. If you want to also avoid this, consider changing the return type to be the actual enumerable type. In this case:

public static ReadOnlyList.SelectEnumerable<ValueEnumerable.RangeEnumerable, int, int> Example(int count)
  => ValueEnumerable
    .Range(0, count)
    .Select(value => value * 2);

The NetFabric.Hyperlinq.Analyzer can also help you here.

NOTE: Returning the enumerable type or a value enumeration interface, allows major performance improvements but creates a library design issue. Changes in the method implementation may result in changes to the retun type. This is a breaking change. This is an issue on the public API but not so much for the private and internal methods. Take this into consideration when deciding on the return type.

Composition

NetFabric.Hyperlinq operations can be composed just like with LINQ. The difference is on how each one optimizes the internals to reduce the number of enumerators required to iterate the values.

Both LINQ and NetFabric.Hyperlinq optimize the code in the following example so that only one enumerator is used to perform both the Where() and the Select():

var result = source.Where(item => item > 2).Select(item => item * 2);

But, LINQ does not do the same for this other example:

var result = source.Where(item => item > 2).First();

LINQ has a second overload for methods, like First() and Single(), that take the predicate as a parameter and allow the Where() to be removed. In NetFabric.Hyperlinq this is not required. It optimizes internally the code to have the same behavior. With the intention of reducing the code to be mantained and tested, these other overloads actually are not available.

NetFabric.Hyperlinq includes many more composition optimizations. In the following code, only one enumerator is used, and only because of the Where() operation. Otherwise, the indexer would have been used instead. The Select() is applied after First(), so that it's applied to only one of the items:

var result = array.Skip(1).Take(10).Where(item => item > 2).Select(item => item * 2).First();

Option

In LINQ, the aggregation operations like First(), Single() and ElementAt(), throw an exception when the source has no items. Often, empty collections are a valid scenario and exception handling is very slow. LINQ has alternative methods like FirstOrDefault(), SingleOrDefault() and ElementAtOrDefault(), that return the default value instead of throwing. This is still an issue when the items are value-typed, where there's no way to distinguish between an empty collection and a valid item.

In NetFabric.Hyperlinq, aggregation operations return an Option<> type. This is similar in behavior to the Nullable<> but it can contain reference types.

Here's a small example using First():

var result = source.First();
if (result.IsSome)
  Console.WriteLine(result.Value);

It also provides a deconstructor so, you can convert it to a tuple:

var (isSome, value) = source.First();
if (isSome)
  Console.WriteLine(value);

If you prefer a more functional approach, you can use Match() to specify the value returned when the collection has values and when it's empty. Here's how to use it to define the previous behavior of First() and FirstOrDefault():

var first = source.First().Match(
  item => item,
  () => throw new InvalidOperationException("Sequence contains no elements"));

var firstOrDefault = source.First().Match(
  item => item,
  () => default);

Console.WriteLine(first);
Console.WriteLine(firstOrDefault);

Match() can also be used to define actions:

source.First().Match(
  item => Console.WriteLine(item),
  () => { });

The NetFabric.Hyperlinq operations can be applied to Option<>, including Where(), Select() and SelectMany(). These return another Option<> with the predicate/selector applied to the value, if it exists.

source.First().Where(item => item > 2).Match(
  item => Console.WriteLine(item),
  () => { });

Documentation

Articles explaining implementation:

Supported operations

  • Aggregation
    • Count()
  • Conversion
    • AsEnumerable()
    • AsValueEnumerable()
    • ToArray()
    • ToList()
    • ToDictionary(Selector<TSource, TKey>)
    • ToDictionary(Selector<TSource, TKey>, IEqualityComparer<TKey>)
    • ToDictionary(Selector<TSource, TKey>, Selector<TSource, TElement>)
    • ToDictionary(Selector<TSource, TKey>, Selector<TSource, TElement>, IEqualityComparer<TKey>)
  • Element
    • ElementAt()
    • First()
    • Single()
  • Filtering
    • Where(Predicate<TSource>)
    • Where(PredicateAt<TSource>)
  • Generation
    • Create(Func<TEnumerator>)
    • Empty()
    • Range(int, int)
    • Repeat(TSource, int)
    • Return(TSource)
  • Projection
    • Select(Selector<TSource, TResult>)
    • Select(SelectorAt<TSource, TResult>)
    • SelectMany(IValueEnumerable<TSource>)
  • Partitioning
    • Take(int)
    • Skip(int)
  • Quantifier
    • All(Predicate<TSource>)
    • All(PredicateAt<TSource>)
    • Any()
    • Any(Predicate<TSource>)
    • Any(PredicateAt<TSource>)
    • Contains(TSource)
    • Contains(TSource, IEqualityComparer<TSource>)
  • Set
    • Distinct(TSource)
    • Distinct(TSource, IEqualityComparer<TSource>)

Benchmarks

The repository contains a benchmarks project based on BenchmarkDotNet that compares NetFabric.Hyperlinq to System.Linq for many of the supported operations and its combinations.

References

Credits

The following open-source projects are used to build and test this project:

License

This project is licensed under the MIT license. See the LICENSE file for more info.

About

High performance LINQ implementation with minimal heap allocations. Supports enumerables, async enumerables, arrays and Span<T>.

Resources

License

Stars

Watchers

Forks

Packages

No packages published

Languages

  • C# 100.0%