これは、すべての順列を生成することと同じです。
For generating the next permutation after the current one(the first one is 123):
1. Find from right to left the first position pos where current[pos] < current[pos + 1]
2. Increment current[pos] to the next possible number(some numbers are maybe already used)
3. At the remaining positions(> pos) put the smallest possible numbers not used.
4. Go to 1.
すべての順列を出力する作業コードは次のとおりです。
import java.util.Arrays;
import java.util.HashSet;
import java.util.Scanner;
import java.util.Set;
public class Main {
public static void main(String[] args) {
final int n = 3;
int[] current = new int[n];
for (int i = 1; i <= n; i++) {
current[i - 1] = i;
}
int total = 0;
for (;;) {
total++;
boolean[] used = new boolean[n + 1];
Arrays.fill(used, true);
for (int i = 0; i < n; i++) {
System.out.print(current[i] + " ");
}
System.out.println();
used[current[n - 1]] = false;
int pos = -1;
for (int i = n - 2; i >= 0; i--) {
used[current[i]] = false;
if (current[i] < current[i + 1]) {
pos = i;
break;
}
}
if (pos == -1) {
break;
}
for (int i = current[pos] + 1; i <= n; i++) {
if (!used[i]) {
current[pos] = i;
used[i] = true;
break;
}
}
for (int i = 1; i <= n; i++) {
if (!used[i]) {
current[++pos] = i;
}
}
}
System.out.println(total);
}
}
PS私はたった数分でコードを書きました。コードがクリーンであるとか、変数の名前が適切であるとは主張しません。