I am new to Java and am I trying to implement a recursive method for finding "n choose k".
However, I've run into a problem.
public class App {
public static void main(String[] args) throws Exception {
    int n = 3;
    int k = 2;
    int result = combRecursion(n, k);
    System.out.println(result);
}
private static int combRecursion(int n, int k) {
    if (k == 0) {
        return 1;
    } else {
        return (combRecursion(n - 1, k - 1) + combRecursion(n - 1, k));
    }
}
Output: many repetitions of this line:
at App.combRecursion(App.java:14)
 
                        
It's possible to pick
kitems from the set ofnitems only ifnis greater or equal tok.You need to cut off fruitless branches of recursion spawn by the call
combRecursion(n - 1, k)which doesn't reduce the number of item in the sample.When you need to create a recursive method, it should always contain two parts:
Base case - that represents a set of edge-cases, trivial scenarios for which the result is known in advance. If the recursive method hits the base case (parameters passed to the method match one of the conditions of the base case), recursion terminates. In for this task, the base case will represent a situation when the source list was discovered completely and position is equal to its size (invalid index).
Recursive case - a part of a solution where recursive calls are made and where the main logic resides.
Your recursive case is correct: it spawns two recursive branches of execution (one will "pick" the current item, the second will "reject" it).
But in the base case, you've missed the scenario mentioned above, we need to address these situations:
nisn't large enough (k > n), so that is not possible to fetchkitem. And the return value will be0(or instead of returning a value, you might throw an exception).k == 0result should be1(it's always possible to take0items, and there's only one way to do it - don't pick anything).k == n- there's only one way to construct a combination, as @akuzminykh has pointed out. And the return value will be1Note that because your goal is to get familiar with the recursion (I'm pretty sure that you're doing it as an exercise) there's no need to mimic the mathematical formula in your solution, use pure logic.
Here is how you can implement it:
main()- demoOutput