La récursion est votre amie pour cette tâche.
Pour chaque élément - "devinez" s'il est dans le sous-ensemble actuel, et invoquez récursivement avec la supposition et un sur-ensemble plus petit dans lequel vous pouvez choisir. En procédant ainsi pour les suppositions "oui" et "non", vous obtiendrez tous les sous-ensembles possibles.
Se limiter à une certaine longueur peut être facilement réalisé dans une clause d'arrêt.
Code Java :
private static void getSubsets(List<Integer> superSet, int k, int idx, Set<Integer> current,List<Set<Integer>> solution) {
//successful stop clause
if (current.size() == k) {
solution.add(new HashSet<>(current));
return;
}
//unseccessful stop clause
if (idx == superSet.size()) return;
Integer x = superSet.get(idx);
current.add(x);
//"guess" x is in the subset
getSubsets(superSet, k, idx+1, current, solution);
current.remove(x);
//"guess" x is not in the subset
getSubsets(superSet, k, idx+1, current, solution);
}
public static List<Set<Integer>> getSubsets(List<Integer> superSet, int k) {
List<Set<Integer>> res = new ArrayList<>();
getSubsets(superSet, k, 0, new HashSet<Integer>(), res);
return res;
}
Invoquer avec :
List<Integer> superSet = new ArrayList<>();
superSet.add(1);
superSet.add(2);
superSet.add(3);
superSet.add(4);
System.out.println(getSubsets(superSet,2));
Cédera :
[[1, 2], [1, 3], [1, 4], [2, 3], [2, 4], [3, 4]]