Condition to implement Tower of Hanoi problem
1) Only one disk can be moved at a time.
2) Each move consists of taking the upper disk from one of the stacks and placing it on top of another stack
i.e. a disk can only be moved if it is the uppermost disk on a stack.
3) No larger disk may be placed on top of a smaller disk.
#include <stdio.h>
// C recursive function to solve tower of hanoi puzzle
void towerOfHanoi(int n, char fromrod, char torod, char auxrod)
{
if (n == 1)
{
printf("\n Move disk 1 from rod %c to rod %c", fromrod, torod);
return;
}
towerOfHanoi(n-1, fromrod, auxrod, torod);
printf("\n Move disk %d from rod %c to rod %c", n, fromrod, torod);
towerOfHanoi(n-1, auxrod, torod, fromrod);
}
int main()
{
int n ;// Number of disks
printf("/nEnter number of disk");
scanf("%d",n);
towerOfHanoi(n, 'A', 'C', 'B'); // A, B and C are names of rods
return 0;
}