Javaだと全列挙するメソッドがないらしい。
仕方ないので自作する機会が多いのでn!全列挙を作成しました。
件数が少ない時の最適解など全列挙して全部求めることもあるかな~って思います。
<ソース>
public class Main {
private static void buildPerm(int[] seed, int[] perm, boolean[] used, int index) {
if (index == seed.length) {
System.out.println(java.util.Arrays.toString(perm));
return;
}
for (int i = 0; i < seed.length; ++i) {
if (used[i]) continue;
perm[index] = seed[i];
used[i] = true;
buildPerm(seed, perm, used, index + 1);
used[i] = false;
}
}
public static void main(String[] args) {
int[] seed = new int[]{1, 2, 3, 4};
int[] perm = new int[seed.length];
boolean[] used = new boolean[seed.length];
buildPerm(seed, perm, used, 0);
}
}
<実行結果>
[1, 2, 3, 4]
[1, 2, 4, 3]
[1, 3, 2, 4]
[1, 3, 4, 2]
[1, 4, 2, 3]
[1, 4, 3, 2]
[2, 1, 3, 4]
[2, 1, 4, 3]
[2, 3, 1, 4]
[2, 3, 4, 1]
[2, 4, 1, 3]
[2, 4, 3, 1]
[3, 1, 2, 4]
[3, 1, 4, 2]
[3, 2, 1, 4]
[3, 2, 4, 1]
[3, 4, 1, 2]
[3, 4, 2, 1]
[4, 1, 2, 3]
[4, 1, 3, 2]
[4, 2, 1, 3]
[4, 2, 3, 1]
[4, 3, 1, 2]
[4, 3, 2, 1]