Most efficient way to create a zero filled JavaScript array?

前端 未结 30 1189
花落未央
花落未央 2020-11-22 05:58

What is the most efficient way to create an arbitrary length zero filled array in JavaScript?

相关标签:
30条回答
  • 2020-11-22 06:17

    I've tested all combinations of pre-allocating/not pre-allocating, counting up/down, and for/while loops in IE 6/7/8, Firefox 3.5, Chrome, and Opera.

    The functions below was consistently the fastest or extremely close in Firefox, Chrome, and IE8, and not much slower than the fastest in Opera and IE 6. It's also the simplest and clearest in my opinion. I've found several browsers where the while loop version is slightly faster, so I'm including it too for reference.

    function newFilledArray(length, val) {
        var array = [];
        for (var i = 0; i < length; i++) {
            array[i] = val;
        }
        return array;
    }
    

    or

    function newFilledArray(length, val) {
        var array = [];
        var i = 0;
        while (i < length) {
            array[i++] = val;
        }
        return array;
    }
    
    0 讨论(0)
  • 2020-11-22 06:18

    const arr = Array.from({ length: 10 }).fill(0)

    0 讨论(0)
  • 2020-11-22 06:19

    The way I usually do it (and is amazing fast) is using Uint8Array. For example, creating a zero filled vector of 1M elements:

      var zeroFilled = [].slice.apply(new Uint8Array(1000000))
    

    I'm a Linux user and always have worked for me, but once a friend using a Mac had some non-zero elements. I thought his machine was malfunctioning, but still here's the safest way we found to fix it:

      var zeroFilled = [].slice.apply(new Uint8Array(new Array(1000000)) 
    

    Edited

    Chrome 25.0.1364.160

    1. Frederik Gottlieb - 6.43
    2. Sam Barnum - 4.83
    3. Eli - 3.68
    4. Joshua 2.91
    5. Mathew Crumley - 2.67
    6. bduran - 2.55
    7. Allen Rice - 2.11
    8. kangax - 0.68
    9. Tj. Crowder - 0.67
    10. zertosh - ERROR

    Firefox 20.0

    1. Allen Rice - 1.85
    2. Joshua - 1.82
    3. Mathew Crumley - 1.79
    4. bduran - 1.37
    5. Frederik Gottlieb - 0.67
    6. Sam Barnum - 0.63
    7. Eli - 0.59
    8. kagax - 0.13
    9. Tj. Crowder - 0.13
    10. zertosh - ERROR

    Missing the most important test (at least for me): the Node.js one. I suspect it close to Chrome benchmark.

    0 讨论(0)
  • 2020-11-22 06:19

    Didn't see this method in answers, so here it is:

    "0".repeat( 200 ).split("").map( parseFloat )
    

    In result you will get zero-valued array of length 200:

    [ 0, 0, 0, 0, ... 0 ]
    

    I'm not sure about the performance of this code, but it shouldn't be an issue if you use it for relatively small arrays.

    0 讨论(0)
  • 2020-11-22 06:20

    This concat version is much faster in my tests on Chrome (2013-03-21). About 200ms for 10,000,000 elements vs 675 for straight init.

    function filledArray(len, value) {
        if (len <= 0) return [];
        var result = [value];
        while (result.length < len/2) {
            result = result.concat(result);
        }
        return result.concat(result.slice(0, len-result.length));
    }
    

    Bonus: if you want to fill your array with Strings, this is a concise way to do it (not quite as fast as concat though):

    function filledArrayString(len, value) {
        return new Array(len+1).join(value).split('');
    }
    
    0 讨论(0)
  • 2020-11-22 06:22

    Note added August 2013, updated February 2015: The answer below from 2009 relates to JavaScript's generic Array type. It doesn't relate to the newer typed arrays defined in ES2015 [and available now in many browsers], like Int32Array and such. Also note that ES2015 adds a fill method to both Arrays and typed arrays, which is likely to be the most efficient way to fill them...

    Also, it can make a big difference to some implementations how you create the array. Chrome's V8 engine, in particular, tries to use a highly-efficient, contiguous-memory array if it thinks it can, shifting to the object-based array only when necessary.


    With most languages, it would be pre-allocate, then zero-fill, like this:

    function newFilledArray(len, val) {
        var rv = new Array(len);
        while (--len >= 0) {
            rv[len] = val;
        }
        return rv;
    }
    

    But, JavaScript arrays aren't really arrays, they're key/value maps just like all other JavaScript objects, so there's no "pre-allocate" to do (setting the length doesn't allocate that many slots to fill), nor is there any reason to believe that the benefit of counting down to zero (which is just to make the comparison in the loop fast) isn't outweighed by adding the keys in reverse order when the implementation may well have optimized their handling of the keys related to arrays on the theory you'll generally do them in order.

    In fact, Matthew Crumley pointed out that counting down is markedly slower on Firefox than counting up, a result I can confirm — it's the array part of it (looping down to zero is still faster than looping up to a limit in a var). Apparently adding the elements to the array in reverse order is a slow op on Firefox. In fact, the results vary quite a bit by JavaScript implementation (which isn't all that surprising). Here's a quick and dirty test page (below) for browser implementations (very dirty, doesn't yield during tests, so provides minimal feedback and will run afoul of script time limits). I recommend refreshing between tests; FF (at least) slows down on repeated tests if you don't.

    The fairly complicated version that uses Array#concat is faster than a straight init on FF as of somewhere between 1,000 and 2,000 element arrays. On Chrome's V8 engine, though, straight init wins out every time...

    Here's the test page (live copy):

    <!DOCTYPE html>
    <html>
    <head>
    <meta charset="UTF-8">
    <title>Zero Init Test Page</title>
    <style type='text/css'>
    body {
        font-family:    sans-serif;
    }
    #log p {
        margin:     0;
        padding:    0;
    }
    .error {
        color:      red;
    }
    .winner {
        color:      green;
        font-weight:    bold;
    }
    </style>
    <script type='text/javascript' src='prototype-1.6.0.3.js'></script>
    <script type='text/javascript'>
    var testdefs = {
        'downpre':  {
            total:  0,
            desc:   "Count down, pre-decrement",
            func:   makeWithCountDownPre
        },
        'downpost': {
            total:  0,
            desc:   "Count down, post-decrement",
            func:   makeWithCountDownPost
        },
        'up':       {
            total:  0,
            desc:   "Count up (normal)",
            func:   makeWithCountUp
        },
        'downandup':  {
            total:  0,
            desc:   "Count down (for loop) and up (for filling)",
            func:   makeWithCountDownArrayUp
        },
        'concat':   {
            total:  0,
            desc:   "Concat",
            func:   makeWithConcat
        }
    };
    
    document.observe('dom:loaded', function() {
        var markup, defname;
    
        markup = "";
        for (defname in testdefs) {
            markup +=
                "<div><input type='checkbox' id='chk_" + defname + "' checked>" +
                "<label for='chk_" + defname + "'>" + testdefs[defname].desc + "</label></div>";
        }
        $('checkboxes').update(markup);
        $('btnTest').observe('click', btnTestClick);
    });
    
    function epoch() {
        return (new Date()).getTime();
    }
    
    function btnTestClick() {
    
        // Clear log
        $('log').update('Testing...');
    
        // Show running
        $('btnTest').disabled = true;
    
        // Run after a pause while the browser updates display
        btnTestClickPart2.defer();
    }
    function btnTestClickPart2() {
    
        try {
            runTests();
        }
        catch (e) {
            log("Exception: " + e);
        }
    
        // Re-enable the button; we don't yheidl
        $('btnTest').disabled = false;
    }
    
    function runTests() {
        var start, time, counter, length, defname, def, results, a, invalid, lowest, s;
    
        // Get loops and length
        s = $F('txtLoops');
        runcount = parseInt(s);
        if (isNaN(runcount) || runcount <= 0) {
            log("Invalid loops value '" + s + "'");
            return;
        }
        s = $F('txtLength');
        length = parseInt(s);
        if (isNaN(length) || length <= 0) {
            log("Invalid length value '" + s + "'");
            return;
        }
    
        // Clear log
        $('log').update('');
    
        // Do it
        for (counter = 0; counter <= runcount; ++counter) {
    
            for (defname in testdefs) {
                def = testdefs[defname];
                if ($('chk_' + defname).checked) {
                    start = epoch();
                    a = def.func(length);
                    time = epoch() - start;
                    if (counter == 0) {
                        // Don't count (warm up), but do check the algorithm works
                        invalid = validateResult(a, length);
                        if (invalid) {
                            log("<span class='error'>FAILURE</span> with def " + defname + ": " + invalid);
                            return;
                        }
                    }
                    else {
                        // Count this one
                        log("#" + counter + ": " + def.desc + ": " + time + "ms");
                        def.total += time;
                    }
                }
            }
        }
    
        for (defname in testdefs) {
            def = testdefs[defname];
            if ($('chk_' + defname).checked) {
                def.avg = def.total / runcount;
                if (typeof lowest != 'number' || lowest > def.avg) {
                    lowest = def.avg;
                }
            }
        }
    
        results =
            "<p>Results:" +
            "<br>Length: " + length +
            "<br>Loops: " + runcount +
            "</p>";
        for (defname in testdefs) {
            def = testdefs[defname];
            if ($('chk_' + defname).checked) {
                results += "<p" + (lowest == def.avg ? " class='winner'" : "") + ">" + def.desc + ", average time: " + def.avg + "ms</p>";
            }
        }
        results += "<hr>";
        $('log').insert({top: results});
    }
    
    function validateResult(a, length) {
        var n;
    
        if (a.length != length) {
            return "Length is wrong";
        }
        for (n = length - 1; n >= 0; --n) {
            if (a[n] != 0) {
                return "Index " + n + " is not zero";
            }
        }
        return undefined;
    }
    
    function makeWithCountDownPre(len) {
        var a;
    
        a = new Array(len);
        while (--len >= 0) {
            a[len] = 0;
        }
        return a;
    }
    
    function makeWithCountDownPost(len) {
        var a;
    
        a = new Array(len);
        while (len-- > 0) {
            a[len] = 0;
        }
        return a;
    }
    
    function makeWithCountUp(len) {
        var a, i;
    
        a = new Array(len);
        for (i = 0; i < len; ++i) {
            a[i] = 0;
        }
        return a;
    }
    
    function makeWithCountDownArrayUp(len) {
        var a, i;
    
        a = new Array(len);
        i = 0;
        while (--len >= 0) {
            a[i++] = 0;
        }
        return a;
    }
    
    function makeWithConcat(len) {
        var a, rem, currlen;
    
        if (len == 0) {
            return [];
        }
        a = [0];
        currlen = 1;
        while (currlen < len) {
            rem = len - currlen;
            if (rem < currlen) {
                a = a.concat(a.slice(0, rem));
            }
            else {
                a = a.concat(a);
            }
            currlen = a.length;
        }
        return a;
    }
    
    function log(msg) {
        $('log').appendChild(new Element('p').update(msg));
    }
    </script>
    </head>
    <body><div>
    <label for='txtLength'>Length:</label><input type='text' id='txtLength' value='10000'>
    <br><label for='txtLoops'>Loops:</label><input type='text' id='txtLoops' value='10'>
    <div id='checkboxes'></div>
    <br><input type='button' id='btnTest' value='Test'>
    <hr>
    <div id='log'></div>
    </div></body>
    </html>
    
    0 讨论(0)
提交回复
热议问题