1 から 10 までの数字を取り、その数字を並べ替えるすべての可能な方法を表示するプログラムを作成しています。
Ex 入力: 3 出力:
1 2 3
1 3 2
2 1 3
2 3 1
3 1 2
3 2 1
9 または 10 を入力するたびに、プログラムはセグメンテーション違反を発生させ、コアをダンプします。問題は、再帰アルゴリズムが何度も呼び出されていることだと思います。必要な再帰呼び出しの量を制限する方法を誰かが指摘してくれませんか? これが私の現在のコードです:
void rearange(int numbers[11], int index, int num, int fact) {
int temp = numbers[index];
numbers[index] = numbers[index-1];
numbers[index-1] = temp;
int i;
for (i = 1; i <= num; ++i) // print the current sequence
{
printf("%d ", numbers[i]);
}
printf("\n");
fact--; // decrement how many sequences remain
index--; // decrement our index in the array
if (index == 1) // if we're at the beginning of the array
index = num; // reset index to end of the array
if (fact > 0) // If we have more sequences remaining
rearange(numbers, index, num, fact); // Do it all again! :D
}
int main() {
int num, i; // our number and a counter
printf("Enter a number less than 10: ");
scanf("%d", &num); // get the number from the user
int numbers[11]; // create an array of appropriate size
// fill array
for (i = 1; i <= num; i++) { // fill the array from 1 to num
numbers[i] = i;
}
int fact = 1; // calculate the factorial to determine
for (i = 1; i <= num; ++i) // how many possible sequences
{
fact = fact * i;
}
rearange(numbers, num, num, fact); // begin rearranging by recursion
return 0;
}