2

是否可以在查询中间扩展 Throttle Timespan 值?例如,假设101 Rx Samples Throttle中的示例有这个查询var throttled = observable.Throttle(TimeSpan.FromMilliseconds(750));

如果我想改变它,如果在前 500 毫秒内没有事件,那么节流值将扩展到例如 1500 毫秒之后的每个事件。

这会是使用Switch运营商的地方吗?

4

1 回答 1

6

有一个重载Throttle接受一个工厂函数,该函数接受源事件并产生一个“节流流”,它是一个IObservable<T>(T 可以是任何类型)。事件将被抑制,直到油门流发出。

以下示例具有每秒泵送的流,节流阀工厂生产 0.5 秒的节流阀。因此,在开始时,源流不会受到限制。

如果您输入 2,油门将变为 2 秒油门,所有事件都将被抑制。更改为 1,事件将再次出现。

void Main()
{
    var throttleDuration = TimeSpan.FromSeconds(0.5);
    Func<long, IObservable<long>> throttleFactory =
        _ => Observable.Timer(throttleDuration);

    var sequence = Observable.Interval(TimeSpan.FromSeconds(1))
                             .Throttle(throttleFactory);

    var subscription = sequence.Subscribe(Console.WriteLine);

    string input = null;
    Console.WriteLine("Enter throttle duration in seconds or q to quit");
    while(input != "q")
    {       
        input = Console.ReadLine().Trim().ToLowerInvariant();
        double duration;

        if(input == "q") break;
        if(!double.TryParse(input, out duration))
        {
            Console.WriteLine("Eh?");
            continue;
        }
        throttleDuration = TimeSpan.FromSeconds(duration);
    }

    subscription.Dispose();
    Console.WriteLine("Done");
}

因为这是一个为每个事件生成节流阀的工厂函数,所以您可以创建更加动态的东西,根据特定的输入事件返回节流阀流。

像这样将流用作控件的想法是整个 Rx API 中使用的一种非常常见的技术,非常值得您仔细研究一下:类似用途的示例包括other参数 to TakeUntildurationSelectorin GroupByUntil、 the bufferClosingSelectorin Buffer

于 2013-10-21T21:52:02.063 回答