# ZLinq **Repository Path**: songyueyue/ZLinq ## Basic Information - **Project Name**: ZLinq - **Description**: Zero allocation LINQ with LINQ to Span, LINQ to SIMD, and LINQ to Tree (FileSystem, JSON, GameObject, etc.) for all .NET platforms and Unity, Godot. - **Primary Language**: Unknown - **License**: MIT - **Default Branch**: main - **Homepage**: None - **GVP Project**: No ## Statistics - **Stars**: 0 - **Forks**: 0 - **Created**: 2025-09-07 - **Last Updated**: 2025-10-07 ## Categories & Tags **Categories**: Uncategorized **Tags**: None ## README ZLinq === [![CI](https://github.com/Cysharp/ZLinq/actions/workflows/build-debug.yaml/badge.svg)](https://github.com/Cysharp/ZLinq/actions/workflows/build-debug.yaml) [![Benchmark](https://github.com/Cysharp/ZLinq/actions/workflows/benchmark.yaml/badge.svg)](https://github.com/Cysharp/ZLinq/actions/workflows/benchmark.yaml) [![NuGet](https://img.shields.io/nuget/v/ZLinq)](https://www.nuget.org/packages/ZLinq) [![Ask DeepWiki](https://deepwiki.com/badge.svg)](https://deepwiki.com/Cysharp/ZLinq) Zero allocation LINQ with LINQ to Span, LINQ to SIMD, and LINQ to Tree (FileSystem, JSON, GameObject, etc.) for all .NET platforms(netstandard2.0, 2.1, net8, net9) and Unity, Godot. ![](img/benchmarkhead.jpg) Unlike regular LINQ, ZLinq doesn't increase allocations when adding more method chains, and it also has higher basic performance. You can check various benchmark patterns at [GitHub Actions/Benchmark](https://github.com/Cysharp/ZLinq/actions/runs/16308471280). ZLinq shows high performance in almost all patterns, with some benchmarks showing overwhelming differences. As a bonus, LINQ operators and optimizations equivalent to .NET 10 can be used in .NET Framework 4.8 (netstandard2.0) and Unity (netstandard2.1). ```bash dotnet add package ZLinq ``` ```csharp using ZLinq; var seq = source .AsValueEnumerable() // only add this line .Where(x => x % 2 == 0) .Select(x => x * 3); foreach (var item in seq) { } ``` * **99% compatibility** with .NET 10's LINQ (including new `Shuffle`, `RightJoin`, `LeftJoin`, `Sequence`, `InfiniteSequence` operators) * **Zero allocation** for method chains through struct-based Enumerable via `ValueEnumerable` * **LINQ to Span** to full support LINQ operations on `Span` using .NET 9/C# 13's `allows ref struct` * **LINQ to Tree** to extend tree-structured objects (built-in support for FileSystem, JSON, GameObject) * **LINQ to SIMD** to automatic application of SIMD where possible and customizable arbitrary operations * Optional **Drop-in replacement** Source Generator to automatically accelerate all LINQ methods In ZLinq, we have proven high compatibility and performance by running [dotnet/runtime's System.Linq.Tests](https://github.com/Cysharp/ZLinq/tree/main/tests/System.Linq.Tests) as a drop-in replacement, passing 9000 tests. ![](img/testrun.png) Previously, value type-based LINQ implementations were often experimental, but ZLinq fully implements all methods to completely replace standard LINQ in production use, delivering high performance suitable even for demanding applications like games. The performance aspects are based on my experience with previous LINQ implementations ([linq.js](https://github.com/neuecc/linq.js/), [SimdLinq](https://github.com/Cysharp/SimdLinq/), [UniRx](https://github.com/neuecc/UniRx), [R3](https://github.com/Cysharp/R3)), zero-allocation implementations ([ZString](https://github.com/Cysharp/ZString), [ZLogger](https://github.com/Cysharp/ZLogger)), and high-performance serializers ([MessagePack-CSharp](https://github.com/MessagePack-CSharp/MessagePack-CSharp/), [MemoryPack](https://github.com/Cysharp/MemoryPack)). ZLinq achieves zero-allocation LINQ implementation using the following structs and interfaces. ```csharp public readonly ref struct ValueEnumerable(TEnumerator enumerator) where TEnumerator : struct, IValueEnumerator, allows ref struct { public readonly TEnumerator Enumerator = enumerator; } public interface IValueEnumerator : IDisposable { bool TryGetNext(out T current); // as MoveNext + Current // Optimization helper bool TryGetNonEnumeratedCount(out int count); bool TryGetSpan(out ReadOnlySpan span); bool TryCopyTo(scoped Span destination, Index offset); } ``` Besides changing to a struct-based approach, we've integrated MoveNext and Current to reduce the number of iterator calls. Also, some operators don't need to hold Current, which allows minimizing the struct size. Additionally, being struct-based, we efficiently separate internal state by copying the Enumerator instead of using GetEnumerator. With .NET 9/C# 13 or later, `allows ref struct` enables natural integration of `Span` into LINQ. ```csharp public static ValueEnumerable, TSource> Where(this ValueEnumerable source, Func predicate) where TEnumerator : struct, IValueEnumerator, allows ref struct ```` Operators have this method signature. C# cannot infer types from generic constraints([dotnet/csharplang#6930](https://github.com/dotnet/csharplang/discussions/6930)). Therefore, the traditional Struct LINQ approach required implementing all operator combinations as instance methods, resulting in [100,000+ methods and massive assembly sizes](https://kevinmontrose.com/2018/01/17/linqaf-replacing-linq-and-not-allocating/). However, in ZLinq, we've successfully avoided all the boilerplate method implementations by devising an approach that properly conveys types to C# compiler. Additionally, `TryGetNonEnumeratedCount(out int count)`, `TryGetSpan(out ReadOnlySpan span)`, and `TryCopyTo(Span destination, Index offset)` defined in the interface itself enable flexible optimizations. To minimize assembly size, we've designed the library to achieve maximum optimization with minimal method additions. For example, `TryCopyTo` works efficiently with methods like `ToArray` when combined with `TryGetNonEnumeratedCount`. However, it also allows copying to smaller-sized destinations. By combining this with Index, we can optimize `First`, `Last`, and `ElementAt` using just `TryCopyTo` by passing a single-element Span along with an Index. If you're interested in architecture, please read my blog post [**"ZLinq", a Zero-Allocation LINQ Library for .NET**](https://neuecc.medium.com/zlinq-a-zero-allocation-linq-library-for-net-1bb0a3e5c749) where I wrote the details. Getting Started --- You can install package from [NuGet/ZLinq](https://www.nuget.org/packages/ZLinq). For Unity usage, refer to the [Unity section](#unity). For Godot usage, refer to the [Godot section](#godot). ```bash dotnet add package ZLinq ``` Use `using ZLinq;` and call `AsValueEnumerable()` on any iterable type to use ZLinq's zero-allocation LINQ. ```csharp using ZLinq; var source = new int[] { 1, 2, 3, 4, 5 }; // Call AsValueEnumerable to apply ZLinq var seq1 = source.AsValueEnumerable().Where(x => x % 2 == 0); // Can also be applied to Span (only in .NET 9/C# 13 environments that support allows ref struct) Span span = stackalloc int[5] { 1, 2, 3, 4, 5 }; var seq2 = span.AsValueEnumerable().Select(x => x * x); ``` Even if it's netstandard 2.0 or below .NET 10, all operators up to .NET 10 are available. You can method chain and foreach like regular LINQ, but there are some limitations. Please see [Difference and Limitation](#difference-and-limitation) for details. ZLinq has drop-in replacements that apply ZLinq without needing to call `AsValueEnumerable()`. For more information, see [Drop-in replacement](#drop-in-replacement). Detailed information about [LINQ to Tree](#linq-to-tree) for LINQ-ifying tree structures (FileSystems and JSON) and [LINQ to SIMD](#linq-to-simd) for expanding SIMD application range can be found in their respective sections. Additional Operators --- In ZLinq, we prioritize compatibility, so we try to minimize adding custom operators. However, the following methods have been added to enable efficient processing with zero allocation: ### `AsValueEnumerable()` Converts existing collections to a type that can be chained with ZLinq. Any `IEnumerable` can be converted, but for the following types, conversion is done with zero allocation without `IEnumerable.GetEnumerator()` allocation. Standard supported types are `T[]`, `List`, `ArraySegment`, `Memory`, `ReadOnlyMemory`, `ReadOnlySequence`, `Dictionary`, `Queue`, `Stack`, `LinkedList`, `HashSet`, `ImmutableArray`, `Span`, `ReadOnlySpan`. However, conversion from `ImmutableArray` requires `.NET 8` or higher, and conversion from `Span`, `ReadOnlySpan` requires `.NET 9` or higher. When a type is declared as `IEnumerable` or `ICollection` rather than concrete types like `T[]` or `List`, generally additional allocations occur when using foreach. In `ZLinq`, even when these interfaces are declared, if the actual type is `T[]` or `List`, processing is performed with zero allocation. Convert from `System.Collections.IEnumerable` is also supported. In that case, using `AsValueEnumerable()` without specifying a type converts to `ValueEnumerable<, object>`, but you can also cast it simultaneously by `AsValueEnumerable()`. ```csharp IEnumerable nonGenericCollection = default!; nonGenericCollection.AsValueEnumerable(); // ValueEnumerable<, object> nonGenericCollection.AsValueEnumerable(); // ValueEnumerable<, int> ``` ### `ValueEnumerable.Range()`, `ValueEnumerable.Repeat()`, `ValueEnumerable.Empty()` `ValueEnumerable.Range` operates more efficiently when handling with `ZLinq` than `Enumerable.Range().AsValueEnumerable()`. The same applies to `Repeat` and `Empty`. The Range can also handle step increments, `INumber`, `DateTime`, and more. Please refer to the [Range and Sequence](#range-and-sequence) section for details. ### `Sequence`, `InfiniteSequence` for all .NET Platforms `Sequence` and `InfiniteSequence` were added in .NET 10. They require `INumber`, but `INumber` was introduced in `.NET 7`. `ZLinq` implements `INumber` methods the same as standard LINQ, but additionaly adds primitive type overloads(`byte/sbyte/ushort/char/short/uint/int/ulong/long/float/double/decimal`) to support all .NET Platforms(includes .NET Standard 2.0). Additionaly, as a bonus, `DateTime` and `DateTimeOffset` overload exists. ### `Average() : where INumber`, `Sum() : where INumber` System.Linq's `Average` and `Sum` are limited to certain primitive types, but ZLinq extends them to all `INumber` types. In `.NET 8` or higher, where constraints are included, but for others (netstandard2.0, 2.1), runtime errors will occur when called with non-primitive target types. ### `SumUnchecked()` `Sum` is `checked`, but checking for overflow during SIMD execution creates performance overhead. `SumUnchecked` skips overflow checking to achieve maximum SIMD aggregation performance. Note that this requires `.NET 8` or higher, and SIMD-supported types are `sbyte`, `short`, `int`, `long`, `byte`, `ushort`, `uint`, `ulong`, `double`, and the source must be able to get a Span (`TryGetSpan` returns true). ### `AggregateBy`, `CountBy` constraints .NET 9 `AggregateBy` and `CountBy` has `TKey : notnull` constraints. However, this is due to internal implementation considerations, and it lacks consistency with traditional operators such as Lookup and Join. Therefore, in ZLinq, the notnull constraint was removed. ### `int CopyTo(Span destination)`, `void CopyTo(List list)` `CopyTo` can be used to avoid allocation of the return collection unlike `ToArray` or `ToList`. `int CopyTo(Span destination)` allows the destination to be smaller than the source, returning the number of elements copied. `void CopyTo(List list)` clears the list and then fills it with elements from the source, so the destination size is list.Count. ### `PooledArray ToArrayPool()` The returned array is rented from `ArrayPool.Shared`. `PooledArray` defines `.Span`, `.Memory`, `.AsEnumerable()` and other methods. These allow you to pass a `ValueEnumerable` to another method while minimizing allocations. Additionally, through `.AsValueEnumerable()`, you can call `ZLinq` methods, which is useful for temporarily materializing computationally expensive operations. Being `IDisposable`, you can return the borrowed array to `ArrayPool.Shared` using the `using` statement. ```csharp using var array = ValueEnumerable.Range(1, 1000).ToArrayPool(); var size = array.Size; // same as Length/Count in other types var span = array.Span; var memory = array.Memory; var arraySegment = array.ArraySegment; var enumerable = array.AsEnumerable(); var valueEnumerable = array.AsValueEnumerable(); ``` For performance reasons to reduce allocations, `PooledArray` is a `struct`. This creates a risk of returning the same array multiple times due to boxing or copying. Also, ArrayPool is not suitable for long-term array storage. It is recommended to simply use `ToArrayPool()` with `using` and keep the lifetime short. If you absolutely need the raw internal array, you can `Deconstruct` it to `(T[] Array, int Size)`. After deconstructing, ownership is considered transferred, and all methods of `PooledArray` become unavailable. ### `JoinToString(char|string separator)` Since `ZLinq` is not `IEnumerable`, it cannot be passed to `String.Join`. `JoinToString` provides the same functionality as `String.Join`, returning a string joined with the separator. Range and Sequence --- In .NET 10, `Enumerable.Sequence` and `Enumerable.InfiniteSequence` have been added, improving the expressiveness of Range operations. ZLinq also implements these, so they can be used. However, since they require `INumber` and `IAdditionalOperator`, they are limited to .NET 8 and above. ZLinq makes `Sequence` and `InfiniteSequence` available on all .NET Platforms (including .NET Standard 2.0) by adding primitive type overloads (`byte/sbyte/ushort/char/short/uint/int/ulong/long/float/double/decimal`). In ZLinq, for .NET 8 and above, `Range` also supports `INumber`, and step overloads have been added. ```csharp public static ValueEnumerable, T> Range(T start, int count) where T : INumberBase public static ValueEnumerable, T> Range(T start, int count, TStep step) where T : IAdditionOperators ``` Furthermore, `Range`, `Sequence`, and `InfiniteSequence` have added overloads for `DateTime` and `DateTimeOffset`. These are available on all target platforms. ```csharp public static ValueEnumerable Range(DateTime start, int count, TimeSpan step) => new(new(start, count, step)); public static ValueEnumerable Range(DateTimeOffset start, int count, TimeSpan step) => new(new(start, count, step)); public static ValueEnumerable Sequence(DateTime start, DateTime endInclusive, TimeSpan step) public static ValueEnumerable Sequence(DateTimeOffset start, DateTimeOffset endInclusive, TimeSpan step) public static ValueEnumerable InfiniteSequence(DateTime start, TimeSpan step) public static ValueEnumerable InfiniteSequence(DateTimeOffset start, TimeSpan step) ``` ```csharp // DateTime/DateTimeOffset example // 5/13, 5/14, 5/15, 5/16, 5/17, 5/18, 5/19 var daysOfweek = ValueEnumerable.Range(DateTime.Now, 7, TimeSpan.FromDays(1)); // 5/1, 5/2,...,5/31 var now = DateTime.Now; var calendarOfThisMonth = ValueEnumerable.Range(new DateTime(now.Year, now.Month, 1), DateTime.DaysInMonth(now.Year, now.Month), TimeSpan.FromDays(1)); // 5/1, 5/2,..., var endlessDate = ValueEnumerable.InfiniteSequence(DateTime.Now, TimeSpan.FromDays(1)); ``` Difference and Limitation --- For .NET 9 and above, `ValueEnumerable` is a `ref struct` and cannot be converted to `IEnumerable`. To ensure compatibility when upgrading, `AsEnumerable` is not provided by default even for versions prior to .NET 9. Since `ValueEnumerable` is not an `IEnumerable`, it cannot be passed to methods that require `IEnumerable`. It's also difficult to pass it to other methods due to the complex type signatures required by generics (implementation is explained in the [Custom Extensions](#custom-extensions) section). Using `ToArray()` is one solution, but this can cause unnecessary allocations in some cases. For temporary use, you can call `ToArrayPool` to pass to methods that require `IEnumerable` without allocations. However, be careful that this `IEnumerable` will be returned within the using scope, so you must ensure it doesn't leak outside the scope (storing it in a field is not allowed). `String.Join` has overloads for both `IEnumerable` and `params object[]`. Passing `ValueEnumerable` directly will select the `object[]` overload, which may not give the desired result. In this case, use the `JoinToString` operator instead. `ValueEnumerable` is a struct, and its size increases slightly with each method chain. With many chained methods, copy costs can become significant. When iterating over small collections, these copy costs can outweigh the benefits, causing performance to be worse than standard LINQ. However, this is only an issue with extremely long method chains and small iteration counts, so it's rarely a practical concern. `ValueEnumerable` is `ref struct` in .NET 9 or above, this means that it cannot span across yield or await. Using yield or await inside foreach also fails and shows compilation errors. If enumeration is needed, please materialize the data using methods like [ToArrayPool](#pooledarraytsource-toarraypool). Each chain operation returns a different type, so you cannot reassign to the same variable. For example, code that continuously reassigns `Concat` in a for loop cannot be implemented. In .NET 8 and above, the `Sum` and `Average` methods for `double` use SIMD processing, which performs parallel processing based on SIMD width. This results in calculation errors that differ from normal ones due to the different order of addition. Drop-in replacement --- When introducing `ZLinq.DropInGenerator`, you can automatically use ZLinq for all LINQ methods without calling `AsValueEnumerable()`. ```bash dotnet add package ZLinq.DropInGenerator ``` ![](img/dropin.jpg) It works by using a Source Generator to add extension methods for each type that take priority, making `ZLinq` methods be selected instead of System.Linq when the same name and arguments are used. After installing the package, you need to configure it with an assembly attribute. ```csharp [assembly: ZLinq.ZLinqDropInAttribute("ZLinq", ZLinq.DropInGenerateTypes.Array)] ``` `generateNamespace` is the namespace for the generated code, and `DropInGenerateTypes` selects the target types. `DropInGenerateTypes` allows you to choose from `Array`, `Span` (Span/ReadOnlySpan), `Memory` (Memory/ReadOnlyMemory), `List`, and `Enumerable` (IEnumerable). These are Flags, so you can combine them, such as `DropInGenerateTypes.Array | DropInGenerateTypes.Span`. There are also predefined combinations: `Collection = Array | Span | Memory | List` and `Everything = Array | Span | Memory | List | Enumerable`. When using `DropInGenerateTypes.Enumerable`, which generates extension methods for `IEnumerable`, you need to make `generateNamespace` global as a namespace priority. For example: ```csharp [assembly: ZLinq.ZLinqDropInAttribute("", ZLinq.DropInGenerateTypes.Everything)] ``` This is the most aggressive configuration, causing all LINQ methods to be processed by ZLinq, and making it impossible to use normal LINQ methods (if Enumerable is not included, you can call AsEnumerable() to execute with System.Linq). It's better to use application's default namespace rather than globally, as this allows you to switch between normal LINQ using namespaces. This approach is recommended when you need to target `Enumerable`. ```csharp using ZLinq; [assembly: ZLinqDropInAttribute("MyApp", DropInGenerateTypes.Everything)] // namespace under MyApp namespace MyApp.Foo { public class Bar { public static void Foo(IEnumerable source) { // ZLinq ValueEnumerable var seq = source.Select(x => x * 2).Shuffle(); using var e = seq.Enumerator; while (e.TryGetNext(out var current)) { Console.WriteLine(current); } } } } // not under MyApp namespace namespace NotMyApp { public class Baz { public static void Foo(IEnumerable source) { // IEnumerable var seq = source.Select(x => x * 2); // .Shuffle(); using var e = seq.GetEnumerator(); while (e.MoveNext()) { Console.WriteLine(e.Current); } } } } ``` ZLinq is powerful and in many cases it performs better than regular LINQ, but it also has its limitations. For more information, please refer to [Difference and Limitation](#difference-and-limitation). When you are not familiar with it, we recommend that you use `DropInGenerateTypes.Collection` instead of `DropInGenerateTypes.Everything`. Other options for `ZLinqDropInAttribute` include `GenerateAsPublic`, `ConditionalCompilationSymbols`, and `DisableEmitSource`. ```csharp [AttributeUsage(AttributeTargets.Assembly, AllowMultiple = false, Inherited = false)] public sealed class ZLinqDropInAttribute : Attribute { /// /// Gets the namespace where the generated LINQ implementations will be placed. /// If empty, the implementations will be generated in the global namespace. /// public string GenerateNamespace { get; } /// /// Gets the types of collections for which LINQ implementations should be generated. /// public DropInGenerateTypes DropInGenerateTypes { get; } /// /// Gets whether the generated LINQ implementations should be public. /// When true, the implementations will be generated with public visibility. /// When false (default), the implementations will be generated with internal visibility. /// public bool GenerateAsPublic { get; set; } /// /// Gets or sets the conditional compilation symbols to wrap the generated code with #if directives. /// If specified, the generated code will be wrapped in #if/#endif directives using these symbols. /// public string? ConditionalCompilationSymbols { get; set; } /// /// Gets or sets whether to disable source generation in emitted code. /// When true, the source code comments will not be included in the generated code. /// When false (default), source code comments will be included in the generated code. /// public bool DisableEmitSource { get; set; } /// /// Initializes a new instance of the class. /// /// The namespace where the generated LINQ implementations will be placed. If empty, place to global. /// The types of collections for which LINQ implementations should be generated. public ZLinqDropInAttribute(string generateNamespace, DropInGenerateTypes dropInGenerateTypes) { GenerateNamespace = generateNamespace; DropInGenerateTypes = dropInGenerateTypes; } } ``` To support DropIn types other than `DropInGenerateTypes`, you can use `ZLinqDropInExternalExtensionAttribute`. This attribute allows you to generate DropIn for any type by specifying its fully qualified name. For example, to add support for `IReadOnlyCollection` and `IReadOnlyList`, write: ```csharp // T must be written as `1 (metadata-name). For nested types, connect with + [assembly: ZLinqDropInExternalExtension("ZLinq", "System.Collections.Generic.IReadOnlyCollection`1")] [assembly: ZLinqDropInExternalExtension("ZLinq", "System.Collections.Generic.IReadOnlyList`1")] ``` For types that support `IValueEnumerator` through `AsValueEnumerable()`, specify the ValueEnumerator type name as the second argument. For example, with `ImmutableArray`: ```csharp [assembly: ZLinqDropInExternalExtension("ZLinq", "System.Collections.Immutable.ImmutableArray`1", "ZLinq.Linq.FromImmutableArray`1")] ``` This allows all operators to be processed by ZLinq using an optimized type. If you want to make your custom collection types DropIn compatible, you can embed them in your assembly using `[ZLinqDropInExtension]`. ```csharp [ZLinqDropInExtension] public class AddOnlyIntList : IEnumerable { List list = new List(); public void Add(int x) => list.Add(x); public IEnumerator GetEnumerator() => list.GetEnumerator(); IEnumerator IEnumerable.GetEnumerator() => list.GetEnumerator(); } ``` This generates a `public static partial class AddOnlyIntListZLinqDropInExtensions` in the same namespace, overriding all LINQ operators with ZLinq. This works with generic types as well: ```csharp [ZLinqDropInExtension] public class AddOnlyList : IEnumerable ``` While `[ZLinqDropInExtension]` works with classes implementing `IEnumerable`, implementing `IValueEnumerable` provides zero-allocation optimization for ZLinq: ```csharp [ZLinqDropInExtension] public class AddOnlyIntList2 : IValueEnumerable { List list = new List(); public void Add(int x) => list.Add(x); public ValueEnumerable, int> AsValueEnumerable() { // you need to write new(new(new())) magic. return new(new(new(list))); } // `public` struct enumerator public struct Enumerator(List source) : IValueEnumerator { int index; public bool TryGetNonEnumeratedCount(out int count) { count = source.Count; return true; } public bool TryGetSpan(out ReadOnlySpan span) { span = CollectionsMarshal.AsSpan(source); return true; } public bool TryCopyTo(scoped Span destination, Index offset) { // Optional path: if you can not write this, always return false is ok. ReadOnlySpan span = CollectionsMarshal.AsSpan(source); if (ZLinq.Internal.EnumeratorHelper.TryGetSlice(span, offset, destination.Length, out var slice)) { slice.CopyTo(destination); return true; } return false; } public bool TryGetNext(out int current) { if (index < source.Count) { current = source[index]; index++; return true; } current = default; return false; } public void Dispose() { } } } ``` In this case, implementing `IEnumerable` is not necessary. If a collection implements both `IEnumerable` and `IValueEnumerable`, the latter takes precedence. LINQ to Tree --- LINQ to XML introduced the concept of querying around axes to C#. Even if you don't use XML, similar APIs are incorporated into Roslyn and effectively used for exploring SyntaxTrees. ZLinq extends this concept to make it applicable to anything that can be considered a Tree, allowing `Ancestors`, `Children`, `Descendants`, `BeforeSelf`, and `AfterSelf` to be applied. ![](img/axis.jpg) Specifically, by defining a struct that implements the following interface, it becomes iterable: ```csharp public interface ITraverser : IDisposable where TTraverser : struct, ITraverser // self { T Origin { get; } TTraverser ConvertToTraverser(T next); // for Descendants bool TryGetHasChild(out bool hasChild); // optional: optimize use for Descendants bool TryGetChildCount(out int count); // optional: optimize use for Children bool TryGetParent(out T parent); // for Ancestors bool TryGetNextChild(out T child); // for Children | Descendants bool TryGetNextSibling(out T next); // for AfterSelf bool TryGetPreviousSibling(out T previous); // BeforeSelf } ``` Standard packages are available for FileSystemInfo and JsonNode. For Unity, it's applicable to GameObject and Transform. ### FileSystem ```bash dotnet add package ZLinq.FileSystem ``` ```csharp using ZLinq; var root = new DirectoryInfo("C:\\Program Files (x86)\\Steam"); // FileSystemInfo(FileInfo/DirectoryInfo) can call `Ancestors`, `Children`, `Descendants`, `BeforeSelf`, `AfterSelf` var allDlls = root .Descendants() .OfType() .Where(x => x.Extension == ".dll"); var grouped = allDlls .GroupBy(x => x.Name) .Select(x => new { FileName = x.Key, Count = x.Count() }) .OrderByDescending(x => x.Count); foreach (var item in grouped) { Console.WriteLine(item); } ``` ### JSON(System.Text.Json) ```bash dotnet add package ZLinq.Json ``` ```csharp using ZLinq; // System.Text.Json's JsonNode is the target of LINQ to JSON(not JsonDocument/JsonElement). var json = JsonNode.Parse(""" { "nesting": { "level1": { "description": "First level of nesting", "value": 100, "level2": { "description": "Second level of nesting", "flags": [true, false, true], "level3": { "description": "Third level of nesting", "coordinates": { "x": 10.5, "y": 20.75, "z": -5.0 }, "level4": { "description": "Fourth level of nesting", "metadata": { "created": "2025-02-15T14:30:00Z", "modified": null, "version": 2.1 }, "level5": { "description": "Fifth level of nesting", "settings": { "enabled": true, "threshold": 0.85, "options": ["fast", "accurate", "balanced"], "config": { "timeout": 30000, "retries": 3, "deepSetting": { "algorithm": "advanced", "parameters": [1, 1, 2, 3, 5, 8, 13] } } } } } } } } } } """); // JsonNode var origin = json!["nesting"]!["level1"]!["level2"]!; // JsonNode axis, Children, Descendants, Anestors, BeforeSelf, AfterSelf and ***Self. foreach (var item in origin.Descendants().Select(x => x.Node).OfType()) { // [true, false, true], ["fast", "accurate", "balanced"], [1, 1, 2, 3, 5, 8, 13] Console.WriteLine(item.ToJsonString(JsonSerializerOptions.Web)); } ``` ### GameObject/Transform(Unity) see: [unity](#unity) section. LINQ to SIMD --- In .NET 8 and above, there are operators that apply SIMD when `ValueEnumerable.TryGetSpan` returns true. The scope of application is wider than in regular System.Linq. * **Range** to ToArray/ToList/CopyTo/etc... * **Repeat** for `unmanaged struct` and `size is power of 2` to ToArray/ToList/CopyTo/etc... * **Sum** for `sbyte`, `short`, `int`, `long`, `byte`, `ushort`, `uint`, `ulong`, `double` * **SumUnchecked** for `sbyte`, `short`, `int`, `long`, `byte`, `ushort`, `uint`, `ulong`, `double` * **Average** for `sbyte`, `short`, `int`, `long`, `byte`, `ushort`, `uint`, `ulong`, `double` * **Max** for `byte`, `sbyte`, `short`, `ushort`, `int`, `uint`, `long`, `ulong`, `nint`, `nuint`, `Int128`, `UInt128` * **Min** for `byte`, `sbyte`, `short`, `ushort`, `int`, `uint`, `long`, `ulong`, `nint`, `nuint`, `Int128`, `UInt128` * **Contains** for `byte`, `sbyte`, `short`, `ushort`, `int`, `uint`, `long`, `ulong`, `bool`, `char`, `nint`, `nuint` * **SequenceEqual** for `byte`, `sbyte`, `short`, `ushort`, `int`, `uint`, `long`, `ulong`, `bool`, `char`, `nint`, `nuint` `Sum` performs calculations as checked, but if you don't need to worry about overflow, using `SumUnchecked` is faster. | Method | N | Mean | Allocated | |------------------ |------ |--------------:|----------:| | ForLoop | 16384 | 25,198.556 ns | - | | SystemLinqSum | 16384 | 1,402.259 ns | - | | ZLinqSum | 16384 | 1,351.449 ns | - | | ZLinqSumUnchecked | 16384 | 721.832 ns | - | By using `ZLinq.Simd` in your using statements, you can call `.AsVectorizable()` on `T[]` or `Span` or `ReadOnlySpan`, which allows you to use `Sum`, `SumUnchecked`, `Average`, `Max`, `Min`, `Contains`, and `SequenceEqual`. This explicitly indicates execution with SIMD regardless of the LINQ chain state (though type checking is ambiguous so processing might occur in a normal loop, and if `Vector.IsHardwareAccelerated && Vector.IsSupported` is false, normal loop processing will be used). From `int[]` or `Span`, you can call `VectorizedFillRange`. This is equivalent to `ValueEunmerable.Range().CopyTo()` and allows you to quickly generate sequential numbers through SIMD processing. | Method | Mean | Allocated | |------- |-----------:|----------:| | Range | 540.0 ns | - | | For | 6,228.9 ns | - | ### `VectorizedUpdate` In ZLinq, you can perform relatively flexible vectorized loop processing using `Func`. With `T[]` and `Span`, you can use the `VectorizedUpdate` method. By writing two lambda expressions - `Func, Vector> vectorFunc` for vector operations and `Func func` for handling remainder elements - you can perform loop update processing at SIMD width. ```csharp using ZLinq.Simd; // needs using int[] source = Enumerable.Range(0, 10000).ToArray(); [Benchmark] public void For() { for (int i = 0; i < source.Length; i++) { source[i] = source[i] * 10; } } [Benchmark] public void VectorizedUpdate() { // arg1: Vector => Vector // arg2: int => int source.VectorizedUpdate(static x => x * 10, static x => x * 10); } ``` | Method | N | Mean | Error | StdDev | Allocated | |----------------- |------ |-----------:|---------:|--------:|----------:| | For | 10000 | 4,560.5 ns | 67.24 ns | 3.69 ns | - | | VectorizedUpdate | 10000 | 558.9 ns | 6.42 ns | 0.35 ns | - | There is delegate overhead when compared to writing everything inline, but processing can be faster than using for-loops. However, this varies case by case, so please take measurements in advance based on your data volume and method content. Of course, if you're seeking the best possible performance, you should write code inline. ### Vectorizable Methods You can convert from `T[]` or `Span` or `ReadOnlySpan` to `Vectorizable` using `AsVectorizable()`, which allows you to use `Aggregate`, `All`, `Any`, `Count`, `Select`, and `Zip` methods that accept a `Func` as an argument. * `Aggregate` ```csharp source.AsVectorizable().Aggregate((x, y) => Vector.Min(x, y), (x, y) => Math.Min(x, y)) ``` * `All` ```csharp source.AsVectorizable().All(x => Vector.GreaterThanAll(x, new(5000)), x => x > 5000); ``` * `Any` ```csharp source.AsVectorizable().Any(x => Vector.LessThanAll(x, new(5000)), x => x < 5000); ``` * `Count` ```csharp source.AsVectorizable().Count(x => Vector.GreaterThan(x, new(5000)), x => x > 5000); ``` | Method | Mean | Error | StdDev | Allocated | |------------------ |------------:|---------:|--------:|----------:| | VectorizableCount | 1,048.4 ns | 39.39 ns | 2.16 ns | - | | LinqCount | 10,909.3 ns | 54.79 ns | 3.00 ns | - | * `Select` -> `ToArray` or `CopyTo` ```csharp source.AsVectorizable().Select(x => x * 3, x => x * 3).ToArray(); source.AsVectorizable().Select(x => x * 3, x => x * 3).CopyTo(destination); ``` * `Zip` -> `ToArray` or `CopyTo` ```csharp // Zip2 array1.AsVectorizable().Zip(array2, (x, y) => x + y, (x, y) => x + y).CopyTo(destination); array1.AsVectorizable().Zip(array2, (x, y) => x + y, (x, y) => x + y).ToArray(); // Zip3 array1.AsVectorizable().Zip(array2, array3, (x, y, z) => x + y + z, (x, y, z) => x + y + z).CopyTo(destination); array1.AsVectorizable().Zip(array2, array3, (x, y, z) => x + y + z, (x, y, z) => x + y + z).ToArray(); ``` | Method | Mean | |---------------------------- |----------:| | ZLinqVectorizableZipCopyTo | 24.17 μs | | ZLinqVectorizableZip3CopyTo | 29.26 μs | | ZLinqZipCopyTo | 329.43 μs | | ZLinqZip3CopyTo | 584.69 μs | Unity --- There are two installation steps required to use it in Unity. 1. Install `ZLinq` from NuGet using [NuGetForUnity](https://github.com/GlitchEnzo/NuGetForUnity) Open Window from NuGet -> Manage NuGet Packages, Search "ZLinq" and Press Install. 2. Install the `ZLinq.Unity` package by referencing the git URL ```bash https://github.com/Cysharp/ZLinq.git?path=src/ZLinq.Unity/Assets/ZLinq.Unity ``` With the help of the Unity package, in addition to the standard ZLinq, LINQ to GameObject functionality becomes available for exploring GameObject/Transform. ![](img/axis.jpg) ```csharp using ZLinq; public class SampleScript : MonoBehaviour { public Transform Origin; void Start() { Debug.Log("Ancestors--------------"); // Container, Root foreach (var item in Origin.Ancestors()) Debug.Log(item.name); Debug.Log("Children--------------"); // Sphere_A, Sphere_B, Group, Sphere_A, Sphere_B foreach (var item in Origin.Children()) Debug.Log(item.name); Debug.Log("Descendants--------------"); // Sphere_A, Sphere_B, Group, P1, Group, Sphere_B, P2, Sphere_A, Sphere_B foreach (var item in Origin.Descendants()) Debug.Log(item.name); Debug.Log("BeforeSelf--------------"); // C1, C2 foreach (var item in Origin.BeforeSelf()) Debug.Log(item.name); Debug.Log("AfterSelf--------------"); // C3, C4 foreach (var item in Origin.AfterSelf()) Debug.Log(item.name); } } ``` You can chain query(LINQ to Objects). Also, you can filter by component using the `OfComponent` helper. ```csharp // all filtered(tag == "foobar") objects var foobars = root.Descendants().Where(x => x.tag == "foobar"); // get FooScript under self childer objects and self var fooScripts = root.ChildrenAndSelf().OfComponent(); ``` UI Toolkit VisualElements are also supported allowing more advanced queries ```csharp public class SampleScript : MonoBehaviour { private UIDocument Document; private void Start() { var noTextButtons = Document .rootVisualElement .Descendants() .OfType