This is the version that I had before:
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
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); | |
}; |
and this is the new version using Array.map and Array.join:
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
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(" "); | |
}; |
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