Thursday, February 6, 2014

My path to JavaScript: Refactoring fizzbuzz with Array.map and Array.join

I've just refactored the generalized version of FizzBuzz I posted about recently using Array.map and Array.join functions.

This is the version that I had before:

var makeSubstitution = function (divisor, substitute) {
return function substituteNumberBy(acc, number) {
if (number % divisor == 0) {
acc += substitute;
}
return acc;
};
};
var substitute = function (numbers, substitutions) {
function substituteOne (number) {
var res = (function f(acc, remainingSubstitutions) {
if (remainingSubstitutions.length == 0) {
return acc;
} else {
acc = remainingSubstitutions[0](acc, number);
return f(acc, remainingSubstitutions.slice(1));
}
}("", substitutions));
if (res != "")
return res;
return String(number);
}
return (function f (acc, remainingNumbers) {
if (remainingNumbers.length == 0) {
return acc;
} else {
next = substituteOne(remainingNumbers[0]);
if (remainingNumbers.length == 1) {
return acc + next;
} else {
return f (acc + next + " ", remainingNumbers.slice(1));
}
}
})("", numbers);
};
view raw fizzBuzz2.js hosted with ❤ by GitHub

and this is the new version using Array.map and Array.join:

var makeSubstitution = function (divisor, substitute) {
return function substituteNumberBy(acc, number) {
if (number % divisor == 0) {
acc += substitute;
}
return acc;
};
};
var substitute = function (numbers, substitutions) {
function substituteOne (number) {
var res = (function f(acc, remainingSubstitutions) {
if (remainingSubstitutions.length == 0) {
return acc;
} else {
acc = remainingSubstitutions[0](acc, number);
return f(acc, remainingSubstitutions.slice(1));
}
}("", substitutions));
if (res != "")
return res;
return String(number);
}
return numbers.map(substituteOne).join(" ");
};
view raw fizzbuzz3.js hosted with ❤ by GitHub

Even though it was fun coding that "map+join" recursive function of the first version, the second version is much simpler and more efficient (I used jsPerf to compare the two versions, check out the comparison).

Had I known Array.map and Array.join before, I could have saved a lot of typing and thinking to "reinvent the whell" :)

No comments:

Post a Comment