3. 数组去重
小于 1 分钟
3. 数组去重
ES5 的写法:
function unique(arr) {
const res = arr.filter((item, index, array) => {
return array.indexOf(item) === index
})
return res
}
上述的方法效率不高,ES6 的 Set
使用哈希表,有更好的效率:
const unique_es6 = arr => [...new Set(arr)]
新增 标准一点的写法:
function unique_set(arr) {
const set = new Set(arr)
return Array.from(set)
}
新增 对于需要顺序的去重,则需要手写:
function unique_with_order(arr) {
const set = new Set()
const res = []
for (let i = 0; i < arr.length; i++) {
if (!set.has(arr[i])) {
set.add(arr[i])
res.push(arr[i])
}
}
return res
}