集合的定义
集合(set)是一种包含不同元素的数据结构。集合中的元素称为成员。集合的两个最重要特性是:首先,集合中的成员是无序的;其次,集合中不允许相同成员存在。不包含任何成员的集合称为空集,全集则是包含一切可能成员的集合。如果两个集合的成员完全相同,则称两个集合相等。如果一个集合中所有的成员都属于另外一个集合,则前一集合称为后一集合的子集。对集合的操作
 并集:对于给定的两个集合,返回一个包含两个集合中所有元素的新集合。 
交集:对于给定的两个集合,返回一个包含两个集合***有元素的新集合。 
差集:对于给定的两个集合,返回一个包含所有存在于第一个集合且不存在于第二个集合的元素的新集合。 
子集:验证一个给定集合是否是另一个集合的子集。
Set类的实现
//集合 function Set() { this.dataStore=[]; this.add=add; this.remove=remove; this.size=size; this.union=union; //并集 this.interset=interset;//交集 this.subset=subset;//子集 this.difference=difference; this.show=show; this.contains=contains; } function add(data){ if(this.dataStore.indexOf(data)<0){ this.dataStore.push(data); return true; }else{ return false; } } function remove(data){ let pos=this.dataStore.indexOf(data); if(pos>-1){ this.dataStore.splice(pos,1); return true; }else{ return false; } } //并集 function union(set){ let tempSet=new Set(); for(let i=0;i<this.dataStore.length;i++){ tempSet.add(this.dataStore[i]); } for(let i=0;i<set.dataStore.length;i++){ if (!tempSet.contains(set.dataStore[i])){ tempSet.dataStore.push(set.dataStore[i]); } } return tempSet; } //交集 function interset(set){ let tempSet=new Set(); for(let i=0;i<this.dataStore.length;i++){ if (set.contains(this.dataStore[i])){ tempSet.add(this.dataStore[i]); } } return tempSet; } //子集 function subset(set){ if(this.size()>set.size()){ return false; }else{ return this.dataStore.every((val)=>{ return set.contains(val)}); } } //返回属于自身集合但属于set集合的成员 function difference(set){ let tempSet=new Set(); for(let i=0;i<this.dataStore.length;i++){ if(!set.contains(this.dataStore[i])){ tempSet.add(this.dataStore[i]); } } return tempSet; } function contains(data){ if(this.dataStore.indexOf(data)>-1){ return true; }else{ return false; } } function size(){ return this.dataStore.length; } function show(){ return this.dataStore; } let names=new Set(); names.add('Tom'); names.add("David"); names.add("Jennifer"); names.add("Cynthia"); names.add("Mike"); names.add("Raymond"); /*if(names.add("Tom")){ console.log("Tom added success\n") }else{ console.log("Can't add Tom,must alerady be in set\n"); } console.log(names.show()); if(names.remove("Jennifer")){ console.log("removed success\n"); }else{ console.log("removed fail\n"); } console.log(names.show());*/ let compellations=new Set(); compellations.add("Jack"); compellations.add("Raymond"); compellations.add("Tom"); compellations.add("Jonathan"); let it=names.union(compellations); console.log("并集:",it.show()); let inter=names.interset(compellations); console.log("交集:",inter.show()); let dmps=new Set(); dmps.add('Tom'); dmps.add("David"); // dmps.add("Jack"); console.log("子集:",dmps.subset(names)); let diff=names.difference(compellations); console.log("diff:",diff.show());
 京公网安备 11010502036488号
京公网安备 11010502036488号