前言
【笔记内容】
- 关于JSchallenger中Set对象题目的复盘
- 本人的提交、以及做题时的思路
- 分析作者答案
- 涉及的知识快速了解,==注意:并不深入分析具体知识,只是围绕题目展开==
【笔记目的】
-
帮助本人进一步了解Javascript的Set对象 以及涉及的方法
-
对自己做题后的复盘,进一步了解自己的不足之处
【相关资源】
【==温馨提示==】
- 笔记中有些个人理解后整理的笔记,可能有所偏差,也恳请读者帮忙指出,谢谢。
- 若是有其他的解题方法也请读者分享到评论区,一起学习,共同进步,谢谢。
- 我的提交有不足之处也恳请读者帮忙指出,不吝赐教,谢谢。
Set对象快速了解
什么是Set对象?
- 允许你存储任何类型的唯一值
- 是值的集合,Set中的元素只会出现一次,即 Set 中的元素是唯一的。
- 常见方法
方法名 | 描述 |
---|---|
Set() | 创建一个新的Set 对象 |
Set.prototype.add() | 在Set 对象尾部添加一个元素。返回该Set 对象。 |
Set.prototype.clear() | 移除Set 对象内的所有元素。 |
Set.prototype.has() | has() 方法返回一个布尔值来指示对应的值value是否存在Set对象中。 |
Set.prototype.values() | 返回一 个新的迭代器对象,该对象包含Set 对象中的按插入顺序排列的所有元素的值 |
JSchallenger Javascript Sets
Check if value is present in Set
需求:
Write a function that takes a Set and a value as arguments
Check if the value is present in the Set
我的提交(作者答案)
function myFunction(set, val) {
return set.has(val);
}
涉及知识(set.has()方法)
Set.prototype.has()
- 返回一个布尔值来指示对应的值value是否存在Set对象中。
格式
mySet.has(value);
value
(需要测试的值):必须。用来判断该值是否存在Set对象中
返回值:
- 布尔值。
true
:存在false
:不存在
Convert a Set to Array
需求:
Write a function that takes a Set as argument
Convert the Set to an Array
Return the Array
我的提交
function myFunction(set) {
return Array.from(set);
}
作者答案
function myFunction(set) {
return [...set];
}
涉及知识(Set对象与数组对象的相互转换、Array.from()方法、扩展运算符)
Set对象与数组对象的相互转换
数组对象 ==>Set对象
var arr=[1,2,3]
var set = new Set(arr);
Set对象 ==>数组对象
Array.from()从
set
生成数组
var set = new Set([1,2,3]);
var arr = Array.from(set);
[ ]
var set = new Set([1,2,3]);
var arr = [...set];
==PS:数组对象与Set对象的区别==
Set对象 | 数组对象 | |
---|---|---|
元素 | 唯一 | 可重复 |
数组 | 伪数组 | 真正数组 |
Array.from()方法
- 创建数组对象
扩展运算符
-
又称对象展开符,由
...
表示 -
用于取出参数对象所有可遍历属性然后拷贝到当前对象。
let person = {name: "Amy", age: 15};
let someone = { ...person };
someone; //{name: "Amy", age: 15}
Get union of two sets
需求:
Write a function that takes two Sets as arguments
Create the union of the two sets
Return the result
Tipp: try not to switch to Arrays, this would slow down your code
我的提交
function myFunction(a, b) {
return new Set([...a, ...b]);
}
作者答案
function myFunction(a, b) {
const result = new Set(a);
b.forEach((el) => result.add(el));
return result;
}
涉及知识(拼接两个Set对象的方法、扩展运算符、forEach()方法、set.add()方法、箭头函数)
拼接两个Set对象的方法
方法一:通过拓展运算符,合并两个伪数组
var a=new Set([1,2,3]);
var b=new Set([4,5,6]);
var arr = new Set([...a,...b]);
方法二:通过循环将一个Set对象中元素添加到另一个Set对象中
具体实现正如上述作者答案,就不在赘述了。
扩展运算符
-
可用于合并两个对象
let age = {age: 15};
let name = {name: "Amy"};
let person = {...age, ...name};
person; //{age: 15, name: "Amy"}
forEach()方法
- 用于调用数组的每个元素,并将元素传递给回调函数。
格式(==注意该格式不完整,之针对本题的格式==)
array.forEach(function(currentValue), thisValue)
functuion(currentValue)
(数组中每个元素需要调用的函数):必需
currentValue
(当前元素):必需
thisValue
:可选
- 传递给函数的值一般用
this
值。 - 如果这个参数为空,
undefined
会传递给this
值
返回值:undefined