Finally.cs 2.7 KB

1234567891011121314151617181920212223242526272829303132333435363738394041424344454647484950515253545556575859606162636465666768697071727374757677787980818283
  1. // Licensed to the .NET Foundation under one or more agreements.
  2. // The .NET Foundation licenses this file to you under the Apache 2.0 License.
  3. // See the LICENSE file in the project root for more information.
  4. using System.Collections.Generic;
  5. using System.Diagnostics;
  6. using System.Threading;
  7. using System.Threading.Tasks;
  8. namespace System.Linq
  9. {
  10. public static partial class AsyncEnumerable
  11. {
  12. public static IAsyncEnumerable<TSource> Finally<TSource>(this IAsyncEnumerable<TSource> source, Action finallyAction)
  13. {
  14. if (source == null)
  15. throw new ArgumentNullException(nameof(source));
  16. if (finallyAction == null)
  17. throw new ArgumentNullException(nameof(finallyAction));
  18. return new FinallyAsyncIterator<TSource>(source, finallyAction);
  19. }
  20. private sealed class FinallyAsyncIterator<TSource> : AsyncIterator<TSource>
  21. {
  22. private readonly Action finallyAction;
  23. private readonly IAsyncEnumerable<TSource> source;
  24. private IAsyncEnumerator<TSource> enumerator;
  25. public FinallyAsyncIterator(IAsyncEnumerable<TSource> source, Action finallyAction)
  26. {
  27. Debug.Assert(source != null);
  28. Debug.Assert(finallyAction != null);
  29. this.source = source;
  30. this.finallyAction = finallyAction;
  31. }
  32. public override AsyncIterator<TSource> Clone()
  33. {
  34. return new FinallyAsyncIterator<TSource>(source, finallyAction);
  35. }
  36. public override void Dispose()
  37. {
  38. if (enumerator != null)
  39. {
  40. enumerator.Dispose();
  41. enumerator = null;
  42. finallyAction();
  43. }
  44. base.Dispose();
  45. }
  46. protected override async Task<bool> MoveNextCore(CancellationToken cancellationToken)
  47. {
  48. switch (state)
  49. {
  50. case AsyncIteratorState.Allocated:
  51. enumerator = source.GetAsyncEnumerator();
  52. state = AsyncIteratorState.Iterating;
  53. goto case AsyncIteratorState.Iterating;
  54. case AsyncIteratorState.Iterating:
  55. if (await enumerator.MoveNextAsync()
  56. .ConfigureAwait(false))
  57. {
  58. current = enumerator.Current;
  59. return true;
  60. }
  61. Dispose();
  62. break;
  63. }
  64. return false;
  65. }
  66. }
  67. }
  68. }