每个人都想有所成就,却不知信手拈来的从容都是厚积薄发的沉淀。
今日学习内容 1、JS 红皮书 P176- 第六章:集合引用类型
今日笔记 1、从各方面来看,Set 跟 Map 都很相似,只是 API 稍有调整。唯一需要强调的就是集合的 API 对自身的简单操作。很多开发者都喜欢使用 Set 操作,但需要手动实现:或者是子类化 Set,或者是定义一个实用函数库。要把两种方式合二为一,可以在子类上实现静态方法,然后在实例方法中使用这些静态方法。在实现这些操作时,需要考虑几个地方。 某些 Set 操作是有关联性的,因此最好让实现的方法能支持处理任意多个集合实例。 Set 保留插入顺序,所有方法返回的集合必须保证顺序。 尽可能高效地使用内存。扩展操作符的语法很简洁,但尽可能避免集合和数组间的相互转换能够节省对象初始化成本。 不要修改已有的集合实例。union(a, b)或 a.union(b)应该返回包含结果的新集合实例。
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 74 75 76 77 78 class XSet extends Set { union (...sets ) { return XSet .union (this , ...sets); } intersection (...sets ) { return XSet .intersection (this , ...sets); } difference (set ) { return XSet .difference (this , set); } symmetricDifference (set ) { return XSet .symmetricDifference (this , set); } cartesianProduct (set ) { return XSet .cartesianProduct (this , set); } powerSet ( ) { return XSet .powerSet (this ); } static union (a, ...bSets ) { const unionSet = new XSet (a); for (const b of bSets) { for (const bValue of b) { unionSet.add (bValue); } } return unionSet; } static intersection (a, ...bSets ) { const intersectionSet = new XSet (a); for (const aValue of intersectionSet) { for (const b of bSets) { if (!b.has (aValue)) { intersectionSet.delete (aValue); } } } return intersectionSet; } static difference (a, b ) { const differenceSet = new XSet (a); for (const bValue of b) { if (a.has (bValue)) { differenceSet.delete (bValue); } } return differenceSet; } static symmetricDifference (a, b ) { return a.union (b).difference (a.intersection (b)); } static cartesianProduct (a, b ) { const cartesianProductSet = new XSet (); for (const aValue of a) { for (const bValue of b) { cartesianProductSet.add ([aValue, bValue]); } } return cartesianProductSet; } static powerSet (a ) { const powerSet = new XSet ().add (new XSet ()); for (const aValue of a) { for (const set of new XSet (powerSet)) { powerSet.add (new XSet (set).add (aValue)); } } return powerSet; } }