Backtracking
Introduction
Backtracking is a strategy where we solve a problem for all possible patterns and stop after receiving the best solution. The base idea to retract our solution to the best possible condition from where other solution can be made of branched is to undo any changes we've made. What I mean by that is the magic of backtracking is to rub out the non-working solution to a point where the solution can be made working again.
Finding valid permutation
Problem Statement
Given a string "ABC" find out if permutation "CBA" is possible from all the characters of the string.
Solution
The permutations of string "ABC" are {"ABC", "ACB", "BCA", "BAC", "CAB", "CBA"}. As we can see the total number of permutations for "ABC" are which equals . And after generating the permutations "CBA" is also a valid permutation.
We can solve this problem in a problem by applying backtracking as follows:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 |
|
Rat in a Maze
Problem Statement
Rat in a Maze. You have maze where the rat is left to wander in the start and is forced to find the path outside of the maze; rat can only move down and right direction. This 2D arrays shows the maze:
[[0, 1, 0, 0],
[0, 0, 1, 0],
[0, 0, 0, 1],
[0, 1, 0, 2]]
The value 2
in the array is the position where rat can escape or exit the maze. The rat always start at index (0, 0)
.
Solution
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 |
|