I was studying the jQuery source when I found this (v1.5 line 2295):
namespace = new RegExp("(^|\\.)" +
jQuery.map( namespaces.slice(0).sort(), fcleanup ).join("\\.(?:.*\\.)?") + "(\\.|$)");
My question is, why use slice(0)
here?
I was studying the jQuery source when I found this (v1.5 line 2295):
namespace = new RegExp("(^|\\.)" +
jQuery.map( namespaces.slice(0).sort(), fcleanup ).join("\\.(?:.*\\.)?") + "(\\.|$)");
My question is, why use slice(0)
here?
arr.slice(0)
makes a copy of the original array by taking a slice from the element at index 0 to the last element.It's also used to convert array-like objects into arrays. For example, a DOM
NodeList
(returned by several DOM methods likegetElementsByTagName
) is not an array, but it is an array-like object with alength
field and is indexable in JavaScript. To convert it to an array, one often uses:slice(0)
allows you to return an array of the existing array you're referencing, in this case namespaces.slice(0) creates a new array identical to the original array. Many a times you want to preserve your original array and create a new one.
If you use slice(1), it will create a different array starting from index position 1.
Similar things holds for strings as well.
In addition to what @Anon said:
The
slice()
method selects the elements starting at the given start argument, and ends at, but does not include, the given end argument.Example1:
The result of citrus will be:
Example2:
The result of citrus will be:
Further information can be found here.
sort()
modifies the array it's called on - and it isn't very nice to go around mutating stuff that other code might rely on.slice()
always returns a new array - the array returned byslice(0)
is identical to the input, which basically means it's a cheap way to duplicate an array.