问题
I'm want to write function that returns next permutation in lexicographic order n choose k.
So far I found following algorithm
class Permutation
{
public function swap(& $a, $first, $second)
{
$tmp = $a[$first];
$a[$first] = $a[$second];
$a[$second] = $tmp;
}
function nextPermutation(& $a, $n, $k)
{
do {
$first = $n - 2;
while ($first != -1 && $a[$first] >= $a[$first + 1]) $first--;
if ($first == -1)
return false;
$second = $n - 1;
while ($a[$first] >= $a[$second]) $second--;
$this->swap($a, $first, $second);
$left = $first + 1;
$right = $n - 1;
while ($left < $right) {
$this->swap($a, $left++, $right--);
}
} while ($first > $k - 1);
return true;
}
public function run()
{
$n=10;
$k=4;
$a = array_merge(range(ord(0), ord(9)), range(ord('A'), ord('Z')), range(ord('a'), ord('z')));
$i = 0;
while ($this->nextPermutation($a, $n, $k)) {
$i++;
echo($i . ") ");
for ($j = 0; $j < $k; $j++) {
echo $a[$j] . " ";
}
echo("\n");
}
}
}
But it works only with n up to 13 and then gets every slow. I need to make it work for n=62 and k=6. Is it possible to do it?
回答1:
This combinatorial object has no specific name in English combinatorics, in Russian and French combinatoric terminology it is called "arrangements" A(n,k)
There are 44 261 653 680 arrangements A(62,6)
- so their generation and output (~500 GB) takes too long time. In compiled languages like C/C++/Delphi generation (without ouput) perhaps should take about some hours (rough estimation 10^6-10^7 results per second), but this process ought to be slower in PHP (interpreted language).
Your code uses algorithm for usual permutations that generates n!
results against needed n!/(n-k)!
arrangements.
Simple recursive Python code for generation of arrangements. Works ~3 seconds for n=25,k=5. Not optimal, will check better in the book.
n = 4
k = 2
ar = [0] * k
used = set()
def genArr(idx):
for i in range(n):
if not i in used:
used.add(i)
ar[idx] = i
if idx == k - 1:
print(ar) #comment for large n
else:
genArr(idx + 1)
used.remove(i)
genArr(0)
print('OK')
[0, 1, 2]
[0, 1, 3]
[0, 2, 1]
[0, 2, 3]
......
[2, 3, 1]
[3, 0, 1]
[3, 0, 2]
[3, 1, 0]
[3, 1, 2]
[3, 2, 0]
[3, 2, 1]
来源:https://stackoverflow.com/questions/56234369/next-permutation-in-lexicographic-order-n-k