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

push-it-to-the-limit

v2.0.1

Published

Delay function wrappers for common purposes. Throttle, debounce and ratelimit with promises

Downloads

212

Readme

Push it to the limit

CI npm (tag) Maintainability Test Coverage

Delay wrappers for common purposes. Fast and simple with promises.

Main features

  • Promise as a result
  • Lodash-compatible API
  • Interrelated delays support

Install

    npm i push-it-to-the-limit
    yarn add push-it-to-the-limit

API

The interface is dumb: each wrapper gets at least one argument — target function. The second param is opt, which may be a numeric delay or a IWrapperOpts object. Also the scheme with three arguments is supported as in lodash. Wrapper returns IControlled function: it's a functor with a pair exposed util methods: cancel and flush.

  • flush() immediately invokes the target fn.
  • cancel() clears any bounded timeout.

IDelay

Basic delay is a rate limit — 1 request per n ms. Sometimes you may face with more complex restriction like "10 req per 100ms" and, you know, this is not the same as "1 req per 10ms". Moreover, "10 requests per second and 200 requests per minute" also occurs. The last case is interrelated delay.

// basic numeric delay
  const d1 = 100
  
// complex delay
  const d2 = {period: 1000, count: 10}
  
// interrelated delay
  const d3 = [{period: 1000, count: 10}, {period: 60000, count: 200}]

// mixed case
  const d4 = [1000, {period: 60000, count: 20}]

Usage examples

delay

Each function call is delayed for a specified time.

    import {delay} from 'push-it-to-the-limit'

    const delayedLog = delay(console.log, 10000)
    
    delayedLog('foo')
    delayedLog('bar')
    
    // ~10 second later in stdout
    // foo
    // bar

Wrapped function always returns a Promise, so you are're able to use await or then()

    const delayed = delay(() => 'bar', 100)
    const foo = await delayed() // 'bar'

throttle

Returns the function that invokes origin fn at most once per a period.

    import {throttle} from 'push-it-to-the-limit'
    const throttled = throttle(v => v, 100)

    throttled('foo')  // 'foo'
    throttled('bar')  // 'foo'

    // 100 ms later
    throttled('baz')  // 'baz'

debounce

debounce groups multiple sequential calls in a single one with the last passed args.

    import {debounce} from 'push-it-to-the-limit'
    const debounced = debounce(v => v, 1)
    const [foo, bar] = await Promise.all([debounced('baz'), debounced('qux')])
        
    foo === 'qux' // true
    foo === bar   // true

ratelimit

ratelimit confines the execution frequency of target function. Overlimited invocations are being delayed until the limit reset. Have a look at this ratelimit implementation. That's good enough except the only thing: generating timeout for each invocation looks redundant.

    import {ratelimit} from 'push-it-to-the-limit'

    const period = 100
    const count = 2
    const start = Date.now()
    const fn = ratelimit(x => {
      console.log('%s ms - %s', Date.now() - start, x)
    }, {period, count})

    for (let y = 0; y < 10; y++) {
      fn(y)
    }

/** stdout
    1 ms - 0
    14 ms - 1
    103 ms - 2
    105 ms - 3
    204 ms - 4
    206 ms - 5
    305 ms - 6
    310 ms - 7
    411 ms - 8
    412 ms - 9
 */

ratelimit supports interrelated delays. So you're able to set complex restrictions like:

    [{period: 1000, count: 10}, {period: 60000, count: 200}]

It's 10 requests per second and 200 requests per minute. You can also share the same limit across several functions.

const l1 = new Limiter([{ period: 10, count: 4 }])
const l2 = new Limiter([{ period: 50, count: 5 }, l1])

const throttled1 = throttle(fn1, {limiter: l2})
const throttled2 = throttle(fn2, {limiter: l1})
const throttled3 = throttle(fn3, {limiter: l1})

stabilize

— Why not just use debounce?
— Debounced fn awaits some time before it invokes the origin function, so if ..., target fn would never been called.
— But here's ratelimit, isn't it?
— Ratelimit "expands" the calls timeline to match frequency limit.
— ...
— This wrapper swaps some calls like throttle, but guarantees that target fn would be called at least every n ms.
— Still looks similar to Lodash debounce with maxDelay opt.
— Yes. But this one returns a Promise.
— Why just not...
— Ok. It's a shortcut for debounce with maxDelay opt, that equals delay.
— And how about this: throttle(fn, {delay: 100, maxWait: 100, leading: false, trailing: true})?
throttle is a special case of debounce
— ...
Actually everything is debounce.

    const fn = v => v
    const stable = stabilize(fn, 100)

    for (let y = 0; y < 10; y++) {
      (x => setTimeout(() => {
        const start = Date.now()
    
        stable(x)
          .then(v => console.log('x=', x, 'value=', v, 'delay=', (Date.now() - start)))
        }, x * 20 )
      )(y)
    }
 
 /** stdout
    x= 0 value= 5 delay= 103
    x= 1 value= 5 delay= 94
    x= 2 value= 5 delay= 72
    x= 3 value= 5 delay= 58
    x= 4 value= 5 delay= 35
    x= 5 value= 5 delay= 19
    x= 6 value= 9 delay= 103
    x= 7 value= 9 delay= 85
    x= 8 value= 9 delay= 66
    x= 9 value= 9 delay= 48
  */

repeat

Repeater makes a function to be autocallable. It stores the last call params and uses them for further invocations.

    import {repeat} from 'push-it-to-the-limit'
    
    function fn (step) { this.i += step }
    const context = { i: 0 }
    const delay = 1000
    const rep = repeater(fn, delay, context)
    
    rep(2)
    
    // Imagine, 5 seconds later new 'manual' call occurs
    setTimeout(() => rep(1), 5000)

    // ~10 seconds after start: 
    setTimeout(() => console.log(context.i), 10000) // 15

Notes and refs

License

MIT