认识类数组
「类数组」顾名思义就是类似于数组的东西。比如方法中的arguments
就是类数组。
function test() {
console.log(arguments);
// Arguments [callee: ƒ, Symbol(Symbol.iterator): ƒ]
// callee: ƒ test()
// length: 0
// Symbol(Symbol.iterator): ƒ values()
// [[Prototype]]: Object
arguments.push(6); // arguments.push is not a function
}
test(1, 2, 3, 4, 5);
以上代码中arguments
是不能使用数组push
方法的这是因为「类数组」直接继承于Object.prototype
而非Array.prototype
对象转类数组
既然「类数组」不是数组那就是个对象喽?我们来模拟一下:
var obj = {
0: 1,
1: 2,
2: 3,
3: 4,
4: 5,
length: 5
};
console.log(obj); // {0: 1, 1: 2, 2: 3, 3: 4, 4: 5, length: 5}
但是现在好像还不是,毕竟数组都是[]
我们写的这个对象是{}
其实只要对象有**splice**
方法并且继承**Array.prototype.splice**
方法就会变成类数组!!!
var obj = {
0: 1,
1: 2,
2: 3,
3: 4,
4: 5,
length: 5,
splice: Array.prototype.splice
};
console.log(obj); // Object(5) [1, 2, 3, 4, 5, splice: ƒ]
console.log(obj.length); // 5
现在看就是[]
的类数组了。
这个时候虽然是数组的形式了,但是依然不能使用push
方法,所以我们还可以指定一下push
方法:
var obj = {
0: 1,
1: 2,
2: 3,
3: 4,
4: 5,
length: 5,
splice: Array.prototype.splice,
push: Array.prototype.push
};
obj.push(10);
console.log(obj); // Object(6) [1, 2, 3, 4, 5, 10, splice: ƒ, push: ƒ]
console.log(obj.length); // 6
我们发现一个问题就是当obj.push(10)
后obj.length
属性也增加了。**push**
函数内部的原理其实就是拿到数组的长度作为新下标添加到数组当中,最后**length**
属性增加。
Array.prototype.myPush = function (num) {
// 拿到数组的长度最为最新的下标
obj[obj.length] = num;
// 长度增加
this.length++;
};
var obj = {
0: 1,
1: 2,
2: 3,
3: 4,
4: 5,
length: 5,
splice: Array.prototype.splice,
push: Array.prototype.myPush
};
obj.push(10);
console.log(obj); // Object(6) [1, 2, 3, 4, 5, 10, splice: ƒ, push: ƒ]
console.log(obj.length); // 6
既然知道了push
方法的原理,看到面试题。
var obj = {
2: 3,
3: 4,
length: 2,
splice: Array.prototype.splice,
push: Array.prototype.push,
};
obj.push(1);
obj.push(2);
console.log(obj);
var obj = {
2: 3,
3: 4,
length: 2,
splice: Array.prototype.splice,
push: Array.prototype.push,
};
// 当 obj 对象继承 Array.prototype.splice 方法后变成类数组
// 调用 push 方法的时候其实是
// obj[2] = 1; 因为初始化长度是 2
// obj[3] = 2; 因为 push(2) 后 length 增加到 3
// 因为改变的是第 2 和第 3 位的元素,所以第 0 位和第 1 位是空,length 为 4
obj.push(1);
obj.push(2);
console.log(obj); // Object(4) [empty × 2, 1, 2, splice: ƒ, push: ƒ]
类数组转数组
利用**Array.prototype.slice**
可以把类数组转化为数组!!!
function test(){
var arr = Array.prototype.slice.call(arguments);
console.log(arr); // [1, 2, 3]
}
test(1, 2, 3)