1.Array.filter() + indexOf(耗時8427ms)數組
這個方法的思路是,將兩個數組拼接爲一個數組,而後使用 ES6 中的 Array.filter() 遍歷數組,並結合 indexOf 來排除重複項數據結構
function distinct(a, b) { let arr = a.concat(b); return arr.filter((item, index)=> { return arr.indexOf(item) === index }) }
2.雙重 for 循環(耗時20152ms)性能
最容易理解的方法,外層循環遍歷元素,內層循環檢查是否重複當有重複值的時候,能夠使用 push(),也能夠使用 splice()對象
function distinct(a, b) { let arr = a.concat(b); var len=arr.length; for (let i=0; i< len; i++) { for (let j=i+1; j< len; j++) { if (arr[i] == arr[j]) { arr.splice(j, 1); // splice 會改變數組長度,因此要將數組長度 len 和下標 j 減一 len--; j--; } } } return arr }
3.for...of + includes()(耗時8167ms)排序
雙重for循環的升級版,外層用 for...of 語句替換 for 循環,把內層循環改成 includes() 先建立一個空數組,當 includes() 返回 false 的時候,就將該元素 push 到空數組中 相似的,還能夠用 indexOf() 來替代 includes()it
function distinct(a, b) { let arr = a.concat(b) let result = [] for (let i of arr) { !result.includes(i) && result.push(i) } return result }
4.Array.sort()(耗時120ms)io
首先使用 sort() 將數組進行排序for循環
而後比較相鄰元素是否相等,從而排除重複項function
function distinct(a, b) { let arr = a.concat(b) arr = arr.sort() let result = [arr[0]] let len=arr.length for (let i=1; i< len; i++) { arr[i] !== arr[i-1] && result.push(arr[i]) } return result }
5.new Set()(耗時57ms)循環
ES6 新增了 Set 這一數據結構,相似於數組,但 Set 的成員具備惟一性 基於這一特性,就很是適合用來作數組去重了
function distinct(a, b) { return Array.from(new Set([...a, ...b])) }
6.for...of + Object(耗時16ms)
這個方法我只在一些文章裏見過,實際工做中倒沒怎麼用 首先建立一個空對象,而後用 for 循環遍歷 利用對象的屬性不會重複這一特性,校驗數組元素是否重複
function distinct(a, b) { let arr = a.concat(b) let result = [] let obj = {} for (let i of arr) { if (!obj[i]) { result.push(i) obj[i] = 1 } } }
起初沒有太在乎每一個方法的性能,偶然想到這方面的問題就試了一下,數據就很直觀...