Iterator.prototype.drop()
The drop()
method of Iterator
instances returns a new iterator helper that skips the given number of elements at the start of this iterator.
Parameters
-
limit
-
The number of elements to drop from the start of the iteration.
Return value
A new iterator helper. The first time the returned iterator helper's next()
method is called, the current iterator is immediately advanced by limit
elements, and then the next element (the limit+1
-th element) is yielded. The iterator helper then yields the remaining elements one-by-one. If the current iterator has fewer than limit
elements, the new iterator helper will be immediately completed the first time next()
is called.
Using drop()
The following example creates an iterator that yields terms in the Fibonacci sequence, starting from the 3rd term by dropping the first two terms:
function* fibonacci() {
let current = 1;
let next = 1;
while (true) {
yield current;
[current, next] = [next, current + next];
}
}
const seq = fibonacci().drop(2);
console.log(seq.next().value);
console.log(seq.next().value);
This is equivalent to:
const seq = fibonacci();
seq.next();
seq.next();
Using drop() with a for...of loop
drop()
is most convenient when you are not hand-rolling the iterator. Because iterators are also iterable, you can iterate the returned helper with a for...of
loop:
for (const n of fibonacci().drop(2)) {
console.log(n);
if (n > 30) {
break;
}
}
Combining drop() with take()
You can combine drop()
with Iterator.prototype.take()
to get a slice of an iterator:
for (const n of fibonacci().drop(2).take(5)) {
console.log(n);
}
for (const n of fibonacci().take(5).drop(2)) {
console.log(n);
}
Lower and upper bounds of drop count
When the limit
is negative or NaN
, a RangeError
is thrown:
fibonacci().drop(-1);
fibonacci().drop(undefined);
When the limit
is larger than the total number of elements the iterator can produce (such as Infinity
), the returned iterator helper will instantly drop all elements and then be completed the first time next()
is called. If the current iterator is infinite, the returned iterator helper will never complete.
fibonacci().drop(Infinity).next();
new Set([1, 2, 3]).values().drop(Infinity).next();
new Set([1, 2, 3]).values().drop(4).next();
Specifications
Browser compatibility
|
Desktop |
Mobile |
Server |
|
Chrome |
Edge |
Firefox |
Opera |
Safari |
Chrome Android |
Firefox for Android |
Opera Android |
Safari on IOS |
Samsung Internet |
WebView Android |
Deno |
Node.js |
drop |
117 |
117 |
No |
103 |
No |
117 |
No |
78 |
No |
No |
117 |
No |
No |