g0001_0100.s0077_combinations.Solution Maven / Gradle / Ivy
Go to download
Show more of this group Show more artifacts with this name
Show all versions of leetcode-in-java Show documentation
Show all versions of leetcode-in-java Show documentation
Java-based LeetCode algorithm problem solutions, regularly updated
package g0001_0100.s0077_combinations;
// #Medium #Backtracking #Algorithm_I_Day_11_Recursion_Backtracking
// #2022_06_19_Time_5_ms_(90.06%)_Space_55.4_MB_(25.00%)
import java.util.ArrayList;
import java.util.List;
import java.util.Stack;
@SuppressWarnings("java:S1149")
public class Solution {
public List> combine(int n, int k) {
List> ans = new ArrayList<>();
// Boundary case
if (n > 20 || k < 1 || k > n) {
return ans;
}
backtrack(ans, n, k, 1, new Stack<>());
return ans;
}
private void backtrack(List> ans, int n, int k, int s, Stack stack) {
// Base case
// If k becomes 0
if (k == 0) {
ans.add(new ArrayList<>(stack));
return;
}
// Start with s till n-k+1
for (int i = s; i <= (n - k) + 1; i++) {
stack.push(i);
// Update start for recursion and decrease k by 1
backtrack(ans, n, k - 1, i + 1, stack);
stack.pop();
}
}
}