Falha de segmentação devido à recursão

Eu estou escrevendo um programa que é pegar um número entre 1-10 e mostrar todas as formas possíveis de organizar os números.

Entrada Ex: 3 saída:

   1 2 3
   1 3 2
   2 1 3
   2 3 1
   3 1 2
   3 2 1

Sempre que eu insiro 9 ou 10, o programa dá uma falha de segmentação e despeja o núcleo. Eu acredito que o problema é que meu algoritmo recursivo está sendo chamado muitas vezes. Alguém poderia me ajudar a apontar como eu poderia limitar a quantidade de chamadas recursivas necessárias? Aqui está meu código atual:

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;
}

questionAnswers(5)

yourAnswerToTheQuestion