Why is using a loop to iterate from start of array to end faster than iterating both start to end and end to start?

后端 未结 5 642
無奈伤痛
無奈伤痛 2021-01-03 21:19

Given an array having .length 100 containing elements having values 0 to 99 at the respective indexes, where the requirem

相关标签:
5条回答
  • 2021-01-03 22:00

    The other answers here cover the main reasons, but I think an interesting addition could be mentioning cache.

    In general, sequentially accessing an array will be more efficient, particularly with large arrays. When your CPU reads an array from memory, it also fetches nearby memory locations into cache. This means that when you fetch element n, element n+1 is also probably loaded into cache. Now, cache is relatively big these days, so your 100 int array can probably fit comfortably in cache. However, on an array of much larger size, reading sequentially will be faster than switching between the beginning and the end of the array.

    0 讨论(0)
  • 2021-01-03 22:19

    Selected answer is excellent. I'd like to add another aspect: Try findIndex(), it's 2-3 times faster than using loops:

    const arr = Array.from({length: 900}, (_, i) => i);
    const n = 51;
    const len = arr.length;
    
    console.time("iterate from start");
    for (let i = 0; i < len; i++) {
      if (arr[i] === n) break;
    }
    console.timeEnd("iterate from start");
    
    console.time("iterate using findIndex");
    var i = arr.findIndex(function(v) {
      return v === n;
    });
    console.timeEnd("iterate using findIndex");

    0 讨论(0)
  • 2021-01-03 22:26

    The answer is pretty obvious:

    More operations take more time.

    When judging the speed of code, you look at how many operations it will perform. Just step through and count them. Every instruction will take one or more CPU cycles, and the more there are the longer it will take to run. That different instructions take a different amount of cycles mostly does not matter - while an array lookup might be more costly than integer arithmetic, both of them basically take constant time and if there are too many, it dominates the cost of our algorithm.

    In your example, there are few different types of operations that you might want to count individually:

    • comparisons
    • increments/decrements
    • array lookup
    • conditional jumps

    (we could be more granular, such as counting variable fetch and store operations, but those hardly matter - everything is in registers anyway - and their number basically is linear to the others).

    Now both of your codes iterate about 50 times - they element on which they break the loop is in the middle of the array. Ignoring off-by-a-few errors, those are the counts:

                   |  forwards  | forwards and backwards
    ---------------+------------+------------------------
    >=/===/<       |       100  |                   200
    ++/--          |        50  |                   100
    a[b]           |        50  |                   100
    &&/||/if/for   |       100  |                   200
    

    Given that, it's not unexpected that doing twice the works takes considerably longer.

    I'll also answer a few questions from your comments:

    Is additional time needed for the second object lookup?

    Yes, every individual lookup counts. It's not like they could be performed at once, or optimised into a single lookup (imaginable if they had looked up the same index).

    Should there be two separate loops for each start to end and end to start?

    Doesn't matter for the number of operations, just for their order.

    Or, put differently still, what is the fastest approach to find an element in an array?

    There is no "fastest" regarding the order, if you don't know where the element is (and they are evenly distributed) you have to try every index. Any order - even random ones - would work the same. Notice however that your code is strictly worse, as it looks at each index twice when the element is not found - it does not stop in the middle.

    But still, there are a few different approaches at micro-optimising such a loop - check these benchmarks.

    • let is (still?) slower than var, see Why is using `let` inside a `for` loop so slow on Chrome? and Why is let slower than var in a for loop in nodejs?. This tear-up and tear-down (about 50 times) of the loop body scope in fact does dominate your runtime - that's why your inefficient code isn't completely twice as slow.
    • comparing against 0 is marginally faster than comparing against the length, which puts looping backwards at an advantage. See Why is iterating through an array backwards faster then forwards, JavaScript loop performance - Why is to decrement the iterator toward 0 faster than incrementing and Are loops really faster in reverse?
    • in general, see What's the fastest way to loop through an array in JavaScript?: it changes from engine update to engine update. Don't do anything weird, write idiomatic code, that's what will get optimised better.
    0 讨论(0)
  • 2021-01-03 22:26

    @Bergi is correct. More operations is more time. Why? More CPU clock cycles. Time is really a reference to how many clock cycles it takes to execute the code. In order to get to the nitty-gritty of that you need to look at the machine level code (like assembly level code) to find the true evidence. Each CPU (core?) clock cycle can execute one instruction, so how many instructions are you executing?

    I haven't counted the clock cycles in a long time since programming Motorola CPUs for embedded applications. If your code is taking longer then it is in fact generating a larger instruction set of machine code, even if the loop is shorter or runs an equal amount of times.

    Never forget that your code is actually getting compiled into a set of commands that the CPU is going to execute (memory pointers, instruction-code level pointers, interrupts, etc.). That is how computers work and its easier to understand at the micro controller level like an ARM or Motorola processor but the same is true for the sophisticated machines that we are running on today.

    Your code simply does not run the way you write it (sounds crazy right?). It is run as it is compiled to run as machine level instructions (writing a compiler is no fun). Mathematical expression and logic can be compiled in to quite a heap of assembly, machine level code and that is up to how the compiler chooses to interpret it (it is bit shifting, etc, remember binary mathematics anyone?)

    Reference: https://software.intel.com/en-us/articles/introduction-to-x64-assembly

    Your question is hard to answer but as @Bergi stated the more operations the longer, but why? The more clock cycles it takes to execute your code. Dual core, quad core, threading, assembly (machine language) it is complex. But no code gets executed as you have written it. C++, C, Pascal, JavaScript, Java, unless you are writing in assembly (even that compiles down to machine code) but it is closer to actual execution code.

    A masters in CS and you will get to counting clock cycles and sort times. You will likely make you own language framed on machine instruction sets.

    Most people say who cares? Memory is cheap today and CPUs are screaming fast and getting faster.

    But there are some critical applications where 10 ms matters, where an immediate interrupt is needed, etc.

    Commerce, NASA, a Nuclear power plant, Defense Contractors, some robotics, you get the idea . . .

    I vote let it ride and keep moving.

    Cheers, Wookie

    0 讨论(0)
  • 2021-01-03 22:26

    Since the element you're looking for is always roughly in the middle of the array, you should expect the version that walks inward from both the start and end of the array to take about twice as long as one that just starts from the beginning.

    Each variable update takes time, each comparison takes time, and you're doing twice as many of them. Since you know it will take one or two less iterations of the loop to terminate in this version, you should reason it will cost about twice as much CPU time.

    This strategy is still O(n) time complexity since it only looks at each item once, it's just specifically worse when the item is near the center of the list. If it's near the end, this approach will have a better expected runtime. Try looking for item 90 in both, for example.

    0 讨论(0)
提交回复
热议问题