-
Notifications
You must be signed in to change notification settings - Fork 160
/
Copy pathTraversalgrid.cpp
49 lines (33 loc) · 1.3 KB
/
Traversalgrid.cpp
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
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
/*
There is a rectangular grid of size m * n . Mike is in location ( x, y ) inside grid. He can move in 4 directions up, down, right and left.
He will die if he steps outside of rectangular grid. Find the probability that bob is alive given initial position of bob as ( x, y )
and number of steps he moves as N. (Given that Mike moves only one step at a time).
*/
/*
solution: backtracking
*/
#include<iostream>
using namespace std;
void ProbLive(int xdim, int ydim, int startx, int starty, float &alive, float &death, int step, int N) {
if (step==N && startx>=0 && starty>=0 && startx<xdim && starty<ydim) {
alive++;
return;
} else if((step<=N) && (startx<0 || starty<0 || startx>=xdim || starty>=ydim)) {
death++;
return;
} else {
probLive(xdim, ydim, startx+1, starty, alive, death, step+1, N);
probLive(xdim, ydim, startx-1, starty, alive, death, step+1, N);
probLive(xdim, ydim, startx, starty+1, alive, death, step+1, N);
probLive(xdim, ydim, startx, starty-1, alive, death, step+1, N);
}
}
int main() {
int xdim = 5, ydim = 4;
int startx = 3, starty = 2;
float alive = 0.0, death = 0.0;
int N = 8;
ProbLive(xdim, ydim, startx, starty, alive, death, 0, N);
cout<<a/(a+b);
return 0;
}