Cancellation token for observable

How can I cancel the following type of Rx Observable, if the following observable is being created on a StartButton click, i.e from a stop button.

var instance = ThreadPoolScheduler.Instance; 

Observable.Interval(TimeSpan.FromSeconds(2), instance)
                     .Subscribe(_ =>
                     {
                     Console.WriteLine(DateTime.Now); // dummy event
                     }
                     );         
Jon Skeet
people
quotationmark

You retain the IDisposable that was returned by Subscribe, and call Dispose on it.

There may well be a way of integrating the Rx IDisposable-based unsubscription with CancellationToken out of the box, but just calling Dispose would be a start. (You could always just register a continuation with the cancellation token to call dispose...)

Here's a short but complete example to demonstrate:

using System;
using System.Reactive.Concurrency;
using System.Reactive.Linq;
using System.Threading;

class Program
{
    static void Main(string[] args)
    {
        var instance = ThreadPoolScheduler.Instance;
        var cts = new CancellationTokenSource(TimeSpan.FromSeconds(5));

        var disposable = Observable
            .Interval(TimeSpan.FromSeconds(0.5), instance)
            .Subscribe(_ => Console.WriteLine(DateTime.UtcNow));
        cts.Token.Register(() => disposable.Dispose());
        Thread.Sleep(10000);
    }
}

people

See more on this question at Stackoverflow