本文就ES6新增知识点和语法糖做一个阶段性汇总更新,没有更新到的地方可能是我暂时没用到,也可能是我菜的用不着……
数组新增方法
new Set()
1.什么是Set()
- Set是es6新增的数据结构,似于数组,但它的一大特性就是所有元素都是唯一的,没有重复的值,我们一般称为集合。
- Set本身是一个构造函数,用来生成 Set 数据结构
2、增删改查方法
添加元素add
- 添加某个值,返回 Set 结构本身,当添加实例中已经存在的元素,set不会进行处理添加
1
2
3let list=new Set();
list.add(1)
list.add(2).add(3).add(3) // 2只被添加了一次
删除元素delete
- 删除某个值,返回一个布尔值,表示删除是否成功
1
2let list=new Set([1,20,30,40])
list.delete(30) //删除值为30的元素,这里的30并非下标
判断某元素是否存在has
- 返回一个布尔值,判断该值是否为Set的成员
1
2let list=new Set([1,2,3,4])
list.has(2)//true
清除所有元素clear
- 清除所有成员,没有返回值
1
2let list=new Set([1,2,3,4])
list.clear()
3、遍历方法
遍历 keys()
- 返回键名的遍历器,相等于返回键值遍历器values()
1
2
3
4let list2=new Set(['a','b','c'])
for(let key of list2.keys()){
console.log(key)//a,b,c
}
遍历 values()
- 返回键值的遍历器
1
2
3
4let list=new Set(['a','b','c'])
for(let value of list.values()){
console.log(value)//a,b,c
}
遍历 entries()
- 返回键值对的遍历器
1
2
3
4
5let list=new Set(['4','5','hello'])
for (let item of list.entries()) {
console.log(item);
}
// ['4','4'] ['5','5'] ['hello','hello']
遍历 forEach()
- 使用回调函数遍历每个成员
1
2
3let list=new Set(['4','5','hello'])
list.forEach((value, key) => console.log(key + ' : ' + value))
// 4:4 5:5 hello:hello
4、使用情形
用于数组去重
1 | let arr = [3, 5, 2, 2, 5, 5]; |
用于字符串去重
1 | let str = "352255"; |
实现并集、交集、和差集
1 | let a = new Set([1, 2, 3]); |