原文链接出处
Array.from()方法就是将一个类数组对象或者可遍历对象转换成一个真正的数组。
所谓类数组对象,最基本的要求就是具有length属性的对象。
第一个接收参数可以是:类数组对象/字符串/数组/{length:长度}
类数组对象,属性为数字 且具有length属性
let arrayLike = {
0: 'tom',
1: '65',
2: '男',
3: ['jane', 'john', 'Mary'],
'length': 4
}
let arr = Array.from(arrayLike)
console.log(arr); // ['tom','65','男',['jane','john','Mary']]
如果把类数组的length 属性去掉 没有了length的类数组对象. 用Array.form() 就会得到一个空数组
let arrayLike = {
0: 'tom',
1: '65',
2: '男',
3: ['jane', 'john', 'Mary'],
'length': 4
}
delete arrayLike.length
let arr = Array.from(arrayLike)
console.log(arr); // []
如果将类数组的属性名改为非数字类型
let arrayLike = {
name: 'tom',
age: '65',
sex: '男',
names: ['jane', 'john', 'Mary'],
'length': 4
}
let arr = Array.from(arrayLike)
console.log(arr); [ undefined, undefined, undefined, undefined ]
1、该类数组对象必须具有 length 属性,用于指定数组的长度。如果没有 length 属性,那么转换后的数组是一个空数组。
2、该类数组对象的属性名必须为数值型或字符串型的数字 ( 该类数组对象的属性名可以加引号,也可以不加引号)
let arr = [12,45,97,9797,564,134,45642]
let set = new Set(arr)
console.log(Array.from(set)) // [ 12, 45, 97, 9797, 564, 134, 45642 ]
let arr = [12,45,97,9797,564,134,45642]
let set = new Set(arr)
console.log(Array.from(set, item => item + 2)) // [14, 47, 99, 9799, 566, 136, 45644]
console.log(Array.from(set,item => {return item + 2})); //[14, 47, 99, 9799, 566, 136, 45644]
// 快速创建一个1~20的数组
let arr = Array.from({ length: 20 }, (item, index) => { return item = index + 1 })
console.log(arr); // [1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20]
// 模拟生成 1万条数据,利用了 Array.from 来快速生成数据
const originNews = Array.from(
{ length: 10000 },
(v, k) => ({ content: `新闻${k}` })
)
console.log(originNews);
let str = 'hello world!';
console.log(Array.from(str)) // ["h", "e", "l", "l", "o", " ", "w", "o", "r", "l", "d", "!"]
浅拷贝一个数组
let arr = [12, 45, 47, 56, 213, 4654, 154]
let newarr = Array.from(arr)
console.log(newarr); //[12, 45, 47, 56, 213, 4654, 154]
arr.length = 3
console.log(arr); //[12, 45, 47]
console.log(newarr); //[12, 45, 47, 56, 213, 4654, 154]