-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathChp6-Set.js
73 lines (62 loc) · 2.06 KB
/
Chp6-Set.js
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
function MySet() {
var items = {}; // use an object to implement set
this.has = x => items.hasOwnProperty(x);
this.add = x => {
if (!this.has(x)) {
// object in JS must have unique property names; so this ensures uniqueness
items[x] = x; // add a new property to an object
return true;
}
return false;
}
this.remove = x => {
if (this.has(x)) {
delete items[x]; // remove a property from an object
return true;
}
return false;
}
this.clear = () => items = {};
//Object prototype has a keys function which returns an array of
//all the properties of a given object instance
this.size = () => Object.keys(items).length;
this.values = () => Object.keys(items); // keys and values are the same in items object
this.union = otherSet => {
var res = new MySet();
this.values().forEach(x => res.add(x));
otherSet.values().forEach(x => res.add(x));
return res;
}
this.interset = otherSet => {
var res = new MySet();
var common = this.values().filter(x => otherSet.has(x));
common.forEach(x => res.add(x));
return res;
}
this.difference = otherSet => {
var res = new MySet();
var diff = this.values().filter(x => !otherSet.has(x));
diff.forEach(x => res.add(x));
return res;
}
this.subSet = otherSet => {
return otherSet.values().every(x => this.has(x));
}
}
(function test(){
var s = new MySet();
var data = [1, 2, 3, 4, 5];
data.forEach(i => s.add(i));
console.log(s.values());
s.remove(4);
console.log(s.values());
var s2 = new MySet();
var data2 = [2, 3, 4, 5, 6];
data2.forEach(i => s2.add(i));
var union = s.union(s2);
console.log('union:' + union.values());
var intersect = s.interset(s2);
console.log('intersect:' + intersect.values());
var diff = s.difference(s2);
console.log('diff:' + diff.values());
})();