話不多說伤塌,我們這就進(jìn)入正文缴允。
第一種:使用forEach從傳入?yún)?shù)的下一個索引值開始尋找是否存在重復(fù),如果不存在重復(fù)則push到新的數(shù)組杯巨,達(dá)到去重的目的蚤告。
noRepeat = (repeatArray) => {
var result = [];
repeatArray.forEach((value, index ,arr) => {
var isNoRepeat = arr.indexOf(value,index+1);
if(isNoRepeat === -1){
result.push(value);
}
})
return result;
};
還可以換一種方式實現(xiàn),利用新數(shù)組,遍歷要去重的數(shù)組服爷,判斷通過遍歷的數(shù)值是否在新數(shù)組里面存在杜恰,如果不存在,則push到新數(shù)組里面仍源。代碼如下:
noRepeat = (repeatArray) => {
var result = [];
repeatArray.forEach((value, index ,arr) => {
if (result.indexOf(value) === -1 ) {
result.push(value);
}
})
return result;
};
第二種:利用對象的屬性不能重復(fù)的特點(diǎn)進(jìn)行去重心褐。
noRepeat = (repeatArray) => {
var hash = {};
var result = [];
repeatArray.forEach((value, index ,arr) => {
if (!hash[value]) {
hash[value] = true;
result.push(value);
}
})
return result;
};
第三種:先將數(shù)組進(jìn)行排序,然后通過對比相鄰的數(shù)組進(jìn)行去重笼踩。
noRepeat = (repeatArray) => {
repeatArray.sort();
var result = [];
repeatArray.forEach((value, index ,arr) => {
if (value !== arr[index+1]) {
result.push(value);
}
})
return result;
};
第四種:利用ES6的Set新特性(所有元素都是唯一的逗爹,沒有重復(fù))。需要注意的是嚎于,可能存在兼容性問題掘而。
noRepeat = (repeatArray) => {
var result = new Set();
repeatArray.forEach((value, index ,arr) => {
result.add(value);
})
return result;
};
該方法處理多個數(shù)組的去重是相當(dāng)?shù)暮糜茫a如下:
let array1 = [1, 2, 3, 4];
let array2 = [2, 3, 4, 5, 6];
let noRepeatArray = new Set([... array1, ... array2]);
console.log('noRepeatArray:', noRepeatArray);