-
Notifications
You must be signed in to change notification settings - Fork 8
/
Copy pathshortest_source_to_destination.py
73 lines (61 loc) · 2.04 KB
/
shortest_source_to_destination.py
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
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
"""
url : https://practice.geeksforgeeks.org/problems/shortest-source-to-destination-path/0
Given a boolean 2D matrix (0-based index), find whether there is path from (0,0) to (x,y) and
if there is one path, print the minimum no of steps needed to reach it, else print -1 if the
destination is not reachable. You may move in only four direction ie up, down, left and right.
The path can only be created out of a cell if its value is 1.
Input:
The first line of input contains an integer T denoting the no of test cases.
Then T test cases follow. Each test case contains two lines . The first line of each test
case contains two integers n and m denoting the size of the matrix. Then in the next line
are n*m space separated values of the matrix. The following line after it contains two integers
x and y denoting the index of the destination.
Output:
For each test case print in a new line the min no of steps needed to reach the destination.
Constraints:
1<=T<=100
1<=n,m<=20
Example:
Input:
2
3 4
1 0 0 0 1 1 0 1 0 1 1 1
2 3
3 4
1 1 1 1 0 0 0 1 0 0 0 1
0 3
Output:
5
3
"""
def next_step(matrix,i,j,x,y,n,m):
if i <0 or j<0 or i>=n or j >= m:
return 100
if matrix[i][j] == 0:
return 100
if i == x and j == y:
return 0
matrix[i][j] = 0
return 1 + min(next_step(matrix,i+1,j,x,y,n,m),next_step(matrix,i,j+1,x,y,n,m),next_step(matrix,i-1,j,x,y,n,m),next_step(matrix,i,j-1,x,y,n,m))
def shortest_path(x,y,n,m,matrix):
result = next_step(matrix,0,0,x,y,n,m)
if result >=100:
print(-1)
else:
print(result)
def main():
t = int(input())
for i in range(t):
numbers = input().strip(" ").split(" ")
n = int(numbers[0])
m = int(numbers[1])
matrix_arr = [int(x) for x in input().strip(" ").split(" ")]
matrix = []
for j in range(n):
matrix.append(matrix_arr[j*m:(j+1)*m])
x_y = input().strip(" ").split(" ")
x = int(x_y[0])
y = int(x_y[1])
shortest_path(x,y,n,m,matrix)
if __name__ == '__main__':
main()