This function finds the intersection of two sets, i.e., elements that are common to both sets.
JavaScript:
let intersection = (set1, set2) => new Set([...set1].filter(val => set2.has(val)));
// Example
console.log(intersection(new Set([1, 2, 3]), new Set([2, 3, 4]))); // Set [2, 3]
console.log(intersection(new Set(['a', 'b', 'c']), new Set(['b', 'c', 'd']))); // Set ['b', 'c']
TypeScript:
let intersection = (set1: Set, set2: Set): Set => new Set([...set1].filter(val => set2.has(val)));
// Example
console.log(intersection(new Set([1, 2, 3]), new Set([2, 3, 4]))); // Set [2, 3]
console.log(intersection(new Set(['a', 'b', 'c']), new Set(['b', 'c', 'd']))); // Set ['b', 'c']