message stringlengths 2 19.9k | message_type stringclasses 2 values | message_id int64 0 1 | conversation_id int64 322 108k | cluster float64 15 15 | __index_level_0__ int64 644 217k |
|---|---|---|---|---|---|
Provide tags and a correct Python 3 solution for this coding contest problem.
Dima overslept the alarm clock, which was supposed to raise him to school.
Dima wonders if he will have time to come to the first lesson. To do this, he needs to know the minimum time it will take him to get from home to school.
The city where Dima lives is a rectangular field of n Γ m size. Each cell (i, j) on this field is denoted by one number a_{ij}:
* The number -1 means that the passage through the cell is prohibited;
* The number 0 means that the cell is free and Dima can walk though it.
* The number x (1 β€ x β€ 10^9) means that the cell contains a portal with a cost of x. A cell with a portal is also considered free.
From any portal, Dima can go to any other portal, while the time of moving from the portal (i, j) to the portal (x, y) corresponds to the sum of their costs a_{ij} + a_{xy}.
In addition to moving between portals, Dima can also move between unoccupied cells adjacent to one side in time w. In particular, he can enter a cell with a portal and not use it.
Initially, Dima is in the upper-left cell (1, 1), and the school is in the lower right cell (n, m).
Input
The first line contains three integers n, m and w (2 β€ n, m β€ 2 β
10^3, 1 β€ w β€ 10^9), where n and m are city size, w is time during which Dima moves between unoccupied cells.
The next n lines each contain m numbers (-1 β€ a_{ij} β€ 10^9) β descriptions of cells.
It is guaranteed that the cells (1, 1) and (n, m) are free.
Output
Output the minimum time it will take for Dima to get to school. If he cannot get to school at all, then output "-1".
Example
Input
5 5 1
0 -1 0 1 -1
0 20 0 0 -1
-1 -1 -1 -1 -1
3 0 0 0 0
-1 0 0 0 0
Output
14
Note
Explanation for the first sample:
<image> | instruction | 0 | 90,382 | 15 | 180,764 |
Tags: brute force, dfs and similar, graphs, greedy, implementation, shortest paths
Correct Solution:
```
#!/usr/bin/env python3
import io
import os
from collections import deque
# input = sys.stdin.readline # to read input quickly
from math import inf
input = io.BytesIO(os.read(0, os.fstat(0).st_size)).readline
# available on Google, AtCoder Python3, not available on Codeforces
# import numpy as np
# import scipy
M9 = 10**9 + 7 # 998244353
yes, no = "YES", "NO"
d4 = [(1,0),(0,1),(-1,0),(0,-1)]
# d8 = [(1,0),(1,1),(0,1),(-1,1),(-1,0),(-1,-1),(0,-1),(1,-1)]
# d6 = [(2,0),(1,1),(-1,1),(-2,0),(-1,-1),(1,-1)] # hexagonal layout
MAXINT = inf
# ---------------------------- template ends here ----------------------------
def solve_(mrr, w, nrows, ncols):
# your solution here
size = nrows*ncols
def dfs(source, size):
# start from zero
stack = deque([source])
dist = [MAXINT]*size
dist[source] = 0
while stack:
loc = stack.popleft()
x,y = divmod(loc, ncols)
for dx,dy in d4:
xx = x+dx
yy = y+dy
new_loc = xx*ncols+yy
if 0 <= xx < nrows and 0 <= yy < ncols and dist[new_loc] == MAXINT and mrr[new_loc] >= 0:
dist[new_loc] = dist[loc] + 1
stack.append(new_loc)
return dist
dist_from_start = dfs(0, size)
dist_from_dest = dfs(size-1, size)
# log(dist_from_start)
# log(dist_from_dest)
tele_from_start = inf
tele_from_dest = inf
for x in range(nrows):
for y in range(ncols):
loc = x*ncols + y
if mrr[loc] > 0:
tele_from_start = min(tele_from_start, mrr[loc] + w * dist_from_start[loc])
tele_from_dest = min(tele_from_dest, mrr[loc] + w * dist_from_dest[loc])
minres = min(dist_from_start[size-1]*w, tele_from_start+tele_from_dest)
if minres == inf:
return -1
return minres
for case_num in [0]: # no loop over test case
# read one line and parse each word as an integer
n,m,w = list(map(int,input().split()))
# lst = list(map(int,input().split()))
# lst = minus_one(lst)
# read multiple rows
# arr = read_strings(k) # and return as a list of str
mrr = [int(x) for i in range(n) for x in input().split()]
# mrr = read_matrix(n) # and return as a list of list of int
# mrr = minus_one_matrix(mrr)
res = solve_(mrr, w, n, m) # include input here
print(int(res))
``` | output | 1 | 90,382 | 15 | 180,765 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Dima overslept the alarm clock, which was supposed to raise him to school.
Dima wonders if he will have time to come to the first lesson. To do this, he needs to know the minimum time it will take him to get from home to school.
The city where Dima lives is a rectangular field of n Γ m size. Each cell (i, j) on this field is denoted by one number a_{ij}:
* The number -1 means that the passage through the cell is prohibited;
* The number 0 means that the cell is free and Dima can walk though it.
* The number x (1 β€ x β€ 10^9) means that the cell contains a portal with a cost of x. A cell with a portal is also considered free.
From any portal, Dima can go to any other portal, while the time of moving from the portal (i, j) to the portal (x, y) corresponds to the sum of their costs a_{ij} + a_{xy}.
In addition to moving between portals, Dima can also move between unoccupied cells adjacent to one side in time w. In particular, he can enter a cell with a portal and not use it.
Initially, Dima is in the upper-left cell (1, 1), and the school is in the lower right cell (n, m).
Input
The first line contains three integers n, m and w (2 β€ n, m β€ 2 β
10^3, 1 β€ w β€ 10^9), where n and m are city size, w is time during which Dima moves between unoccupied cells.
The next n lines each contain m numbers (-1 β€ a_{ij} β€ 10^9) β descriptions of cells.
It is guaranteed that the cells (1, 1) and (n, m) are free.
Output
Output the minimum time it will take for Dima to get to school. If he cannot get to school at all, then output "-1".
Example
Input
5 5 1
0 -1 0 1 -1
0 20 0 0 -1
-1 -1 -1 -1 -1
3 0 0 0 0
-1 0 0 0 0
Output
14
Note
Explanation for the first sample:
<image> | instruction | 0 | 90,383 | 15 | 180,766 |
Tags: brute force, dfs and similar, graphs, greedy, implementation, shortest paths
Correct Solution:
```
#!/usr/bin/env python3
import io
import os
from collections import deque
# input = sys.stdin.readline # to read input quickly
from math import inf
input = io.BytesIO(os.read(0, os.fstat(0).st_size)).readline
# available on Google, AtCoder Python3, not available on Codeforces
# import numpy as np
# import scipy
M9 = 10**9 + 7 # 998244353
yes, no = "YES", "NO"
d4 = [(1,0),(0,1),(-1,0),(0,-1)]
# d8 = [(1,0),(1,1),(0,1),(-1,1),(-1,0),(-1,-1),(0,-1),(1,-1)]
# d6 = [(2,0),(1,1),(-1,1),(-2,0),(-1,-1),(1,-1)] # hexagonal layout
MAXINT = inf
# ---------------------------- template ends here ----------------------------
def solve_(mrr, w, nrows, ncols):
# your solution here
size = nrows*ncols
def dfs(source, size):
# start from zero
stack = deque([source])
dist = [MAXINT]*size
dist[source] = 0
while stack:
loc = stack.popleft()
x,y = divmod(loc, ncols)
for dx,dy in d4:
xx = x+dx
yy = y+dy
if 0 <= xx < nrows and 0 <= yy < ncols:
new_loc = xx*ncols+yy
if dist[new_loc] == MAXINT and mrr[new_loc] >= 0:
dist[new_loc] = dist[loc] + w
stack.append(new_loc)
return dist
dist_from_start = dfs(0, size)
dist_from_dest = dfs(size-1, size)
# log(dist_from_start)
# log(dist_from_dest)
tele_from_start = inf
tele_from_dest = inf
for x in range(nrows):
for y in range(ncols):
loc = x*ncols + y
if mrr[loc] > 0:
tele_from_start = min(tele_from_start, mrr[loc] + dist_from_start[loc])
tele_from_dest = min(tele_from_dest, mrr[loc] + dist_from_dest[loc])
minres = min(dist_from_start[size-1], tele_from_start+tele_from_dest)
if minres == inf:
return -1
return minres
for case_num in [0]: # no loop over test case
# read one line and parse each word as an integer
n,m,w = list(map(int,input().split()))
# lst = list(map(int,input().split()))
# lst = minus_one(lst)
w = float(w)
# read multiple rows
# arr = read_strings(k) # and return as a list of str
mrr = [float(x) for i in range(n) for x in input().split()]
# mrr = read_matrix(n) # and return as a list of list of int
# mrr = minus_one_matrix(mrr)
res = solve_(mrr, w, n, m) # include input here
print(int(res))
``` | output | 1 | 90,383 | 15 | 180,767 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Dima overslept the alarm clock, which was supposed to raise him to school.
Dima wonders if he will have time to come to the first lesson. To do this, he needs to know the minimum time it will take him to get from home to school.
The city where Dima lives is a rectangular field of n Γ m size. Each cell (i, j) on this field is denoted by one number a_{ij}:
* The number -1 means that the passage through the cell is prohibited;
* The number 0 means that the cell is free and Dima can walk though it.
* The number x (1 β€ x β€ 10^9) means that the cell contains a portal with a cost of x. A cell with a portal is also considered free.
From any portal, Dima can go to any other portal, while the time of moving from the portal (i, j) to the portal (x, y) corresponds to the sum of their costs a_{ij} + a_{xy}.
In addition to moving between portals, Dima can also move between unoccupied cells adjacent to one side in time w. In particular, he can enter a cell with a portal and not use it.
Initially, Dima is in the upper-left cell (1, 1), and the school is in the lower right cell (n, m).
Input
The first line contains three integers n, m and w (2 β€ n, m β€ 2 β
10^3, 1 β€ w β€ 10^9), where n and m are city size, w is time during which Dima moves between unoccupied cells.
The next n lines each contain m numbers (-1 β€ a_{ij} β€ 10^9) β descriptions of cells.
It is guaranteed that the cells (1, 1) and (n, m) are free.
Output
Output the minimum time it will take for Dima to get to school. If he cannot get to school at all, then output "-1".
Example
Input
5 5 1
0 -1 0 1 -1
0 20 0 0 -1
-1 -1 -1 -1 -1
3 0 0 0 0
-1 0 0 0 0
Output
14
Note
Explanation for the first sample:
<image> | instruction | 0 | 90,384 | 15 | 180,768 |
Tags: brute force, dfs and similar, graphs, greedy, implementation, shortest paths
Correct Solution:
```
#!/usr/bin/env python3
import io
import os
from collections import deque
# input = sys.stdin.readline # to read input quickly
from math import inf
input = io.BytesIO(os.read(0, os.fstat(0).st_size)).readline
# available on Google, AtCoder Python3, not available on Codeforces
# import numpy as np
# import scipy
M9 = 10**9 + 7 # 998244353
yes, no = "YES", "NO"
d4 = [(1,0),(0,1),(-1,0),(0,-1)]
# d8 = [(1,0),(1,1),(0,1),(-1,1),(-1,0),(-1,-1),(0,-1),(1,-1)]
# d6 = [(2,0),(1,1),(-1,1),(-2,0),(-1,-1),(1,-1)] # hexagonal layout
MAXINT = inf
# if testing locally, print to terminal with a different color
# OFFLINE_TEST = getpass.getuser() == "hkmac"
OFFLINE_TEST = False # codechef does not allow getpass
def log(*args):
if OFFLINE_TEST:
print('\033[36m', *args, '\033[0m', file=sys.stderr)
def solve(*args):
# screen input
if OFFLINE_TEST:
log("----- solving ------")
log(*args)
log("----- ------- ------")
return solve_(*args)
def read_matrix(rows):
return [list(map(int,input().split())) for _ in range(rows)]
def read_strings(rows):
return [input().strip() for _ in range(rows)]
def minus_one(arr):
return [x-1 for x in arr]
def minus_one_matrix(mrr):
return [[x-1 for x in row] for row in mrr]
# ---------------------------- template ends here ----------------------------
def solve_(mrr, w, nrows, ncols):
# your solution here
size = nrows*ncols
def dfs(source, size):
# start from zero
stack = deque([source])
dist = [MAXINT]*size
dist[source] = 0
while stack:
loc = stack.popleft()
x,y = divmod(loc, ncols)
for dx,dy in d4:
xx = x+dx
yy = y+dy
new_loc = xx*ncols+yy
if 0 <= xx < nrows and 0 <= yy < ncols and dist[new_loc] == MAXINT and mrr[new_loc] >= 0:
dist[new_loc] = dist[loc] + 1
stack.append(new_loc)
return dist
dist_from_start = dfs(0, size)
dist_from_dest = dfs(size-1, size)
# log(dist_from_start)
# log(dist_from_dest)
tele_from_start = inf
tele_from_dest = inf
for x in range(nrows):
for y in range(ncols):
loc = x*ncols + y
if mrr[loc] > 0:
tele_from_start = min(tele_from_start, mrr[loc] + w * dist_from_start[loc])
tele_from_dest = min(tele_from_dest, mrr[loc] + w * dist_from_dest[loc])
minres = min(dist_from_start[size-1]*w, tele_from_start+tele_from_dest)
if minres == inf:
return -1
return minres
for case_num in [0]: # no loop over test case
# for case_num in range(100): # if the number of test cases is specified
# for case_num in range(int(input())):
# read line as an integer
# k = int(input())
# read line as a string
# srr = input().strip()
# read one line and parse each word as a string
# lst = input().split()
# read one line and parse each word as an integer
n,m,w = list(map(int,input().split()))
# lst = list(map(int,input().split()))
# lst = minus_one(lst)
# read multiple rows
# arr = read_strings(k) # and return as a list of str
mrr = [int(x) for i in range(n) for x in input().split()]
# mrr = read_matrix(n) # and return as a list of list of int
# mrr = minus_one_matrix(mrr)
res = solve(mrr, w, n, m) # include input here
# print length if applicable
# print(len(res))
# parse result
# res = " ".join(str(x) for x in res)
# res = "\n".join(str(x) for x in res)
# res = "\n".join(" ".join(str(x) for x in row) for row in res)
# print result
# print("Case #{}: {}".format(case_num+1, res)) # Google and Facebook - case number required
print(res)
``` | output | 1 | 90,384 | 15 | 180,769 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Dima overslept the alarm clock, which was supposed to raise him to school.
Dima wonders if he will have time to come to the first lesson. To do this, he needs to know the minimum time it will take him to get from home to school.
The city where Dima lives is a rectangular field of n Γ m size. Each cell (i, j) on this field is denoted by one number a_{ij}:
* The number -1 means that the passage through the cell is prohibited;
* The number 0 means that the cell is free and Dima can walk though it.
* The number x (1 β€ x β€ 10^9) means that the cell contains a portal with a cost of x. A cell with a portal is also considered free.
From any portal, Dima can go to any other portal, while the time of moving from the portal (i, j) to the portal (x, y) corresponds to the sum of their costs a_{ij} + a_{xy}.
In addition to moving between portals, Dima can also move between unoccupied cells adjacent to one side in time w. In particular, he can enter a cell with a portal and not use it.
Initially, Dima is in the upper-left cell (1, 1), and the school is in the lower right cell (n, m).
Input
The first line contains three integers n, m and w (2 β€ n, m β€ 2 β
10^3, 1 β€ w β€ 10^9), where n and m are city size, w is time during which Dima moves between unoccupied cells.
The next n lines each contain m numbers (-1 β€ a_{ij} β€ 10^9) β descriptions of cells.
It is guaranteed that the cells (1, 1) and (n, m) are free.
Output
Output the minimum time it will take for Dima to get to school. If he cannot get to school at all, then output "-1".
Example
Input
5 5 1
0 -1 0 1 -1
0 20 0 0 -1
-1 -1 -1 -1 -1
3 0 0 0 0
-1 0 0 0 0
Output
14
Note
Explanation for the first sample:
<image> | instruction | 0 | 90,385 | 15 | 180,770 |
Tags: brute force, dfs and similar, graphs, greedy, implementation, shortest paths
Correct Solution:
```
import io,os
input = io.BytesIO(os.read(0, os.fstat(0).st_size)).readline
from collections import deque
m,n,w = map(int,input().split())
grid = []
for i in range(m):
temp = list(map(int,input().split()))
grid.append(temp)
#visited_s = [[0 for j in range(n)] for i in range(m)]
#visited_e = [[0 for j in range(n)] for i in range(m)]
visited_s = [0 for i in range(m*n)]
visited_e = [0 for i in range(m*n)]
visited_s[0] = 1
visited_e[-1] = 1
startp = 10**18 #float('inf')
endp = 10**18 #float('inf')
noportal = 10**18 #float('inf')
start = deque()
end = deque()
direc = [[0,-1],[0,1],[-1,0],[1,0]]
start.append([0,0])
end.append([m*n-1,0])
if grid[0][0]>0: startp = grid[0][0]
if grid[m-1][n-1]>0: endp = grid[m-1][n-1]
while start:
[index,cost] = start.popleft()
x = index//n
y = index%n
for d in range(4):
newx = x + direc[d][0]
newy = y + direc[d][1]
if newx<0 or newx>=m or newy<0 or newy>=n: continue
newindex = newx*n+newy
# print(newx,newy,newindex)
if grid[newx][newy]==-1: continue
if visited_s[newindex]>0: continue
visited_s[newindex] = 1
start.append([newindex,cost+w])
if grid[newx][newy]>0: startp = min(startp,cost+w+grid[newx][newy])
if newindex==m*n-1: noportal = cost+w
#print(visited_s)
while end:
[index,cost] = end.popleft()
x = index//n
y = index%n
for d in range(4):
newx = x + direc[d][0]
newy = y + direc[d][1]
if newx<0 or newx>=m or newy<0 or newy>=n: continue
newindex = newx*n+newy
if grid[newx][newy]==-1: continue
if visited_e[newindex]>0: continue
if cost+w>=endp: continue
if cost+w>=noportal-startp: continue
visited_e[newindex] = 1
end.append([newindex,cost+w])
if grid[newx][newy]>0: endp = min(endp,cost+w+grid[newx][newy])
#print(startp,endp)
#print(ds,de)
ans = min(noportal, startp+endp)
if ans==10**18:
ans = -1
print(ans)
``` | output | 1 | 90,385 | 15 | 180,771 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Dima overslept the alarm clock, which was supposed to raise him to school.
Dima wonders if he will have time to come to the first lesson. To do this, he needs to know the minimum time it will take him to get from home to school.
The city where Dima lives is a rectangular field of n Γ m size. Each cell (i, j) on this field is denoted by one number a_{ij}:
* The number -1 means that the passage through the cell is prohibited;
* The number 0 means that the cell is free and Dima can walk though it.
* The number x (1 β€ x β€ 10^9) means that the cell contains a portal with a cost of x. A cell with a portal is also considered free.
From any portal, Dima can go to any other portal, while the time of moving from the portal (i, j) to the portal (x, y) corresponds to the sum of their costs a_{ij} + a_{xy}.
In addition to moving between portals, Dima can also move between unoccupied cells adjacent to one side in time w. In particular, he can enter a cell with a portal and not use it.
Initially, Dima is in the upper-left cell (1, 1), and the school is in the lower right cell (n, m).
Input
The first line contains three integers n, m and w (2 β€ n, m β€ 2 β
10^3, 1 β€ w β€ 10^9), where n and m are city size, w is time during which Dima moves between unoccupied cells.
The next n lines each contain m numbers (-1 β€ a_{ij} β€ 10^9) β descriptions of cells.
It is guaranteed that the cells (1, 1) and (n, m) are free.
Output
Output the minimum time it will take for Dima to get to school. If he cannot get to school at all, then output "-1".
Example
Input
5 5 1
0 -1 0 1 -1
0 20 0 0 -1
-1 -1 -1 -1 -1
3 0 0 0 0
-1 0 0 0 0
Output
14
Note
Explanation for the first sample:
<image> | instruction | 0 | 90,386 | 15 | 180,772 |
Tags: brute force, dfs and similar, graphs, greedy, implementation, shortest paths
Correct Solution:
```
#!/usr/bin/env python3
import io
import os
from collections import deque
# input = sys.stdin.readline # to read input quickly
from math import inf
input = io.BytesIO(os.read(0, os.fstat(0).st_size)).readline
# available on Google, AtCoder Python3, not available on Codeforces
# import numpy as np
# import scipy
M9 = 10**9 + 7 # 998244353
yes, no = "YES", "NO"
d4 = [(1,0),(0,1),(-1,0),(0,-1)]
# d8 = [(1,0),(1,1),(0,1),(-1,1),(-1,0),(-1,-1),(0,-1),(1,-1)]
# d6 = [(2,0),(1,1),(-1,1),(-2,0),(-1,-1),(1,-1)] # hexagonal layout
MAXINT = inf
# ---------------------------- template ends here ----------------------------
def solve_(mrr, w, nrows, ncols):
# your solution here
size = nrows*ncols
def dfs(source, size):
# start from zero
stack = deque([source])
dist = [MAXINT]*size
dist[source] = 0
while stack:
loc = stack.popleft()
x,y = divmod(loc, ncols)
for dx,dy in d4:
xx = x+dx
yy = y+dy
new_loc = xx*ncols+yy
if 0 <= xx < nrows and 0 <= yy < ncols and dist[new_loc] == MAXINT and mrr[new_loc] >= 0:
dist[new_loc] = dist[loc] + 1
stack.append(new_loc)
return dist
dist_from_start = dfs(0, size)
dist_from_dest = dfs(size-1, size)
# log(dist_from_start)
# log(dist_from_dest)
tele_from_start = inf
tele_from_dest = inf
for x in range(nrows):
for y in range(ncols):
loc = x*ncols + y
if mrr[loc] > 0:
tele_from_start = min(tele_from_start, mrr[loc] + w * dist_from_start[loc])
tele_from_dest = min(tele_from_dest, mrr[loc] + w * dist_from_dest[loc])
minres = min(dist_from_start[size-1]*w, tele_from_start+tele_from_dest)
if minres == inf:
return -1
return minres
for case_num in [0]: # no loop over test case
# read one line and parse each word as an integer
n,m,w = list(map(int,input().split()))
# lst = list(map(int,input().split()))
# lst = minus_one(lst)
w = float(w)
# read multiple rows
# arr = read_strings(k) # and return as a list of str
mrr = [float(x) for i in range(n) for x in input().split()]
# mrr = read_matrix(n) # and return as a list of list of int
# mrr = minus_one_matrix(mrr)
res = solve_(mrr, w, n, m) # include input here
print(int(res))
``` | output | 1 | 90,386 | 15 | 180,773 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Dima overslept the alarm clock, which was supposed to raise him to school.
Dima wonders if he will have time to come to the first lesson. To do this, he needs to know the minimum time it will take him to get from home to school.
The city where Dima lives is a rectangular field of n Γ m size. Each cell (i, j) on this field is denoted by one number a_{ij}:
* The number -1 means that the passage through the cell is prohibited;
* The number 0 means that the cell is free and Dima can walk though it.
* The number x (1 β€ x β€ 10^9) means that the cell contains a portal with a cost of x. A cell with a portal is also considered free.
From any portal, Dima can go to any other portal, while the time of moving from the portal (i, j) to the portal (x, y) corresponds to the sum of their costs a_{ij} + a_{xy}.
In addition to moving between portals, Dima can also move between unoccupied cells adjacent to one side in time w. In particular, he can enter a cell with a portal and not use it.
Initially, Dima is in the upper-left cell (1, 1), and the school is in the lower right cell (n, m).
Input
The first line contains three integers n, m and w (2 β€ n, m β€ 2 β
10^3, 1 β€ w β€ 10^9), where n and m are city size, w is time during which Dima moves between unoccupied cells.
The next n lines each contain m numbers (-1 β€ a_{ij} β€ 10^9) β descriptions of cells.
It is guaranteed that the cells (1, 1) and (n, m) are free.
Output
Output the minimum time it will take for Dima to get to school. If he cannot get to school at all, then output "-1".
Example
Input
5 5 1
0 -1 0 1 -1
0 20 0 0 -1
-1 -1 -1 -1 -1
3 0 0 0 0
-1 0 0 0 0
Output
14
Note
Explanation for the first sample:
<image> | instruction | 0 | 90,387 | 15 | 180,774 |
Tags: brute force, dfs and similar, graphs, greedy, implementation, shortest paths
Correct Solution:
```
from collections import deque
from math import inf
import io
import os
input = io.BytesIO(os.read(0, os.fstat(0).st_size)).readline
(n,m,w) = [int(x) for x in input().split()]
M = [int(x) for i in range(n) for x in input().split()]
X = n*m
ds = [inf]*X
de = [inf]*X
ss = inf
ee = inf
aa = inf
ds[0] = de[-1] = 0
dr = [(0,-1),(0,1),(-1,0),(1,0)]
q = deque([0])
while q:
x = q.popleft()
i,j = divmod(x,m)
d = ds[x]
for di,dj in dr:
h = i+di
k = j+dj
if 0>h or 0>k or h>=n or k>=m or M[h*m+k] == -1:
continue
y = h*m + k
if ds[y] < inf:
continue
ds[y] = d+1
q.append(y)
q = deque([n*m-1])
while q:
x = q.popleft()
i,j = divmod(x,m)
d = de[x]
for di,dj in dr:
h = i+di
k = j+dj
if 0>h or 0>k or h>=n or k>=m or M[h*m+k] == -1:
continue
y = h*m + k
if de[y] < inf:
continue
de[y] = d+1
q.append(y)
for i in range(n):
for j in range(m):
x = i*m+j
if M[x] > 0:
ss = min(ss,ds[x]*w + M[x])
ee = min(ee,de[x]*w + M[x])
aa = ds[-1]*w
ans = min(aa,ss+ee)
ans = ans if ans < inf else -1
print(ans)
``` | output | 1 | 90,387 | 15 | 180,775 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Dima overslept the alarm clock, which was supposed to raise him to school.
Dima wonders if he will have time to come to the first lesson. To do this, he needs to know the minimum time it will take him to get from home to school.
The city where Dima lives is a rectangular field of n Γ m size. Each cell (i, j) on this field is denoted by one number a_{ij}:
* The number -1 means that the passage through the cell is prohibited;
* The number 0 means that the cell is free and Dima can walk though it.
* The number x (1 β€ x β€ 10^9) means that the cell contains a portal with a cost of x. A cell with a portal is also considered free.
From any portal, Dima can go to any other portal, while the time of moving from the portal (i, j) to the portal (x, y) corresponds to the sum of their costs a_{ij} + a_{xy}.
In addition to moving between portals, Dima can also move between unoccupied cells adjacent to one side in time w. In particular, he can enter a cell with a portal and not use it.
Initially, Dima is in the upper-left cell (1, 1), and the school is in the lower right cell (n, m).
Input
The first line contains three integers n, m and w (2 β€ n, m β€ 2 β
10^3, 1 β€ w β€ 10^9), where n and m are city size, w is time during which Dima moves between unoccupied cells.
The next n lines each contain m numbers (-1 β€ a_{ij} β€ 10^9) β descriptions of cells.
It is guaranteed that the cells (1, 1) and (n, m) are free.
Output
Output the minimum time it will take for Dima to get to school. If he cannot get to school at all, then output "-1".
Example
Input
5 5 1
0 -1 0 1 -1
0 20 0 0 -1
-1 -1 -1 -1 -1
3 0 0 0 0
-1 0 0 0 0
Output
14
Note
Explanation for the first sample:
<image>
Submitted Solution:
```
#!/usr/bin/env python3
import io
import os
from collections import deque
# input = sys.stdin.readline # to read input quickly
from math import inf
input = io.BytesIO(os.read(0, os.fstat(0).st_size)).readline
# available on Google, AtCoder Python3, not available on Codeforces
# import numpy as np
# import scipy
M9 = 10**9 + 7 # 998244353
yes, no = "YES", "NO"
d4 = [(1,0),(0,1),(-1,0),(0,-1)]
# d8 = [(1,0),(1,1),(0,1),(-1,1),(-1,0),(-1,-1),(0,-1),(1,-1)]
# d6 = [(2,0),(1,1),(-1,1),(-2,0),(-1,-1),(1,-1)] # hexagonal layout
MAXINT = inf
# if testing locally, print to terminal with a different color
# OFFLINE_TEST = getpass.getuser() == "hkmac"
OFFLINE_TEST = False # codechef does not allow getpass
def log(*args):
if OFFLINE_TEST:
print('\033[36m', *args, '\033[0m', file=sys.stderr)
def solve(*args):
# screen input
if OFFLINE_TEST:
log("----- solving ------")
log(*args)
log("----- ------- ------")
return solve_(*args)
def read_matrix(rows):
return [list(map(int,input().split())) for _ in range(rows)]
def read_strings(rows):
return [input().strip() for _ in range(rows)]
def minus_one(arr):
return [x-1 for x in arr]
def minus_one_matrix(mrr):
return [[x-1 for x in row] for row in mrr]
# ---------------------------- template ends here ----------------------------
def solve_(mrr, w, nrows, ncols):
# your solution here
size = nrows*ncols
def dfs(source, size):
# start from zero
stack = deque([source])
dist = [MAXINT]*size
dist[source] = 0
while stack:
loc = stack.popleft()
x,y = divmod(loc, ncols)
for dx,dy in d4:
xx = x+dx
yy = y+dy
new_loc = xx*ncols+yy
if 0 <= xx < nrows and 0 <= yy < ncols and dist[new_loc] == MAXINT and mrr[new_loc] >= 0:
dist[new_loc] = dist[loc] + 1
stack.append(new_loc)
return dist
dist_from_start = dfs(0, size)
dist_from_dest = dfs(size-1, size)
# log(dist_from_start)
# log(dist_from_dest)
tele_from_start = inf
tele_from_dest = inf
for x in range(nrows):
for y in range(ncols):
loc = x*ncols + y
if mrr[loc] > 0:
tele_from_start = min(tele_from_start, mrr[loc] + w * dist_from_start[loc])
tele_from_dest = min(tele_from_dest, mrr[loc] + w * dist_from_dest[loc])
minres = min(dist_from_start[size-1]*w, tele_from_start+tele_from_dest)
if minres == inf:
return -1
return minres
for case_num in [0]: # no loop over test case
# for case_num in range(100): # if the number of test cases is specified
# for case_num in range(int(input())):
# read line as an integer
# k = int(input())
# read line as a string
# srr = input().strip()
# read one line and parse each word as a string
# lst = input().split()
# read one line and parse each word as an integer
n,m,w = list(map(int,input().split()))
# lst = list(map(int,input().split()))
# lst = minus_one(lst)
# read multiple rows
# arr = read_strings(k) # and return as a list of str
mrr = [int(x) for i in range(n) for x in input().split()]
# mrr = read_matrix(n) # and return as a list of list of int
# mrr = minus_one_matrix(mrr)
res = solve(mrr, w, n, m) # include input here
# print length if applicable
# print(len(res))
# parse result
# res = " ".join(str(x) for x in res)
# res = "\n".join(str(x) for x in res)
# res = "\n".join(" ".join(str(x) for x in row) for row in res)
# print result
# print("Case #{}: {}".format(case_num+1, res)) # Google and Facebook - case number required
print(int(res))
``` | instruction | 0 | 90,388 | 15 | 180,776 |
Yes | output | 1 | 90,388 | 15 | 180,777 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Dima overslept the alarm clock, which was supposed to raise him to school.
Dima wonders if he will have time to come to the first lesson. To do this, he needs to know the minimum time it will take him to get from home to school.
The city where Dima lives is a rectangular field of n Γ m size. Each cell (i, j) on this field is denoted by one number a_{ij}:
* The number -1 means that the passage through the cell is prohibited;
* The number 0 means that the cell is free and Dima can walk though it.
* The number x (1 β€ x β€ 10^9) means that the cell contains a portal with a cost of x. A cell with a portal is also considered free.
From any portal, Dima can go to any other portal, while the time of moving from the portal (i, j) to the portal (x, y) corresponds to the sum of their costs a_{ij} + a_{xy}.
In addition to moving between portals, Dima can also move between unoccupied cells adjacent to one side in time w. In particular, he can enter a cell with a portal and not use it.
Initially, Dima is in the upper-left cell (1, 1), and the school is in the lower right cell (n, m).
Input
The first line contains three integers n, m and w (2 β€ n, m β€ 2 β
10^3, 1 β€ w β€ 10^9), where n and m are city size, w is time during which Dima moves between unoccupied cells.
The next n lines each contain m numbers (-1 β€ a_{ij} β€ 10^9) β descriptions of cells.
It is guaranteed that the cells (1, 1) and (n, m) are free.
Output
Output the minimum time it will take for Dima to get to school. If he cannot get to school at all, then output "-1".
Example
Input
5 5 1
0 -1 0 1 -1
0 20 0 0 -1
-1 -1 -1 -1 -1
3 0 0 0 0
-1 0 0 0 0
Output
14
Note
Explanation for the first sample:
<image>
Submitted Solution:
```
'''
from bisect import bisect,bisect_left
from collections import *
from heapq import *
from math import gcd,ceil,sqrt,floor,inf
from itertools import *
from operator import add,mul,sub,xor,truediv,floordiv
from functools import *
'''
#------------------------------------------------------------------------
import os
import sys
from io import BytesIO, IOBase
# region fastio
BUFSIZE = 8192
class FastIO(IOBase):
newlines = 0
def __init__(self, file):
self._fd = file.fileno()
self.buffer = BytesIO()
self.writable = "x" in file.mode or "r" not in file.mode
self.write = self.buffer.write if self.writable else None
def read(self):
while True:
b = os.read(self._fd, max(os.fstat(self._fd).st_size, BUFSIZE))
if not b:
break
ptr = self.buffer.tell()
self.buffer.seek(0, 2), self.buffer.write(b), self.buffer.seek(ptr)
self.newlines = 0
return self.buffer.read()
def readline(self):
while self.newlines == 0:
b = os.read(self._fd, max(os.fstat(self._fd).st_size, BUFSIZE))
self.newlines = b.count(b"\n") + (not b)
ptr = self.buffer.tell()
self.buffer.seek(0, 2), self.buffer.write(b), self.buffer.seek(ptr)
self.newlines -= 1
return self.buffer.readline()
def flush(self):
if self.writable:
os.write(self._fd, self.buffer.getvalue())
self.buffer.truncate(0), self.buffer.seek(0)
class IOWrapper(IOBase):
def __init__(self, file):
self.buffer = FastIO(file)
self.flush = self.buffer.flush
self.writable = self.buffer.writable
self.write = lambda s: self.buffer.write(s.encode("ascii"))
self.read = lambda: self.buffer.read().decode("ascii")
self.readline = lambda: self.buffer.readline().decode("ascii")
sys.stdin, sys.stdout = IOWrapper(sys.stdin), IOWrapper(sys.stdout)
input = lambda: sys.stdin.readline().rstrip("\r\n")
#------------------------------------------------------------------------
def RL(): return map(int, sys.stdin.readline().split())
def RLL(): return list(map(int, sys.stdin.readline().split()))
def N(): return int(input())
def A(n):return [0]*n
def AI(n,x): return [x]*n
def A2(n,m): return [[0]*m for i in range(n)]
def G(n): return [[] for i in range(n)]
def GP(it): return [[ch,len(list(g))] for ch,g in groupby(it)]
#------------------------------------------------------------------------
#from random import randint
from collections import deque
from math import inf
dxy=[(-1, 0), (0, -1), (0, 1), (1, 0)]
def bfs(s):
dis=AI(sz,inf)
dis[s]=0
q=deque([s])
while q:
u=q.popleft()
i,j=divmod(u,m)
for dx,dy in dxy:
ni=i+dx
nj=j+dy
if 0<=ni<n and 0<=nj<m and res[ni][nj]!=-1:
v=ni*m+nj
if dis[v]>dis[u]+1:
dis[v]=dis[u]+1
q.append(v)
return dis
t=1
for i in range(t):
n,m,w=RL()
sz=n*m
res=[]
for i in range(n):
res.append(RLL())
ds=bfs(0)
de=bfs(sz-1)
ans=ds[sz-1]*w
fi=se=inf
for i in range(n):
for j in range(m):
if res[i][j]>0:
fi=min(fi,ds[i*m+j]*w+res[i][j])
se=min(se,de[i*m+j]*w+res[i][j])
ans=min(ans,fi+se)
if ans==inf:
ans=-1
print(ans)
'''
sys.setrecursionlimit(200000)
import threading
threading.stack_size(10**8)
t=threading.Thr
ead(target=main)
t.start()
t.join()
'''
``` | instruction | 0 | 90,389 | 15 | 180,778 |
Yes | output | 1 | 90,389 | 15 | 180,779 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Dima overslept the alarm clock, which was supposed to raise him to school.
Dima wonders if he will have time to come to the first lesson. To do this, he needs to know the minimum time it will take him to get from home to school.
The city where Dima lives is a rectangular field of n Γ m size. Each cell (i, j) on this field is denoted by one number a_{ij}:
* The number -1 means that the passage through the cell is prohibited;
* The number 0 means that the cell is free and Dima can walk though it.
* The number x (1 β€ x β€ 10^9) means that the cell contains a portal with a cost of x. A cell with a portal is also considered free.
From any portal, Dima can go to any other portal, while the time of moving from the portal (i, j) to the portal (x, y) corresponds to the sum of their costs a_{ij} + a_{xy}.
In addition to moving between portals, Dima can also move between unoccupied cells adjacent to one side in time w. In particular, he can enter a cell with a portal and not use it.
Initially, Dima is in the upper-left cell (1, 1), and the school is in the lower right cell (n, m).
Input
The first line contains three integers n, m and w (2 β€ n, m β€ 2 β
10^3, 1 β€ w β€ 10^9), where n and m are city size, w is time during which Dima moves between unoccupied cells.
The next n lines each contain m numbers (-1 β€ a_{ij} β€ 10^9) β descriptions of cells.
It is guaranteed that the cells (1, 1) and (n, m) are free.
Output
Output the minimum time it will take for Dima to get to school. If he cannot get to school at all, then output "-1".
Example
Input
5 5 1
0 -1 0 1 -1
0 20 0 0 -1
-1 -1 -1 -1 -1
3 0 0 0 0
-1 0 0 0 0
Output
14
Note
Explanation for the first sample:
<image>
Submitted Solution:
```
import io, os
from collections import deque
from math import inf
def solve(R, C, W, grid):
drdc = [(-1, 0), (0, -1), (0, 1), (1, 0)]
def bfs(source, N):
q = deque([source]);dist = [inf] * N;dist[source] = 0.0
while q:
node = q.popleft();d = dist[node];r, c = divmod(node, C)
for dr, dc in drdc:
nr = r + dr;nc = c + dc
if 0 <= nr < R and 0 <= nc < C and grid[nr * C + nc] != -1:
nbr = nr * C + nc
if dist[nbr] == inf:q.append(nbr);dist[nbr] = d + 1
return dist
dist1 = bfs(0, R * C);dist2 = bfs(R * C - 1, R * C);best = dist1[R * C - 1] * W;smallest1 = inf;smallest2 = inf
for r in range(R):
for c in range(C):
if grid[r * C + c] > 0:smallest1 = min(smallest1, grid[r * C + c] + W * dist1[r * C + c]);smallest2 = min(smallest2, grid[r * C + c] + W * dist2[r * C + c])
best = min(best, smallest1 + smallest2);return -1 if best == inf else int(best)
input = io.BytesIO(os.read(0, os.fstat(0).st_size)).readline;(N, M, W) = [int(x) for x in input().split()];print(solve(N, M, W, [int(x) for i in range(N) for x in input().split()]))
``` | instruction | 0 | 90,390 | 15 | 180,780 |
Yes | output | 1 | 90,390 | 15 | 180,781 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Dima overslept the alarm clock, which was supposed to raise him to school.
Dima wonders if he will have time to come to the first lesson. To do this, he needs to know the minimum time it will take him to get from home to school.
The city where Dima lives is a rectangular field of n Γ m size. Each cell (i, j) on this field is denoted by one number a_{ij}:
* The number -1 means that the passage through the cell is prohibited;
* The number 0 means that the cell is free and Dima can walk though it.
* The number x (1 β€ x β€ 10^9) means that the cell contains a portal with a cost of x. A cell with a portal is also considered free.
From any portal, Dima can go to any other portal, while the time of moving from the portal (i, j) to the portal (x, y) corresponds to the sum of their costs a_{ij} + a_{xy}.
In addition to moving between portals, Dima can also move between unoccupied cells adjacent to one side in time w. In particular, he can enter a cell with a portal and not use it.
Initially, Dima is in the upper-left cell (1, 1), and the school is in the lower right cell (n, m).
Input
The first line contains three integers n, m and w (2 β€ n, m β€ 2 β
10^3, 1 β€ w β€ 10^9), where n and m are city size, w is time during which Dima moves between unoccupied cells.
The next n lines each contain m numbers (-1 β€ a_{ij} β€ 10^9) β descriptions of cells.
It is guaranteed that the cells (1, 1) and (n, m) are free.
Output
Output the minimum time it will take for Dima to get to school. If he cannot get to school at all, then output "-1".
Example
Input
5 5 1
0 -1 0 1 -1
0 20 0 0 -1
-1 -1 -1 -1 -1
3 0 0 0 0
-1 0 0 0 0
Output
14
Note
Explanation for the first sample:
<image>
Submitted Solution:
```
# Author : nitish420 --------------------------------------------------------------------
import os
import sys
from io import BytesIO, IOBase
from collections import deque
def main():
n,m,w=map(int,input().split())
graph=[-1]
for _ in range(n):
graph+=list(map(int,input().split()))
graph.append(-1)
start=1
end=n*m
direction=[-1,1,-m,m]
vis_start=[0]*(n*m+2)
vis_end=[0]*(n*m+2)
vis_start[1]=1
vis_end[n*m]=1
portStart=10**16
portEnd=10**16
noPort=10**16
if graph[1]>0:portStart=graph[1]
if graph[n*m]>0:portEnd=graph[n*m]
start=deque([(1,0)])
end=deque([(n*m,0)])
# print(graph)
while start:
z,c=start.popleft()
for i in range(4):
new=z+direction[i]
if new<=0 or new>n*m:
continue
if graph[new]==-1 or vis_start[new]:
continue
if (not (direction[i]==-1 and new%m==0)) and (not (direction[i]==1 and new%m==1)):
vis_start[new]=1
start.append((new,c+w))
if graph[new]>0:
portStart=min(portStart,c+w+graph[new])
if new==n*m:
noPort=c+w
while end:
z,c=end.popleft()
for i in range(4):
new=z+direction[i]
if new<=0 or new>n*m:
continue
if graph[new]==-1 or vis_end[new]:
continue
if (not (direction[i]==-1 and new%m==0)) and (not (direction[i]==1 and new%m==1)):
vis_end[new]=1
end.append((new,c+w))
if graph[new]>0:
portEnd=min(portEnd,c+w+graph[new])
if new==1:
noPort=min(noPort,c+w)
ans=min(portEnd+portStart,noPort)
if ans==10**16:
print(-1)
else:
print(ans)
# region fastio
BUFSIZE = 8192
class FastIO(IOBase):
newlines = 0
def __init__(self, file):
self._fd = file.fileno()
self.buffer = BytesIO()
self.writable = 'x' in file.mode or 'r' not in file.mode
self.write = self.buffer.write if self.writable else None
def read(self):
while True:
b = os.read(self._fd, max(os.fstat(self._fd).st_size, BUFSIZE))
if not b:
break
ptr = self.buffer.tell()
self.buffer.seek(0, 2), self.buffer.write(b), self.buffer.seek(ptr)
self.newlines = 0
return self.buffer.read()
def readline(self):
while self.newlines == 0:
b = os.read(self._fd, max(os.fstat(self._fd).st_size, BUFSIZE))
self.newlines = b.count(b'\n') + (not b)
ptr = self.buffer.tell()
self.buffer.seek(0, 2), self.buffer.write(b), self.buffer.seek(ptr)
self.newlines -= 1
return self.buffer.readline()
def flush(self):
if self.writable:
os.write(self._fd, self.buffer.getvalue())
self.buffer.truncate(0), self.buffer.seek(0)
class IOWrapper(IOBase):
def __init__(self, file):
self.buffer = FastIO(file)
self.flush = self.buffer.flush
self.writable = self.buffer.writable
self.write = lambda s: self.buffer.write(s.encode('ascii'))
self.read = lambda: self.buffer.read().decode('ascii')
self.readline = lambda: self.buffer.readline().decode('ascii')
sys.stdin, sys.stdout = IOWrapper(sys.stdin), IOWrapper(sys.stdout)
input = lambda: sys.stdin.readline().rstrip('\r\n')
# endregion
if __name__ == '__main__':
main()
``` | instruction | 0 | 90,391 | 15 | 180,782 |
Yes | output | 1 | 90,391 | 15 | 180,783 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Dima overslept the alarm clock, which was supposed to raise him to school.
Dima wonders if he will have time to come to the first lesson. To do this, he needs to know the minimum time it will take him to get from home to school.
The city where Dima lives is a rectangular field of n Γ m size. Each cell (i, j) on this field is denoted by one number a_{ij}:
* The number -1 means that the passage through the cell is prohibited;
* The number 0 means that the cell is free and Dima can walk though it.
* The number x (1 β€ x β€ 10^9) means that the cell contains a portal with a cost of x. A cell with a portal is also considered free.
From any portal, Dima can go to any other portal, while the time of moving from the portal (i, j) to the portal (x, y) corresponds to the sum of their costs a_{ij} + a_{xy}.
In addition to moving between portals, Dima can also move between unoccupied cells adjacent to one side in time w. In particular, he can enter a cell with a portal and not use it.
Initially, Dima is in the upper-left cell (1, 1), and the school is in the lower right cell (n, m).
Input
The first line contains three integers n, m and w (2 β€ n, m β€ 2 β
10^3, 1 β€ w β€ 10^9), where n and m are city size, w is time during which Dima moves between unoccupied cells.
The next n lines each contain m numbers (-1 β€ a_{ij} β€ 10^9) β descriptions of cells.
It is guaranteed that the cells (1, 1) and (n, m) are free.
Output
Output the minimum time it will take for Dima to get to school. If he cannot get to school at all, then output "-1".
Example
Input
5 5 1
0 -1 0 1 -1
0 20 0 0 -1
-1 -1 -1 -1 -1
3 0 0 0 0
-1 0 0 0 0
Output
14
Note
Explanation for the first sample:
<image>
Submitted Solution:
```
from collections import deque
m,n,w = map(int,input().split())
grid = []
for i in range(m):
temp = list(map(int,input().split()))
grid.append(temp)
ds = [[float('inf') for j in range(n)] for i in range(m)]
de = [[float('inf') for j in range(n)] for i in range(m)]
ds[0][0] = 0
de[m-1][n-1] = 0
startp = float('inf')
endp = float('inf')
start = deque()
end = deque()
direc = [[0,-1],[0,1],[-1,0],[1,0]]
start.append([0,0,0])
end.append([m-1,n-1,0])
while start:
[x,y,cost] = start.popleft()
for d in range(4):
newx = x + direc[d][0]
newy = y + direc[d][1]
if newx<0 or newx>=m or newy<0 or newy>=n: continue
if grid[newx][newy]==-1: continue
if ds[newx][newy] > cost+w:
ds[newx][newy] = cost+w
start.append([newx,newy,cost+w])
if grid[newx][newy]>0: startp = min(startp,cost+w+grid[newx][newy])
while end:
[x,y,cost] = end.popleft()
for d in range(4):
newx = x + direc[d][0]
newy = y + direc[d][1]
if newx<0 or newx>=m or newy<0 or newy>=n: continue
if grid[newx][newy]==-1: continue
if de[newx][newy] > cost+w:
de[newx][newy] = cost+w
end.append([newx,newy,cost+w])
if grid[newx][newy]>0: endp = min(endp,cost+w+grid[newx][newy])
#print(startp,endp)
#print(ds,de)
ans = min(ds[m-1][n-1], startp+endp)
print(ans)
``` | instruction | 0 | 90,392 | 15 | 180,784 |
No | output | 1 | 90,392 | 15 | 180,785 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Dima overslept the alarm clock, which was supposed to raise him to school.
Dima wonders if he will have time to come to the first lesson. To do this, he needs to know the minimum time it will take him to get from home to school.
The city where Dima lives is a rectangular field of n Γ m size. Each cell (i, j) on this field is denoted by one number a_{ij}:
* The number -1 means that the passage through the cell is prohibited;
* The number 0 means that the cell is free and Dima can walk though it.
* The number x (1 β€ x β€ 10^9) means that the cell contains a portal with a cost of x. A cell with a portal is also considered free.
From any portal, Dima can go to any other portal, while the time of moving from the portal (i, j) to the portal (x, y) corresponds to the sum of their costs a_{ij} + a_{xy}.
In addition to moving between portals, Dima can also move between unoccupied cells adjacent to one side in time w. In particular, he can enter a cell with a portal and not use it.
Initially, Dima is in the upper-left cell (1, 1), and the school is in the lower right cell (n, m).
Input
The first line contains three integers n, m and w (2 β€ n, m β€ 2 β
10^3, 1 β€ w β€ 10^9), where n and m are city size, w is time during which Dima moves between unoccupied cells.
The next n lines each contain m numbers (-1 β€ a_{ij} β€ 10^9) β descriptions of cells.
It is guaranteed that the cells (1, 1) and (n, m) are free.
Output
Output the minimum time it will take for Dima to get to school. If he cannot get to school at all, then output "-1".
Example
Input
5 5 1
0 -1 0 1 -1
0 20 0 0 -1
-1 -1 -1 -1 -1
3 0 0 0 0
-1 0 0 0 0
Output
14
Note
Explanation for the first sample:
<image>
Submitted Solution:
```
# by the authority of GOD author: manhar singh sachdev #
import os,sys
from io import BytesIO,IOBase
from collections import deque
def main():
n,m,w = map(int,input().split())
arr = [list(map(int,input().split()))+[-1] for _ in range(n)]
arr.append([-1]*(m+1))
dis = [[10**20]*m for _ in range(n)]
dis1 = [[10**20]*m for _ in range(n)]
dx,dy = [-1,1,0,0],[0,0,-1,1]
curr = deque([(0,0)])
dis[0][0] = 0
while len(curr):
x,y = curr.popleft()
for i,j in zip(dx,dy):
a,b = x+i,y+j
if arr[a][b] != -1 and dis[a][b] == 10**20:
dis[a][b] = dis[x][y]+1
curr.append((a,b))
curr = deque([(n-1,m-1)])
dis1[n-1][m-1] = 0
while len(curr):
x,y = curr.popleft()
for i,j in zip(dx,dy):
a,b = x+i,y+j
if arr[a][b] != -1 and dis1[a][b] == 10**20:
dis1[a][b] = dis1[x][y]+1
curr.append((a,b))
por = []
# dis from 0,0 ; dis from n,m ; value
cou = 1
for i in range(n):
for j in range(m):
if arr[i][j] > 0:
por.append((dis[i][j]*w,dis1[i][j]*w,arr[i][j],cou))
cou += 1
if not len(por):
if dis[n-1][m-1] != 10**20:
print((n+m-2)*w)
else:
print(-1)
exit()
por1 = sorted(por,key=lambda xx:xx[0]+xx[2])
por2 = sorted(por,key=lambda xx:xx[1]+xx[2])
if por1[0][3] == por2[0][3]:
if len(por) == 1:
print(-1)
else:
print(min(por1[1][0]+por1[1][2]+por2[0][1]+por2[0][2],
por1[0][0]+por1[0][2]+por2[1][1]+por2[1][2]))
else:
print(por1[0][0]+por2[0][1]+por1[0][2]+por2[0][2])
# Fast IO Region
BUFSIZE = 8192
class FastIO(IOBase):
newlines = 0
def __init__(self,file):
self._fd = file.fileno()
self.buffer = BytesIO()
self.writable = "x" in file.mode or "r" not in file.mode
self.write = self.buffer.write if self.writable else None
def read(self):
while True:
b = os.read(self._fd,max(os.fstat(self._fd).st_size,BUFSIZE))
if not b:
break
ptr = self.buffer.tell()
self.buffer.seek(0,2),self.buffer.write(b),self.buffer.seek(ptr)
self.newlines = 0
return self.buffer.read()
def readline(self):
while self.newlines == 0:
b = os.read(self._fd,max(os.fstat(self._fd).st_size,BUFSIZE))
self.newlines = b.count(b"\n")+(not b)
ptr = self.buffer.tell()
self.buffer.seek(0,2),self.buffer.write(b),self.buffer.seek(ptr)
self.newlines -= 1
return self.buffer.readline()
def flush(self):
if self.writable:
os.write(self._fd,self.buffer.getvalue())
self.buffer.truncate(0),self.buffer.seek(0)
class IOWrapper(IOBase):
def __init__(self,file):
self.buffer = FastIO(file)
self.flush = self.buffer.flush
self.writable = self.buffer.writable
self.write = lambda s:self.buffer.write(s.encode("ascii"))
self.read = lambda:self.buffer.read().decode("ascii")
self.readline = lambda:self.buffer.readline().decode("ascii")
sys.stdin,sys.stdout = IOWrapper(sys.stdin),IOWrapper(sys.stdout)
input = lambda:sys.stdin.readline().rstrip("\r\n")
if __name__ == "__main__":
main()
``` | instruction | 0 | 90,393 | 15 | 180,786 |
No | output | 1 | 90,393 | 15 | 180,787 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Dima overslept the alarm clock, which was supposed to raise him to school.
Dima wonders if he will have time to come to the first lesson. To do this, he needs to know the minimum time it will take him to get from home to school.
The city where Dima lives is a rectangular field of n Γ m size. Each cell (i, j) on this field is denoted by one number a_{ij}:
* The number -1 means that the passage through the cell is prohibited;
* The number 0 means that the cell is free and Dima can walk though it.
* The number x (1 β€ x β€ 10^9) means that the cell contains a portal with a cost of x. A cell with a portal is also considered free.
From any portal, Dima can go to any other portal, while the time of moving from the portal (i, j) to the portal (x, y) corresponds to the sum of their costs a_{ij} + a_{xy}.
In addition to moving between portals, Dima can also move between unoccupied cells adjacent to one side in time w. In particular, he can enter a cell with a portal and not use it.
Initially, Dima is in the upper-left cell (1, 1), and the school is in the lower right cell (n, m).
Input
The first line contains three integers n, m and w (2 β€ n, m β€ 2 β
10^3, 1 β€ w β€ 10^9), where n and m are city size, w is time during which Dima moves between unoccupied cells.
The next n lines each contain m numbers (-1 β€ a_{ij} β€ 10^9) β descriptions of cells.
It is guaranteed that the cells (1, 1) and (n, m) are free.
Output
Output the minimum time it will take for Dima to get to school. If he cannot get to school at all, then output "-1".
Example
Input
5 5 1
0 -1 0 1 -1
0 20 0 0 -1
-1 -1 -1 -1 -1
3 0 0 0 0
-1 0 0 0 0
Output
14
Note
Explanation for the first sample:
<image>
Submitted Solution:
```
from sys import stdin, stdout
import heapq
from collections import defaultdict
import math
import bisect
def main():
n,m,w = list(map(int, stdin.readline().split()))
mp = []
for _ in range(n):
mp.append(list(map(int, stdin.readline().split())))
mn_start = math.inf
stack = [(0,0)]
visited = [[False] * m for _ in range(n)]
step = 0
to_fin = math.inf
while stack:
tmp = []
for i,j in stack:
visited[i][j] = True
if mp[i][j] != 0:
mn_start = min(mn_start, step * w + mp[i][j])
if i == n - 1 and j == m - 1:
to_fin = w * step
break
if i and mp[i-1][j] != -1 and not visited[i-1][j]:
tmp.append([i-1, j])
if j and mp[i][j-1] != -1 and not visited[i][j-1]:
tmp.append([i, j-1])
if i < n-1 and mp[i+1][j] != -1 and not visited[i+1][j]:
tmp.append([i+1, j])
if j < m-1 and mp[i][j+1] != -1 and not visited[i][j+1]:
tmp.append([i, j+1])
if to_fin != math.inf:
break
if to_fin != math.inf:
break
step += 1
stack = tmp
mn_s = mn_start
mn_start = math.inf
stack = [(n-1, m-1)]
visited = [[False] * m for _ in range(n)]
step = 0
while stack:
tmp = []
for i, j in stack:
visited[i][j] = True
if mp[i][j] != 0:
mn_start = min(mn_start, step * w + mp[i][j])
if i == 0 and j == 0:
to_fin = w * step
break
if i and mp[i - 1][j] != -1 and not visited[i - 1][j]:
tmp.append([i - 1, j])
if j and mp[i][j - 1] != -1 and not visited[i][j - 1]:
tmp.append([i, j - 1])
if i < n - 1 and mp[i + 1][j] != -1 and not visited[i + 1][j]:
tmp.append([i + 1, j])
if j < m - 1 and mp[i][j + 1] != -1 and not visited[i][j + 1]:
tmp.append([i, j + 1])
if to_fin != math.inf:
break
if to_fin != math.inf:
break
step += 1
stack = tmp
ans = min(to_fin, mn_s + mn_start)
if ans == math.inf:
stdout.write("-1")
else:
stdout.write(str(ans))
main()
``` | instruction | 0 | 90,394 | 15 | 180,788 |
No | output | 1 | 90,394 | 15 | 180,789 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Dima overslept the alarm clock, which was supposed to raise him to school.
Dima wonders if he will have time to come to the first lesson. To do this, he needs to know the minimum time it will take him to get from home to school.
The city where Dima lives is a rectangular field of n Γ m size. Each cell (i, j) on this field is denoted by one number a_{ij}:
* The number -1 means that the passage through the cell is prohibited;
* The number 0 means that the cell is free and Dima can walk though it.
* The number x (1 β€ x β€ 10^9) means that the cell contains a portal with a cost of x. A cell with a portal is also considered free.
From any portal, Dima can go to any other portal, while the time of moving from the portal (i, j) to the portal (x, y) corresponds to the sum of their costs a_{ij} + a_{xy}.
In addition to moving between portals, Dima can also move between unoccupied cells adjacent to one side in time w. In particular, he can enter a cell with a portal and not use it.
Initially, Dima is in the upper-left cell (1, 1), and the school is in the lower right cell (n, m).
Input
The first line contains three integers n, m and w (2 β€ n, m β€ 2 β
10^3, 1 β€ w β€ 10^9), where n and m are city size, w is time during which Dima moves between unoccupied cells.
The next n lines each contain m numbers (-1 β€ a_{ij} β€ 10^9) β descriptions of cells.
It is guaranteed that the cells (1, 1) and (n, m) are free.
Output
Output the minimum time it will take for Dima to get to school. If he cannot get to school at all, then output "-1".
Example
Input
5 5 1
0 -1 0 1 -1
0 20 0 0 -1
-1 -1 -1 -1 -1
3 0 0 0 0
-1 0 0 0 0
Output
14
Note
Explanation for the first sample:
<image>
Submitted Solution:
```
n,m,w = map(int,input().split())
M = []
for _ in range(n):
M.append(list(map(int,input().split())))
# find closest portal to end and start respectively
end = [n-1,m-1]
d = 0
# cost to go to the end and the cost of portal
best_end_cost = float('inf')
cost_back_to_start = float('inf')
q = [[n-1,m-1]]
visited = [[False]*m for _ in range(n)]
visited[n-1][m-1] = True
while q:
next_q = []
for i,j in q:
for h,k in [(i-1,j),(i+1,j),(i,j-1),(i,j+1)]:
if 0<=h<n and 0<=k<m and M[h][k] != -1 and not visited[h][k]:
if h == 0 and k == 0:
cost_back_to_start = d + w
if M[h][k]>0 and M[h][k] + d + w < best_end_cost:
best_end_cost = M[h][k] + d +w
visited[h][k] = True
next_q.append([h,k])
d += w
q = next_q
best_start_cost = float('inf')
q = [[0,0]]
visited = [[False]*m for _ in range(n)]
visited[0][0] = True
d = 0
while q:
next_q = []
for i,j in q:
for h,k in [(i-1,j),(i+1,j),(i,j-1),(i,j+1)]:
if 0<=h<n and 0<=k<m and M[h][k] != -1 and not visited[h][k]:
if M[h][k]>0 and M[h][k] + d + w < best_start_cost:
best_start_cost = M[h][k] + d + w
visited[h][k] = True
next_q.append([h,k])
d += w
q = next_q
ans = min(cost_back_to_start, best_start_cost + best_end_cost)
ans = ans if ans != float('inf') else -1
print(ans)
``` | instruction | 0 | 90,395 | 15 | 180,790 |
No | output | 1 | 90,395 | 15 | 180,791 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Bessie the cow and her best friend Elsie each received a sliding puzzle on Pi Day. Their puzzles consist of a 2 Γ 2 grid and three tiles labeled 'A', 'B', and 'C'. The three tiles sit on top of the grid, leaving one grid cell empty. To make a move, Bessie or Elsie can slide a tile adjacent to the empty cell into the empty cell as shown below:
<image>
In order to determine if they are truly Best Friends For Life (BFFLs), Bessie and Elsie would like to know if there exists a sequence of moves that takes their puzzles to the same configuration (moves can be performed in both puzzles). Two puzzles are considered to be in the same configuration if each tile is on top of the same grid cell in both puzzles. Since the tiles are labeled with letters, rotations and reflections are not allowed.
Input
The first two lines of the input consist of a 2 Γ 2 grid describing the initial configuration of Bessie's puzzle. The next two lines contain a 2 Γ 2 grid describing the initial configuration of Elsie's puzzle. The positions of the tiles are labeled 'A', 'B', and 'C', while the empty cell is labeled 'X'. It's guaranteed that both puzzles contain exactly one tile with each letter and exactly one empty position.
Output
Output "YES"(without quotes) if the puzzles can reach the same configuration (and Bessie and Elsie are truly BFFLs). Otherwise, print "NO" (without quotes).
Examples
Input
AB
XC
XB
AC
Output
YES
Input
AB
XC
AC
BX
Output
NO
Note
The solution to the first sample is described by the image. All Bessie needs to do is slide her 'A' tile down.
In the second sample, the two puzzles can never be in the same configuration. Perhaps Bessie and Elsie are not meant to be friends after all... | instruction | 0 | 90,548 | 15 | 181,096 |
Tags: brute force, constructive algorithms, implementation
Correct Solution:
```
a = input()
b = input()
c = input()
d = input()
s = list(a + b[1] + b[0])
t = list(c + d[1] + d[0])
s.remove('X')
t.remove('X')
for i in range(5):
t = t[1:] + [t[0]]
if s == t:
print("YES")
break
else:
print("NO")
``` | output | 1 | 90,548 | 15 | 181,097 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Bessie the cow and her best friend Elsie each received a sliding puzzle on Pi Day. Their puzzles consist of a 2 Γ 2 grid and three tiles labeled 'A', 'B', and 'C'. The three tiles sit on top of the grid, leaving one grid cell empty. To make a move, Bessie or Elsie can slide a tile adjacent to the empty cell into the empty cell as shown below:
<image>
In order to determine if they are truly Best Friends For Life (BFFLs), Bessie and Elsie would like to know if there exists a sequence of moves that takes their puzzles to the same configuration (moves can be performed in both puzzles). Two puzzles are considered to be in the same configuration if each tile is on top of the same grid cell in both puzzles. Since the tiles are labeled with letters, rotations and reflections are not allowed.
Input
The first two lines of the input consist of a 2 Γ 2 grid describing the initial configuration of Bessie's puzzle. The next two lines contain a 2 Γ 2 grid describing the initial configuration of Elsie's puzzle. The positions of the tiles are labeled 'A', 'B', and 'C', while the empty cell is labeled 'X'. It's guaranteed that both puzzles contain exactly one tile with each letter and exactly one empty position.
Output
Output "YES"(without quotes) if the puzzles can reach the same configuration (and Bessie and Elsie are truly BFFLs). Otherwise, print "NO" (without quotes).
Examples
Input
AB
XC
XB
AC
Output
YES
Input
AB
XC
AC
BX
Output
NO
Note
The solution to the first sample is described by the image. All Bessie needs to do is slide her 'A' tile down.
In the second sample, the two puzzles can never be in the same configuration. Perhaps Bessie and Elsie are not meant to be friends after all... | instruction | 0 | 90,549 | 15 | 181,098 |
Tags: brute force, constructive algorithms, implementation
Correct Solution:
```
count = 12
ans = False
first = [list(input())]
first.append(list(input()))
second = [list(input())]
second.append(list(input()))
for i in range(count):
if first == second:
ans = True
break
if first[0][0] == 'X':
first[0][0], first[0][1] = first[0][1], first[0][0]
elif first[0][1] == 'X':
first[0][1], first[1][1] = first[1][1], first[0][1]
elif first[1][1] == 'X':
first[1][1], first[1][0] = first[1][0], first[1][1]
elif first[1][0] == 'X':
first[1][0], first[0][0] = first[0][0], first[1][0]
if ans:
print('YES')
else:
print('NO')
``` | output | 1 | 90,549 | 15 | 181,099 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Bessie the cow and her best friend Elsie each received a sliding puzzle on Pi Day. Their puzzles consist of a 2 Γ 2 grid and three tiles labeled 'A', 'B', and 'C'. The three tiles sit on top of the grid, leaving one grid cell empty. To make a move, Bessie or Elsie can slide a tile adjacent to the empty cell into the empty cell as shown below:
<image>
In order to determine if they are truly Best Friends For Life (BFFLs), Bessie and Elsie would like to know if there exists a sequence of moves that takes their puzzles to the same configuration (moves can be performed in both puzzles). Two puzzles are considered to be in the same configuration if each tile is on top of the same grid cell in both puzzles. Since the tiles are labeled with letters, rotations and reflections are not allowed.
Input
The first two lines of the input consist of a 2 Γ 2 grid describing the initial configuration of Bessie's puzzle. The next two lines contain a 2 Γ 2 grid describing the initial configuration of Elsie's puzzle. The positions of the tiles are labeled 'A', 'B', and 'C', while the empty cell is labeled 'X'. It's guaranteed that both puzzles contain exactly one tile with each letter and exactly one empty position.
Output
Output "YES"(without quotes) if the puzzles can reach the same configuration (and Bessie and Elsie are truly BFFLs). Otherwise, print "NO" (without quotes).
Examples
Input
AB
XC
XB
AC
Output
YES
Input
AB
XC
AC
BX
Output
NO
Note
The solution to the first sample is described by the image. All Bessie needs to do is slide her 'A' tile down.
In the second sample, the two puzzles can never be in the same configuration. Perhaps Bessie and Elsie are not meant to be friends after all... | instruction | 0 | 90,550 | 15 | 181,100 |
Tags: brute force, constructive algorithms, implementation
Correct Solution:
```
a = input()
a = a + input()[::-1]
a = a.replace('X','')
b = input()
b = b + input()[::-1]
b = b.replace('X','')
b = b * 2
if b.find(a) == -1:
print('NO')
else:
print('YES')
``` | output | 1 | 90,550 | 15 | 181,101 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Bessie the cow and her best friend Elsie each received a sliding puzzle on Pi Day. Their puzzles consist of a 2 Γ 2 grid and three tiles labeled 'A', 'B', and 'C'. The three tiles sit on top of the grid, leaving one grid cell empty. To make a move, Bessie or Elsie can slide a tile adjacent to the empty cell into the empty cell as shown below:
<image>
In order to determine if they are truly Best Friends For Life (BFFLs), Bessie and Elsie would like to know if there exists a sequence of moves that takes their puzzles to the same configuration (moves can be performed in both puzzles). Two puzzles are considered to be in the same configuration if each tile is on top of the same grid cell in both puzzles. Since the tiles are labeled with letters, rotations and reflections are not allowed.
Input
The first two lines of the input consist of a 2 Γ 2 grid describing the initial configuration of Bessie's puzzle. The next two lines contain a 2 Γ 2 grid describing the initial configuration of Elsie's puzzle. The positions of the tiles are labeled 'A', 'B', and 'C', while the empty cell is labeled 'X'. It's guaranteed that both puzzles contain exactly one tile with each letter and exactly one empty position.
Output
Output "YES"(without quotes) if the puzzles can reach the same configuration (and Bessie and Elsie are truly BFFLs). Otherwise, print "NO" (without quotes).
Examples
Input
AB
XC
XB
AC
Output
YES
Input
AB
XC
AC
BX
Output
NO
Note
The solution to the first sample is described by the image. All Bessie needs to do is slide her 'A' tile down.
In the second sample, the two puzzles can never be in the same configuration. Perhaps Bessie and Elsie are not meant to be friends after all... | instruction | 0 | 90,551 | 15 | 181,102 |
Tags: brute force, constructive algorithms, implementation
Correct Solution:
```
#!/usr/bin/python3
def main():
a = input() + "".join(reversed(input()))
b = input() + "".join(reversed(input()))
a = a[:a.find("X")] + a[a.find("X") + 1:]
b = b[:b.find("X")] + b[b.find("X") + 1:]
for i in range(3):
if a[i:] + a[:i] == b:
return True
return False
if main():
print("YES")
else:
print("NO")
``` | output | 1 | 90,551 | 15 | 181,103 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Bessie the cow and her best friend Elsie each received a sliding puzzle on Pi Day. Their puzzles consist of a 2 Γ 2 grid and three tiles labeled 'A', 'B', and 'C'. The three tiles sit on top of the grid, leaving one grid cell empty. To make a move, Bessie or Elsie can slide a tile adjacent to the empty cell into the empty cell as shown below:
<image>
In order to determine if they are truly Best Friends For Life (BFFLs), Bessie and Elsie would like to know if there exists a sequence of moves that takes their puzzles to the same configuration (moves can be performed in both puzzles). Two puzzles are considered to be in the same configuration if each tile is on top of the same grid cell in both puzzles. Since the tiles are labeled with letters, rotations and reflections are not allowed.
Input
The first two lines of the input consist of a 2 Γ 2 grid describing the initial configuration of Bessie's puzzle. The next two lines contain a 2 Γ 2 grid describing the initial configuration of Elsie's puzzle. The positions of the tiles are labeled 'A', 'B', and 'C', while the empty cell is labeled 'X'. It's guaranteed that both puzzles contain exactly one tile with each letter and exactly one empty position.
Output
Output "YES"(without quotes) if the puzzles can reach the same configuration (and Bessie and Elsie are truly BFFLs). Otherwise, print "NO" (without quotes).
Examples
Input
AB
XC
XB
AC
Output
YES
Input
AB
XC
AC
BX
Output
NO
Note
The solution to the first sample is described by the image. All Bessie needs to do is slide her 'A' tile down.
In the second sample, the two puzzles can never be in the same configuration. Perhaps Bessie and Elsie are not meant to be friends after all... | instruction | 0 | 90,552 | 15 | 181,104 |
Tags: brute force, constructive algorithms, implementation
Correct Solution:
```
def find_order(A, B):
d = dict()
i = 0
if A[0] != 'X':
d[i] = A[0]
i += 1
if A[1] != 'X':
d[i] = A[1]
i += 1
if B[1] != 'X':
d[i] = B[1]
i += 1
if B[0] != 'X':
d[i] = B[0]
i += 1
return d
a = input()
b = input()
c = input()
d = input()
m = find_order(a, b)
n = find_order(c, d)
m[3] = m[0]
m[4] = m[1]
if m[0] == n[0]:
if m[1] == n[1] and m[2] == n[2]:
print('YES')
else:
print('NO')
elif m[1] == n[0]:
if m[2] == n[1] and m[3] == n[2]:
print('YES')
else:
print('NO')
elif m[2] == n[0]:
if m[3] == n[1] and m[4] == n[2]:
print('YES')
else:
print('NO')
``` | output | 1 | 90,552 | 15 | 181,105 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Bessie the cow and her best friend Elsie each received a sliding puzzle on Pi Day. Their puzzles consist of a 2 Γ 2 grid and three tiles labeled 'A', 'B', and 'C'. The three tiles sit on top of the grid, leaving one grid cell empty. To make a move, Bessie or Elsie can slide a tile adjacent to the empty cell into the empty cell as shown below:
<image>
In order to determine if they are truly Best Friends For Life (BFFLs), Bessie and Elsie would like to know if there exists a sequence of moves that takes their puzzles to the same configuration (moves can be performed in both puzzles). Two puzzles are considered to be in the same configuration if each tile is on top of the same grid cell in both puzzles. Since the tiles are labeled with letters, rotations and reflections are not allowed.
Input
The first two lines of the input consist of a 2 Γ 2 grid describing the initial configuration of Bessie's puzzle. The next two lines contain a 2 Γ 2 grid describing the initial configuration of Elsie's puzzle. The positions of the tiles are labeled 'A', 'B', and 'C', while the empty cell is labeled 'X'. It's guaranteed that both puzzles contain exactly one tile with each letter and exactly one empty position.
Output
Output "YES"(without quotes) if the puzzles can reach the same configuration (and Bessie and Elsie are truly BFFLs). Otherwise, print "NO" (without quotes).
Examples
Input
AB
XC
XB
AC
Output
YES
Input
AB
XC
AC
BX
Output
NO
Note
The solution to the first sample is described by the image. All Bessie needs to do is slide her 'A' tile down.
In the second sample, the two puzzles can never be in the same configuration. Perhaps Bessie and Elsie are not meant to be friends after all... | instruction | 0 | 90,553 | 15 | 181,106 |
Tags: brute force, constructive algorithms, implementation
Correct Solution:
```
s1 = ""
s2 = ""
a = input()
b = input()
c = input()
d = input()
s1 = list(a + b[1] + b[0])
s2 = list(c + d[1] + d[0])
t = s1.index('X')
if t != 3:
s1 = s1[:t] + s1[t+1:]
else:
s1 = s1[:3]
t = s2.index('X')
if t != 3:
s2 = s2[:t] + s2[t+1:]
else:
s2 = s2[:3]
if s1[0] + s1[1] + s1[2] == s2[0] + s2[1] + s2[2] or s1[1] + s1[2] + s1[0] == s2[0] + s2[1] + s2[2] or s1[2] + s1[0] + s1[1] == s2[0] + s2[1] + s2[2]:
print("YES")
else:
print("NO")
``` | output | 1 | 90,553 | 15 | 181,107 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Bessie the cow and her best friend Elsie each received a sliding puzzle on Pi Day. Their puzzles consist of a 2 Γ 2 grid and three tiles labeled 'A', 'B', and 'C'. The three tiles sit on top of the grid, leaving one grid cell empty. To make a move, Bessie or Elsie can slide a tile adjacent to the empty cell into the empty cell as shown below:
<image>
In order to determine if they are truly Best Friends For Life (BFFLs), Bessie and Elsie would like to know if there exists a sequence of moves that takes their puzzles to the same configuration (moves can be performed in both puzzles). Two puzzles are considered to be in the same configuration if each tile is on top of the same grid cell in both puzzles. Since the tiles are labeled with letters, rotations and reflections are not allowed.
Input
The first two lines of the input consist of a 2 Γ 2 grid describing the initial configuration of Bessie's puzzle. The next two lines contain a 2 Γ 2 grid describing the initial configuration of Elsie's puzzle. The positions of the tiles are labeled 'A', 'B', and 'C', while the empty cell is labeled 'X'. It's guaranteed that both puzzles contain exactly one tile with each letter and exactly one empty position.
Output
Output "YES"(without quotes) if the puzzles can reach the same configuration (and Bessie and Elsie are truly BFFLs). Otherwise, print "NO" (without quotes).
Examples
Input
AB
XC
XB
AC
Output
YES
Input
AB
XC
AC
BX
Output
NO
Note
The solution to the first sample is described by the image. All Bessie needs to do is slide her 'A' tile down.
In the second sample, the two puzzles can never be in the same configuration. Perhaps Bessie and Elsie are not meant to be friends after all... | instruction | 0 | 90,554 | 15 | 181,108 |
Tags: brute force, constructive algorithms, implementation
Correct Solution:
```
f = lambda: 'ABC' in 2 * (input()+input()[::-1]).replace('X', '')
print('NO' if f()^f() else 'YES')
``` | output | 1 | 90,554 | 15 | 181,109 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Bessie the cow and her best friend Elsie each received a sliding puzzle on Pi Day. Their puzzles consist of a 2 Γ 2 grid and three tiles labeled 'A', 'B', and 'C'. The three tiles sit on top of the grid, leaving one grid cell empty. To make a move, Bessie or Elsie can slide a tile adjacent to the empty cell into the empty cell as shown below:
<image>
In order to determine if they are truly Best Friends For Life (BFFLs), Bessie and Elsie would like to know if there exists a sequence of moves that takes their puzzles to the same configuration (moves can be performed in both puzzles). Two puzzles are considered to be in the same configuration if each tile is on top of the same grid cell in both puzzles. Since the tiles are labeled with letters, rotations and reflections are not allowed.
Input
The first two lines of the input consist of a 2 Γ 2 grid describing the initial configuration of Bessie's puzzle. The next two lines contain a 2 Γ 2 grid describing the initial configuration of Elsie's puzzle. The positions of the tiles are labeled 'A', 'B', and 'C', while the empty cell is labeled 'X'. It's guaranteed that both puzzles contain exactly one tile with each letter and exactly one empty position.
Output
Output "YES"(without quotes) if the puzzles can reach the same configuration (and Bessie and Elsie are truly BFFLs). Otherwise, print "NO" (without quotes).
Examples
Input
AB
XC
XB
AC
Output
YES
Input
AB
XC
AC
BX
Output
NO
Note
The solution to the first sample is described by the image. All Bessie needs to do is slide her 'A' tile down.
In the second sample, the two puzzles can never be in the same configuration. Perhaps Bessie and Elsie are not meant to be friends after all... | instruction | 0 | 90,555 | 15 | 181,110 |
Tags: brute force, constructive algorithms, implementation
Correct Solution:
```
s1 = input() + input()[::-1]
s2 = input() + input()[::-1]
s1 = s1[:s1.find('X')] + s1[s1.find('X') + 1:]
s2 = s2[:s2.find('X')] + s2[s2.find('X') + 1:]
flag = False
for i in range(3):
if s1 == s2:
flag = True
break
s1 = s1[-1] + s1[:-1]
print('YES' if flag else 'NO')
``` | output | 1 | 90,555 | 15 | 181,111 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Bessie the cow and her best friend Elsie each received a sliding puzzle on Pi Day. Their puzzles consist of a 2 Γ 2 grid and three tiles labeled 'A', 'B', and 'C'. The three tiles sit on top of the grid, leaving one grid cell empty. To make a move, Bessie or Elsie can slide a tile adjacent to the empty cell into the empty cell as shown below:
<image>
In order to determine if they are truly Best Friends For Life (BFFLs), Bessie and Elsie would like to know if there exists a sequence of moves that takes their puzzles to the same configuration (moves can be performed in both puzzles). Two puzzles are considered to be in the same configuration if each tile is on top of the same grid cell in both puzzles. Since the tiles are labeled with letters, rotations and reflections are not allowed.
Input
The first two lines of the input consist of a 2 Γ 2 grid describing the initial configuration of Bessie's puzzle. The next two lines contain a 2 Γ 2 grid describing the initial configuration of Elsie's puzzle. The positions of the tiles are labeled 'A', 'B', and 'C', while the empty cell is labeled 'X'. It's guaranteed that both puzzles contain exactly one tile with each letter and exactly one empty position.
Output
Output "YES"(without quotes) if the puzzles can reach the same configuration (and Bessie and Elsie are truly BFFLs). Otherwise, print "NO" (without quotes).
Examples
Input
AB
XC
XB
AC
Output
YES
Input
AB
XC
AC
BX
Output
NO
Note
The solution to the first sample is described by the image. All Bessie needs to do is slide her 'A' tile down.
In the second sample, the two puzzles can never be in the same configuration. Perhaps Bessie and Elsie are not meant to be friends after all...
Submitted Solution:
```
a1 = input()
a2 = input()
b1 = input()
b2 = input()
bel = [a1,a2]
el = [b1,b2]
checker = False
for i in range(100):
if not( a1 == b1 and a2 == b2):
if 'X' in a1:
if a1.find('X') == 0:
a1 = a2[0]+a1[1]
a2 = 'X'+a2[1]
else:
a1 = 'X'+a1[0]
else:
if a2.find('X') == 0:
a2 = a2[1] + 'X'
else:
a2 = a2[0] + a1[1]
a1 = a1[0] +'X'
else:
checker = True
break
if checker == True:
print('YES')
else:
print('NO')
``` | instruction | 0 | 90,556 | 15 | 181,112 |
Yes | output | 1 | 90,556 | 15 | 181,113 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Bessie the cow and her best friend Elsie each received a sliding puzzle on Pi Day. Their puzzles consist of a 2 Γ 2 grid and three tiles labeled 'A', 'B', and 'C'. The three tiles sit on top of the grid, leaving one grid cell empty. To make a move, Bessie or Elsie can slide a tile adjacent to the empty cell into the empty cell as shown below:
<image>
In order to determine if they are truly Best Friends For Life (BFFLs), Bessie and Elsie would like to know if there exists a sequence of moves that takes their puzzles to the same configuration (moves can be performed in both puzzles). Two puzzles are considered to be in the same configuration if each tile is on top of the same grid cell in both puzzles. Since the tiles are labeled with letters, rotations and reflections are not allowed.
Input
The first two lines of the input consist of a 2 Γ 2 grid describing the initial configuration of Bessie's puzzle. The next two lines contain a 2 Γ 2 grid describing the initial configuration of Elsie's puzzle. The positions of the tiles are labeled 'A', 'B', and 'C', while the empty cell is labeled 'X'. It's guaranteed that both puzzles contain exactly one tile with each letter and exactly one empty position.
Output
Output "YES"(without quotes) if the puzzles can reach the same configuration (and Bessie and Elsie are truly BFFLs). Otherwise, print "NO" (without quotes).
Examples
Input
AB
XC
XB
AC
Output
YES
Input
AB
XC
AC
BX
Output
NO
Note
The solution to the first sample is described by the image. All Bessie needs to do is slide her 'A' tile down.
In the second sample, the two puzzles can never be in the same configuration. Perhaps Bessie and Elsie are not meant to be friends after all...
Submitted Solution:
```
list1 = [(i)for i in input()]
list2 = [(i)for i in input()]
list3 = [(i)for i in input()]
list4 = [(i)for i in input()]
chars1 = ""
chars2 = ""
if list1[0]!="X":
chars1+=list1[0]
if list1[1]!="X":
chars1+=list1[1]
if list2[1]!="X":
chars1+=list2[1]
if list2[0]!="X":
chars1+=list2[0]
chars1*=2
if list3[0]!="X":
chars2+=list3[0]
if list3[1]!="X":
chars2+=list3[1]
if list4[1]!="X":
chars2+=list4[1]
if list4[0]!="X":
chars2+=list4[0]
if chars2 in chars1:
print("YES")
else:
print("NO")
``` | instruction | 0 | 90,557 | 15 | 181,114 |
Yes | output | 1 | 90,557 | 15 | 181,115 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Bessie the cow and her best friend Elsie each received a sliding puzzle on Pi Day. Their puzzles consist of a 2 Γ 2 grid and three tiles labeled 'A', 'B', and 'C'. The three tiles sit on top of the grid, leaving one grid cell empty. To make a move, Bessie or Elsie can slide a tile adjacent to the empty cell into the empty cell as shown below:
<image>
In order to determine if they are truly Best Friends For Life (BFFLs), Bessie and Elsie would like to know if there exists a sequence of moves that takes their puzzles to the same configuration (moves can be performed in both puzzles). Two puzzles are considered to be in the same configuration if each tile is on top of the same grid cell in both puzzles. Since the tiles are labeled with letters, rotations and reflections are not allowed.
Input
The first two lines of the input consist of a 2 Γ 2 grid describing the initial configuration of Bessie's puzzle. The next two lines contain a 2 Γ 2 grid describing the initial configuration of Elsie's puzzle. The positions of the tiles are labeled 'A', 'B', and 'C', while the empty cell is labeled 'X'. It's guaranteed that both puzzles contain exactly one tile with each letter and exactly one empty position.
Output
Output "YES"(without quotes) if the puzzles can reach the same configuration (and Bessie and Elsie are truly BFFLs). Otherwise, print "NO" (without quotes).
Examples
Input
AB
XC
XB
AC
Output
YES
Input
AB
XC
AC
BX
Output
NO
Note
The solution to the first sample is described by the image. All Bessie needs to do is slide her 'A' tile down.
In the second sample, the two puzzles can never be in the same configuration. Perhaps Bessie and Elsie are not meant to be friends after all...
Submitted Solution:
```
s1=input()
s2=input()
s3=input()
s4=input()
s11=s1+s2[::-1]
s22=s3+s4[::-1]
k1=""
k2=""
for i in range(4):
if s11[i]!='X':
k1+=s11[i]
for i in range(4):
if s22[i]!='X':
k2+=s22[i]
k1=k1*3
#print(k1)
#print(k2)
if k2 in k1:
print('YES')
else:
print('NO')
``` | instruction | 0 | 90,558 | 15 | 181,116 |
Yes | output | 1 | 90,558 | 15 | 181,117 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Bessie the cow and her best friend Elsie each received a sliding puzzle on Pi Day. Their puzzles consist of a 2 Γ 2 grid and three tiles labeled 'A', 'B', and 'C'. The three tiles sit on top of the grid, leaving one grid cell empty. To make a move, Bessie or Elsie can slide a tile adjacent to the empty cell into the empty cell as shown below:
<image>
In order to determine if they are truly Best Friends For Life (BFFLs), Bessie and Elsie would like to know if there exists a sequence of moves that takes their puzzles to the same configuration (moves can be performed in both puzzles). Two puzzles are considered to be in the same configuration if each tile is on top of the same grid cell in both puzzles. Since the tiles are labeled with letters, rotations and reflections are not allowed.
Input
The first two lines of the input consist of a 2 Γ 2 grid describing the initial configuration of Bessie's puzzle. The next two lines contain a 2 Γ 2 grid describing the initial configuration of Elsie's puzzle. The positions of the tiles are labeled 'A', 'B', and 'C', while the empty cell is labeled 'X'. It's guaranteed that both puzzles contain exactly one tile with each letter and exactly one empty position.
Output
Output "YES"(without quotes) if the puzzles can reach the same configuration (and Bessie and Elsie are truly BFFLs). Otherwise, print "NO" (without quotes).
Examples
Input
AB
XC
XB
AC
Output
YES
Input
AB
XC
AC
BX
Output
NO
Note
The solution to the first sample is described by the image. All Bessie needs to do is slide her 'A' tile down.
In the second sample, the two puzzles can never be in the same configuration. Perhaps Bessie and Elsie are not meant to be friends after all...
Submitted Solution:
```
per1 = input()
per2 = input()
per3 = input()
per4 = input()
s= []
s.append(per1[0])
s.append (per1[1])
s.append (per2[1])
s.append (per2[0])
for i in range(len(s)):
if s[i] == 'X':
s.pop(i)
break
d= []
d.append(per3[0])
d.append (per3[1])
d.append (per4[1])
d.append (per4[0])
for i in range(len(d)):
if d[i] == 'X':
d.pop(i)
break
per2 = False
for i in range(3):
if s != d:
t = d.pop(0)
d.append(t)
else:
per2 = True
break
if per2:
print('YES')
else:
print('NO')
``` | instruction | 0 | 90,559 | 15 | 181,118 |
Yes | output | 1 | 90,559 | 15 | 181,119 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Bessie the cow and her best friend Elsie each received a sliding puzzle on Pi Day. Their puzzles consist of a 2 Γ 2 grid and three tiles labeled 'A', 'B', and 'C'. The three tiles sit on top of the grid, leaving one grid cell empty. To make a move, Bessie or Elsie can slide a tile adjacent to the empty cell into the empty cell as shown below:
<image>
In order to determine if they are truly Best Friends For Life (BFFLs), Bessie and Elsie would like to know if there exists a sequence of moves that takes their puzzles to the same configuration (moves can be performed in both puzzles). Two puzzles are considered to be in the same configuration if each tile is on top of the same grid cell in both puzzles. Since the tiles are labeled with letters, rotations and reflections are not allowed.
Input
The first two lines of the input consist of a 2 Γ 2 grid describing the initial configuration of Bessie's puzzle. The next two lines contain a 2 Γ 2 grid describing the initial configuration of Elsie's puzzle. The positions of the tiles are labeled 'A', 'B', and 'C', while the empty cell is labeled 'X'. It's guaranteed that both puzzles contain exactly one tile with each letter and exactly one empty position.
Output
Output "YES"(without quotes) if the puzzles can reach the same configuration (and Bessie and Elsie are truly BFFLs). Otherwise, print "NO" (without quotes).
Examples
Input
AB
XC
XB
AC
Output
YES
Input
AB
XC
AC
BX
Output
NO
Note
The solution to the first sample is described by the image. All Bessie needs to do is slide her 'A' tile down.
In the second sample, the two puzzles can never be in the same configuration. Perhaps Bessie and Elsie are not meant to be friends after all...
Submitted Solution:
```
s=str(input())
s1=str(input())
s2=str(input())
s3=str(input())
e=''
f=''
flag=0
for i in range(0,len(s)):
if(s[i]!='X'):
e=e+s[i]
for i in range(0,len(s1)):
if(s1[i]!='X'):
f=f+s1[i]
if((e=='AB' and f=='C') or (e=='BC' and f=='A') or (e=='CA' and f=='B') or (e=='A' and f=='CB') or (e=='B' and f=='AC')or(e=='C' and f=='BA')):
pass
else:
flag=1
if(flag==0):
e=''
f=''
for i in range(0,len(s2)):
if(s2[i]!='X'):
e=e+s2[i]
for i in range(0,len(s3)):
if(s3[i]!='X'):
f=f+s3[i]
if(e=='AB' and f=='C' or (e=='BC' and f=='A') or (e=='CA' and f=='B') or (e=='A' and f=='CB') or (e=='B' and f=='AC')or(e=='C' and f=='BA')):
pass
else:
flag=1
if(flag==0):
print('YES')
else:
print('NO')
``` | instruction | 0 | 90,560 | 15 | 181,120 |
No | output | 1 | 90,560 | 15 | 181,121 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Bessie the cow and her best friend Elsie each received a sliding puzzle on Pi Day. Their puzzles consist of a 2 Γ 2 grid and three tiles labeled 'A', 'B', and 'C'. The three tiles sit on top of the grid, leaving one grid cell empty. To make a move, Bessie or Elsie can slide a tile adjacent to the empty cell into the empty cell as shown below:
<image>
In order to determine if they are truly Best Friends For Life (BFFLs), Bessie and Elsie would like to know if there exists a sequence of moves that takes their puzzles to the same configuration (moves can be performed in both puzzles). Two puzzles are considered to be in the same configuration if each tile is on top of the same grid cell in both puzzles. Since the tiles are labeled with letters, rotations and reflections are not allowed.
Input
The first two lines of the input consist of a 2 Γ 2 grid describing the initial configuration of Bessie's puzzle. The next two lines contain a 2 Γ 2 grid describing the initial configuration of Elsie's puzzle. The positions of the tiles are labeled 'A', 'B', and 'C', while the empty cell is labeled 'X'. It's guaranteed that both puzzles contain exactly one tile with each letter and exactly one empty position.
Output
Output "YES"(without quotes) if the puzzles can reach the same configuration (and Bessie and Elsie are truly BFFLs). Otherwise, print "NO" (without quotes).
Examples
Input
AB
XC
XB
AC
Output
YES
Input
AB
XC
AC
BX
Output
NO
Note
The solution to the first sample is described by the image. All Bessie needs to do is slide her 'A' tile down.
In the second sample, the two puzzles can never be in the same configuration. Perhaps Bessie and Elsie are not meant to be friends after all...
Submitted Solution:
```
a = [list(input()), list(input())]
b = [list(input()), list(input())]
def nxt(a):
x, y = 0, 0
for i in range(2):
for j in range(2):
if a[i][j] == 'X':
x, y = i, j
if (x, y) == (0, 0):
a[x][y] = a[x+1][y]
a[x+1][y] = 'X'
elif (x, y) == (0, 1):
a[x][y] = a[x][y-1]
a[x][y-1] = 'X'
elif (x, y) == (1, 0):
a[x][y] = a[x][y+1]
a[x][y+1] = 'X'
else:
a[x][y] = a[x-1][y]
a[x-1][y] = 'X'
return a
def prv(a):
x, y = 0, 0
for i in range(2):
for j in range(2):
if a[i][j] == 'X':
x, y = i, j
if (x, y) == (0, 0):
a[x][y] = a[x][y+1]
a[x][y+1] = 'X'
elif (x, y) == (0, 1):
a[x][y] = a[x+1][y]
a[x+1][y] = 'X'
elif (x, y) == (1, 0):
a[x][y] = a[x-1][y]
a[x-1][y] = 'X'
else:
a[x][y] = a[x][y-1]
a[x][y-1] = 'X'
return a
c = b[:]
if b == a:
print('YES')
else:
b = nxt(b)
if b == a:
print('YES')
else:
b = nxt(b)
if b == a:
print('YES')
else:
b = nxt(b)
if b == a:
print('YES')
else:
b = c[:]
if b == a:
print('YES')
else:
b = prv(b)
if b == a:
print('YES')
else:
b = prv(b)
if b == a:
print('YES')
else:
b = prv(b)
if b == a:
print('YES')
else:
print('NO')
``` | instruction | 0 | 90,561 | 15 | 181,122 |
No | output | 1 | 90,561 | 15 | 181,123 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Bessie the cow and her best friend Elsie each received a sliding puzzle on Pi Day. Their puzzles consist of a 2 Γ 2 grid and three tiles labeled 'A', 'B', and 'C'. The three tiles sit on top of the grid, leaving one grid cell empty. To make a move, Bessie or Elsie can slide a tile adjacent to the empty cell into the empty cell as shown below:
<image>
In order to determine if they are truly Best Friends For Life (BFFLs), Bessie and Elsie would like to know if there exists a sequence of moves that takes their puzzles to the same configuration (moves can be performed in both puzzles). Two puzzles are considered to be in the same configuration if each tile is on top of the same grid cell in both puzzles. Since the tiles are labeled with letters, rotations and reflections are not allowed.
Input
The first two lines of the input consist of a 2 Γ 2 grid describing the initial configuration of Bessie's puzzle. The next two lines contain a 2 Γ 2 grid describing the initial configuration of Elsie's puzzle. The positions of the tiles are labeled 'A', 'B', and 'C', while the empty cell is labeled 'X'. It's guaranteed that both puzzles contain exactly one tile with each letter and exactly one empty position.
Output
Output "YES"(without quotes) if the puzzles can reach the same configuration (and Bessie and Elsie are truly BFFLs). Otherwise, print "NO" (without quotes).
Examples
Input
AB
XC
XB
AC
Output
YES
Input
AB
XC
AC
BX
Output
NO
Note
The solution to the first sample is described by the image. All Bessie needs to do is slide her 'A' tile down.
In the second sample, the two puzzles can never be in the same configuration. Perhaps Bessie and Elsie are not meant to be friends after all...
Submitted Solution:
```
mas = ["ABXC", "XBAC", "BXAC", "BCAX", "BCXA", "XCBA", "CXBA", "CABX", "CAXB", "XACB", "AXCB", "ABCX"]
a = input()
a += input()
b = input()
b += input()
if a in mas and b in mas:
print("YES")
else:
print("NO")
``` | instruction | 0 | 90,562 | 15 | 181,124 |
No | output | 1 | 90,562 | 15 | 181,125 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Bessie the cow and her best friend Elsie each received a sliding puzzle on Pi Day. Their puzzles consist of a 2 Γ 2 grid and three tiles labeled 'A', 'B', and 'C'. The three tiles sit on top of the grid, leaving one grid cell empty. To make a move, Bessie or Elsie can slide a tile adjacent to the empty cell into the empty cell as shown below:
<image>
In order to determine if they are truly Best Friends For Life (BFFLs), Bessie and Elsie would like to know if there exists a sequence of moves that takes their puzzles to the same configuration (moves can be performed in both puzzles). Two puzzles are considered to be in the same configuration if each tile is on top of the same grid cell in both puzzles. Since the tiles are labeled with letters, rotations and reflections are not allowed.
Input
The first two lines of the input consist of a 2 Γ 2 grid describing the initial configuration of Bessie's puzzle. The next two lines contain a 2 Γ 2 grid describing the initial configuration of Elsie's puzzle. The positions of the tiles are labeled 'A', 'B', and 'C', while the empty cell is labeled 'X'. It's guaranteed that both puzzles contain exactly one tile with each letter and exactly one empty position.
Output
Output "YES"(without quotes) if the puzzles can reach the same configuration (and Bessie and Elsie are truly BFFLs). Otherwise, print "NO" (without quotes).
Examples
Input
AB
XC
XB
AC
Output
YES
Input
AB
XC
AC
BX
Output
NO
Note
The solution to the first sample is described by the image. All Bessie needs to do is slide her 'A' tile down.
In the second sample, the two puzzles can never be in the same configuration. Perhaps Bessie and Elsie are not meant to be friends after all...
Submitted Solution:
```
s=str(input())
s1=str(input())
s2=str(input())
s3=str(input())
e=''
f=''
flag=0
for i in range(0,len(s)):
if(s[i]!='X'):
e=e+s[i]
for i in range(0,len(s1)):
if(s1[i]!='X'):
f=f+s1[i]
print(e,f)
if((e=='AB' and f=='C') or (e=='BC' and f=='A') or (e=='CA' and f=='B') or (e=='A' and f=='CB') or (e=='B' and f=='AC')or(e=='C' and f=='BA')):
pass
else:
flag=1
if(flag==0):
e=''
f=''
for i in range(0,len(s2)):
if(s2[i]!='X'):
e=e+s2[i]
for i in range(0,len(s3)):
if(s3[i]!='X'):
f=f+s3[i]
if(e=='AB' and f=='C' or (e=='BC' and f=='A') or (e=='CA' and f=='B') or (e=='A' and f=='CB') or (e=='B' and f=='AC')or(e=='C' and f=='BA')):
pass
else:
flag=1
if(flag==0):
print('NO')
else:
print('YES')
``` | instruction | 0 | 90,563 | 15 | 181,126 |
No | output | 1 | 90,563 | 15 | 181,127 |
Provide a correct Python 3 solution for this coding contest problem.
Twin adventurers Rin and Len are searching for treasure in the Mirror Cave. The cave has two pairs of rooms, the Hall of Mirrors, and an expensive treasure lies behind the door of the room.
For convenience, each of the two rooms is considered to have W Γ H cells arranged in a grid pattern. The outside of the room is surrounded by a wall. In addition, walls are installed in places inside the room, and it is not possible to enter the cells where the walls are located. To open the door to the treasure room, the two must move symmetrically to reach a particular cell at the same time. Moreover, if only one arrives first, the door will be locked and will not open.
Symmetrical movement means moving north and north, west and east, east and west, and south and south at the same time. However, it is recognized that the movement is symmetrical even in a situation where one has a wall at the end where it is trying to move and the other has no wall at the end. In this case, those with a wall will stay there, and those without a wall will move to the next cell.
As inputs, the initial position of the twins, the destination, and the placement of obstacles are given. Your job is to write a program to determine if the twins can open the door.
Input
The input consists of multiple datasets. Each dataset is given in the following format.
> W H
> RoomL1 RoomR1
> RoomL2 RoomR2
> ...
> RoomLH RoomRH
The first line gives two positive integers W, H (1 β€ W, H β€ 50) separated by a single space. After that, information on two rooms is given over H lines. RoomLi and RoomRi correspond to the i-th row of the left and right rooms, respectively. Both are strings of length W, with the jth character corresponding to the jth column of the room. Each character is one of the following:
* `.`: Freely moveable cell
* `#`: Cell with wall (cannot enter)
* `%`: Destination
* `R`: Initial position of Rin
* `L`: Initial position of Len
In each room, the first row corresponds to the north end of the room and the first row corresponds to the west end of the room. Also, each room always has exactly one destination, with exactly one initial position for Len in the left room and one for Rin in the right room.
The end of the input is indicated by a line containing two zeros separated by a blank.
Output
For each dataset, print Yes if the twins can open the door, and No if they can't.
Sample Input
5 5
% # ... ... #%
. #. #.. #. #.
. #. #.. #. #.
. #. #.. #. #.
... # L R # ...
3 2
.L. .R #
% .. .%.
4 1
L.%.% .. R
0 0
Output for the Sample Input
Yes
Yes
No
Example
Input
5 5
%#... ...#%
.#.#. .#.#.
.#.#. .#.#.
.#.#. .#.#.
...#L R#...
3 2
.L. .R#
%.. .%.
4 1
L.%. %..R
0 0
Output
Yes
Yes
No | instruction | 0 | 90,921 | 15 | 181,842 |
"Correct Solution:
```
from collections import deque
def bfs(W, H):
G = '%'
edges = '#' * (W + 2)
dxy = [(0, 1), (0, -1), (1, 0), (-1, 0)]
mapL, mapR = [edges], [edges]
for i in range(H):
l, r = input().split()
mapL.append('#' + l + '#')
mapR.append('#' + r + '#')
if 'L' in l:
lx, ly = i+1, l.index('L')+1
if 'R' in r:
rx, ry = i+1, r.index('R')+1
mapL.append(edges)
mapR.append(edges)
que = deque()
enq, deq = que.append, que.popleft
visited = [[[[0]*(W+2)for _ in[0]*(H+2)]for _ in[0]*(W+2)]for _ in[0]*(H+2)]
enq((lx, ly, rx, ry))
visited[lx][ly][rx][ry] = 1
while que:
lx, ly, rx, ry = deq()
for dx, dy in dxy:
llx, lly, rrx, rry = lx + dx, ly + dy, rx + dx, ry - dy
if mapL[llx][lly] == '#':
llx, lly = lx, ly
if mapR[rrx][rry] == '#':
rrx, rry = rx, ry
if not visited[llx][lly][rrx][rry]:
nextL, nextR = mapL[llx][lly], mapR[rrx][rry]
if nextL == G and nextR == G:
return 'Yes'
if nextL != G and nextR != G:
enq((llx, lly, rrx, rry))
visited[llx][lly][rrx][rry] = 1
return 'No'
def main():
for e in iter(input, '0 0'):
W, H = map(int, e.split())
print(bfs(W, H))
if __name__ == '__main__':
main()
``` | output | 1 | 90,921 | 15 | 181,843 |
Provide a correct Python 3 solution for this coding contest problem.
Twin adventurers Rin and Len are searching for treasure in the Mirror Cave. The cave has two pairs of rooms, the Hall of Mirrors, and an expensive treasure lies behind the door of the room.
For convenience, each of the two rooms is considered to have W Γ H cells arranged in a grid pattern. The outside of the room is surrounded by a wall. In addition, walls are installed in places inside the room, and it is not possible to enter the cells where the walls are located. To open the door to the treasure room, the two must move symmetrically to reach a particular cell at the same time. Moreover, if only one arrives first, the door will be locked and will not open.
Symmetrical movement means moving north and north, west and east, east and west, and south and south at the same time. However, it is recognized that the movement is symmetrical even in a situation where one has a wall at the end where it is trying to move and the other has no wall at the end. In this case, those with a wall will stay there, and those without a wall will move to the next cell.
As inputs, the initial position of the twins, the destination, and the placement of obstacles are given. Your job is to write a program to determine if the twins can open the door.
Input
The input consists of multiple datasets. Each dataset is given in the following format.
> W H
> RoomL1 RoomR1
> RoomL2 RoomR2
> ...
> RoomLH RoomRH
The first line gives two positive integers W, H (1 β€ W, H β€ 50) separated by a single space. After that, information on two rooms is given over H lines. RoomLi and RoomRi correspond to the i-th row of the left and right rooms, respectively. Both are strings of length W, with the jth character corresponding to the jth column of the room. Each character is one of the following:
* `.`: Freely moveable cell
* `#`: Cell with wall (cannot enter)
* `%`: Destination
* `R`: Initial position of Rin
* `L`: Initial position of Len
In each room, the first row corresponds to the north end of the room and the first row corresponds to the west end of the room. Also, each room always has exactly one destination, with exactly one initial position for Len in the left room and one for Rin in the right room.
The end of the input is indicated by a line containing two zeros separated by a blank.
Output
For each dataset, print Yes if the twins can open the door, and No if they can't.
Sample Input
5 5
% # ... ... #%
. #. #.. #. #.
. #. #.. #. #.
. #. #.. #. #.
... # L R # ...
3 2
.L. .R #
% .. .%.
4 1
L.%.% .. R
0 0
Output for the Sample Input
Yes
Yes
No
Example
Input
5 5
%#... ...#%
.#.#. .#.#.
.#.#. .#.#.
.#.#. .#.#.
...#L R#...
3 2
.L. .R#
%.. .%.
4 1
L.%. %..R
0 0
Output
Yes
Yes
No | instruction | 0 | 90,922 | 15 | 181,844 |
"Correct Solution:
```
#!/usr/bin/env python3
from collections import defaultdict
from collections import deque
from heapq import heappush, heappop
import sys
import math
import bisect
import random
import itertools
sys.setrecursionlimit(10**5)
stdin = sys.stdin
bisect_left = bisect.bisect_left
bisect_right = bisect.bisect_right
def LI(): return list(map(int, stdin.readline().split()))
def LF(): return list(map(float, stdin.readline().split()))
def LI_(): return list(map(lambda x: int(x)-1, stdin.readline().split()))
def II(): return int(stdin.readline())
def IF(): return float(stdin.readline())
def LS(): return list(map(list, stdin.readline().split()))
def S(): return list(stdin.readline().rstrip())
def IR(n): return [II() for _ in range(n)]
def LIR(n): return [LI() for _ in range(n)]
def FR(n): return [IF() for _ in range(n)]
def LFR(n): return [LI() for _ in range(n)]
def LIR_(n): return [LI_() for _ in range(n)]
def SR(n): return [S() for _ in range(n)]
def LSR(n): return [LS() for _ in range(n)]
mod = 1000000007
inf = float('INF')
#A
def A():
return
#B
def B():
return
#C
def C():
return
#D
def D():
return
#E
def E():
move = [[1, 0], [-1, 0], [0, 1], [0, -1]]
while 1:
w, h = LI()
if w == h == 0:
break
check = defaultdict(lambda: True)
field = SR(h)
for i in range(h):
for k in range(2 * w + 1):
if field[i][k] == "L":
L = [k, i]
if field[i][k] == "R":
R = [k, i]
state = deque()
state.append([L, R])
flg = True
while state and flg:
l, r = state.pop()
lx, ly = l
rx, ry = r
for mx, my in move:
xl = lx + mx
yl = ly + my
xr = rx - mx
yr = ry + my
if not 0 <= xl < w:
xl -= mx
if not w + 1 <= xr < 2 * w + 1:
xr += mx
if not 0 <= yl < h:
yl -= my
if not 0 <= yr < h:
yr -= my
if field[yl][xl] == "%" and field[yr][xr] == "%":
flg = False
break
if field[yl][xl] == "#":
yl -= my
xl -= mx
if field[yr][xr] == "#":
yr -= my
xr += mx
if check[(xl, xr, yl, yr)] and field[yl][xl] != "%" and field[yr][xr] != "%":
check[(xl, xr, yl, yr)] = False
state.append([[xl, yl], [xr, yr]])
if not flg:
print("Yes")
else:
print("No")
return
#F
def F():
return
#G
def G():
return
#H
def H():
return
#Solve
if __name__ == '__main__':
E()
``` | output | 1 | 90,922 | 15 | 181,845 |
Provide a correct Python 3 solution for this coding contest problem.
Twin adventurers Rin and Len are searching for treasure in the Mirror Cave. The cave has two pairs of rooms, the Hall of Mirrors, and an expensive treasure lies behind the door of the room.
For convenience, each of the two rooms is considered to have W Γ H cells arranged in a grid pattern. The outside of the room is surrounded by a wall. In addition, walls are installed in places inside the room, and it is not possible to enter the cells where the walls are located. To open the door to the treasure room, the two must move symmetrically to reach a particular cell at the same time. Moreover, if only one arrives first, the door will be locked and will not open.
Symmetrical movement means moving north and north, west and east, east and west, and south and south at the same time. However, it is recognized that the movement is symmetrical even in a situation where one has a wall at the end where it is trying to move and the other has no wall at the end. In this case, those with a wall will stay there, and those without a wall will move to the next cell.
As inputs, the initial position of the twins, the destination, and the placement of obstacles are given. Your job is to write a program to determine if the twins can open the door.
Input
The input consists of multiple datasets. Each dataset is given in the following format.
> W H
> RoomL1 RoomR1
> RoomL2 RoomR2
> ...
> RoomLH RoomRH
The first line gives two positive integers W, H (1 β€ W, H β€ 50) separated by a single space. After that, information on two rooms is given over H lines. RoomLi and RoomRi correspond to the i-th row of the left and right rooms, respectively. Both are strings of length W, with the jth character corresponding to the jth column of the room. Each character is one of the following:
* `.`: Freely moveable cell
* `#`: Cell with wall (cannot enter)
* `%`: Destination
* `R`: Initial position of Rin
* `L`: Initial position of Len
In each room, the first row corresponds to the north end of the room and the first row corresponds to the west end of the room. Also, each room always has exactly one destination, with exactly one initial position for Len in the left room and one for Rin in the right room.
The end of the input is indicated by a line containing two zeros separated by a blank.
Output
For each dataset, print Yes if the twins can open the door, and No if they can't.
Sample Input
5 5
% # ... ... #%
. #. #.. #. #.
. #. #.. #. #.
. #. #.. #. #.
... # L R # ...
3 2
.L. .R #
% .. .%.
4 1
L.%.% .. R
0 0
Output for the Sample Input
Yes
Yes
No
Example
Input
5 5
%#... ...#%
.#.#. .#.#.
.#.#. .#.#.
.#.#. .#.#.
...#L R#...
3 2
.L. .R#
%.. .%.
4 1
L.%. %..R
0 0
Output
Yes
Yes
No | instruction | 0 | 90,923 | 15 | 181,846 |
"Correct Solution:
```
from collections import deque, defaultdict
def main():
directs = ((-1, 0, 1, 0), (1, 0, -1, 0), (0, 1, 0, 1), (0, -1, 0, -1))
while True:
w, h = map(int, input().split())
if w == 0:
break
mp_l = ["#" * (w + 2)]
mp_r = ["#" * (w + 2)]
for _ in range(h):
l, r = input().split()
l = "#" + l + "#"
r = "#" + r + "#"
mp_l.append(l)
mp_r.append(r)
mp_l.append("#" * (w + 2))
mp_r.append("#" * (w + 2))
for y in range(1, h + 1):
for x in range(1, w + 1):
if mp_l[y][x] == "L":
start_l = (x, y)
if mp_r[y][x] == "R":
start_r = (x, y)
dic = [[[[None] * (h + 2) for _ in range(w + 2)] for _ in range(h + 2)] for _ in range(w + 2)]
def search():
que = deque()
app = que.append
pop = que.popleft
app((start_l[0], start_l[1], start_r[0], start_r[1]))
dic[start_l[0]][start_l[1]][start_r[0]][start_r[1]] = True
while que:
lx, ly, rx, ry = pop()
for ldx, ldy, rdx, rdy in directs:
ltx, lty, rtx, rty = lx + ldx, ly + ldy, rx + rdx, ry + rdy
if mp_l[lty][ltx] != "#":
lnx, lny = ltx, lty
else:
lnx, lny = lx, ly
if mp_r[rty][rtx] != "#":
rnx, rny = rtx, rty
else:
rnx, rny = rx, ry
tmp = dic[lnx][lny][rnx]
if not tmp[rny]:
tmp[rny] = True
lsym, rsym = mp_l[lny][lnx], mp_r[rny][rnx]
if lsym == "%":
if rsym == "%":
print("Yes")
return
elif rsym != "%":
app(((lnx, lny, rnx, rny)))
print("No")
return
search()
main()
``` | output | 1 | 90,923 | 15 | 181,847 |
Provide a correct Python 3 solution for this coding contest problem.
Twin adventurers Rin and Len are searching for treasure in the Mirror Cave. The cave has two pairs of rooms, the Hall of Mirrors, and an expensive treasure lies behind the door of the room.
For convenience, each of the two rooms is considered to have W Γ H cells arranged in a grid pattern. The outside of the room is surrounded by a wall. In addition, walls are installed in places inside the room, and it is not possible to enter the cells where the walls are located. To open the door to the treasure room, the two must move symmetrically to reach a particular cell at the same time. Moreover, if only one arrives first, the door will be locked and will not open.
Symmetrical movement means moving north and north, west and east, east and west, and south and south at the same time. However, it is recognized that the movement is symmetrical even in a situation where one has a wall at the end where it is trying to move and the other has no wall at the end. In this case, those with a wall will stay there, and those without a wall will move to the next cell.
As inputs, the initial position of the twins, the destination, and the placement of obstacles are given. Your job is to write a program to determine if the twins can open the door.
Input
The input consists of multiple datasets. Each dataset is given in the following format.
> W H
> RoomL1 RoomR1
> RoomL2 RoomR2
> ...
> RoomLH RoomRH
The first line gives two positive integers W, H (1 β€ W, H β€ 50) separated by a single space. After that, information on two rooms is given over H lines. RoomLi and RoomRi correspond to the i-th row of the left and right rooms, respectively. Both are strings of length W, with the jth character corresponding to the jth column of the room. Each character is one of the following:
* `.`: Freely moveable cell
* `#`: Cell with wall (cannot enter)
* `%`: Destination
* `R`: Initial position of Rin
* `L`: Initial position of Len
In each room, the first row corresponds to the north end of the room and the first row corresponds to the west end of the room. Also, each room always has exactly one destination, with exactly one initial position for Len in the left room and one for Rin in the right room.
The end of the input is indicated by a line containing two zeros separated by a blank.
Output
For each dataset, print Yes if the twins can open the door, and No if they can't.
Sample Input
5 5
% # ... ... #%
. #. #.. #. #.
. #. #.. #. #.
. #. #.. #. #.
... # L R # ...
3 2
.L. .R #
% .. .%.
4 1
L.%.% .. R
0 0
Output for the Sample Input
Yes
Yes
No
Example
Input
5 5
%#... ...#%
.#.#. .#.#.
.#.#. .#.#.
.#.#. .#.#.
...#L R#...
3 2
.L. .R#
%.. .%.
4 1
L.%. %..R
0 0
Output
Yes
Yes
No | instruction | 0 | 90,924 | 15 | 181,848 |
"Correct Solution:
```
from collections import deque,defaultdict
d = [(1,0),(-1,0),(0,1),(0,-1)]
def bfs(sly,slx,sry,srx):
bfs_map = defaultdict(lambda : 1)
bfs_map[(sly,slx,sry,srx)] = 0
q = deque()
q.append((sly,slx,sry,srx))
while q:
ly,lx,ry,rx = q.popleft()
for dy,dx in d:
ly_ = ly+dy
lx_ = lx+dx
ry_ = ry+dy
rx_ = rx-dx
if ly_ < 0 or h <= ly_ or lx_ < 0 or w <= lx_:
ly_,lx_ = ly,lx
elif l[ly_][lx_] == "#":
ly_,lx_ = ly,lx
if ry_ < 0 or h <= ry_ or rx_ < 0 or w <= rx_:
ry_,rx_ = ry,rx
elif r[ry_][rx_] == "#":
ry_,rx_ = ry,rx
if ly_ == gly and lx_ == glx and ry_ == gry and rx_ == grx:
return "Yes"
if bfs_map[(ly_,lx_,ry_,rx_)]:
if l[ly_][lx_] != "%" and r[ry_][rx_] != "%":
q.append((ly_,lx_,ry_,rx_))
bfs_map[(ly_,lx_,ry_,rx_)] = 0
return "No"
while 1:
w,h = map(int, input().split())
if w == h == 0:
break
s = [input().split() for i in range(h)]
l = [s[i][0] for i in range(h)]
r = [s[i][1] for i in range(h)]
for y in range(h):
for x in range(w):
if l[y][x] == "L":
sly,slx = y,x
elif l[y][x] == "%":
gly,glx = y,x
for y in range(h):
for x in range(w):
if r[y][x] == "R":
sry,srx = y,x
elif r[y][x] == "%":
gry,grx = y,x
print(bfs(sly,slx,sry,srx))
``` | output | 1 | 90,924 | 15 | 181,849 |
Provide a correct Python 3 solution for this coding contest problem.
Twin adventurers Rin and Len are searching for treasure in the Mirror Cave. The cave has two pairs of rooms, the Hall of Mirrors, and an expensive treasure lies behind the door of the room.
For convenience, each of the two rooms is considered to have W Γ H cells arranged in a grid pattern. The outside of the room is surrounded by a wall. In addition, walls are installed in places inside the room, and it is not possible to enter the cells where the walls are located. To open the door to the treasure room, the two must move symmetrically to reach a particular cell at the same time. Moreover, if only one arrives first, the door will be locked and will not open.
Symmetrical movement means moving north and north, west and east, east and west, and south and south at the same time. However, it is recognized that the movement is symmetrical even in a situation where one has a wall at the end where it is trying to move and the other has no wall at the end. In this case, those with a wall will stay there, and those without a wall will move to the next cell.
As inputs, the initial position of the twins, the destination, and the placement of obstacles are given. Your job is to write a program to determine if the twins can open the door.
Input
The input consists of multiple datasets. Each dataset is given in the following format.
> W H
> RoomL1 RoomR1
> RoomL2 RoomR2
> ...
> RoomLH RoomRH
The first line gives two positive integers W, H (1 β€ W, H β€ 50) separated by a single space. After that, information on two rooms is given over H lines. RoomLi and RoomRi correspond to the i-th row of the left and right rooms, respectively. Both are strings of length W, with the jth character corresponding to the jth column of the room. Each character is one of the following:
* `.`: Freely moveable cell
* `#`: Cell with wall (cannot enter)
* `%`: Destination
* `R`: Initial position of Rin
* `L`: Initial position of Len
In each room, the first row corresponds to the north end of the room and the first row corresponds to the west end of the room. Also, each room always has exactly one destination, with exactly one initial position for Len in the left room and one for Rin in the right room.
The end of the input is indicated by a line containing two zeros separated by a blank.
Output
For each dataset, print Yes if the twins can open the door, and No if they can't.
Sample Input
5 5
% # ... ... #%
. #. #.. #. #.
. #. #.. #. #.
. #. #.. #. #.
... # L R # ...
3 2
.L. .R #
% .. .%.
4 1
L.%.% .. R
0 0
Output for the Sample Input
Yes
Yes
No
Example
Input
5 5
%#... ...#%
.#.#. .#.#.
.#.#. .#.#.
.#.#. .#.#.
...#L R#...
3 2
.L. .R#
%.. .%.
4 1
L.%. %..R
0 0
Output
Yes
Yes
No | instruction | 0 | 90,925 | 15 | 181,850 |
"Correct Solution:
```
import math,string,itertools,fractions,heapq,collections,re,array,bisect,sys,random,time,copy,functools
sys.setrecursionlimit(10**7)
inf = 10**20
eps = 1.0 / 10**10
mod = 10**9+7
dd = [(-1,0),(0,1),(1,0),(0,-1)]
ddn = [(-1,0),(-1,1),(0,1),(1,1),(1,0),(1,-1),(0,-1),(-1,-1)]
def LI(): return [int(x) for x in sys.stdin.readline().split()]
def LI_(): return [int(x)-1 for x in sys.stdin.readline().split()]
def LF(): return [float(x) for x in sys.stdin.readline().split()]
def LS(): return sys.stdin.readline().split()
def I(): return int(sys.stdin.readline())
def F(): return float(sys.stdin.readline())
def S(): return input()
def pf(s): return print(s, flush=True)
def main():
rr = []
def f(w, h):
w2 = w+2
la = ['#' * w2]
ra = ['#' * w2]
ls = rs = None
for i in range(1,h+1):
lt, rt = LS()
if 'L' in lt:
ls = (i, lt.index('L') + 1)
if 'R' in rt:
rs = (i, rt.index('R') + 1)
la.append('#' + lt + '#')
ra.append('#' + rt + '#')
la.append('#' * w2)
ra.append('#' * w2)
q = collections.deque([(ls[0], ls[1], rs[0], rs[1])])
v = collections.defaultdict(bool)
v[(ls[0], ls[1], rs[0], rs[1])] = 1
while q:
ly,lx,ry,rx = q.pop()
for dy, dx in dd:
lty = ly + dy
ltx = lx + dx
rty = ry + dy
rtx = rx - dx
if la[lty][ltx] == '#':
lty = ly
ltx = lx
if ra[rty][rtx] == '#':
rty = ry
rtx = rx
if v[(lty,ltx,rty,rtx)]:
continue
v[(lty,ltx,rty,rtx)] = 1
if la[lty][ltx] == '%' and ra[rty][rtx] == '%':
return 'Yes'
if la[lty][ltx] != '%' and ra[rty][rtx] != '%':
q.append((lty,ltx,rty,rtx))
return 'No'
while True:
w,h = LI()
if w == 0 and h == 0:
break
rr.append(f(w,h))
return '\n'.join(rr)
print(main())
``` | output | 1 | 90,925 | 15 | 181,851 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Twin adventurers Rin and Len are searching for treasure in the Mirror Cave. The cave has two pairs of rooms, the Hall of Mirrors, and an expensive treasure lies behind the door of the room.
For convenience, each of the two rooms is considered to have W Γ H cells arranged in a grid pattern. The outside of the room is surrounded by a wall. In addition, walls are installed in places inside the room, and it is not possible to enter the cells where the walls are located. To open the door to the treasure room, the two must move symmetrically to reach a particular cell at the same time. Moreover, if only one arrives first, the door will be locked and will not open.
Symmetrical movement means moving north and north, west and east, east and west, and south and south at the same time. However, it is recognized that the movement is symmetrical even in a situation where one has a wall at the end where it is trying to move and the other has no wall at the end. In this case, those with a wall will stay there, and those without a wall will move to the next cell.
As inputs, the initial position of the twins, the destination, and the placement of obstacles are given. Your job is to write a program to determine if the twins can open the door.
Input
The input consists of multiple datasets. Each dataset is given in the following format.
> W H
> RoomL1 RoomR1
> RoomL2 RoomR2
> ...
> RoomLH RoomRH
The first line gives two positive integers W, H (1 β€ W, H β€ 50) separated by a single space. After that, information on two rooms is given over H lines. RoomLi and RoomRi correspond to the i-th row of the left and right rooms, respectively. Both are strings of length W, with the jth character corresponding to the jth column of the room. Each character is one of the following:
* `.`: Freely moveable cell
* `#`: Cell with wall (cannot enter)
* `%`: Destination
* `R`: Initial position of Rin
* `L`: Initial position of Len
In each room, the first row corresponds to the north end of the room and the first row corresponds to the west end of the room. Also, each room always has exactly one destination, with exactly one initial position for Len in the left room and one for Rin in the right room.
The end of the input is indicated by a line containing two zeros separated by a blank.
Output
For each dataset, print Yes if the twins can open the door, and No if they can't.
Sample Input
5 5
% # ... ... #%
. #. #.. #. #.
. #. #.. #. #.
. #. #.. #. #.
... # L R # ...
3 2
.L. .R #
% .. .%.
4 1
L.%.% .. R
0 0
Output for the Sample Input
Yes
Yes
No
Example
Input
5 5
%#... ...#%
.#.#. .#.#.
.#.#. .#.#.
.#.#. .#.#.
...#L R#...
3 2
.L. .R#
%.. .%.
4 1
L.%. %..R
0 0
Output
Yes
Yes
No
Submitted Solution:
```
from collections import deque
while True:
w,h=map(int,input().split(" "))
def isrange(p):
return 0<=p[0] and p[0]<h and 0<=p[1] and p[1]<w
if w==0: break
rl=[[str()] for i in range(h)]
rr=[[str()] for i in range(h)]
for i in range(h):
rl[i],rr[i]=input().split(" ")
q = deque()
dp=[[[[False for i in range(w)] for ii in range(h)] for iii in range(w)] for iiii in range(h)]
for i in range(h):
for j in range(w):
if rl[i][j]=="L": ls=(i,j)
if rr[i][j]=="R": rs=(i,j)
if rl[i][j]=="%": gl=(i,j)
if rr[i][j]=="%": gr=(i,j)
q.append((ls,rs))
dp[ls[0]][ls[1]][rs[0]][rs[1]]=True
dw=(-1,0,1,0)
dh=(0,1,0,-1)
while q:
val=q.pop()
lp=val[0]
rp=val[1]
for i in range(4):
lnp=(lp[0]+dh[i],lp[1]+dw[i])
rnp=(rp[0]+dh[i],rp[1]-dw[i])
if (not isrange(lnp)) or rl[lnp[0]][lnp[1]]=="#" : lnp=lp
if (not isrange(rnp)) or rr[rnp[0]][rnp[1]]=="#" : rnp=rp
if dp[lnp[0]][lnp[1]][rnp[0]][rnp[1]]: continue
dp[lnp[0]][lnp[1]][rnp[0]][rnp[1]]=True
q.append((lnp,rnp))
if dp[gl[0]][gl[1]][gr[0]][gr[1]] : print("Yes")
else : print("No")
dp.clear()
q.clear()
rl.clear()
rr.clear()
``` | instruction | 0 | 90,926 | 15 | 181,852 |
No | output | 1 | 90,926 | 15 | 181,853 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Twin adventurers Rin and Len are searching for treasure in the Mirror Cave. The cave has two pairs of rooms, the Hall of Mirrors, and an expensive treasure lies behind the door of the room.
For convenience, each of the two rooms is considered to have W Γ H cells arranged in a grid pattern. The outside of the room is surrounded by a wall. In addition, walls are installed in places inside the room, and it is not possible to enter the cells where the walls are located. To open the door to the treasure room, the two must move symmetrically to reach a particular cell at the same time. Moreover, if only one arrives first, the door will be locked and will not open.
Symmetrical movement means moving north and north, west and east, east and west, and south and south at the same time. However, it is recognized that the movement is symmetrical even in a situation where one has a wall at the end where it is trying to move and the other has no wall at the end. In this case, those with a wall will stay there, and those without a wall will move to the next cell.
As inputs, the initial position of the twins, the destination, and the placement of obstacles are given. Your job is to write a program to determine if the twins can open the door.
Input
The input consists of multiple datasets. Each dataset is given in the following format.
> W H
> RoomL1 RoomR1
> RoomL2 RoomR2
> ...
> RoomLH RoomRH
The first line gives two positive integers W, H (1 β€ W, H β€ 50) separated by a single space. After that, information on two rooms is given over H lines. RoomLi and RoomRi correspond to the i-th row of the left and right rooms, respectively. Both are strings of length W, with the jth character corresponding to the jth column of the room. Each character is one of the following:
* `.`: Freely moveable cell
* `#`: Cell with wall (cannot enter)
* `%`: Destination
* `R`: Initial position of Rin
* `L`: Initial position of Len
In each room, the first row corresponds to the north end of the room and the first row corresponds to the west end of the room. Also, each room always has exactly one destination, with exactly one initial position for Len in the left room and one for Rin in the right room.
The end of the input is indicated by a line containing two zeros separated by a blank.
Output
For each dataset, print Yes if the twins can open the door, and No if they can't.
Sample Input
5 5
% # ... ... #%
. #. #.. #. #.
. #. #.. #. #.
. #. #.. #. #.
... # L R # ...
3 2
.L. .R #
% .. .%.
4 1
L.%.% .. R
0 0
Output for the Sample Input
Yes
Yes
No
Example
Input
5 5
%#... ...#%
.#.#. .#.#.
.#.#. .#.#.
.#.#. .#.#.
...#L R#...
3 2
.L. .R#
%.. .%.
4 1
L.%. %..R
0 0
Output
Yes
Yes
No
Submitted Solution:
```
from collections import deque
while True:
w,h=map(int,input().split(" "))
def isrange(p):
return 0<=p[0] and p[0]<h and 0<=p[1] and p[1]<w
if w==0: break
rl=[[str()] for i in range(h)]
rr=[[str()] for i in range(h)]
for i in range(h):
rl[i],rr[i]=input().split(" ")
q = deque()
s=set()
for i in range(h):
for j in range(w):
if rl[i][j]=="L": ls=(i,j)
if rr[i][j]=="R": rs=(i,j)
if rl[i][j]=="%": gl=(i,j)
if rr[i][j]=="%": gr=(i,j)
q.append((ls,rs))
dw=(-1,0,1,0)
dh=(0,1,0,-1)
while q:
val=q.pop()
if val in s: continue
s.add(val)
lp=val[0]
rp=val[1]
for i in range(4):
lnp=(lp[0]+dh[i],lp[1]+dw[i])
rnp=(rp[0]+dh[i],rp[1]-dw[i])
if (not isrange(lnp)) or rl[lnp[0]][lnp[1]]=="#" : lnp=lp
if (not isrange(rnp)) or rr[rnp[0]][rnp[1]]=="#" : rnp=rp
if (lnp,rnp) in s: continue
s.add((lnp,rnp))
q.append((lnp,rnp))
if (gl,gr) in s : print("Yes")
else : print("No")
``` | instruction | 0 | 90,927 | 15 | 181,854 |
No | output | 1 | 90,927 | 15 | 181,855 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Twin adventurers Rin and Len are searching for treasure in the Mirror Cave. The cave has two pairs of rooms, the Hall of Mirrors, and an expensive treasure lies behind the door of the room.
For convenience, each of the two rooms is considered to have W Γ H cells arranged in a grid pattern. The outside of the room is surrounded by a wall. In addition, walls are installed in places inside the room, and it is not possible to enter the cells where the walls are located. To open the door to the treasure room, the two must move symmetrically to reach a particular cell at the same time. Moreover, if only one arrives first, the door will be locked and will not open.
Symmetrical movement means moving north and north, west and east, east and west, and south and south at the same time. However, it is recognized that the movement is symmetrical even in a situation where one has a wall at the end where it is trying to move and the other has no wall at the end. In this case, those with a wall will stay there, and those without a wall will move to the next cell.
As inputs, the initial position of the twins, the destination, and the placement of obstacles are given. Your job is to write a program to determine if the twins can open the door.
Input
The input consists of multiple datasets. Each dataset is given in the following format.
> W H
> RoomL1 RoomR1
> RoomL2 RoomR2
> ...
> RoomLH RoomRH
The first line gives two positive integers W, H (1 β€ W, H β€ 50) separated by a single space. After that, information on two rooms is given over H lines. RoomLi and RoomRi correspond to the i-th row of the left and right rooms, respectively. Both are strings of length W, with the jth character corresponding to the jth column of the room. Each character is one of the following:
* `.`: Freely moveable cell
* `#`: Cell with wall (cannot enter)
* `%`: Destination
* `R`: Initial position of Rin
* `L`: Initial position of Len
In each room, the first row corresponds to the north end of the room and the first row corresponds to the west end of the room. Also, each room always has exactly one destination, with exactly one initial position for Len in the left room and one for Rin in the right room.
The end of the input is indicated by a line containing two zeros separated by a blank.
Output
For each dataset, print Yes if the twins can open the door, and No if they can't.
Sample Input
5 5
% # ... ... #%
. #. #.. #. #.
. #. #.. #. #.
. #. #.. #. #.
... # L R # ...
3 2
.L. .R #
% .. .%.
4 1
L.%.% .. R
0 0
Output for the Sample Input
Yes
Yes
No
Example
Input
5 5
%#... ...#%
.#.#. .#.#.
.#.#. .#.#.
.#.#. .#.#.
...#L R#...
3 2
.L. .R#
%.. .%.
4 1
L.%. %..R
0 0
Output
Yes
Yes
No
Submitted Solution:
```
import numpy as np
print(" ")
``` | instruction | 0 | 90,928 | 15 | 181,856 |
No | output | 1 | 90,928 | 15 | 181,857 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Twin adventurers Rin and Len are searching for treasure in the Mirror Cave. The cave has two pairs of rooms, the Hall of Mirrors, and an expensive treasure lies behind the door of the room.
For convenience, each of the two rooms is considered to have W Γ H cells arranged in a grid pattern. The outside of the room is surrounded by a wall. In addition, walls are installed in places inside the room, and it is not possible to enter the cells where the walls are located. To open the door to the treasure room, the two must move symmetrically to reach a particular cell at the same time. Moreover, if only one arrives first, the door will be locked and will not open.
Symmetrical movement means moving north and north, west and east, east and west, and south and south at the same time. However, it is recognized that the movement is symmetrical even in a situation where one has a wall at the end where it is trying to move and the other has no wall at the end. In this case, those with a wall will stay there, and those without a wall will move to the next cell.
As inputs, the initial position of the twins, the destination, and the placement of obstacles are given. Your job is to write a program to determine if the twins can open the door.
Input
The input consists of multiple datasets. Each dataset is given in the following format.
> W H
> RoomL1 RoomR1
> RoomL2 RoomR2
> ...
> RoomLH RoomRH
The first line gives two positive integers W, H (1 β€ W, H β€ 50) separated by a single space. After that, information on two rooms is given over H lines. RoomLi and RoomRi correspond to the i-th row of the left and right rooms, respectively. Both are strings of length W, with the jth character corresponding to the jth column of the room. Each character is one of the following:
* `.`: Freely moveable cell
* `#`: Cell with wall (cannot enter)
* `%`: Destination
* `R`: Initial position of Rin
* `L`: Initial position of Len
In each room, the first row corresponds to the north end of the room and the first row corresponds to the west end of the room. Also, each room always has exactly one destination, with exactly one initial position for Len in the left room and one for Rin in the right room.
The end of the input is indicated by a line containing two zeros separated by a blank.
Output
For each dataset, print Yes if the twins can open the door, and No if they can't.
Sample Input
5 5
% # ... ... #%
. #. #.. #. #.
. #. #.. #. #.
. #. #.. #. #.
... # L R # ...
3 2
.L. .R #
% .. .%.
4 1
L.%.% .. R
0 0
Output for the Sample Input
Yes
Yes
No
Example
Input
5 5
%#... ...#%
.#.#. .#.#.
.#.#. .#.#.
.#.#. .#.#.
...#L R#...
3 2
.L. .R#
%.. .%.
4 1
L.%. %..R
0 0
Output
Yes
Yes
No
Submitted Solution:
```
from collections import deque, defaultdict
def main():
directs = ((-1, 0, 1, 0), (1, 0, -1, 0), (0, 1, 0, 1), (0, -1, 0, -1))
while True:
w, h = map(int, input().split())
if w == 0:
break
mp_l = ["#" * (w + 2)]
mp_r = ["#" * (w + 2)]
for _ in range(h):
l, r = input().split()
l = "#" + l + "#"
r = "#" + r + "#"
mp_l.append(l)
mp_r.append(r)
mp_l.append("#" * (w + 2))
mp_r.append("#" * (w + 2))
for y in range(1, h + 1):
for x in range(1, w + 1):
if mp_l[y][x] == "L":
start_l = (x, y)
if mp_r[y][x] == "R":
start_r = (x, y)
dic = [[[[False] * (h + 2) for _ in range(w + 2)] for _ in range(h + 2)] for _ in range(w + 2)]
def search():
que = deque()
app = que.append
pop = que.popleft
app((start_l[0], start_l[1], start_r[0], start_r[1]))
dic[start_l[0]][start_l[1]][start_r[0]][start_r[1]] = True
while que:
lx, ly, rx, ry = pop()
for ldx, ldy, rdx, rdy in directs:
lnx, lny = (lx + ldx, ly + ldy) if mp_l[ly + ldy][lx + ldx] != "#" else (lx, ly)
rnx, rny = (rx + rdx, ry + rdy) if mp_r[ry + rdy][rx + rdx] != "#" else (rx, ry)
if not dic[lnx][lny][rnx][rny]:
dic[lnx][lny][rnx][rny] = True
lsym, rsym = mp_l[lny][lnx], mp_r[rny][rnx]
if lsym == "%" and rsym == "%":
print("Yes")
return
if lsym != "%" and rsym != "%":
app(((lnx, lny, rnx, rny)))
else:
print("No")
return
search()
main()
``` | instruction | 0 | 90,929 | 15 | 181,858 |
No | output | 1 | 90,929 | 15 | 181,859 |
Provide a correct Python 3 solution for this coding contest problem.
Sunake is in the form of a polygonal line consisting of n vertices (without self-intersection). First, Sunake-kun's i-th vertex is at (xi, yi). You can move continuously by translating or rotating, but you cannot deform (change the length of the polygonal line or the angle between the two line segments). y = 0 is the wall, and there is a small hole at (0, 0). Determine if you can move through this hole so that the whole thing meets y <0.
Constraints
* 2 β€ n β€ 1000
* 0 β€ xi β€ 109
* 1 β€ yi β€ 109
* Lines do not have self-intersections
* None of the three points are on the same straight line
* (xi, yi) β (xi + 1, yi + 1)
* All inputs are integers
Input
n
x1 y1
.. ..
xn yn
Output
Output "Possible" if you can move through the hole, and "Impossible" if you can't.
Examples
Input
4
0 1
1 1
1 2
2 2
Output
Possible
Input
11
63 106
87 143
102 132
115 169
74 145
41 177
56 130
28 141
19 124
0 156
22 183
Output
Impossible | instruction | 0 | 90,930 | 15 | 181,860 |
"Correct Solution:
```
import sys
readline = sys.stdin.readline
write = sys.stdout.write
def dot3(p0, p1, p2):
x0, y0 = p0; x1, y1 = p1; x2, y2 = p2
return (x1 - x0) * (x2 - x0) + (y1 - y0) * (y2 - y0)
def cross3(p0, p1, p2):
x0, y0 = p0; x1, y1 = p1; x2, y2 = p2
return (x1 - x0) * (y2 - y0) - (y1 - y0) * (x2 - x0)
def dist2(p0, p1):
x0, y0 = p0; x1, y1 = p1
return (x0 - x1)**2 + (y0 - y1)**2
def solve():
N = int(readline())
P = [list(map(int, readline().split())) for i in range(N)]
ok = 1
for i in range(N-1):
p0 = P[i]; p1 = P[i+1]
d0 = dist2(p0, p1)**.5
el0 = [-d0, d0]; el1 = [-d0, d0]
er0 = [-d0, d0]; er1 = [-d0, d0]
for j in range(i):
q0 = P[j]
d1 = dist2(p0, q0)**.5
d2 = dist2(p1, q0)**.5
sv = cross3(p0, p1, q0)
cv0 = dot3(p0, p1, q0) / d1
cv1 = dot3(p1, p0, q0) / d2
if sv > 0:
el0[0] = max(el0[0], cv0)
el1[0] = max(el1[0], -cv1)
else:
er0[1] = min(er0[1], -cv0)
er1[1] = min(er1[1], cv1)
for j in range(i+2, N):
q1 = P[j]
d1 = dist2(p1, q1)**.5
d2 = dist2(p0, q1)**.5
sv = cross3(p1, p0, q1)
cv0 = dot3(p1, p0, q1) / d1
cv1 = dot3(p0, p1, q1) / d2
if sv > 0:
er1[0] = max(er1[0], cv0)
er0[0] = max(er0[0], -cv1)
else:
el1[1] = min(el1[1], -cv0)
el0[1] = min(el0[1], cv1)
if (not max(el0[0], er0[0]) <= min(el0[1], er0[1])
or not max(el1[0], er0[0]) <= min(el1[1], er1[1])):
ok = 0
break
if ok:
write("Possible\n")
else:
write("Impossible\n")
solve()
``` | output | 1 | 90,930 | 15 | 181,861 |
Provide a correct Python 3 solution for this coding contest problem.
Mr. A and Mr. B live in an N Γ M rectangular grid area. Each square is either a road, a wall, or a house. Since this area is famous for the frequent occurrence of molestation damage due to the complicated and intricate roads, the boundary between this area and the outside is completely surrounded by walls and isolated.
Mr. B somehow felt like it, so he decided to go to see Mr. A's house. However, unfortunately, Mr. B has an apparently suspicious face, so if he takes any action that seems to be suspected of being a molester on his way to Mr. A's house, he will be caught immediately. In particular, never walk with your right hand off the wall. Can Mr. B reach Mr. A's house without letting go of his right hand for a moment?
Mr. B is always facing up, down, left, or right, and the range that Mr. B's right hand can reach is only four squares, front, diagonally right front, right, and diagonally right back with respect to the direction that Mr. B is facing. Mr. B repeats one of the following actions. However, these cannot be done at the same time.
* If there is no wall in front, go one square.
* Change the direction you are facing to the right by 90 degrees.
* Change the direction you are facing to the left by 90 degrees.
* Change the square that your right hand touches. However, at this time, Mr. B cannot release his right hand, so he must have something in common between the square before the change and the square after the change.
Constraints
* 1 β€ N β€ 50
* 1 β€ M β€ 50
* Only one of the characters "^", "v", "<", ">" always appears in the input.
* Similarly, only one letter "G" always appears in the input.
* In the initial state, Mr. B's right hand touches the wall on the right from the direction in which Mr. B is facing.
Input
The input is given in the following format.
N M
S1
S2
::
SN
Si (1 β€ i β€ N) is a string of M characters, each character representing the following.
* "^", "V", "<", ">" indicate the first position of Mr. B and the direction (up, down, left, right).
* "." Is an empty cell. Mr. B can move on this square.
* "#" Represents a wall. You cannot move on the wall.
* "G" represents the location of Mr. A's house. Mr. B repeats the movement until he reaches Mr. A's house.
Output
If you can reach Mr. A's house without releasing your right hand, output the minimum number of different squares that you have passed to reach Mr. A's house. If you cannot reach Mr. A's house, output -1.
Examples
Input
3 3
G##
.#.
.
Output
4
Input
3 3
G##
.#.
.<.
Output
4
Input
3 3
G##
.#.
.>.
Output
6
Input
3 3
...
.G.
.>.
Output
-1
Input
4 4
....
.#.G
...#
^#..
Output
8 | instruction | 0 | 91,702 | 15 | 183,404 |
"Correct Solution:
```
# coding: utf-8
n,m=map(int,input().split())
def mae(v,i,j):
if v==0 and 0<=i-1<n+2 and 0<=j<m+2:
return (i-1,j)
elif v==1 and 0<=i<n+2 and 0<=j+1<m+2:
return (i,j+1)
elif v==2 and 0<=i+1<n+2 and 0<=j<m+2:
return (i+1,j)
elif v==3 and 0<=i<n+2 and 0<=j-1<m+2:
return (i,j-1)
else:
return (-1,-1)
def nanamemae(v,i,j):
if v==0 and 0<=i-1<n+2 and 0<=j+1<m+2:
return (i-1,j+1)
elif v==1 and 0<=i+1<n+2 and 0<=j+1<m+2:
return (i+1,j+1)
elif v==2 and 0<=i+1<n+2 and 0<=j-1<m+2:
return (i+1,j-1)
elif v==3 and 0<=i-1<n+2 and 0<=j-1<m+2:
return (i-1,j-1)
else:
return (-1,-1)
def migi(v,i,j):
if v==0 and 0<=i<n+2 and 0<=j+1<m+2:
return (i,j+1)
elif v==1 and 0<=i+1<n+2 and 0<=j<m+2:
return (i+1,j)
elif v==2 and 0<=i<n+2 and 0<=j-1<m+2:
return (i,j-1)
elif v==3 and 0<=i-1<n+2 and 0<=j<m+2:
return (i-1,j)
else:
return (-1,-1)
def migiushiro(v,i,j):
if v==0 and 0<=i+1<n+2 and 0<=j+1<m+2:
return (i+1,j+1)
elif v==1 and 0<=i+1<n+2 and 0<=j-1<m+2:
return (i+1,j-1)
elif v==2 and 0<=i-1<n+2 and 0<=j-1<m+2:
return (i-1,j-1)
elif v==3 and 0<=i-1<n+2 and 0<=j+1<m+2:
return (i-1,j+1)
else:
return (-1,-1)
used=[[False for i in range(m+2)] for i in range(n+2)]
field=[['#']+list(input())+['#'] for i in range(n)]
field.insert(0,['#' for i in range(m+2)])
field.append(['#' for i in range(m+2)])
p=(-1,-1)
for i in range(n+2):
for j in range(m+2):
if field[i][j] in '^v<>':
if field[i][j]=='^':
v=0
elif field[i][j]=='v':
v=2
elif field[i][j]=='>':
v=1
else:
v=3
st=(i,j)
a,b=mae(v,i,j)
if not a==b==-1 and field[a][b]=='#':
p=(a,b)
break
a,b=nanamemae(v,i,j)
if not a==b==-1 and field[a][b]=='#':
p=(a,b)
break
a,b=migi(v,i,j)
if not a==b==-1 and field[a][b]=='#':
p=(a,b)
break
a,b=migiushiro(v,i,j)
if not a==b==-1 and field[a][b]=='#':
p=(a,b)
break
else:
continue
count=0
i,j=st
inf=5242
while count<inf:
a,b=mae(v,i,j)
used[i][j]=True
if field[i][j]=='G':
break
if field[a][b]!='#' and p!=migiushiro(v,i,j):
if (p==nanamemae(v,i,j) or p==migi(v,i,j)):
i,j=mae(v,i,j)
count+=1
continue
else:
x,y=migi(v,i,j)
if field[x][y]=='#':
p=(x,y)
count+=1
continue
if p==migiushiro(v,i,j):
x,y=migi(v,i,j)
if field[x][y]!='#':
v=(v+1)%4
else:
p=(x,y)
count+=1
continue
if p==migi(v,i,j):
a,b=mae(v,i,j)
if field[a][b]=='#':
p=(a,b)
count+=1
continue
if p==mae(v,i,j):
v=(v-1)%4
count+=1
continue
if count==inf:
print(-1)
else:
ans=0
for f in used:
for k in f:
if k:
ans+=1
print(ans)
``` | output | 1 | 91,702 | 15 | 183,405 |
Provide a correct Python 3 solution for this coding contest problem.
Mr. A and Mr. B live in an N Γ M rectangular grid area. Each square is either a road, a wall, or a house. Since this area is famous for the frequent occurrence of molestation damage due to the complicated and intricate roads, the boundary between this area and the outside is completely surrounded by walls and isolated.
Mr. B somehow felt like it, so he decided to go to see Mr. A's house. However, unfortunately, Mr. B has an apparently suspicious face, so if he takes any action that seems to be suspected of being a molester on his way to Mr. A's house, he will be caught immediately. In particular, never walk with your right hand off the wall. Can Mr. B reach Mr. A's house without letting go of his right hand for a moment?
Mr. B is always facing up, down, left, or right, and the range that Mr. B's right hand can reach is only four squares, front, diagonally right front, right, and diagonally right back with respect to the direction that Mr. B is facing. Mr. B repeats one of the following actions. However, these cannot be done at the same time.
* If there is no wall in front, go one square.
* Change the direction you are facing to the right by 90 degrees.
* Change the direction you are facing to the left by 90 degrees.
* Change the square that your right hand touches. However, at this time, Mr. B cannot release his right hand, so he must have something in common between the square before the change and the square after the change.
Constraints
* 1 β€ N β€ 50
* 1 β€ M β€ 50
* Only one of the characters "^", "v", "<", ">" always appears in the input.
* Similarly, only one letter "G" always appears in the input.
* In the initial state, Mr. B's right hand touches the wall on the right from the direction in which Mr. B is facing.
Input
The input is given in the following format.
N M
S1
S2
::
SN
Si (1 β€ i β€ N) is a string of M characters, each character representing the following.
* "^", "V", "<", ">" indicate the first position of Mr. B and the direction (up, down, left, right).
* "." Is an empty cell. Mr. B can move on this square.
* "#" Represents a wall. You cannot move on the wall.
* "G" represents the location of Mr. A's house. Mr. B repeats the movement until he reaches Mr. A's house.
Output
If you can reach Mr. A's house without releasing your right hand, output the minimum number of different squares that you have passed to reach Mr. A's house. If you cannot reach Mr. A's house, output -1.
Examples
Input
3 3
G##
.#.
.
Output
4
Input
3 3
G##
.#.
.<.
Output
4
Input
3 3
G##
.#.
.>.
Output
6
Input
3 3
...
.G.
.>.
Output
-1
Input
4 4
....
.#.G
...#
^#..
Output
8 | instruction | 0 | 91,703 | 15 | 183,406 |
"Correct Solution:
```
import math,string,itertools,fractions,heapq,collections,re,array,bisect,sys,random,time,copy,functools
sys.setrecursionlimit(10**7)
inf = 10**20
eps = 1.0 / 10**10
mod = 10**9+7
dd = [(-1,0),(0,1),(1,0),(0,-1)]
ddn = [(-1,0),(-1,1),(0,1),(1,1),(1,0),(1,-1),(0,-1),(-1,-1)]
def LI(): return [int(x) for x in sys.stdin.readline().split()]
def LI_(): return [int(x)-1 for x in sys.stdin.readline().split()]
def LF(): return [float(x) for x in sys.stdin.readline().split()]
def LS(): return sys.stdin.readline().split()
def I(): return int(sys.stdin.readline())
def F(): return float(sys.stdin.readline())
def S(): return input()
def pf(s): return print(s, flush=True)
def main():
n,m = LI()
a = ['#'*(m+2)] + ['#' + S() + '#' for _ in range(n)] + ['#'*(m+2)]
st = (-1,-1,-1)
for i in range(1,n+1):
for j in range(m+1):
c = a[i][j]
if c == '^':
st = (i,j,0,1)
elif c == 'v':
st = (i,j,2,1)
elif c == '>':
st = (i,j,1,1)
elif c == '<':
st = (i,j,3,1)
v = collections.defaultdict(bool)
vs = set()
r = -1
kb = [[(-1,1), (0,1), (1,1)], [(1,1),(1,0),(1,-1)], [(1,-1),(0,-1),(-1,-1)], [(-1,-1),(-1,0),(-1,1)]]
while True:
if v[st]:
return -1
v[st] = True
i,j,di,ki = st
vs.add((i,j))
if a[i][j] == 'G':
return len(vs)
if ki < 2:
if a[i+dd[di][0]][j+dd[di][1]] != '#':
r += 1
st = (i+dd[di][0], j+dd[di][1], di, ki+1)
else:
st = (i, j, (di-1)%4, 1)
else:
dk = (di+1) % 4
if a[i+dd[dk][0]][j+dd[dk][1]] == '#':
st = (i, j, di, 1)
else:
st = (i, j, dk, 0)
return -1
print(main())
``` | output | 1 | 91,703 | 15 | 183,407 |
Provide tags and a correct Python 3 solution for this coding contest problem.
You are given a table consisting of n rows and m columns. Each cell of the table contains a number, 0 or 1. In one move we can choose some row of the table and cyclically shift its values either one cell to the left, or one cell to the right.
To cyclically shift a table row one cell to the right means to move the value of each cell, except for the last one, to the right neighboring cell, and to move the value of the last cell to the first cell. A cyclical shift of a row to the left is performed similarly, but in the other direction. For example, if we cyclically shift a row "00110" one cell to the right, we get a row "00011", but if we shift a row "00110" one cell to the left, we get a row "01100".
Determine the minimum number of moves needed to make some table column consist only of numbers 1.
Input
The first line contains two space-separated integers: n (1 β€ n β€ 100) β the number of rows in the table and m (1 β€ m β€ 104) β the number of columns in the table. Then n lines follow, each of them contains m characters "0" or "1": the j-th character of the i-th line describes the contents of the cell in the i-th row and in the j-th column of the table.
It is guaranteed that the description of the table contains no other characters besides "0" and "1".
Output
Print a single number: the minimum number of moves needed to get only numbers 1 in some column of the table. If this is impossible, print -1.
Examples
Input
3 6
101010
000100
100000
Output
3
Input
2 3
111
000
Output
-1
Note
In the first sample one way to achieve the goal with the least number of moves is as follows: cyclically shift the second row to the right once, then shift the third row to the left twice. Then the table column before the last one will contain only 1s.
In the second sample one can't shift the rows to get a column containing only 1s. | instruction | 0 | 92,033 | 15 | 184,066 |
Tags: brute force, two pointers
Correct Solution:
```
n, m = map(int, input().split())
memo = [[int(2e9) for j in range(m)] for i in range(n)]
for i in range(n):
s = input()
if s.find('1') == -1:
print(-1)
exit()
memo[i][0] = s[::-1].find('1') + 1
memo[i][m-1] = s.find('1') + 1
for j in range(m):
if s[j] == '1':
memo[i][j] = 0
else:
memo[i][j] = min(memo[i][j], memo[i][j-1] + 1)
for j in range(m-2, -1, -1):
memo[i][j] = min(memo[i][j], memo[i][j+1] + 1)
print(min([sum([memo[i][j] for i in range(n)]) for j in range(m)]))
``` | output | 1 | 92,033 | 15 | 184,067 |
Provide tags and a correct Python 3 solution for this coding contest problem.
You are given a table consisting of n rows and m columns. Each cell of the table contains a number, 0 or 1. In one move we can choose some row of the table and cyclically shift its values either one cell to the left, or one cell to the right.
To cyclically shift a table row one cell to the right means to move the value of each cell, except for the last one, to the right neighboring cell, and to move the value of the last cell to the first cell. A cyclical shift of a row to the left is performed similarly, but in the other direction. For example, if we cyclically shift a row "00110" one cell to the right, we get a row "00011", but if we shift a row "00110" one cell to the left, we get a row "01100".
Determine the minimum number of moves needed to make some table column consist only of numbers 1.
Input
The first line contains two space-separated integers: n (1 β€ n β€ 100) β the number of rows in the table and m (1 β€ m β€ 104) β the number of columns in the table. Then n lines follow, each of them contains m characters "0" or "1": the j-th character of the i-th line describes the contents of the cell in the i-th row and in the j-th column of the table.
It is guaranteed that the description of the table contains no other characters besides "0" and "1".
Output
Print a single number: the minimum number of moves needed to get only numbers 1 in some column of the table. If this is impossible, print -1.
Examples
Input
3 6
101010
000100
100000
Output
3
Input
2 3
111
000
Output
-1
Note
In the first sample one way to achieve the goal with the least number of moves is as follows: cyclically shift the second row to the right once, then shift the third row to the left twice. Then the table column before the last one will contain only 1s.
In the second sample one can't shift the rows to get a column containing only 1s. | instruction | 0 | 92,034 | 15 | 184,068 |
Tags: brute force, two pointers
Correct Solution:
```
n, m = map(int, input().split())
f = [[int(1e9) for j in range(m)] for i in range(n)]
for i in range(n):
s = input()
if s.find('1') == -1:
print(-1)
exit()
f[i][0] = s[::-1].find('1') + 1
f[i][m - 1] = s.find('1') + 1
for j in range(m):
f[i][j] = 0 if s[j] == '1' else f[i][j]
for j in range(m):
f[i][j] = min(f[i][j], f[i][j - 1] + 1)
for j in range(m - 2, -1, -1):
f[i][j] = min(f[i][j], f[i][j + 1] + 1)
print(min([sum([f[i][j] for i in range(n)]) for j in range(m)]));
``` | output | 1 | 92,034 | 15 | 184,069 |
Provide tags and a correct Python 3 solution for this coding contest problem.
You are given a table consisting of n rows and m columns. Each cell of the table contains a number, 0 or 1. In one move we can choose some row of the table and cyclically shift its values either one cell to the left, or one cell to the right.
To cyclically shift a table row one cell to the right means to move the value of each cell, except for the last one, to the right neighboring cell, and to move the value of the last cell to the first cell. A cyclical shift of a row to the left is performed similarly, but in the other direction. For example, if we cyclically shift a row "00110" one cell to the right, we get a row "00011", but if we shift a row "00110" one cell to the left, we get a row "01100".
Determine the minimum number of moves needed to make some table column consist only of numbers 1.
Input
The first line contains two space-separated integers: n (1 β€ n β€ 100) β the number of rows in the table and m (1 β€ m β€ 104) β the number of columns in the table. Then n lines follow, each of them contains m characters "0" or "1": the j-th character of the i-th line describes the contents of the cell in the i-th row and in the j-th column of the table.
It is guaranteed that the description of the table contains no other characters besides "0" and "1".
Output
Print a single number: the minimum number of moves needed to get only numbers 1 in some column of the table. If this is impossible, print -1.
Examples
Input
3 6
101010
000100
100000
Output
3
Input
2 3
111
000
Output
-1
Note
In the first sample one way to achieve the goal with the least number of moves is as follows: cyclically shift the second row to the right once, then shift the third row to the left twice. Then the table column before the last one will contain only 1s.
In the second sample one can't shift the rows to get a column containing only 1s. | instruction | 0 | 92,035 | 15 | 184,070 |
Tags: brute force, two pointers
Correct Solution:
```
def binS(a, x, n):
l, r = -1, n
while(l + 1 < r):
m = (l + r)//2
if(a[m] >= x):
r = m
else:
l = m
return min(abs(a[r] - x), abs(a[r - 1] - x))
def main():
n, m = [int(i) for i in input().split()]
q = [0]*m
for i in range(n):
s = input()*3
a = []
ln = 0
for j in range(m*3):
if s[j] == '1':
a += [j]
ln += 1
if ln == 0:
q = [-1]
break
for x in range(m, m*2):
q[x - m] += binS(a, x, ln)
print(min(q))
main()
``` | output | 1 | 92,035 | 15 | 184,071 |
Provide tags and a correct Python 3 solution for this coding contest problem.
You are given a table consisting of n rows and m columns. Each cell of the table contains a number, 0 or 1. In one move we can choose some row of the table and cyclically shift its values either one cell to the left, or one cell to the right.
To cyclically shift a table row one cell to the right means to move the value of each cell, except for the last one, to the right neighboring cell, and to move the value of the last cell to the first cell. A cyclical shift of a row to the left is performed similarly, but in the other direction. For example, if we cyclically shift a row "00110" one cell to the right, we get a row "00011", but if we shift a row "00110" one cell to the left, we get a row "01100".
Determine the minimum number of moves needed to make some table column consist only of numbers 1.
Input
The first line contains two space-separated integers: n (1 β€ n β€ 100) β the number of rows in the table and m (1 β€ m β€ 104) β the number of columns in the table. Then n lines follow, each of them contains m characters "0" or "1": the j-th character of the i-th line describes the contents of the cell in the i-th row and in the j-th column of the table.
It is guaranteed that the description of the table contains no other characters besides "0" and "1".
Output
Print a single number: the minimum number of moves needed to get only numbers 1 in some column of the table. If this is impossible, print -1.
Examples
Input
3 6
101010
000100
100000
Output
3
Input
2 3
111
000
Output
-1
Note
In the first sample one way to achieve the goal with the least number of moves is as follows: cyclically shift the second row to the right once, then shift the third row to the left twice. Then the table column before the last one will contain only 1s.
In the second sample one can't shift the rows to get a column containing only 1s. | instruction | 0 | 92,036 | 15 | 184,072 |
Tags: brute force, two pointers
Correct Solution:
```
'''
Auther: ghoshashis545 Ashis Ghosh
College: jalpaiguri Govt Enggineering College
'''
from os import path
import sys
from heapq import heappush,heappop
from functools import cmp_to_key as ctk
from collections import deque,defaultdict as dd
from bisect import bisect,bisect_left,bisect_right,insort,insort_left,insort_right
from itertools import permutations
from datetime import datetime
from math import ceil,sqrt,log,gcd
def ii():return int(input())
def si():return input()
def mi():return map(int,input().split())
def li():return list(mi())
abc='abcdefghijklmnopqrstuvwxyz'
# mod=1000000007
mod=998244353
inf = float("inf")
vow=['a','e','i','o','u']
dx,dy=[-1,1,0,0],[0,0,1,-1]
def bo(i):
return ord(i)-ord('a')
file=1
def solve():
# for _ in range(ii()):
n,m=mi()
a=[]
f=0
for i in range(n):
s=list(si())
if '1' not in s:
f=1
continue
# s1=s+""+s
# print(s1)
pre=[m]*(2*m)
if s[0]=='1':
pre[0]=0
for j in range(1,2*m):
if s[j%m]=='1':
pre[j]=0
else:
pre[j]=pre[j-1]+1
suff=[m]*(2*m)
if s[-1]=='1':
suff[-1]=0
for j in range(2*m-2,-1,-1):
if s[j%m]=='1':
suff[j]=0
else:
suff[j]=suff[j+1]+1
# print(pre,suff)
b=[m]*m
for j in range(2*m):
b[j%m]=min({b[j%m],pre[j],suff[j]})
a.append(b)
# for i in a:
# print(*i)
if(f):
print("-1")
exit(0)
# print(a)
ans=inf
for i in range(m):
s=0
for j in range(n):
s+=a[j][i]
ans=min(ans,s)
print(ans)
if __name__ =="__main__":
if(file):
if path.exists('input1.txt'):
sys.stdin=open('input1.txt', 'r')
sys.stdout=open('output1.txt','w')
else:
input=sys.stdin.readline
solve()
``` | output | 1 | 92,036 | 15 | 184,073 |
Provide tags and a correct Python 3 solution for this coding contest problem.
You are given a table consisting of n rows and m columns. Each cell of the table contains a number, 0 or 1. In one move we can choose some row of the table and cyclically shift its values either one cell to the left, or one cell to the right.
To cyclically shift a table row one cell to the right means to move the value of each cell, except for the last one, to the right neighboring cell, and to move the value of the last cell to the first cell. A cyclical shift of a row to the left is performed similarly, but in the other direction. For example, if we cyclically shift a row "00110" one cell to the right, we get a row "00011", but if we shift a row "00110" one cell to the left, we get a row "01100".
Determine the minimum number of moves needed to make some table column consist only of numbers 1.
Input
The first line contains two space-separated integers: n (1 β€ n β€ 100) β the number of rows in the table and m (1 β€ m β€ 104) β the number of columns in the table. Then n lines follow, each of them contains m characters "0" or "1": the j-th character of the i-th line describes the contents of the cell in the i-th row and in the j-th column of the table.
It is guaranteed that the description of the table contains no other characters besides "0" and "1".
Output
Print a single number: the minimum number of moves needed to get only numbers 1 in some column of the table. If this is impossible, print -1.
Examples
Input
3 6
101010
000100
100000
Output
3
Input
2 3
111
000
Output
-1
Note
In the first sample one way to achieve the goal with the least number of moves is as follows: cyclically shift the second row to the right once, then shift the third row to the left twice. Then the table column before the last one will contain only 1s.
In the second sample one can't shift the rows to get a column containing only 1s. | instruction | 0 | 92,037 | 15 | 184,074 |
Tags: brute force, two pointers
Correct Solution:
```
def calc_shift_cost(row):
starts = [i for i, x in enumerate(row) if x]
for start in starts:
d = 2
pos = start + 1
if pos == len(row):
pos = 0
while row[pos] != 1:
if row[pos]:
row[pos] = min(row[pos], d)
else:
row[pos] = d
d += 1
pos += 1
if pos == len(row):
pos = 0
d = 2
pos = start - 1
if pos == -1:
pos = len(row) - 1
while row[pos] != 1:
if row[pos]:
row[pos] = min(row[pos], d)
else:
row[pos] = d
d += 1
pos -= 1
if pos == -1:
pos = len(row) - 1
for x in range(len(row)):
row[x] -= 1
class CodeforcesTask229ASolution:
def __init__(self):
self.result = ''
self.n_m = []
self.board = []
def read_input(self):
self.n_m = [int(x) for x in input().split(" ")]
for x in range(self.n_m[0]):
self.board.append([int(x) for x in input()])
def process_task(self):
for row in self.board:
if sum(row):
calc_shift_cost(row)
else:
self.result = "-1"
break
if not self.result:
costs = []
for x in range(self.n_m[1]):
ss = 0
for y in range(self.n_m[0]):
ss += self.board[y][x]
costs.append(ss)
self.result = str(min(costs))
def get_result(self):
return self.result
if __name__ == "__main__":
Solution = CodeforcesTask229ASolution()
Solution.read_input()
Solution.process_task()
print(Solution.get_result())
``` | output | 1 | 92,037 | 15 | 184,075 |
Provide tags and a correct Python 3 solution for this coding contest problem.
You are given a table consisting of n rows and m columns. Each cell of the table contains a number, 0 or 1. In one move we can choose some row of the table and cyclically shift its values either one cell to the left, or one cell to the right.
To cyclically shift a table row one cell to the right means to move the value of each cell, except for the last one, to the right neighboring cell, and to move the value of the last cell to the first cell. A cyclical shift of a row to the left is performed similarly, but in the other direction. For example, if we cyclically shift a row "00110" one cell to the right, we get a row "00011", but if we shift a row "00110" one cell to the left, we get a row "01100".
Determine the minimum number of moves needed to make some table column consist only of numbers 1.
Input
The first line contains two space-separated integers: n (1 β€ n β€ 100) β the number of rows in the table and m (1 β€ m β€ 104) β the number of columns in the table. Then n lines follow, each of them contains m characters "0" or "1": the j-th character of the i-th line describes the contents of the cell in the i-th row and in the j-th column of the table.
It is guaranteed that the description of the table contains no other characters besides "0" and "1".
Output
Print a single number: the minimum number of moves needed to get only numbers 1 in some column of the table. If this is impossible, print -1.
Examples
Input
3 6
101010
000100
100000
Output
3
Input
2 3
111
000
Output
-1
Note
In the first sample one way to achieve the goal with the least number of moves is as follows: cyclically shift the second row to the right once, then shift the third row to the left twice. Then the table column before the last one will contain only 1s.
In the second sample one can't shift the rows to get a column containing only 1s. | instruction | 0 | 92,038 | 15 | 184,076 |
Tags: brute force, two pointers
Correct Solution:
```
x=int(input().split(' ')[0])
y=[]
for i in range(x):
y.append(input())
for x in y:
if '1' not in x:
print("-1")
exit()
# y=['101010','000100','100000']
# y=['1011','1100','0010','0001']
# yy=[ (s.index('1'),s.rindex('1')) for s in y ]
# l=len(y[0])
##########################
#00010000 -3/8
s="00010100"
s="000100110"
# 8+3,7 4
# 8+3,6 5
# 5,4 1
def row_cost_cal(string):
arrL=['']*len(string)
initPosL=0
if string[0]!='1':
initPosL = - ( len(string) - string.rindex('1') )
for i in range(len(string)):
if string[i]=='1':
arrL[i]=0
initPosL=i
else:
arrL[i]=i-initPosL
arrR=['']*len(string)
initPosR=0
if string[-1]!='1':
initPosR = len(string) + string.index('1')
for i in range(len(string)-1,-1,-1):
if string[i]=='1':
arrR[i]=0
initPosR=i
else:
arrR[i]=initPosR-i
arrMin=[ min(arrL[i],arrR[i]) for i in range(len(string)) ]
# print(arrL)
# print(arrR)
return arrMin
# row_cost_cal(s)
# row_cost_cal("1001000")
arrCost = [ row_cost_cal(string) for string in y]
# print(arrCost)
colCost = [sum(x) for x in zip(*arrCost)]
print(min(colCost))
``` | output | 1 | 92,038 | 15 | 184,077 |
Provide tags and a correct Python 3 solution for this coding contest problem.
You are given a table consisting of n rows and m columns. Each cell of the table contains a number, 0 or 1. In one move we can choose some row of the table and cyclically shift its values either one cell to the left, or one cell to the right.
To cyclically shift a table row one cell to the right means to move the value of each cell, except for the last one, to the right neighboring cell, and to move the value of the last cell to the first cell. A cyclical shift of a row to the left is performed similarly, but in the other direction. For example, if we cyclically shift a row "00110" one cell to the right, we get a row "00011", but if we shift a row "00110" one cell to the left, we get a row "01100".
Determine the minimum number of moves needed to make some table column consist only of numbers 1.
Input
The first line contains two space-separated integers: n (1 β€ n β€ 100) β the number of rows in the table and m (1 β€ m β€ 104) β the number of columns in the table. Then n lines follow, each of them contains m characters "0" or "1": the j-th character of the i-th line describes the contents of the cell in the i-th row and in the j-th column of the table.
It is guaranteed that the description of the table contains no other characters besides "0" and "1".
Output
Print a single number: the minimum number of moves needed to get only numbers 1 in some column of the table. If this is impossible, print -1.
Examples
Input
3 6
101010
000100
100000
Output
3
Input
2 3
111
000
Output
-1
Note
In the first sample one way to achieve the goal with the least number of moves is as follows: cyclically shift the second row to the right once, then shift the third row to the left twice. Then the table column before the last one will contain only 1s.
In the second sample one can't shift the rows to get a column containing only 1s. | instruction | 0 | 92,039 | 15 | 184,078 |
Tags: brute force, two pointers
Correct Solution:
```
import sys
n, m = map(int, input().split())
mp = ['' for i in range(n)]
f = [[0 for j in range(m)] for i in range(n)]
for i in range(n):
mp[i] = input()
if mp[i].find('1') == -1:
print(-1)
sys.exit()
tmp = mp[i][::-1].find('1') + 1
for j in range(m):
if mp[i][j] == '1':
f[i][j] = 0
else:
f[i][j] = f[i][j - 1] + 1 if j > 0 else tmp
tmp = mp[i].find('1') + 1
for j in range(m - 1, -1, -1):
f[i][j] = min(f[i][j], f[i][j + 1] + 1 if j + 1 < m else tmp)
ans = int(1e9)
for j in range(m):
sm = 0
for i in range(n):
sm += f[i][j]
ans = min(ans, sm)
print(ans);
``` | output | 1 | 92,039 | 15 | 184,079 |
Provide tags and a correct Python 3 solution for this coding contest problem.
You are given a table consisting of n rows and m columns. Each cell of the table contains a number, 0 or 1. In one move we can choose some row of the table and cyclically shift its values either one cell to the left, or one cell to the right.
To cyclically shift a table row one cell to the right means to move the value of each cell, except for the last one, to the right neighboring cell, and to move the value of the last cell to the first cell. A cyclical shift of a row to the left is performed similarly, but in the other direction. For example, if we cyclically shift a row "00110" one cell to the right, we get a row "00011", but if we shift a row "00110" one cell to the left, we get a row "01100".
Determine the minimum number of moves needed to make some table column consist only of numbers 1.
Input
The first line contains two space-separated integers: n (1 β€ n β€ 100) β the number of rows in the table and m (1 β€ m β€ 104) β the number of columns in the table. Then n lines follow, each of them contains m characters "0" or "1": the j-th character of the i-th line describes the contents of the cell in the i-th row and in the j-th column of the table.
It is guaranteed that the description of the table contains no other characters besides "0" and "1".
Output
Print a single number: the minimum number of moves needed to get only numbers 1 in some column of the table. If this is impossible, print -1.
Examples
Input
3 6
101010
000100
100000
Output
3
Input
2 3
111
000
Output
-1
Note
In the first sample one way to achieve the goal with the least number of moves is as follows: cyclically shift the second row to the right once, then shift the third row to the left twice. Then the table column before the last one will contain only 1s.
In the second sample one can't shift the rows to get a column containing only 1s. | instruction | 0 | 92,040 | 15 | 184,080 |
Tags: brute force, two pointers
Correct Solution:
```
"""
Author - Satwik Tiwari .
20th Oct , 2020 - Tuesday
"""
#===============================================================================================
#importing some useful libraries.
from __future__ import division, print_function
from fractions import Fraction
import sys
import os
from io import BytesIO, IOBase
from functools import cmp_to_key
# from itertools import *
from heapq import *
from math import gcd, factorial,floor,ceil
from copy import deepcopy
from collections import deque
from bisect import bisect_left as bl
from bisect import bisect_right as br
from bisect import bisect
#==============================================================================================
#fast I/O region
BUFSIZE = 8192
class FastIO(IOBase):
newlines = 0
def __init__(self, file):
self._fd = file.fileno()
self.buffer = BytesIO()
self.writable = "x" in file.mode or "r" not in file.mode
self.write = self.buffer.write if self.writable else None
def read(self):
while True:
b = os.read(self._fd, max(os.fstat(self._fd).st_size, BUFSIZE))
if not b:
break
ptr = self.buffer.tell()
self.buffer.seek(0, 2), self.buffer.write(b), self.buffer.seek(ptr)
self.newlines = 0
return self.buffer.read()
def readline(self):
while self.newlines == 0:
b = os.read(self._fd, max(os.fstat(self._fd).st_size, BUFSIZE))
self.newlines = b.count(b"\n") + (not b)
ptr = self.buffer.tell()
self.buffer.seek(0, 2), self.buffer.write(b), self.buffer.seek(ptr)
self.newlines -= 1
return self.buffer.readline()
def flush(self):
if self.writable:
os.write(self._fd, self.buffer.getvalue())
self.buffer.truncate(0), self.buffer.seek(0)
class IOWrapper(IOBase):
def __init__(self, file):
self.buffer = FastIO(file)
self.flush = self.buffer.flush
self.writable = self.buffer.writable
self.write = lambda s: self.buffer.write(s.encode("ascii"))
self.read = lambda: self.buffer.read().decode("ascii")
self.readline = lambda: self.buffer.readline().decode("ascii")
def print(*args, **kwargs):
"""Prints the values to a stream, or to sys.stdout by default."""
sep, file = kwargs.pop("sep", " "), kwargs.pop("file", sys.stdout)
at_start = True
for x in args:
if not at_start:
file.write(sep)
file.write(str(x))
at_start = False
file.write(kwargs.pop("end", "\n"))
if kwargs.pop("flush", False):
file.flush()
if sys.version_info[0] < 3:
sys.stdin, sys.stdout = FastIO(sys.stdin), FastIO(sys.stdout)
else:
sys.stdin, sys.stdout = IOWrapper(sys.stdin), IOWrapper(sys.stdout)
# inp = lambda: sys.stdin.readline().rstrip("\r\n")
#===============================================================================================
### START ITERATE RECURSION ###
from types import GeneratorType
def iterative(f, stack=[]):
def wrapped_func(*args, **kwargs):
if stack: return f(*args, **kwargs)
to = f(*args, **kwargs)
while True:
if type(to) is GeneratorType:
stack.append(to)
to = next(to)
continue
stack.pop()
if not stack: break
to = stack[-1].send(to)
return to
return wrapped_func
#### END ITERATE RECURSION ####
#===============================================================================================
#some shortcuts
def inp(): return sys.stdin.readline().rstrip("\r\n") #for fast input
def out(var): sys.stdout.write(str(var)) #for fast output, always take string
def lis(): return list(map(int, inp().split()))
def stringlis(): return list(map(str, inp().split()))
def sep(): return map(int, inp().split())
def strsep(): return map(str, inp().split())
# def graph(vertex): return [[] for i in range(0,vertex+1)]
def zerolist(n): return [0]*n
def nextline(): out("\n") #as stdout.write always print sring.
def testcase(t):
for pp in range(t):
solve(pp)
def printlist(a) :
for p in range(0,len(a)):
out(str(a[p]) + ' ')
def google(p):
print('Case #'+str(p)+': ',end='')
def lcm(a,b): return (a*b)//gcd(a,b)
def power(x, y, p) :
res = 1 # Initialize result
x = x % p # Update x if it is more , than or equal to p
if (x == 0) :
return 0
while (y > 0) :
if ((y & 1) == 1) : # If y is odd, multiply, x with result
res = (res * x) % p
y = y >> 1 # y = y/2
x = (x * x) % p
return res
def ncr(n,r): return factorial(n) // (factorial(r) * factorial(max(n - r, 1)))
def isPrime(n) :
if (n <= 1) : return False
if (n <= 3) : return True
if (n % 2 == 0 or n % 3 == 0) : return False
i = 5
while(i * i <= n) :
if (n % i == 0 or n % (i + 2) == 0) :
return False
i = i + 6
return True
inf = pow(10,20)
mod = 998244353
#===============================================================================================
# code here ;))
def solve(case):
n,m = sep()
g = []
for i in range(n):
temp = list(inp())
for i in range(m):
temp[i] = int(temp[i])
temp*=2
g.append(temp)
for i in range(n):
if(g[i].count(0) == 2*m):
print(-1)
return
left = []
right = []
for i in range(n):
temp = [0]*(2*m+1)
temp[2*m] = inf
for j in range(2*m-1,-1,-1):
if(g[i][j] == 1):
temp[j] = j
else:
temp[j] = temp[j+1]
right.append(temp)
temp = [0]*(2*m+1)
temp[2*m] = inf
for j in range(2*m):
if(g[i][j] == 1):
temp[j] = j
else:
temp[j] = temp[j-1]
left.append(temp)
# for i in range(n):
# print(left[i])
# print(right[i])
# print('===')
ans = inf
for j in range(m):
curr = 0
for i in range(n):
t1 = left[i][j+m]
t2 = right[i][j]
# print(j-t1,t2-j,j+m-t2,m-j+t1)
# print(t1,t2,j)
# print(j,add,i)
curr+=min(j-t1+m,t2-j)
ans = min(ans,curr)
print(ans)
testcase(1)
# testcase(int(inp()))
``` | output | 1 | 92,040 | 15 | 184,081 |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.