在线时间:8:00-16:00
迪恩网络APP
随时随地掌握行业动态
扫描二维码
关注迪恩网络微信公众号
1. 什么是 SetSet 可以简单的看作是数学上的集合。 它是一系列无序,没有重复数值的数据集合。 2. Set 构造函数对于 Set 的构造函数的参数,可以传递以下几种形式。 2.1) 数组const s = new Set([1, 2, 1]); console.log(s); 这里传递了一个数组 2.2) 字符串const s = new Set("Hello World!"); console.log(s); 2.3) argumentsfunction fun() { const s = new Set(arguments); console.log(s); } fun(1, 2, 3); 2.4) NodeList<!DOCTYPE html> <html lang="en"> <head> <meta charset="UTF-8"> <meta http-equiv="X-UA-Compatible" content="IE=edge"> <meta name="viewport" content="width=device-width, initial-scale=1.0"> <title>set</title> </head> <body> <p>1</p> <p>2</p> <p>3</p> <script> const s = new Set(document.querySelectorAll('p')); console.log(s); </script> </body> </html> 这里将三个 当我们要用的时候,就可以遍历这个 2.5) Setconst s1 = new Set([1, 2, 3]); const s2 = new Set(s1); console.log(s2); 这里相当于把 console.log(s1 === s2); 3. Set 的实例属性和方法Set 的属性,有一个属性 const s = new Set([1, 2, 3]); console.log(s.size); Set的方法
给 Set 中添加成员 const s = new Set([1, 2, 3]);// 它的参数只能传一个s.add(5);console.log(s);// 可以连缀 adds.add(7).add(9);console.log(s);
用来删除 Set 中的成员 const s = new Set([1, 2, 3]); s.delete(2); // 如果要删除的东西在 Set 中找不到,将什么也不会发生,也不会报错 s.delete(5); console.log(s);
用来判断 Set 是否含有某个成员 const s = new Set([1, 2, 3]); console.log(s.has(1)); console.log(s.has(5));
将会删除 Set 的所有成员 const s = new Set([1, 2, 3]); s.clear(); console.log(s); 4. Set 的成员访问它的成员访问要通过 它有两个参数,第一个参数为回调函数,第二个参数设定回调函数中 s.forEach(回调函数, 回调函数的指向) 我们先来看第一个参数: 对于第一个参数回调函数,它有三个参数: s.forEach(function(value, key, set){ value 就是 Set 的成员 在 Set 中,value 和 key 是相等的 set 就是前面Set的本身,即这里 set === s }); 通过一个例子理解一下: const s = new Set([1, 2, 3]); s.forEach(function(value, key, set) { console.log(value, key, value === key); console.log(set, set === s); }); 再来看第二个参数: const s = new Set([1, 2, 3]); s.forEach(function(value, key, set) { console.log(this); }, document); 5. Set 的注意事项Set 对重复值的判断基本遵循严格相等 不过对于 6. Set 的使用场景数组去重 let arr = [1, 2, 1]; const s = new Set(arr); arr = [...s]; // 也可以合成一句 // arr = [...new Set(arr)]; console.log(arr); 字符串去重 let str = "11231131242"; const s = new Set(str); str = [...s].join(""); // 也可以写成一句 // str = [...new Set(str)].join(""); console.log(str); 存放 DOM 元素 <!DOCTYPE html> <html lang="en"> <head> <meta charset="UTF-8"> <meta http-equiv="X-UA-Compatible" content="IE=edge"> <meta name="viewport" content="width=device-width, initial-scale=1.0"> <title>set</title> </head> <body> <p>1</p> <p>2</p> <p>3</p> <script> const s = new Set(document.querySelectorAll('p')); s.forEach((elem) => { console.log(elem) }); </script> </body> </html> 总结本篇文章就到这里了,希望能够给你带来帮助,也希望您能够多多关注极客世界的更多内容! |
请发表评论