Though it has to be said, considering the number of things that might be found in an ArrayList, removing things from the head of the queue is really often so fast you’d never ever notice it. It depends on how many things are likely to be in it…
Consider a real-life example of, hmm… Particles. So you’ve got 5,000 particles in a frame (a high figure, but not unlikely). They’re stored in an ArrayList. Each entry in the ArrayList takes 4 bytes, so that’s 20kb of RAM, fitting neatly in the L1 data cache on many if not all desktops.
Now, imagine the rather unlikely even that every single particle dies one frame, and you discover this as you iterate through the ArrayList (using an integer index, not an iterator, just for absolute efficiency’s sake). You have to shuffle 4,999 particles down 4 bytes. It’s all in the L1 cache so memory access is effectively free to the CPU; you spend 4,999 cycles moving your particles assuming the loop that copies the data is about as simple and efficient as it can be. Then you have to do it again on the next particle. 4998 cycles. Repeat to solve triangular number, approximately (5000x5000)/2, or in the end 12,500,000 clock cycles, without ever having to touch the L2 or L3 caches most likely, let alone system RAM, until the end of the operation.
That’s 12.5m cycles out of your 3.3 million or so you’ve typically got in a single video frame (2GHz core). Oh dear, you just spent 4 frames ditching a mere 5000 particles. Judder. Imagine if you had, somehow, 10000 particles. That’d be nearly a second wasted doing something utterly trivial and would present itself as a horrible jarring delay in your buttery smooth animation.
But what if, weirdly but possibly, the worst case occurred when even going backwards - every other particle died in one frame? Well, then you’d be compacting a slowly more complex list of particles even if you were scanning backwards. Scanning forwards would be exactly the same speed too.
So you’d be crafty and use the third and final technique which is to make a copy of the original arraylist, and copy the surviving particles into it each frame. This performs consistently no matter how many live or dead particles you have in any particular frame or the pattern of their expiration.
Anyway - for the OP - basically you need to do Just That. Each frame, scan your list of Interactables, and copy each live one into a second ArrayList, and then point your game at that ArrayList. Flip between two ArrayLists, alternating each frame, rather than creating (and expanding!) an ArrayList every frame, or that’ll be slow.
Cas 