Array from a string
Array.from('foo'); // [ "f", "o", "o" ]
Array from a set
const set = new Set(['foo', 'bar', 'baz', 'foo']);Array.from(set);// [ "foo", "bar", "baz" ]
Array from a map
const map = new Map([[1, 2], [2, 4], [4, 8]]);Array.from(map);// [[1, 2], [2, 4], [4, 8]]const mapper = new Map([['1', 'a'], ['2', 'b']]);Array.from(mapper.values());// ['a', 'b'];Array.from(mapper.keys());// ['1', '2'];
Array from an Array-like obj(类数组对象)
function f() { return Array.from(arguments);}f(1, 2, 3);// [ 1, 2, 3 ]
Using arrow functions and Array.from()
// Using an arrow function as the map function to// manipulate the elementsArray.from([1, 2, 3], x => x + x); // [2, 4, 6]// Generate a sequence of numbers// Since the array is initialized with `undefined` on each position,// the value of `v` below will be `undefined`Array.from({length: 5}, (v, i) => i);// [0, 1, 2, 3, 4]
使用对象填充数组
const length = 3;const resultA = Array.from({ length }, () => ({}));const resultB = Array(length).fill({});resultA; // => [{}, {}, {}]resultB; // => [{}, {}, {}]resultA[0] === resultA[1]; // => falseresultB[0] === resultB[1]; // => true
克隆一个数组
const numbers = [3, 6, 9];const numbersCopy = Array.from(numbers);numbers === numbersCopy; // => false