如何计算反向跟踪算法的时间复杂度

时间:2012-02-16 09:53:10

标签: c algorithm time-complexity

使用过这个程序,如何计算回溯算法的时间复杂度?

/*
  Function to print permutations of string    This function takes three parameters:
  1. String
  2. Starting index of the string
  3. Ending index of the string.
*/ 
void swap (char *x, char *y)
{
  char temp;
  temp = *x;
  *x = *y;
  *y = temp;
}

void permute(char *a, int i, int n)
{  
  int j;

  if (i == n)
    printf("%s\n", a);
  else
  {
    for (j = i; j <= n; j++)
    {
      swap((a+i), (a+j));
      permute(a, i+1, n);
      swap((a+i), (a+j)); //backtrack
    }
  }
}

2 个答案:

答案 0 :(得分:11)

每个permute(a,i,n)会导致对n-i

permute(a,i+1,n)次调用

因此,当i == 0n次来电时,当i == 1n-1次来电时...... i == n-1有一次来电。

您可以从中找到迭代次数的递归公式:
T(1) = 1 [基地];和T(n) = n * T(n-1) [step]

导致总共T(n) = n * T(n-1) = n * (n-1) * T(n-2) = .... = n * (n-1) * ... * 1 = n!

编辑:[小修正]:,因为for循环中的条件是j <= n [而不是j < n],每个permute()实际上都在调用{ {1}}次n-i+1次,导致T(n)= permute(a,i+1,n) [step]和(n+1) * T(n-1) [base],后来会导致T(0) = 1
然而,它似乎是一个实现错误,而不是一个功能:\

答案 1 :(得分:0)

一个简单的直觉就是会有n!排列,你必须生成所有这些。因此,您的时间复杂度至少为n!因为你将不得不遍历所有n!为了生成所有这些。 因此,时间复杂度为O(n!)。