Czy istnieje sposób na map
/ reduce
/ filter
/ etc a Set
w JavaScript, czy będę musiał napisać własny?
Oto kilka rozsądnych Set.prototype
rozszerzeń
Set.prototype.map = function map(f) {
var newSet = new Set();
for (var v of this.values()) newSet.add(f(v));
return newSet;
};
Set.prototype.reduce = function(f,initial) {
var result = initial;
for (var v of this) result = f(result, v);
return result;
};
Set.prototype.filter = function filter(f) {
var newSet = new Set();
for (var v of this) if(f(v)) newSet.add(v);
return newSet;
};
Set.prototype.every = function every(f) {
for (var v of this) if (!f(v)) return false;
return true;
};
Set.prototype.some = function some(f) {
for (var v of this) if (f(v)) return true;
return false;
};
Weźmy mały zestaw
let s = new Set([1,2,3,4]);
I kilka głupich małych funkcji
const times10 = x => x * 10;
const add = (x,y) => x + y;
const even = x => x % 2 === 0;
I zobacz, jak działają
s.map(times10); //=> Set {10,20,30,40}
s.reduce(add, 0); //=> 10
s.filter(even); //=> Set {2,4}
s.every(even); //=> false
s.some(even); //=> true
Czy to nie miłe? Tak, też tak myślę. Porównaj to z brzydkim użyciem iteratora
// puke
let newSet = new Set();
for (let v in s) {
newSet.add(times10(v));
}
I
// barf
let sum = 0;
for (let v in s) {
sum = sum + v;
}
Czy jest lepszy sposób na wykonanie map
i reduce
użycie Set
w JavaScript?
var s = new Set([1,2,3,4]); s.map((a) => 42);
. Zmienia liczbę elementów, co map
zwykle nie powinno. Jeszcze gorzej, jeśli porównujesz tylko części zachowanych obiektów, ponieważ wtedy technicznie nie jest określone, który z nich otrzymasz.
forEach
istnieje dla tego scenariusza, ale dlaczego nie reduce
?
Set
polega na tym, że zestawy nie są funktorami.