--- id: 8d1323c8c441eddfaeb5bdef title: Create a Set Class challengeType: 1 videoUrl: '' localeTitle: 创建一个Set类 --- ## Description
在接下来的几个练习中,我们将创建一个函数来模拟一个名为“Set”的数据结构。 Set类似于数组,但不能包含重复值。 Set的典型用途是简单地检查项目是否存在。这可以用对象实现,例如:
var set = new Object();
set.foo = true;
//看看我们的集合中是否存在foo:
console.log(set.foo)// true
在接下来的几个练习中,我们将从头开始构建一个全功能的Set。对于本练习,只要该值中尚不存在该值,就创建一个将值添加到set集合的函数。例如:
this.add = function(element){
//一些代码来为集合添加值
}
如果成功添加该值,则该函数应返回true否则返回false
## Instructions
## Tests
```yml tests: - text: 您的Set类应该有一个add方法。 testString: 'assert((function(){var test = new Set(); return (typeof test.add === "function")}()), "Your Set class should have an add method.");' - text: 您的add方法不应添加重复值。 testString: 'assert((function(){var test = new Set(); test.add("a"); test.add("b"); test.add("a"); var vals = test.values(); return (vals[0] === "a" && vals[1] === "b" && vals.length === 2)}()), "Your add method should not add duplicate values.");' - text: 成功添加值后, add方法应返回true 。 testString: 'assert((function(){var test = new Set(); var result = test.add("a"); return (result != undefined) && (result === true);}()), "Your add method should return true when a value has been successfully added.");' - text: add重复值时, add方法应返回false 。 testString: 'assert((function(){var test = new Set(); test.add("a"); var result = test.add("a"); return (result != undefined) && (result === false);}()), "Your add method should return false when a duplicate value is added.");' ```
## Challenge Seed
```js function Set() { // the var collection will hold our set var collection = []; // this method will check for the presence of an element and return true or false this.has = function(element) { return (collection.indexOf(element) !== -1); }; // this method will return all the values in the set this.values = function() { return collection; }; // change code below this line // change code above this line } ```
## Solution
```js // solution required ```