Created
September 12, 2015 20:07
-
-
Save rbarilani/0d7946510740f9e1e8fa to your computer and use it in GitHub Desktop.
Finding all possible combinations of numbers to reach a given sum ()
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
function subsetSum(numbers, target, partial) { | |
var s, n, remaining; | |
partial = partial || []; | |
// sum partial | |
s = partial.reduce(function (a, b) { | |
return a + b; | |
}, 0); | |
// check if the partial sum is equals to target | |
if (s === target) { | |
console.log("%s=%s", partial.join("+"), target) | |
} | |
if (s >= target) { | |
return; // if we reach the number why bother to continue | |
} | |
for (var i = 0; i < numbers.length; i++) { | |
n = numbers[i]; | |
remaining = numbers.slice(i + 1); | |
subsetSum(remaining, target, partial.concat([n])); | |
} | |
} | |
subsetSum([3,9,8,4,5,7,10],15); | |
// output: | |
// 3+8+4=15 | |
// 3+5+7=15 | |
// 8+7=15 | |
// 5+10=15 | |
// | |
// http://stackoverflow.com/questions/4632322/finding-all-possible-combinations-of-numbers-to-reach-a-given-sum/30870577#30870577 | |
// |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment