Hash Tables in javascript object
could be represented Hash Tables.
Hash Collision -> 是指不同的輸入經過 Hash 函數計算後,得到了相同的輸出值。相同hash編號內的資料,會透過Linked List的方式串接在一起。
Hash Table 常用在儲存使用者的 Email、使用者資料。
Operations on Hash Tables
Insert - O(1)
Access Lookup- O(1)
Search - O(1)
Delete - O(1)
集合 Set The Set object lets you store unique values of any type, whether primitive values or object references.
elements in an array do not repeat -> use Set
elements in an object do not repeat -> use Map
both have size, has(), and keys().
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 const set1 = new Set ([1 , 2 , 3 , 4 , 5 ]);set1.add (7 ); set1.add (1 ); console .log (set1.has (1 ));console .log (set1.has (6 )); const obj : {name : 'Ken' }; set1.add (obj); console .log (set1.has ({name : 'Ken' })); set1.delete (5 ); set1.delete (6 ); set1.size ; const text = "India" ;const set2 = new Set (text); set2.size ; set2.keys (); set2.values (); set2.entries (); set2.forEach ((item ) => console .log (item)); set2.clear ();
Set composition return Set A.difference(B) 差集 A.intersection(B) 交集 A.symmetricDifference(B) A.union(B) 聯集
return Boolean A.isDisjointFrom(B) A.isSubsetOf(B) A.isSupersetOf(B)
圖片來源
1 2 3 4 5 6 7 8 9 const setA = new Set ([1 , 2 , 3 , 4 ]), setB = new Set ([2 , 3 ]), setC = new Set ([3 , 4 , 5 , 6 ]); setA.difference (setC); setA.union (setC); setA.intersection (setC); setA.isSuperset (setB);
也可用於 Map
1 2 3 4 5 6 7 const a = new Set ([1 , 2 , 3 ]);const b = new Map ([ [1 , "one" ], [2 , "two" ], [4 , "four" ], ]); console .log (a.union (b));
Array <==> Set 1 2 3 4 5 6 let SetToArray = [...set]; let SetToArray2 = Array .from (set);let ArrayToSet = new Set (arr);
Remove duplicate elements from an array 1 2 const arr = [1 , 1 , 3 , 5 , 5 , 7 ];let uniqueArray =[...new Set (arr)];
Two Sum 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 function hasPairWithSum (arr, sum ) { var len = arr.length ; for (var i = 0 ; i < len - 1 ; i++) { for (var j = i + 1 ; j < len; j++) { if (arr[i] + arr[j] === sum) return true ; } } return false ; } function hasPairWithSum2 (arr, sum ) { const mySet = new Set (); for (let i = 0 ; i < arr.length ; i++) { if (mySet.has (arr[i])) { return true ; } mySet.add (sum - arr[i]); } return false ; } console .log (hasPairWithSum2 ([6 , 4 , 3 , 2 , 1 , 7 ], 9 ));function hasPairWithSum2 (arr, sum ) { const myMap = new Map (); for (let i = 0 ; i < arr.length ; i++) { const newNum = sum - arr[i]; console .log (newNum); console .log (myMap); if (myMap.has (newNum)) { return true ; } myMap.set (arr[i], i); } return false ; } console .log (hasPairWithSum2 ([6 , 4 , 3 , 2 , 1 , 7 ], 9 ));
學習與參考資料