您的排列问题基本上只是一个索引排列问题。如果您可以在所有可能的变化中对从 0 到 n - 1 的数字进行排序,则可以将它们用作输入数组的索引,并简单地复制字符串。下面的算法不是最优的,但它足够图形化,可以迭代地解释和实现。
public static String[][] getAllPermutations(String[] str) {
LinkedList<Integer> current = new LinkedList<>();
LinkedList<Integer[]> permutations = new LinkedList<>();
int length = str.length;
current.add(-1);
while (!current.isEmpty()) {
// increment from the last position.
int position = Integer.MAX_VALUE;
position = getNextUnused(current, current.pop() + 1);
while (position >= length && !current.isEmpty()) {
position = getNextUnused(current, current.pop() + 1);
}
if (position < length) {
current.push(position);
} else {
break;
}
// fill with all available indexes.
while (current.size() < length) {
// find first unused index.
int unused = getNextUnused(current, 0);
current.push(unused);
}
// record result row.
permutations.add(current.toArray(new Integer[0]));
}
// select the right String, based on the index-permutation done before.
int numPermutations = permutations.size();
String[][] result = new String[numPermutations][length];
for (int i = 0; i < numPermutations; ++i) {
Integer[] indexes = permutations.get(i);
String[] row = new String[length];
for (int d = 0; d < length; ++d) {
row[d] = str[indexes[d]];
}
result[i] = row;
}
return result;
}
public static int getNextUnused(LinkedList<Integer> used, Integer current) {
int unused = current != null ? current : 0;
while (used.contains(unused)) {
++unused;
}
return unused;
}
getAllPermutations 方法被组织在一个初始化部分、一个收集所有排列(数字)的循环中,最后将找到的索引排列转换为字符串排列。
由于从 int 到 String 的转换是微不足道的,我将只解释集合部分。只要表示没有完全耗尽或从内部终止,循环就会迭代。
首先,我们增加表示 ( current
)。为此,我们取最后一个“数字”并将其增加到下一个自由值。然后我们弹出,如果我们超过长度,并查看下一个数字(并增加它)。我们继续这个,直到我们达到一个合法的值(一个低于长度)。
之后,我们用所有剩余的数字填充剩余的数字。完成后,我们将当前表示存储到数组列表中。
该算法在运行时不是最优的!堆更快。但是迭代地实现堆需要一个非平凡的堆栈,实现/解释起来很烦人。