// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the Apache 2.0 License. // See the LICENSE file in the project root for more information. using System.Collections.Generic; using System.Diagnostics; using System.Threading; using System.Threading.Tasks; namespace System.Linq { public static partial class AsyncEnumerableEx { public static IAsyncEnumerable> Buffer(this IAsyncEnumerable source, int count) { if (source == null) { throw new ArgumentNullException(nameof(source)); } if (count <= 0) { throw new ArgumentOutOfRangeException(nameof(count)); } return new BufferAsyncIterator(source, count, count); } public static IAsyncEnumerable> Buffer(this IAsyncEnumerable source, int count, int skip) { if (source == null) { throw new ArgumentNullException(nameof(source)); } if (count <= 0) { throw new ArgumentOutOfRangeException(nameof(count)); } if (skip <= 0) { throw new ArgumentOutOfRangeException(nameof(skip)); } return new BufferAsyncIterator(source, count, skip); } private sealed class BufferAsyncIterator : AsyncIterator> { private readonly int _count; private readonly int _skip; private readonly IAsyncEnumerable _source; private Queue> _buffers; private IAsyncEnumerator _enumerator; private int _index; private bool _stopped; public BufferAsyncIterator(IAsyncEnumerable source, int count, int skip) { Debug.Assert(source != null); _source = source; _count = count; _skip = skip; } public override AsyncIterator> Clone() { return new BufferAsyncIterator(_source, _count, _skip); } public override async ValueTask DisposeAsync() { if (_enumerator != null) { await _enumerator.DisposeAsync().ConfigureAwait(false); _enumerator = null; } _buffers = null; await base.DisposeAsync().ConfigureAwait(false); } protected override async ValueTask MoveNextCore(CancellationToken cancellationToken) { switch (state) { case AsyncIteratorState.Allocated: _enumerator = _source.GetAsyncEnumerator(cancellationToken); _buffers = new Queue>(); _index = 0; _stopped = false; state = AsyncIteratorState.Iterating; goto case AsyncIteratorState.Iterating; case AsyncIteratorState.Iterating: while (true) { if (!_stopped) { if (await _enumerator.MoveNextAsync().ConfigureAwait(false)) { var item = _enumerator.Current; if (_index++ % _skip == 0) { _buffers.Enqueue(new List(_count)); } foreach (var buffer in _buffers) { buffer.Add(item); } if (_buffers.Count > 0 && _buffers.Peek().Count == _count) { current = _buffers.Dequeue(); return true; } continue; // loop } _stopped = true; await _enumerator.DisposeAsync().ConfigureAwait(false); _enumerator = null; continue; // loop } if (_buffers.Count > 0) { current = _buffers.Dequeue(); return true; } break; // exit the while } break; // case } await DisposeAsync().ConfigureAwait(false); return false; } } } }