相关文章推荐
高大的黑框眼镜  ·  vuejs ...·  1 年前    · 
深沉的单杠  ·  java 取出数字部分 ...·  1 年前    · 
//返回arr数组过滤后的结果,结果为一个数组 //过滤条件是,如果res中没有某个键,就设置这个键的值为1 return arr.filter( ( a) => !res.has(a) && res.set(a, 1))
function unique(arr) {
    //通过Set对象,对数组去重,结果又返回一个Set对象
    //通过from方法,将Set对象转为数组
    return Array.from(new Set(arr))
function unique(arr) {
  return [...new Set(arr)]
}

2. 数据求交集、并集、差集

a = [1, 2, 3]

b = [2, 4, 5]

ES7新增了一个Array.prototype.includes的数组方法,用于返回一个数组是否包含指定元素,结合filter方法

// 并集
let union = a.concat(b.filter(v => !a.includes(v))) // [1,2,3,4,5]
// 交集
let intersection = a.filter(v => b.includes(v)) // [2]
// 差集
let difference = a.concat(b).filter(v => !a.includes(v) || !b.includes(v)) // [1,3,4,5]

ES6中新增的一个Array.from方法,用于将类数组对象和可遍历对象转化为数组。只要类数组有length长度,基本都可以转化为数组。结合Set结构实现数学集求解。

let aSet = new Set(a)
let bSet = new Set(b)
// 并集
let union = Array.from(new Set(a.concat(b))) // [1,2,3,4,5]
// 交集
let intersection = Array.from(new Set(a.filter(v => bSet.has(v)))) // [2]
// 差集
let difference = Array.from(new Set(a.concat(b).filter(v => !aSet.has(v) || !bSet.has(v)))) // [1,3,4,5]

ES5可以利用filter和indexOf进行数学集操作,但是,由于indexOf方法中NaN永远返回-1,所以需要进行兼容处理。

  • 不考虑NAN(数组中不含NaN)
  • // 并集
    var union = a.concat(b.filter(function(v) {
    return a.indexOf(v) === -1})) // [1,2,3,4,5]
    // 交集
    var intersection = a.filter(function(v){ return b.indexOf(v) > -1 }) // [2]
    // 差集
    var difference = a.filter(function(v){ return b.indexOf(v) === -1 }).concat(b.filter(function(v){ return a.indexOf(v) === -1 })) // [1,3,4,5]
  • 考虑NAN
  • var aHasNaN = a.some(function(v){ return isNaN(v) })
    var bHasNaN = b.some(function(v){ return isNaN(v) })
    // 并集
    var union = a.concat(b.filter(function(v) {
    return a.indexOf(v) === -1 && !isNaN(v)})).concat(!aHasNaN & bHasNaN ? [NaN] : []) // [1,2,3,4,5]
    // 交集
    var intersection = a.filter(function(v){ return b.indexOf(v) > -1 }).concat(aHasNaN & bHasNaN ? [NaN] : []) // [2]
    // 差集
    var difference = a.filter(function(v){ return b.indexOf(v) === -1 && !isNaN(v) }).concat(b.filter(function(v){ return a.indexOf(v) === -1 && !isNaN(v) })).concat(aHasNaN ^ bHasNaN ? [NaN] : []) // [1,3,4,5]

    https://segmentfault.com/a/1190000011861891

    https://excaliburhan.com/post/js-set-operation.html