npm package discovery and stats viewer.

Discover Tips

  • General search

    [free text search, go nuts!]

  • Package details

    pkg:[package-name]

  • User packages

    @[username]

Sponsor

Optimize Toolset

I’ve always been into building performant and accessible sites, but lately I’ve been taking it extremely seriously. So much so that I’ve been building a tool to help me optimize and monitor the sites that I build to make sure that I’m making an attempt to offer the best experience to those who visit them. If you’re into performant, accessible and SEO friendly sites, you might like it too! You can check it out at Optimize Toolset.

About

Hi, 👋, I’m Ryan Hefner  and I built this site for me, and you! The goal of this site was to provide an easy way for me to check the stats on my npm packages, both for prioritizing issues and updates, and to give me a little kick in the pants to keep up on stuff.

As I was building it, I realized that I was actually using the tool to build the tool, and figured I might as well put this out there and hopefully others will find it to be a fast and useful way to search and browse npm packages as I have.

If you’re interested in other things I’m working on, follow me on Twitter or check out the open source projects I’ve been publishing on GitHub.

I am also working on a Twitter bot for this site to tweet the most popular, newest, random packages from npm. Please follow that account now and it will start sending out packages soon–ish.

Open Software & Tools

This site wouldn’t be possible without the immense generosity and tireless efforts from the people who make contributions to the world and share their work via open source initiatives. Thank you 🙏

© 2024 – Pkg Stats / Ryan Hefner

rx-polling-hmcts

v1.1.1

Published

Polling library done with RxJS

Downloads

1,399

Readme

rx-polling

npm travis

rx-polling is a tiny (1KB gzipped) RxJSv6-based library to run polling requests on intervals, with support for:

  • pause and resume if the browser tab is inactive/active
  • N retry attempts if the request errors
  • Different backoff strategies if the request errors:
    1. exponential: it will wait 2, 4, ... 64, 256 seconds between attempts. (Default)
    2. random: it will wait a random time amount between attempts.
    3. consecutive: it will wait a constant time amount between attempts.
  • Observables: it accepts any Observable as input and it returns an Observable, which means it can be combined with other Observables as any other RxJS stream.
  • If you need to support rxjs of version <= 5.4 you must install v0.2.3 of rx-polling.

Demo

A demo of the library is available at jiayihu.github.io/rx-polling/demo.

Installation

npm install rx-polling --save

Usage

Fetch data from the endpoint every 5 seconds.

import { map } from 'rxjs/operators';
import { ajax } from 'rxjs/ajax';

import polling from 'rx-polling';

// Example of an Observable which requests some JSON data and completes
const request$ = ajax({
  url: 'https://jsonplaceholder.typicode.com/comments/',
  crossDomain: true
}).pipe(
  map(response => response.response || []),
  map(response => response.slice(0, 10))
);

polling(request$, { interval: 5000 })
  .subscribe((comments) => {
    console.log(comments);
  }, (error) => {
    // The Observable will throw if it's not able to recover after N attempts
    // By default it will attempts 9 times with exponential delay between each other.
    console.error(error);
  });

Stop polling

Since rx-polling returns an Observable, you can just .unsubscribe from it to close the polling.

// As previous example but without imports
const request$ = ajax({
  url: 'https://jsonplaceholder.typicode.com/comments/',
  crossDomain: true
}).pipe(
  map(response => response.response || []),
  map(response => response.slice(0, 10))
);

let subscription = polling(request$, { interval: 5000 })
  .subscribe((comments) => {
    console.log(comments);
  });

window.setTimeout(() => {
  // Close the polling
  subscription.unsubscribe();
}, 5000);

Combining the polling

You can use the returned Observable as with any other stream. The sky is the only limit.

// `this.http.get` returns an Observable, like Angular HttpClient class
const request$ = this.http.get('https://jsonplaceholder.typicode.com/comments/');

let subscription = polling(request$, { interval: 5000 })
  .pipe(
    // Accept only cool comments from the polling
    filter(comments => comments.filter(comment => comment.isCool))
  )
  .subscribe((comments) => {
    console.log(comments);
  });

API

polling(request$, options): Observable

import { polling } from 'rx-polling';

...

/**
 * Actually any Observable is okay, even if it does not make network requests,
 * but it must complete at some point otherwise it will never be repeated.
 */
const request$ = this.http.get('someResource').pipe(take(1));
const options = { interval: 5000 };

polling(request$, options)
  .subscribe((data) => {
    console.log(data);
  }, (error) => {
    // All recover attempts failed
    console.error(error);
  });

Returns an Observable which:

  • emits each value emitted by request$ Observable, resubscribed every interval milli-seconds
  • errors if request$ throws AND if after N attempts it still fails. If any of the attempts succeeds then the polling is recovered and no error is thrown
  • completes Never. Be sure to .unsubscribe() the Observable when you're not anymore interested in the polling.

Options and backoff strategies

rx-polling supports 3 different strategies for delayed attempts on source$ error.

export interface IOptions {
  /**
   * Period of the interval to run the source$
   */
  interval: number;

  /**
   * How many attempts on error, before throwing definitely to polling subscriber
   */
  attempts?: number;

  /**
   * Strategy taken on source$ errors, with attempts to recover.
   *
   * 'exponential' will retry waiting an increasing exponential time between attempts.
   * You can pass the unit amount, which will be multiplied to the exponential factor.
   *
   * 'random' will retry waiting a random time between attempts. You can pass the range of randomness.
   *
   * 'consecutive' will retry waiting a constant time between attempts. You can
   * pass the constant, otherwise the polling interval will be used.
   */
  backoffStrategy?: 'exponential' | 'random' | 'consecutive';

  /**
   * Exponential delay factors (2, 4, 16, 32...) will be multiplied to the unit
   * to get final amount if 'exponential' strategy is used.
   */
  exponentialUnit?: number;

  /**
   * Range of milli-seconds to pick a random delay between error retries if 'random'
   * strategy is used.
   */
  randomRange?: [number, number];

  /**
   * Constant time to delay error retries if 'consecutive' strategy is used
   */
  constantTime?: number;

  /**
   * Flag to enable background polling, ie polling even when the browser is inactive.
   */
  backgroundPolling?: boolean;
}

const defaultOptions: IOptions = {
  attempts: 9,
  backoffStrategy: 'exponential',
  exponentialUnit: 1000, // 1 second
  randomRange: [1000, 10000],
  backgroundPolling: false
};

Browser support

rx-polling supports IE10+, it internally uses document.hidden and visibilitychange Event. You might need to polyfill them on older browsers.

Contributing

Contributions are welcome. New commits/Pull Requests must:

  1. Have no linter issues. Run eslint script before committing/pushing.

  2. Have tests passing. Run test script before committing/pushing.

@NOTE: testing RxJS is currently really hard. This repo uses Jest contains some custom utilities to improve testing and error reports. The following console output is not standard and totally custom, so be aware of possible issues.

Nevertheless marbles are awesome! You can read more about it in Testing Observables in RxJS6

Testing