类数组转换为数组的方法

Posted aivnfjgj

tags:

篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了类数组转换为数组的方法相关的知识,希望对你有一定的参考价值。

1、Array.prototype.slice.call() 
这种方法是借用了数组原型中的slice方法,返回一个数组。slice方法的内部实现:

Array.prototype.slice = function(start,end){

  var result = new Array();  
  start = start || 0;  
  end = end || this.length; //使用call之后this指向了类数组对象
  for(var i = start; i < end; i++){  
       result.push(this[i]);  
  }  
  return result;  
}

一个通用的转换函数:

var toArray = function(s){

try{  
    return Array.prototype.slice.call(s);  
} catch(e){  
        var arr = [];  
        for(var i = 0,len = s.length; i < len; i++){   
             arr[i] = s[i];   
        }  
         return arr;  
} 

2、Array.from() 
Array.from()是ES6中新增的方法,可以将两类对象转为真正的数组:类数组对象和可遍历(iterable)对象(包括ES6新增的数据结构Set和Map)。

var arrayLike = {

‘0‘:‘a‘,
‘1‘:‘b‘,
‘2‘:‘c‘,
length:3
};
var arr = Array.from(arrayLike);//[‘a‘,‘b‘,‘c‘]
//把NodeList对象转换为数组,然后使用数组的forEach方法
var ps = document.querySelectorAll(‘p‘);
Array.from(ps).forEach(p){

console.log(p);
}); 
//转换arguments对象为数组
function foo(){

var args = Array.from(arguments);
//...
}
//只要是部署了Iterator接口的数据结构,Array.from都能将其转换为数组
Array.from(‘hello‘); //[‘h‘,‘e‘,‘l‘,‘l‘,‘o‘]

3、扩展运算符(…) 
同样是ES6中新增的内容,扩展运算符(…)也可以将某些数据结构转为数组

//arguments对象的转换
function foo(){

var args = [...arguments];
}
//NodeList对象的转换
[...document.querySelectorAll(‘p‘)]

扩展运算符实际上调用的是遍历器接口,如果一个对象没有部署此接口就无法完成转换

  

以上是关于类数组转换为数组的方法的主要内容,如果未能解决你的问题,请参考以下文章

10个JavaScript代码片段,使你更加容易前端开发。

类数组转换为数组的方法

JavaScriptl 类数组转换为数组

将类数组转换为数组的方法

将类数组转换为数组的方法

js中将类数组转换为数组的几种方法