Generate.cs 3.3 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293
  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<TResult> Generate<TState, TResult>(TState initialState, Func<TState, bool> condition, Func<TState, TState> iterate, Func<TState, TResult> resultSelector)
  13. {
  14. if (condition == null)
  15. throw new ArgumentNullException(nameof(condition));
  16. if (iterate == null)
  17. throw new ArgumentNullException(nameof(iterate));
  18. if (resultSelector == null)
  19. throw new ArgumentNullException(nameof(resultSelector));
  20. return new GenerateAsyncIterator<TState, TResult>(initialState, condition, iterate, resultSelector);
  21. }
  22. private sealed class GenerateAsyncIterator<TState, TResult> : AsyncIterator<TResult>
  23. {
  24. private readonly Func<TState, bool> condition;
  25. private readonly TState initialState;
  26. private readonly Func<TState, TState> iterate;
  27. private readonly Func<TState, TResult> resultSelector;
  28. private TState currentState;
  29. private bool started;
  30. public GenerateAsyncIterator(TState initialState, Func<TState, bool> condition, Func<TState, TState> iterate, Func<TState, TResult> resultSelector)
  31. {
  32. Debug.Assert(condition != null);
  33. Debug.Assert(iterate != null);
  34. Debug.Assert(resultSelector != null);
  35. this.initialState = initialState;
  36. this.condition = condition;
  37. this.iterate = iterate;
  38. this.resultSelector = resultSelector;
  39. }
  40. public override AsyncIterator<TResult> Clone()
  41. {
  42. return new GenerateAsyncIterator<TState, TResult>(initialState, condition, iterate, resultSelector);
  43. }
  44. public override void Dispose()
  45. {
  46. currentState = default(TState);
  47. base.Dispose();
  48. }
  49. protected override Task<bool> MoveNextCore()
  50. {
  51. switch (state)
  52. {
  53. case AsyncIteratorState.Allocated:
  54. started = false;
  55. currentState = initialState;
  56. state = AsyncIteratorState.Iterating;
  57. goto case AsyncIteratorState.Iterating;
  58. case AsyncIteratorState.Iterating:
  59. if (started)
  60. {
  61. currentState = iterate(currentState);
  62. }
  63. started = true;
  64. if (condition(currentState))
  65. {
  66. current = resultSelector(currentState);
  67. return TaskExt.True;
  68. }
  69. break;
  70. }
  71. Dispose();
  72. return TaskExt.False;
  73. }
  74. }
  75. }
  76. }