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

array-reduce-compare

v0.0.2

Published

Reduces an array like Array.prototype.reduce, but with an additional compare function to stop the reduction.

Downloads

7

Readme

:end::curly_loop: array-reduce-compare

This library provides a way to reduce an array and stop at some point WITHOUT ANY MUTATIONS. It does that by not trying to stop the reduction inside of the callback, but by providing a compare function which returns a boolean.

array-reduce-compare on npmjs.com array-reduce-compare on GitHub array-reduce-compare on jsDelivr


Table of contents


The problem

The native Array.prototype.reduce() has no mechanism, f.ex. like break to stop the reduction at a given point, but it always iterates over the whole array.

Some people try to overcome this problem by using a for-loop together with break, which usually makes a lot of mutations necessary.

Some people use Array.prototype.reduce(), but implement a mechanism which uses Array.prototype.splice() to manipulate a clone of the original array, which again contains a mutation.

Some people provide a rewrite which hands over a callback, which sets a variable in the outer scope, so the whole process stops, finally returning the result. This still mutates a variable in the outer scope.

A final - and rather funny - approach is to use throw in a try...catch-block and stop the reduction this way, which works without any mutations, but abuses a mechanism with many unwanted side effects. It has a smell of "don't do this at home"!

For the discussion see Stackoverflow: https://stackoverflow.com/questions/36144406/how-to-early-break-reduce-method

This library provides a complete recursive rewrite, which calls a compare function before every new recursion, checking whether to stop or not. The approach is completely mutations free and clean. No hacks or workarounds required.


Usage in Vanilla JS

Copy the file /dist/array-reduce-compare.iife.min.js and add the following to your HTML:

<script src="array-reduce-compare.iife.min.js"></script>
<script>
    document.addEventListener('DOMContentLoaded', function() {
        var arr = ['a', 'b', 'c', 'd'];

        function join(acc, curr) {
            return acc + curr;
        }

        console.log(
            reduceCompare(
                arr,
                join,
                function(acc) { return acc.length < 1; },
                ''
            )
        ); // logs 'a'

        console.log(
            reduceCompare(
                arr,
                join,
                function(acc, curr) { return curr !== 'c'; },
                ''
            )
        ); // logs 'ab'

        console.log(
            reduceCompare(
                arr,
                join,
                function(acc, curr, i) { return i < 3; },
                ''
            )
        ); // logs 'abc'

        // same as the native Array.prototype.reduce(), so try to avoid doing this
        console.log(
            reduceCompare(
                arr,
                join,
                function() { return true; },
                ''
            )
        ); // logs 'abcd'

        var obj = {
            'a': 'b',
            'b': 'c',
            'c': 'd',
            'd': 'e'
        };

        console.log(
            reduceCompare(
                Object.keys(obj),
                function(acc, key) {
                    var tmp = {};
                    tmp[obj[key]] = key;

                    return Object.assign({}, acc, tmp);
                },
                function(_, key) { return key !== 'd'; },
                {}
            )
        );
        /*
            logs:
            {
                'b': 'a',
                'c': 'b',
                'd': 'c'
            }
        */
    });
</script>

Alternatively you can use a CDN like UNPKG or jsDelivr:

<script src="https://unpkg.com/array-reduce-compare/dist/array-reduce-compare.iife.min.js"></script>

or

<script src="https://cdn.jsdelivr.net/npm/array-reduce-compare/dist/array-reduce-compare.iife.min.js"></script>

Usage in TypeScript (and ES6)

import reduceCompare from 'array-reduce-compare';

document.addEventListener('DOMContentLoaded', () => {
    const arr: Array<string> = ['a', 'b', 'c', 'd'];

    function join(acc: string, curr: string): string {
        return acc + curr;
    }

    console.log(
        reduceCompare<string, string>(
            arr,
            join,
            (acc: string): boolean => acc.length < 1,
            ''
        )
    ); // logs 'a'

    console.log(
        reduceCompare<string, string>(
            arr,
            join,
            (acc: string, curr: string): boolean => curr !== 'c',
            ''
        )
    ); // logs 'ab'

    console.log(
        reduceCompare<string, string>(
            arr,
            join,
            (acc: string, curr: string, i: number): boolean => i < 3,
            ''
        )
    ); // logs 'abc'

    // same as the native Array.prototype.reduce(), so try to avoid doing this
    console.log(
        reduceCompare<string, string>(
            arr,
            join,
            (): boolean => true,
            ''
        )
    ); // logs 'abcd'

    const obj = {
        'a': 'b',
        'b': 'c',
        'c': 'd',
        'd': 'e'
    };

    console.log(
        reduceCompare<string, Record<string, string>>(
            Object.keys(obj),
            (acc: Record<string, string>, key: string) => ({
                ...acc
                , [obj[key]]: key
            }),
            (_, key: string): boolean => key !== 'd',
            {}
        )
    );
    /*
        logs:
        {
            'b': 'a',
            'c': 'b',
            'd': 'c'
        }
    */
});

Methods

reduceCompare

function reduceCompare<A = unknown, B = unknown>(
    arr: Array<A>
    , cb: (
        acc: B
        , curr: A
        , i: number
        , arr: Array<A>
    ) => B
    , cmp: (
        acc: B
        , curr: A
        , i: number
        , arr: Array<A>
    ) => boolean
    , init?: B
): B;

The function arguments arr for the array, cb for the callback and init for the initial value are the same as the ones in Array.prototype.reduce(). The function also throws the same errors in the same situations.

The only new argument is the third argument cmp, which is the compare function. It accepts the same argument as the callback function cb. If it is undefined or does not have the type function, an error will be thrown. cmp MUST return a boolean, which indicates, whether to continue the reduction or not.


License

This software is brought to you with :heart: love :heart: from Dortmund and offered and distributed under the ISC license. See LICENSE.txt and Wikipedia for more information.