11,Array的indexOf方法
indexOf()方法返回在数组中可以找到一个给定元素的第一个索引,如果不存在,则返回-1。 语法:arr.indexOf(searchElement[, fromIndex = 0]) 注意:1,返回找到的索引或者不存在的-1。2,不改变原数组
Array.prototype._indexOf = function(){
if(this === null){throw new TypeError('"this" is null or not defined');}
let that = Object(this),len = that.length >>> 0,param = arguments;
if(param[1] && Math.abs(param[1])>= len)return -1;
startIndex = Math.max((param[1] ? param[1] : 0), 0) ;
while(startIndex < len){
if(startIndex in that && param[0] === that[startIndex])return startIndex;
startIndex++;
}
return -1;
}
测试1:只有一个参数
let a = [2, 9, 7, 8, 9];
console.log(a._indexOf(2)); // 0
console.log(a._indexOf(6)); // -1
console.log(a._indexOf(7)); // 2
console.log(a._indexOf(8)); // 3
console.log(a._indexOf(9)); // 1
测试2:两个参数
let array = [2, 5, 9];
console.log(array._indexOf(2, -1)); // -1
console.log(array._indexOf(2, -3));// 0
测试3:找出指定元素出现的所有位置
var indices = [];
var array = ['a', 'b', 'a', 'c', 'a', 'd'];
var element = 'a';
var idx = array._indexOf(element);
while (idx != -1) {
indices.push(idx);
idx = array._indexOf(element, idx + 1);
}
console.log(indices);
// [0, 2, 4]