I have to work out a recursive function to apply on an assignment(for which im not allowed to use the standard math library about the tower of Hanoi. I stumbled upon the following code which i thought would be a good piece for the assignment to work with, however it is impossible to run it for (n > 30) as it's just so slow:
#include <stdio.h>
#include <stdlib.h>
int TOH(int,char,char,char);
int main()
{
int n;
printf("\nEnter number of disks:");
scanf("%d",&n);
int c = TOH(n,'A','C','B');
printf("\nTotal number of moves = %d \n ", c);
return 0;
}
int TOH(int n,char x,char y,char z)
{
int count = 0;
if(n>0){
count = TOH(n-1, x, z, y);
count++;
count += TOH(n-1, z, y, x);
}
return count;
}
While looking for a solution for the speed, i stumbled upon this code, which runs instantly while using recursion. I'm lost on where this difference in speed comes from:
#include <stdio.h>
#include <stdlib.h>
float count_moves(int);
float power(int);
int main()
{
int STACKS;
printf("\nEnter numbers of disks: ");
scanf("%d", &STACKS);
float total = count_moves(STACKS);
printf("\nTotal number of moves: %.0f\n", total);
return 0;
}
float power(int multi)
{
if(!multi)
{
return 1;
}
else
{
return 2 * power(multi - 1);
}
}
float count_moves(int layers)
{
if(!layers)
{
return 0;
}
else
{
return power(layers - 1) + count_moves(layers - 1);
}
}
How is the second one able to instantly print something in the console, while the second one takes longer the bigger a number i make n/STACKS?
Firstly I would suggest you to draw the recursion tree. See how big it becomes for pegs = 30. Refer to Complexity for towers of Hanoi? It has a complexity of O(2^n). http://www.iitk.ac.in/esc101/08Jan/lecnotes/lecture32.pdf
The second solution is not computing it in the traditional way. It is making a single call. T(n-1) + c = O(n^2)
So, 2^30 vs 30^2. Guess, which one is faster!
See for yourself.
add a counter to the functions like (make 'c' and 'd' global)
and see the number of times they are called.