How to throttle event stream using RX?

前端 未结 8 708
终归单人心
终归单人心 2020-11-27 04:04

I want to effectively throttle an event stream, so that my delegate is called when the first event is received but then not for 1 second if subsequent events are received. A

相关标签:
8条回答
  • 2020-11-27 04:20

    Ok, here's one solution. I don't like it, particularly, but... oh well.

    Hat tips to Jon for pointing me at SkipWhile, and to cRichter for the BufferWithTime. Thanks guys.

    static void Main(string[] args)
    {
        Console.WriteLine("Running...");
    
        var generator = Observable
            .GenerateWithTime(1, x => x <= 100, x => x, x => TimeSpan.FromMilliseconds(1), x => x + 1)
            .Timestamp();
    
        var bufferedAtOneSec = generator.BufferWithTime(TimeSpan.FromSeconds(1));
    
        var action = new Action<Timestamped<int>>(
            feed => Console.WriteLine("Observed {0:000}, generated at {1}, observed at {2}",
                                      feed.Value,
                                      feed.Timestamp.ToString("mm:ss.fff"),
                                      DateTime.Now.ToString("mm:ss.fff")));
    
        var reactImmediately = true;
        bufferedAtOneSec.Subscribe(list =>
                                       {
                                           if (list.Count == 0)
                                           {
                                               reactImmediately = true;
                                           }
                                           else
                                           {
                                               action(list.Last());
                                           }
                                       });
        generator
            .SkipWhile(item => reactImmediately == false)
            .Subscribe(feed =>
                           {
                               if(reactImmediately)
                               {
                                   reactImmediately = false;
                                   action(feed);
                               }
                           });
    
        Console.ReadKey();
    }
    
    0 讨论(0)
  • 2020-11-27 04:21

    Have you tried the Throttle extension method?

    From the docs:

    Ignores values from an observable sequence which are followed by another value before dueTime

    It's not quite clear to me whether that's going to do what you want or not - in that you want to ignore the following values rather than the first value... but I would expect it to be what you want. Give it a try :)

    EDIT: Hmmm... no, I don't think Throttle is the right thing, after all. I believe I see what you want to do, but I can't see anything in the framework to do it. I may well have missed something though. Have you asked on the Rx forum? It may well be that if it's not there now, they'd be happy to add it :)

    I suspect you could do it cunningly with SkipUntil and SelectMany somehow... but I think it should be in its own method.

    0 讨论(0)
  • This is the what I posted as an answer to this question in the Rx forum:

    UPDATE: Here is a new version that does no longer delay event forwarding when events occur with a time difference of more than one second:

    public static IObservable<T> ThrottleResponsive3<T>(this IObservable<T> source, TimeSpan minInterval)
    {
        return Observable.CreateWithDisposable<T>(o =>
        {
            object gate = new Object();
            Notification<T> last = null, lastNonTerminal = null;
            DateTime referenceTime = DateTime.UtcNow - minInterval;
            var delayedReplay = new MutableDisposable();
            return new CompositeDisposable(source.Materialize().Subscribe(x =>
            {
                lock (gate)
                {
                    var elapsed = DateTime.UtcNow - referenceTime;
                    if (elapsed >= minInterval && delayedReplay.Disposable == null)
                    {
                        referenceTime = DateTime.UtcNow;
                        x.Accept(o);
                    }
                    else
                    {
                        if (x.Kind == NotificationKind.OnNext)
                            lastNonTerminal = x;
                        last = x;
                        if (delayedReplay.Disposable == null)
                        {
                            delayedReplay.Disposable = Scheduler.ThreadPool.Schedule(() =>
                            {
                                lock (gate)
                                {
                                    referenceTime = DateTime.UtcNow;
                                    if (lastNonTerminal != null && lastNonTerminal != last)
                                        lastNonTerminal.Accept(o);
                                    last.Accept(o);
                                    last = lastNonTerminal = null;
                                    delayedReplay.Disposable = null;
                                }
                            }, minInterval - elapsed);
                        }
                    }
                }
            }), delayedReplay);
        });
    }
    

    This was my earlier try:

    var source = Observable.GenerateWithTime(1, 
        x => x <= 100, x => x, x => TimeSpan.FromMilliseconds(1), x => x + 1)
        .Timestamp();
    
    source.Publish(o =>
        o.Take(1).Merge(o.Skip(1).Sample(TimeSpan.FromSeconds(1)))
    ).Run(x => Console.WriteLine(x));
    
    0 讨论(0)
  • 2020-11-27 04:26

    What you are searching for is the CombineLatest.

    public static IObservable<TResult> CombineLatest<TLeft, TRight, TResult>(
        IObservable<TLeft> leftSource,
        IObservable<TRight> rightSource,
        Func<TLeft, TRight, TResult> selector
    )
    

    that merges 2 obeservables, and returning all values, when the selector (time) has a value.

    edit: john is right, that is maybe not the preferred solution

    0 讨论(0)
  • 2020-11-27 04:31

    Okay,

    you have 3 scenarios here:

    1) I would like to get one value of the event stream every second. means: that if it produces more events per second, you will get a always bigger buffer.

    observableStream.Throttle(timeSpan)
    

    2) I would like to get the latest event, that was produced before the second happens means: other events get dropped.

    observableStream.Sample(TimeSpan.FromSeconds(1))
    

    3) you would like to get all events, that happened in the last second. and that every second

    observableStream.BufferWithTime(timeSpan)
    

    4) you want to select what happens in between the second with all the values, till the second has passed, and your result is returned

    observableStream.CombineLatest(Observable.Interval(1000), selectorOnEachEvent)
    
    0 讨论(0)
  • 2020-11-27 04:31

    Inspired by Bluelings answer I provide here a version that compiles with Reactive Extensions 2.2.5.

    This particular version counts the number of samples and also provide the last sampled value. To do this the following class is used:

    class Sample<T> {
    
      public Sample(T lastValue, Int32 count) {
        LastValue = lastValue;
        Count = count;
      }
    
      public T LastValue { get; private set; }
    
      public Int32 Count { get; private set; }
    
    }
    

    Here is the operator:

    public static IObservable<Sample<T>> SampleResponsive<T>(this IObservable<T> source, TimeSpan interval, IScheduler scheduler = null) {
      if (source == null)
        throw new ArgumentNullException(nameof(source));
      return Observable.Create<Sample<T>>(
        observer => {
          var gate = new Object();
          var lastSampleValue = default(T);
          var lastSampleTime = default(DateTime);
          var sampleCount = 0;
          var scheduledTask = new SerialDisposable();
          return new CompositeDisposable(
            source.Subscribe(
              value => {
                lock (gate) {
                  var now = DateTime.UtcNow;
                  var elapsed = now - lastSampleTime;
                  if (elapsed >= interval) {
                    observer.OnNext(new Sample<T>(value, 1));
                    lastSampleValue = value;
                    lastSampleTime = now;
                    sampleCount = 0;
                  }
                  else {
                    if (scheduledTask.Disposable == null) {
                      scheduledTask.Disposable = (scheduler ?? Scheduler.Default).Schedule(
                        interval - elapsed,
                        () => {
                          lock (gate) {
                            if (sampleCount > 0) {
                              lastSampleTime = DateTime.UtcNow;
                              observer.OnNext(new Sample<T>(lastSampleValue, sampleCount));
                              sampleCount = 0;
                            }
                            scheduledTask.Disposable = null;
                          }
                        }
                      );
                    }
                    lastSampleValue = value;
                    sampleCount += 1;
                  }
                }
              },
              error => {
                if (sampleCount > 0)
                  observer.OnNext(new Sample<T>(lastSampleValue, sampleCount));
                observer.OnError(error);
              },
              () => {
                if (sampleCount > 0)
                  observer.OnNext(new Sample<T>(lastSampleValue, sampleCount));
                observer.OnCompleted();
              }
            ),
            scheduledTask
          );
        }
      );
    }
    
    0 讨论(0)
提交回复
热议问题