message
stringlengths
2
45.8k
message_type
stringclasses
2 values
message_id
int64
0
1
conversation_id
int64
254
108k
cluster
float64
3
3
__index_level_0__
int64
508
217k
Provide tags and a correct Python 3 solution for this coding contest problem. You are an all-powerful being and you have created a rectangular world. In fact, your world is so bland that it could be represented by a r Γ— c grid. Each cell on the grid represents a country. Each country has a dominant religion. There are only two religions in your world. One of the religions is called Beingawesomeism, who do good for the sake of being good. The other religion is called Pushingittoofarism, who do murders for the sake of being bad. Oh, and you are actually not really all-powerful. You just have one power, which you can use infinitely many times! Your power involves missionary groups. When a missionary group of a certain country, say a, passes by another country b, they change the dominant religion of country b to the dominant religion of country a. In particular, a single use of your power is this: * You choose a horizontal 1 Γ— x subgrid or a vertical x Γ— 1 subgrid. That value of x is up to you; * You choose a direction d. If you chose a horizontal subgrid, your choices will either be NORTH or SOUTH. If you choose a vertical subgrid, your choices will either be EAST or WEST; * You choose the number s of steps; * You command each country in the subgrid to send a missionary group that will travel s steps towards direction d. In each step, they will visit (and in effect convert the dominant religion of) all s countries they pass through, as detailed above. * The parameters x, d, s must be chosen in such a way that any of the missionary groups won't leave the grid. The following image illustrates one possible single usage of your power. Here, A represents a country with dominant religion Beingawesomeism and P represents a country with dominant religion Pushingittoofarism. Here, we've chosen a 1 Γ— 4 subgrid, the direction NORTH, and s = 2 steps. <image> You are a being which believes in free will, for the most part. However, you just really want to stop receiving murders that are attributed to your name. Hence, you decide to use your powers and try to make Beingawesomeism the dominant religion in every country. What is the minimum number of usages of your power needed to convert everyone to Beingawesomeism? With god, nothing is impossible. But maybe you're not god? If it is impossible to make Beingawesomeism the dominant religion in all countries, you must also admit your mortality and say so. Input The first line of input contains a single integer t (1 ≀ t ≀ 2β‹… 10^4) denoting the number of test cases. The first line of each test case contains two space-separated integers r and c denoting the dimensions of the grid (1 ≀ r, c ≀ 60). The next r lines each contains c characters describing the dominant religions in the countries. In particular, the j-th character in the i-th line describes the dominant religion in the country at the cell with row i and column j, where: * "A" means that the dominant religion is Beingawesomeism; * "P" means that the dominant religion is Pushingittoofarism. It is guaranteed that the grid will only contain "A" or "P" characters. It is guaranteed that the sum of the r β‹… c in a single file is at most 3 β‹… 10^6. Output For each test case, output a single line containing the minimum number of usages of your power needed to convert everyone to Beingawesomeism, or the string "MORTAL" (without quotes) if it is impossible to do so. Example Input 4 7 8 AAPAAAAA PPPPAAAA PPPPAAAA APAAPPPP APAPPAPP AAAAPPAP AAAAPPAA 6 5 AAAAA AAAAA AAPAA AAPAP AAAPP AAAPP 4 4 PPPP PPPP PPPP PPPP 3 4 PPPP PAAP PPPP Output 2 1 MORTAL 4 Note In the first test case, it can be done in two usages, as follows: Usage 1: <image> Usage 2: <image> In the second test case, it can be done with just one usage of the power. In the third test case, it is impossible to convert everyone to Beingawesomeism, so the answer is "MORTAL".
instruction
0
14,266
3
28,532
Tags: implementation, math Correct Solution: ``` # ------------------- fast io -------------------- import os import sys from io import BytesIO, IOBase 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") # ------------------- fast io -------------------- from math import gcd, ceil def prod(a, mod=10**9+7): ans = 1 for each in a: ans = (ans * each) % mod return ans def lcm(a, b): return a * b // gcd(a, b) def binary(x, length=16): y = bin(x)[2:] return y if len(y) >= length else "0" * (length - len(y)) + y for _ in range(int(input()) if True else 1): #n = int(input()) n, m = map(int, input().split()) #a, b = map(int, input().split()) #c, d = map(int, input().split()) #a = list(map(int, input().split())) #b = list(map(int, input().split())) #s = input() a = [] for i in range(n): a += [[k for k in input()]] pos = False has = False for i in range(n): for j in range(m): if a[i][j] == 'A': pos=True else: has = True if not pos: print("MORTAL") continue if not has: print(0) continue first_row = a[0] last_row = a[-1] first_col = [a[k][0] for k in range(n)] last_col = [a[k][-1] for k in range(n)] if first_row == ['A'] * m or last_row == ['A']*m or first_col == ['A']*n or last_col == ['A']*n: print(1) continue pos = False for i in a: if i == ['A']*m: pos=True break for j in range(m): if [a[i][j] for i in range(n)] == ['A']*n: pos = True break if 'A' in [a[0][0], a[0][-1], a[-1][0], a[-1][-1]] or min(n,m) == 1 or pos: print(2) continue if 'A' in first_row+first_col+last_col+last_row: print(3) continue print(4) ```
output
1
14,266
3
28,533
Provide tags and a correct Python 3 solution for this coding contest problem. You are an all-powerful being and you have created a rectangular world. In fact, your world is so bland that it could be represented by a r Γ— c grid. Each cell on the grid represents a country. Each country has a dominant religion. There are only two religions in your world. One of the religions is called Beingawesomeism, who do good for the sake of being good. The other religion is called Pushingittoofarism, who do murders for the sake of being bad. Oh, and you are actually not really all-powerful. You just have one power, which you can use infinitely many times! Your power involves missionary groups. When a missionary group of a certain country, say a, passes by another country b, they change the dominant religion of country b to the dominant religion of country a. In particular, a single use of your power is this: * You choose a horizontal 1 Γ— x subgrid or a vertical x Γ— 1 subgrid. That value of x is up to you; * You choose a direction d. If you chose a horizontal subgrid, your choices will either be NORTH or SOUTH. If you choose a vertical subgrid, your choices will either be EAST or WEST; * You choose the number s of steps; * You command each country in the subgrid to send a missionary group that will travel s steps towards direction d. In each step, they will visit (and in effect convert the dominant religion of) all s countries they pass through, as detailed above. * The parameters x, d, s must be chosen in such a way that any of the missionary groups won't leave the grid. The following image illustrates one possible single usage of your power. Here, A represents a country with dominant religion Beingawesomeism and P represents a country with dominant religion Pushingittoofarism. Here, we've chosen a 1 Γ— 4 subgrid, the direction NORTH, and s = 2 steps. <image> You are a being which believes in free will, for the most part. However, you just really want to stop receiving murders that are attributed to your name. Hence, you decide to use your powers and try to make Beingawesomeism the dominant religion in every country. What is the minimum number of usages of your power needed to convert everyone to Beingawesomeism? With god, nothing is impossible. But maybe you're not god? If it is impossible to make Beingawesomeism the dominant religion in all countries, you must also admit your mortality and say so. Input The first line of input contains a single integer t (1 ≀ t ≀ 2β‹… 10^4) denoting the number of test cases. The first line of each test case contains two space-separated integers r and c denoting the dimensions of the grid (1 ≀ r, c ≀ 60). The next r lines each contains c characters describing the dominant religions in the countries. In particular, the j-th character in the i-th line describes the dominant religion in the country at the cell with row i and column j, where: * "A" means that the dominant religion is Beingawesomeism; * "P" means that the dominant religion is Pushingittoofarism. It is guaranteed that the grid will only contain "A" or "P" characters. It is guaranteed that the sum of the r β‹… c in a single file is at most 3 β‹… 10^6. Output For each test case, output a single line containing the minimum number of usages of your power needed to convert everyone to Beingawesomeism, or the string "MORTAL" (without quotes) if it is impossible to do so. Example Input 4 7 8 AAPAAAAA PPPPAAAA PPPPAAAA APAAPPPP APAPPAPP AAAAPPAP AAAAPPAA 6 5 AAAAA AAAAA AAPAA AAPAP AAAPP AAAPP 4 4 PPPP PPPP PPPP PPPP 3 4 PPPP PAAP PPPP Output 2 1 MORTAL 4 Note In the first test case, it can be done in two usages, as follows: Usage 1: <image> Usage 2: <image> In the second test case, it can be done with just one usage of the power. In the third test case, it is impossible to convert everyone to Beingawesomeism, so the answer is "MORTAL".
instruction
0
14,267
3
28,534
Tags: implementation, math Correct Solution: ``` def ifp(s): flag = 1 for i in mat: if s in i: flag = 0 break if flag: return False return True def check3(): if "A" in mat[0] or "A" in mat[-1]: return True flag1 = 0 flag2 = 0 for i in range(r): if mat[i][0]=="A": flag1 = 1 if mat[i][-1]=="A": flag2 = 1 if flag1 or flag2: return True return False for nt in range(int(input())): r,c = map(int,input().split()) mat = [] for i in range(r): mat.append(input()) if not ifp("A"): print ("MORTAL") continue if not ifp("P"): print (0) continue if "P" not in mat[0] or "P" not in mat[-1]: print (1) continue flag1 = 0 flag2 = 0 for i in range(r): if "P"==mat[i][0]: flag1 = 1 if "P"==mat[i][-1]: flag2 = 1 if not flag1 or not flag2: print (1) continue if mat[0][0] == "A" or mat[0][-1]=="A" or mat[-1][0]=="A" or mat[-1][-1]=="A": print (2) continue flag = 0 for i in range(r): if "P" not in mat[i]: flag = 1 break for i in range(c): flag2 = 0 for j in range(r): if mat[j][i]=="P": flag2 = 1 break if not flag2: flag = 1 break if flag: print (2) continue if check3(): print (3) continue print (4) ```
output
1
14,267
3
28,535
Provide tags and a correct Python 3 solution for this coding contest problem. You are an all-powerful being and you have created a rectangular world. In fact, your world is so bland that it could be represented by a r Γ— c grid. Each cell on the grid represents a country. Each country has a dominant religion. There are only two religions in your world. One of the religions is called Beingawesomeism, who do good for the sake of being good. The other religion is called Pushingittoofarism, who do murders for the sake of being bad. Oh, and you are actually not really all-powerful. You just have one power, which you can use infinitely many times! Your power involves missionary groups. When a missionary group of a certain country, say a, passes by another country b, they change the dominant religion of country b to the dominant religion of country a. In particular, a single use of your power is this: * You choose a horizontal 1 Γ— x subgrid or a vertical x Γ— 1 subgrid. That value of x is up to you; * You choose a direction d. If you chose a horizontal subgrid, your choices will either be NORTH or SOUTH. If you choose a vertical subgrid, your choices will either be EAST or WEST; * You choose the number s of steps; * You command each country in the subgrid to send a missionary group that will travel s steps towards direction d. In each step, they will visit (and in effect convert the dominant religion of) all s countries they pass through, as detailed above. * The parameters x, d, s must be chosen in such a way that any of the missionary groups won't leave the grid. The following image illustrates one possible single usage of your power. Here, A represents a country with dominant religion Beingawesomeism and P represents a country with dominant religion Pushingittoofarism. Here, we've chosen a 1 Γ— 4 subgrid, the direction NORTH, and s = 2 steps. <image> You are a being which believes in free will, for the most part. However, you just really want to stop receiving murders that are attributed to your name. Hence, you decide to use your powers and try to make Beingawesomeism the dominant religion in every country. What is the minimum number of usages of your power needed to convert everyone to Beingawesomeism? With god, nothing is impossible. But maybe you're not god? If it is impossible to make Beingawesomeism the dominant religion in all countries, you must also admit your mortality and say so. Input The first line of input contains a single integer t (1 ≀ t ≀ 2β‹… 10^4) denoting the number of test cases. The first line of each test case contains two space-separated integers r and c denoting the dimensions of the grid (1 ≀ r, c ≀ 60). The next r lines each contains c characters describing the dominant religions in the countries. In particular, the j-th character in the i-th line describes the dominant religion in the country at the cell with row i and column j, where: * "A" means that the dominant religion is Beingawesomeism; * "P" means that the dominant religion is Pushingittoofarism. It is guaranteed that the grid will only contain "A" or "P" characters. It is guaranteed that the sum of the r β‹… c in a single file is at most 3 β‹… 10^6. Output For each test case, output a single line containing the minimum number of usages of your power needed to convert everyone to Beingawesomeism, or the string "MORTAL" (without quotes) if it is impossible to do so. Example Input 4 7 8 AAPAAAAA PPPPAAAA PPPPAAAA APAAPPPP APAPPAPP AAAAPPAP AAAAPPAA 6 5 AAAAA AAAAA AAPAA AAPAP AAAPP AAAPP 4 4 PPPP PPPP PPPP PPPP 3 4 PPPP PAAP PPPP Output 2 1 MORTAL 4 Note In the first test case, it can be done in two usages, as follows: Usage 1: <image> Usage 2: <image> In the second test case, it can be done with just one usage of the power. In the third test case, it is impossible to convert everyone to Beingawesomeism, so the answer is "MORTAL".
instruction
0
14,268
3
28,536
Tags: implementation, math Correct Solution: ``` from sys import stdin def check(lst, c): ans = True for i in range(len(lst)): if lst[i][c] == 'P': ans = False break return ans def check1(lst, c): ans = False for i in range(len(lst)): if lst[i][c] == 'A': ans = True break return ans def check2(lst, r): ans = False for i in range(len(lst[0])): if lst[r][i] == 'A': ans = True break return ans def check3(lst): ans = False for i in range(len(lst)): if lst[i] == ['A'] * (len(lst[0])): ans = True break return ans def check4(lst): for i in range(len(lst[0])): ans = True for j in range(len(lst)): if lst[j][i] == 'P': ans = False break if ans: break return ans for i in range(int(stdin.readline())): r, c = map(int, stdin.readline().split()) lst = [] god = 0 for j in range(r): lst.append(list(stdin.readline().strip())) if lst[-1] == ['A'] * c: god += 1 if god == r: print(0) continue mortality = True for j in range(r): for k in range(c): if lst[j][k] == 'A': mortality = False break if not mortality: break if mortality: print('MORTAL') else: if lst[0] == ['A'] * c or lst[r - 1] == ['A'] * c: print(1) elif check(lst, 0) or check(lst, c - 1): print(1) elif lst[0][0] == 'A' or lst[r - 1][0] == 'A' or lst[0][c - 1] == 'A' or lst[r - 1][c - 1] == 'A': print(2) elif check3(lst) or check4(lst): print(2) elif check1(lst, 0) or check1(lst, c - 1) or check2(lst, 0) or check2(lst, r - 1): print(3) else: print(4) ```
output
1
14,268
3
28,537
Provide tags and a correct Python 3 solution for this coding contest problem. You are an all-powerful being and you have created a rectangular world. In fact, your world is so bland that it could be represented by a r Γ— c grid. Each cell on the grid represents a country. Each country has a dominant religion. There are only two religions in your world. One of the religions is called Beingawesomeism, who do good for the sake of being good. The other religion is called Pushingittoofarism, who do murders for the sake of being bad. Oh, and you are actually not really all-powerful. You just have one power, which you can use infinitely many times! Your power involves missionary groups. When a missionary group of a certain country, say a, passes by another country b, they change the dominant religion of country b to the dominant religion of country a. In particular, a single use of your power is this: * You choose a horizontal 1 Γ— x subgrid or a vertical x Γ— 1 subgrid. That value of x is up to you; * You choose a direction d. If you chose a horizontal subgrid, your choices will either be NORTH or SOUTH. If you choose a vertical subgrid, your choices will either be EAST or WEST; * You choose the number s of steps; * You command each country in the subgrid to send a missionary group that will travel s steps towards direction d. In each step, they will visit (and in effect convert the dominant religion of) all s countries they pass through, as detailed above. * The parameters x, d, s must be chosen in such a way that any of the missionary groups won't leave the grid. The following image illustrates one possible single usage of your power. Here, A represents a country with dominant religion Beingawesomeism and P represents a country with dominant religion Pushingittoofarism. Here, we've chosen a 1 Γ— 4 subgrid, the direction NORTH, and s = 2 steps. <image> You are a being which believes in free will, for the most part. However, you just really want to stop receiving murders that are attributed to your name. Hence, you decide to use your powers and try to make Beingawesomeism the dominant religion in every country. What is the minimum number of usages of your power needed to convert everyone to Beingawesomeism? With god, nothing is impossible. But maybe you're not god? If it is impossible to make Beingawesomeism the dominant religion in all countries, you must also admit your mortality and say so. Input The first line of input contains a single integer t (1 ≀ t ≀ 2β‹… 10^4) denoting the number of test cases. The first line of each test case contains two space-separated integers r and c denoting the dimensions of the grid (1 ≀ r, c ≀ 60). The next r lines each contains c characters describing the dominant religions in the countries. In particular, the j-th character in the i-th line describes the dominant religion in the country at the cell with row i and column j, where: * "A" means that the dominant religion is Beingawesomeism; * "P" means that the dominant religion is Pushingittoofarism. It is guaranteed that the grid will only contain "A" or "P" characters. It is guaranteed that the sum of the r β‹… c in a single file is at most 3 β‹… 10^6. Output For each test case, output a single line containing the minimum number of usages of your power needed to convert everyone to Beingawesomeism, or the string "MORTAL" (without quotes) if it is impossible to do so. Example Input 4 7 8 AAPAAAAA PPPPAAAA PPPPAAAA APAAPPPP APAPPAPP AAAAPPAP AAAAPPAA 6 5 AAAAA AAAAA AAPAA AAPAP AAAPP AAAPP 4 4 PPPP PPPP PPPP PPPP 3 4 PPPP PAAP PPPP Output 2 1 MORTAL 4 Note In the first test case, it can be done in two usages, as follows: Usage 1: <image> Usage 2: <image> In the second test case, it can be done with just one usage of the power. In the third test case, it is impossible to convert everyone to Beingawesomeism, so the answer is "MORTAL".
instruction
0
14,269
3
28,538
Tags: implementation, math Correct Solution: ``` from sys import stdin for case in range(int(stdin.readline())): r,c = [int(x) for x in stdin.readline().split()] grid = [] for x in range(r): grid.append(stdin.readline().strip()) mortal = True for x in grid: if 'A' in x: mortal = False if mortal: print('MORTAL') else: grid2 = [''.join([grid[y][x] for y in range(r)]) for x in range(c)] allA = True for x in grid: if 'P' in x: allA = False if allA: print(0) elif grid[0] == 'A'*c or grid[-1] == 'A'*c: print(1) elif grid2[0] == 'A'*r or grid2[-1] =='A'*r: print(1) elif grid[0][0] == 'A' or grid[0][-1] == 'A' or grid[-1][-1] =='A' or grid[-1][0] =='A': print(2) elif 'A'*c in grid: print(2) elif 'A'*r in grid2: print(2) elif 'A' in grid[0] or 'A' in grid[-1]: print(3) elif 'A' in grid2[0] or 'A' in grid2[-1]: print(3) else: print(4) ```
output
1
14,269
3
28,539
Provide tags and a correct Python 3 solution for this coding contest problem. You are an all-powerful being and you have created a rectangular world. In fact, your world is so bland that it could be represented by a r Γ— c grid. Each cell on the grid represents a country. Each country has a dominant religion. There are only two religions in your world. One of the religions is called Beingawesomeism, who do good for the sake of being good. The other religion is called Pushingittoofarism, who do murders for the sake of being bad. Oh, and you are actually not really all-powerful. You just have one power, which you can use infinitely many times! Your power involves missionary groups. When a missionary group of a certain country, say a, passes by another country b, they change the dominant religion of country b to the dominant religion of country a. In particular, a single use of your power is this: * You choose a horizontal 1 Γ— x subgrid or a vertical x Γ— 1 subgrid. That value of x is up to you; * You choose a direction d. If you chose a horizontal subgrid, your choices will either be NORTH or SOUTH. If you choose a vertical subgrid, your choices will either be EAST or WEST; * You choose the number s of steps; * You command each country in the subgrid to send a missionary group that will travel s steps towards direction d. In each step, they will visit (and in effect convert the dominant religion of) all s countries they pass through, as detailed above. * The parameters x, d, s must be chosen in such a way that any of the missionary groups won't leave the grid. The following image illustrates one possible single usage of your power. Here, A represents a country with dominant religion Beingawesomeism and P represents a country with dominant religion Pushingittoofarism. Here, we've chosen a 1 Γ— 4 subgrid, the direction NORTH, and s = 2 steps. <image> You are a being which believes in free will, for the most part. However, you just really want to stop receiving murders that are attributed to your name. Hence, you decide to use your powers and try to make Beingawesomeism the dominant religion in every country. What is the minimum number of usages of your power needed to convert everyone to Beingawesomeism? With god, nothing is impossible. But maybe you're not god? If it is impossible to make Beingawesomeism the dominant religion in all countries, you must also admit your mortality and say so. Input The first line of input contains a single integer t (1 ≀ t ≀ 2β‹… 10^4) denoting the number of test cases. The first line of each test case contains two space-separated integers r and c denoting the dimensions of the grid (1 ≀ r, c ≀ 60). The next r lines each contains c characters describing the dominant religions in the countries. In particular, the j-th character in the i-th line describes the dominant religion in the country at the cell with row i and column j, where: * "A" means that the dominant religion is Beingawesomeism; * "P" means that the dominant religion is Pushingittoofarism. It is guaranteed that the grid will only contain "A" or "P" characters. It is guaranteed that the sum of the r β‹… c in a single file is at most 3 β‹… 10^6. Output For each test case, output a single line containing the minimum number of usages of your power needed to convert everyone to Beingawesomeism, or the string "MORTAL" (without quotes) if it is impossible to do so. Example Input 4 7 8 AAPAAAAA PPPPAAAA PPPPAAAA APAAPPPP APAPPAPP AAAAPPAP AAAAPPAA 6 5 AAAAA AAAAA AAPAA AAPAP AAAPP AAAPP 4 4 PPPP PPPP PPPP PPPP 3 4 PPPP PAAP PPPP Output 2 1 MORTAL 4 Note In the first test case, it can be done in two usages, as follows: Usage 1: <image> Usage 2: <image> In the second test case, it can be done with just one usage of the power. In the third test case, it is impossible to convert everyone to Beingawesomeism, so the answer is "MORTAL".
instruction
0
14,270
3
28,540
Tags: implementation, math Correct Solution: ``` import sys def solve(g, r, c): total = sum(sum(row) for row in g) if total == r*c: return 0 if total == 0: return "MORTAL" if all(g[0]) or all(g[-1]): return 1 if all(g[i][0] for i in range(r)) or all(g[i][-1] for i in range(r)): return 1 if any([g[0][0],g[0][-1],g[-1][0],g[-1][-1]]): return 2 for row in g: if all(row): return 2 for i in range(c): if all(g[j][i] for j in range(r)): return 2 if any(g[0]) or any(g[-1]): return 3 if any(g[i][0] for i in range(r)) or any(g[i][-1] for i in range(r)): return 3 return 4 lines = list(sys.stdin.readlines()) t = int(lines[0]) i = 1 for _ in range(t): r, c = map(int, lines[i].split()) i += 1 g = [] for _ in range(r): row = list([c=="A" for c in lines[i][:c]]) i += 1 g.append(row) print(solve(g, r, c)) ```
output
1
14,270
3
28,541
Provide tags and a correct Python 3 solution for this coding contest problem. You are an all-powerful being and you have created a rectangular world. In fact, your world is so bland that it could be represented by a r Γ— c grid. Each cell on the grid represents a country. Each country has a dominant religion. There are only two religions in your world. One of the religions is called Beingawesomeism, who do good for the sake of being good. The other religion is called Pushingittoofarism, who do murders for the sake of being bad. Oh, and you are actually not really all-powerful. You just have one power, which you can use infinitely many times! Your power involves missionary groups. When a missionary group of a certain country, say a, passes by another country b, they change the dominant religion of country b to the dominant religion of country a. In particular, a single use of your power is this: * You choose a horizontal 1 Γ— x subgrid or a vertical x Γ— 1 subgrid. That value of x is up to you; * You choose a direction d. If you chose a horizontal subgrid, your choices will either be NORTH or SOUTH. If you choose a vertical subgrid, your choices will either be EAST or WEST; * You choose the number s of steps; * You command each country in the subgrid to send a missionary group that will travel s steps towards direction d. In each step, they will visit (and in effect convert the dominant religion of) all s countries they pass through, as detailed above. * The parameters x, d, s must be chosen in such a way that any of the missionary groups won't leave the grid. The following image illustrates one possible single usage of your power. Here, A represents a country with dominant religion Beingawesomeism and P represents a country with dominant religion Pushingittoofarism. Here, we've chosen a 1 Γ— 4 subgrid, the direction NORTH, and s = 2 steps. <image> You are a being which believes in free will, for the most part. However, you just really want to stop receiving murders that are attributed to your name. Hence, you decide to use your powers and try to make Beingawesomeism the dominant religion in every country. What is the minimum number of usages of your power needed to convert everyone to Beingawesomeism? With god, nothing is impossible. But maybe you're not god? If it is impossible to make Beingawesomeism the dominant religion in all countries, you must also admit your mortality and say so. Input The first line of input contains a single integer t (1 ≀ t ≀ 2β‹… 10^4) denoting the number of test cases. The first line of each test case contains two space-separated integers r and c denoting the dimensions of the grid (1 ≀ r, c ≀ 60). The next r lines each contains c characters describing the dominant religions in the countries. In particular, the j-th character in the i-th line describes the dominant religion in the country at the cell with row i and column j, where: * "A" means that the dominant religion is Beingawesomeism; * "P" means that the dominant religion is Pushingittoofarism. It is guaranteed that the grid will only contain "A" or "P" characters. It is guaranteed that the sum of the r β‹… c in a single file is at most 3 β‹… 10^6. Output For each test case, output a single line containing the minimum number of usages of your power needed to convert everyone to Beingawesomeism, or the string "MORTAL" (without quotes) if it is impossible to do so. Example Input 4 7 8 AAPAAAAA PPPPAAAA PPPPAAAA APAAPPPP APAPPAPP AAAAPPAP AAAAPPAA 6 5 AAAAA AAAAA AAPAA AAPAP AAAPP AAAPP 4 4 PPPP PPPP PPPP PPPP 3 4 PPPP PAAP PPPP Output 2 1 MORTAL 4 Note In the first test case, it can be done in two usages, as follows: Usage 1: <image> Usage 2: <image> In the second test case, it can be done with just one usage of the power. In the third test case, it is impossible to convert everyone to Beingawesomeism, so the answer is "MORTAL".
instruction
0
14,271
3
28,542
Tags: implementation, math Correct Solution: ``` from sys import stdin, stdout if __name__ == '__main__': t = int(stdin.readline()) for k in range(t): rc = list(map(int, stdin.readline().split())) r = rc[0] c = rc[1] b = False allA = True corner = False border = False allR = False allR_border = False allC = False allC_border = False prestr = '' allca = [True] * c for i in range(r): rstr = stdin.readline() allr = True for j in range(c): v = rstr[j] if v == 'A': b = True if j > 0 and v != rstr[j]: allr = False if i > 0 and v != prestr[j]: allca[j] = False if i == 0 or j == 0 or i == r-1 or j == c-1: border = True if (i == 0 and j == 0) or (i == 0 and j == c-1) or (i == r-1 and j == 0) or (i == r-1 and j == c-1): corner = True else: allr = False allca[j] = False allA = False prestr = rstr allR |= allr if allr and (i==0 or i==r-1): allR_border = True for i in range(len(allca)): allC |= allca[i] if allca[i] and (i == 0 or i == len(allca)-1): allC_border = True res = 'MORTAL' if b: if allA: res = '0' elif allC_border or allR_border: res = '1' elif allR or allC: res = '2' elif corner: res = '2' elif border: res = '3' else: res = '4' stdout.write(res + '\n') ```
output
1
14,271
3
28,543
Provide tags and a correct Python 3 solution for this coding contest problem. You are an all-powerful being and you have created a rectangular world. In fact, your world is so bland that it could be represented by a r Γ— c grid. Each cell on the grid represents a country. Each country has a dominant religion. There are only two religions in your world. One of the religions is called Beingawesomeism, who do good for the sake of being good. The other religion is called Pushingittoofarism, who do murders for the sake of being bad. Oh, and you are actually not really all-powerful. You just have one power, which you can use infinitely many times! Your power involves missionary groups. When a missionary group of a certain country, say a, passes by another country b, they change the dominant religion of country b to the dominant religion of country a. In particular, a single use of your power is this: * You choose a horizontal 1 Γ— x subgrid or a vertical x Γ— 1 subgrid. That value of x is up to you; * You choose a direction d. If you chose a horizontal subgrid, your choices will either be NORTH or SOUTH. If you choose a vertical subgrid, your choices will either be EAST or WEST; * You choose the number s of steps; * You command each country in the subgrid to send a missionary group that will travel s steps towards direction d. In each step, they will visit (and in effect convert the dominant religion of) all s countries they pass through, as detailed above. * The parameters x, d, s must be chosen in such a way that any of the missionary groups won't leave the grid. The following image illustrates one possible single usage of your power. Here, A represents a country with dominant religion Beingawesomeism and P represents a country with dominant religion Pushingittoofarism. Here, we've chosen a 1 Γ— 4 subgrid, the direction NORTH, and s = 2 steps. <image> You are a being which believes in free will, for the most part. However, you just really want to stop receiving murders that are attributed to your name. Hence, you decide to use your powers and try to make Beingawesomeism the dominant religion in every country. What is the minimum number of usages of your power needed to convert everyone to Beingawesomeism? With god, nothing is impossible. But maybe you're not god? If it is impossible to make Beingawesomeism the dominant religion in all countries, you must also admit your mortality and say so. Input The first line of input contains a single integer t (1 ≀ t ≀ 2β‹… 10^4) denoting the number of test cases. The first line of each test case contains two space-separated integers r and c denoting the dimensions of the grid (1 ≀ r, c ≀ 60). The next r lines each contains c characters describing the dominant religions in the countries. In particular, the j-th character in the i-th line describes the dominant religion in the country at the cell with row i and column j, where: * "A" means that the dominant religion is Beingawesomeism; * "P" means that the dominant religion is Pushingittoofarism. It is guaranteed that the grid will only contain "A" or "P" characters. It is guaranteed that the sum of the r β‹… c in a single file is at most 3 β‹… 10^6. Output For each test case, output a single line containing the minimum number of usages of your power needed to convert everyone to Beingawesomeism, or the string "MORTAL" (without quotes) if it is impossible to do so. Example Input 4 7 8 AAPAAAAA PPPPAAAA PPPPAAAA APAAPPPP APAPPAPP AAAAPPAP AAAAPPAA 6 5 AAAAA AAAAA AAPAA AAPAP AAAPP AAAPP 4 4 PPPP PPPP PPPP PPPP 3 4 PPPP PAAP PPPP Output 2 1 MORTAL 4 Note In the first test case, it can be done in two usages, as follows: Usage 1: <image> Usage 2: <image> In the second test case, it can be done with just one usage of the power. In the third test case, it is impossible to convert everyone to Beingawesomeism, so the answer is "MORTAL".
instruction
0
14,272
3
28,544
Tags: implementation, math Correct Solution: ``` from sys import stdin, stdout t = int(stdin.readline()) for i in range(t): a=aaa=aa=0 r,c = map(int, stdin.readline().split()) x=[0 for _ in range(c)] y=[0 for _ in range(r)] for j in range(r): b =stdin.readline() if (j==0 or j==r-1) and (b[0]=='A' or b[c-1]=='A'): a=1 for k in range(c): if b[k]=='A': x[k]+=1 y[j]+=1 aa+=1 if aa==c*r: stdout.write('0\n') continue if x[0]==r or x[c-1]==r or y[0]==c or y[r-1]==c: stdout.write('1\n') continue if a>=1: stdout.write('2\n') continue for jj in range(c): if x[jj]==r: aaa=1 for jj in range (r): if y[jj]==c: aaa=1 if aaa==1: stdout.write('2\n') continue if x[0]>=1 or x[c-1]>=1 or y[0]>=1 or y[r-1]>=1: stdout.write('3\n') continue if aa>=1: stdout.write('4\n') continue if aa==0: stdout.write('MORTAL\n') continue ```
output
1
14,272
3
28,545
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response. You are an all-powerful being and you have created a rectangular world. In fact, your world is so bland that it could be represented by a r Γ— c grid. Each cell on the grid represents a country. Each country has a dominant religion. There are only two religions in your world. One of the religions is called Beingawesomeism, who do good for the sake of being good. The other religion is called Pushingittoofarism, who do murders for the sake of being bad. Oh, and you are actually not really all-powerful. You just have one power, which you can use infinitely many times! Your power involves missionary groups. When a missionary group of a certain country, say a, passes by another country b, they change the dominant religion of country b to the dominant religion of country a. In particular, a single use of your power is this: * You choose a horizontal 1 Γ— x subgrid or a vertical x Γ— 1 subgrid. That value of x is up to you; * You choose a direction d. If you chose a horizontal subgrid, your choices will either be NORTH or SOUTH. If you choose a vertical subgrid, your choices will either be EAST or WEST; * You choose the number s of steps; * You command each country in the subgrid to send a missionary group that will travel s steps towards direction d. In each step, they will visit (and in effect convert the dominant religion of) all s countries they pass through, as detailed above. * The parameters x, d, s must be chosen in such a way that any of the missionary groups won't leave the grid. The following image illustrates one possible single usage of your power. Here, A represents a country with dominant religion Beingawesomeism and P represents a country with dominant religion Pushingittoofarism. Here, we've chosen a 1 Γ— 4 subgrid, the direction NORTH, and s = 2 steps. <image> You are a being which believes in free will, for the most part. However, you just really want to stop receiving murders that are attributed to your name. Hence, you decide to use your powers and try to make Beingawesomeism the dominant religion in every country. What is the minimum number of usages of your power needed to convert everyone to Beingawesomeism? With god, nothing is impossible. But maybe you're not god? If it is impossible to make Beingawesomeism the dominant religion in all countries, you must also admit your mortality and say so. Input The first line of input contains a single integer t (1 ≀ t ≀ 2β‹… 10^4) denoting the number of test cases. The first line of each test case contains two space-separated integers r and c denoting the dimensions of the grid (1 ≀ r, c ≀ 60). The next r lines each contains c characters describing the dominant religions in the countries. In particular, the j-th character in the i-th line describes the dominant religion in the country at the cell with row i and column j, where: * "A" means that the dominant religion is Beingawesomeism; * "P" means that the dominant religion is Pushingittoofarism. It is guaranteed that the grid will only contain "A" or "P" characters. It is guaranteed that the sum of the r β‹… c in a single file is at most 3 β‹… 10^6. Output For each test case, output a single line containing the minimum number of usages of your power needed to convert everyone to Beingawesomeism, or the string "MORTAL" (without quotes) if it is impossible to do so. Example Input 4 7 8 AAPAAAAA PPPPAAAA PPPPAAAA APAAPPPP APAPPAPP AAAAPPAP AAAAPPAA 6 5 AAAAA AAAAA AAPAA AAPAP AAAPP AAAPP 4 4 PPPP PPPP PPPP PPPP 3 4 PPPP PAAP PPPP Output 2 1 MORTAL 4 Note In the first test case, it can be done in two usages, as follows: Usage 1: <image> Usage 2: <image> In the second test case, it can be done with just one usage of the power. In the third test case, it is impossible to convert everyone to Beingawesomeism, so the answer is "MORTAL". Submitted Solution: ``` import math #------------------------------warmup---------------------------- import os import sys from io import BytesIO, IOBase 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") #-------------------game starts now---------------------------------------------------- def checkr(s,r,c,i): for j in range(c): if s[i][j]=='P': return False return True def checkc(s,r,c,i): for j in range(r): if s[j][i]=='P': return False return True def check(s,r,c): for i in range(r): if s[i][0]=='A': return True if s[i][-1]=='A': return True for i in range(c): if s[0][i]=='A': return True if s[-1][i]=='A': return True return False for ik in range(int(input())): r,c=map(int,input().split()) s=[] e=0 e1=0 for i in range(r): s.append(input()) e+=s[-1].count('A') e1+=s[-1].count('P') if e==0: print("MORTAL") continue if e1==0: print(0) continue if checkc(s,r,c,0) or checkc(s,r,c,c-1) or checkr(s,r,c,0) or checkr(s,r,c,r-1): print(1) else: f=0 for i in range(1,c-1): if checkc(s,r,c,i): f=1 break for i in range(1,r-1): if checkr(s,r,c,i): f=1 break if f==1: print(2) elif s[0][0]=='A' or s[0][-1]=='A' or s[-1][-1]=='A' or s[-1][0]=='A': print(2) elif check(s,r,c): print(3) else: print(4) ```
instruction
0
14,273
3
28,546
Yes
output
1
14,273
3
28,547
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response. You are an all-powerful being and you have created a rectangular world. In fact, your world is so bland that it could be represented by a r Γ— c grid. Each cell on the grid represents a country. Each country has a dominant religion. There are only two religions in your world. One of the religions is called Beingawesomeism, who do good for the sake of being good. The other religion is called Pushingittoofarism, who do murders for the sake of being bad. Oh, and you are actually not really all-powerful. You just have one power, which you can use infinitely many times! Your power involves missionary groups. When a missionary group of a certain country, say a, passes by another country b, they change the dominant religion of country b to the dominant religion of country a. In particular, a single use of your power is this: * You choose a horizontal 1 Γ— x subgrid or a vertical x Γ— 1 subgrid. That value of x is up to you; * You choose a direction d. If you chose a horizontal subgrid, your choices will either be NORTH or SOUTH. If you choose a vertical subgrid, your choices will either be EAST or WEST; * You choose the number s of steps; * You command each country in the subgrid to send a missionary group that will travel s steps towards direction d. In each step, they will visit (and in effect convert the dominant religion of) all s countries they pass through, as detailed above. * The parameters x, d, s must be chosen in such a way that any of the missionary groups won't leave the grid. The following image illustrates one possible single usage of your power. Here, A represents a country with dominant religion Beingawesomeism and P represents a country with dominant religion Pushingittoofarism. Here, we've chosen a 1 Γ— 4 subgrid, the direction NORTH, and s = 2 steps. <image> You are a being which believes in free will, for the most part. However, you just really want to stop receiving murders that are attributed to your name. Hence, you decide to use your powers and try to make Beingawesomeism the dominant religion in every country. What is the minimum number of usages of your power needed to convert everyone to Beingawesomeism? With god, nothing is impossible. But maybe you're not god? If it is impossible to make Beingawesomeism the dominant religion in all countries, you must also admit your mortality and say so. Input The first line of input contains a single integer t (1 ≀ t ≀ 2β‹… 10^4) denoting the number of test cases. The first line of each test case contains two space-separated integers r and c denoting the dimensions of the grid (1 ≀ r, c ≀ 60). The next r lines each contains c characters describing the dominant religions in the countries. In particular, the j-th character in the i-th line describes the dominant religion in the country at the cell with row i and column j, where: * "A" means that the dominant religion is Beingawesomeism; * "P" means that the dominant religion is Pushingittoofarism. It is guaranteed that the grid will only contain "A" or "P" characters. It is guaranteed that the sum of the r β‹… c in a single file is at most 3 β‹… 10^6. Output For each test case, output a single line containing the minimum number of usages of your power needed to convert everyone to Beingawesomeism, or the string "MORTAL" (without quotes) if it is impossible to do so. Example Input 4 7 8 AAPAAAAA PPPPAAAA PPPPAAAA APAAPPPP APAPPAPP AAAAPPAP AAAAPPAA 6 5 AAAAA AAAAA AAPAA AAPAP AAAPP AAAPP 4 4 PPPP PPPP PPPP PPPP 3 4 PPPP PAAP PPPP Output 2 1 MORTAL 4 Note In the first test case, it can be done in two usages, as follows: Usage 1: <image> Usage 2: <image> In the second test case, it can be done with just one usage of the power. In the third test case, it is impossible to convert everyone to Beingawesomeism, so the answer is "MORTAL". Submitted Solution: ``` import sys input = sys.stdin.readline MOD = 10**9 + 7 t = int(input()) for _ in range(t): r, c = map(int, input().split()) s = [list(input()) for i in range(r)] cnt_a = 0 flag_kado = False flag_hen = False flag_hen2 = False if s[0][0] == "A" or s[0][c-1] == "A" or s[r-1][0] == "A" or s[r-1][c-1] == "A": flag_kado = True for i in range(r): tmp = 0 for j in range(c): if s[i][j] == "A": if i == 0 or j == 0 or i == r-1 or j == c-1: flag_hen2 = True tmp += 1 cnt_a += tmp if tmp == c and (i == 0 or i == r-1): flag_hen = True elif tmp == c: flag_kado = True for i in range(c): tmp = 0 for j in range(r): if s[j][i] == "A": tmp += 1 if tmp == r and (i == 0 or i == c-1): flag_hen = True elif tmp == r: flag_kado = True if cnt_a == c*r: print(0) elif flag_hen: print(1) elif flag_kado: print(2) elif flag_hen2: print(3) elif cnt_a != 0: print(4) else: print("MORTAL") ```
instruction
0
14,274
3
28,548
Yes
output
1
14,274
3
28,549
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response. You are an all-powerful being and you have created a rectangular world. In fact, your world is so bland that it could be represented by a r Γ— c grid. Each cell on the grid represents a country. Each country has a dominant religion. There are only two religions in your world. One of the religions is called Beingawesomeism, who do good for the sake of being good. The other religion is called Pushingittoofarism, who do murders for the sake of being bad. Oh, and you are actually not really all-powerful. You just have one power, which you can use infinitely many times! Your power involves missionary groups. When a missionary group of a certain country, say a, passes by another country b, they change the dominant religion of country b to the dominant religion of country a. In particular, a single use of your power is this: * You choose a horizontal 1 Γ— x subgrid or a vertical x Γ— 1 subgrid. That value of x is up to you; * You choose a direction d. If you chose a horizontal subgrid, your choices will either be NORTH or SOUTH. If you choose a vertical subgrid, your choices will either be EAST or WEST; * You choose the number s of steps; * You command each country in the subgrid to send a missionary group that will travel s steps towards direction d. In each step, they will visit (and in effect convert the dominant religion of) all s countries they pass through, as detailed above. * The parameters x, d, s must be chosen in such a way that any of the missionary groups won't leave the grid. The following image illustrates one possible single usage of your power. Here, A represents a country with dominant religion Beingawesomeism and P represents a country with dominant religion Pushingittoofarism. Here, we've chosen a 1 Γ— 4 subgrid, the direction NORTH, and s = 2 steps. <image> You are a being which believes in free will, for the most part. However, you just really want to stop receiving murders that are attributed to your name. Hence, you decide to use your powers and try to make Beingawesomeism the dominant religion in every country. What is the minimum number of usages of your power needed to convert everyone to Beingawesomeism? With god, nothing is impossible. But maybe you're not god? If it is impossible to make Beingawesomeism the dominant religion in all countries, you must also admit your mortality and say so. Input The first line of input contains a single integer t (1 ≀ t ≀ 2β‹… 10^4) denoting the number of test cases. The first line of each test case contains two space-separated integers r and c denoting the dimensions of the grid (1 ≀ r, c ≀ 60). The next r lines each contains c characters describing the dominant religions in the countries. In particular, the j-th character in the i-th line describes the dominant religion in the country at the cell with row i and column j, where: * "A" means that the dominant religion is Beingawesomeism; * "P" means that the dominant religion is Pushingittoofarism. It is guaranteed that the grid will only contain "A" or "P" characters. It is guaranteed that the sum of the r β‹… c in a single file is at most 3 β‹… 10^6. Output For each test case, output a single line containing the minimum number of usages of your power needed to convert everyone to Beingawesomeism, or the string "MORTAL" (without quotes) if it is impossible to do so. Example Input 4 7 8 AAPAAAAA PPPPAAAA PPPPAAAA APAAPPPP APAPPAPP AAAAPPAP AAAAPPAA 6 5 AAAAA AAAAA AAPAA AAPAP AAAPP AAAPP 4 4 PPPP PPPP PPPP PPPP 3 4 PPPP PAAP PPPP Output 2 1 MORTAL 4 Note In the first test case, it can be done in two usages, as follows: Usage 1: <image> Usage 2: <image> In the second test case, it can be done with just one usage of the power. In the third test case, it is impossible to convert everyone to Beingawesomeism, so the answer is "MORTAL". Submitted Solution: ``` from sys import stdin for case in range(int(stdin.readline())): n,m = [int(x) for x in stdin.readline().split()] r=[0 for _ in range(n)] c=[0 for _ in range(m)] has = 0 total = 0 mxR = 0 mxC = 0 for it in range(n): a = stdin.readline().strip() if (it == 0 or it == n-1) and (a[0] == 'A' or a[m-1] == 'A'): has = 1 for i in range(m): if a[i] == 'A': total += 1 r[it] += 1 c[i] += 1 mxR = max(mxR, r[it]) mxC = max(mxC, c[i]) if total == 0: print("MORTAL") continue if total == n*m: print(0) continue if r[0] == m or r[n-1] == m or c[0] == n or c[m-1] == n: print(1) continue if has > 0: print(2) continue if mxR == m or mxC == n: print(2) continue if r[0] + r[n-1] + c[0] + c[m-1] > 0: print(3) continue else: print(4) ```
instruction
0
14,275
3
28,550
Yes
output
1
14,275
3
28,551
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response. You are an all-powerful being and you have created a rectangular world. In fact, your world is so bland that it could be represented by a r Γ— c grid. Each cell on the grid represents a country. Each country has a dominant religion. There are only two religions in your world. One of the religions is called Beingawesomeism, who do good for the sake of being good. The other religion is called Pushingittoofarism, who do murders for the sake of being bad. Oh, and you are actually not really all-powerful. You just have one power, which you can use infinitely many times! Your power involves missionary groups. When a missionary group of a certain country, say a, passes by another country b, they change the dominant religion of country b to the dominant religion of country a. In particular, a single use of your power is this: * You choose a horizontal 1 Γ— x subgrid or a vertical x Γ— 1 subgrid. That value of x is up to you; * You choose a direction d. If you chose a horizontal subgrid, your choices will either be NORTH or SOUTH. If you choose a vertical subgrid, your choices will either be EAST or WEST; * You choose the number s of steps; * You command each country in the subgrid to send a missionary group that will travel s steps towards direction d. In each step, they will visit (and in effect convert the dominant religion of) all s countries they pass through, as detailed above. * The parameters x, d, s must be chosen in such a way that any of the missionary groups won't leave the grid. The following image illustrates one possible single usage of your power. Here, A represents a country with dominant religion Beingawesomeism and P represents a country with dominant religion Pushingittoofarism. Here, we've chosen a 1 Γ— 4 subgrid, the direction NORTH, and s = 2 steps. <image> You are a being which believes in free will, for the most part. However, you just really want to stop receiving murders that are attributed to your name. Hence, you decide to use your powers and try to make Beingawesomeism the dominant religion in every country. What is the minimum number of usages of your power needed to convert everyone to Beingawesomeism? With god, nothing is impossible. But maybe you're not god? If it is impossible to make Beingawesomeism the dominant religion in all countries, you must also admit your mortality and say so. Input The first line of input contains a single integer t (1 ≀ t ≀ 2β‹… 10^4) denoting the number of test cases. The first line of each test case contains two space-separated integers r and c denoting the dimensions of the grid (1 ≀ r, c ≀ 60). The next r lines each contains c characters describing the dominant religions in the countries. In particular, the j-th character in the i-th line describes the dominant religion in the country at the cell with row i and column j, where: * "A" means that the dominant religion is Beingawesomeism; * "P" means that the dominant religion is Pushingittoofarism. It is guaranteed that the grid will only contain "A" or "P" characters. It is guaranteed that the sum of the r β‹… c in a single file is at most 3 β‹… 10^6. Output For each test case, output a single line containing the minimum number of usages of your power needed to convert everyone to Beingawesomeism, or the string "MORTAL" (without quotes) if it is impossible to do so. Example Input 4 7 8 AAPAAAAA PPPPAAAA PPPPAAAA APAAPPPP APAPPAPP AAAAPPAP AAAAPPAA 6 5 AAAAA AAAAA AAPAA AAPAP AAAPP AAAPP 4 4 PPPP PPPP PPPP PPPP 3 4 PPPP PAAP PPPP Output 2 1 MORTAL 4 Note In the first test case, it can be done in two usages, as follows: Usage 1: <image> Usage 2: <image> In the second test case, it can be done with just one usage of the power. In the third test case, it is impossible to convert everyone to Beingawesomeism, so the answer is "MORTAL". Submitted Solution: ``` import sys for _ in range(int(input())): r, c = map(int, input().split()) a = [[] for _ in range(r)] row_count = [0]*r a_total = 0 for y in range(r): a[y] = [1 if c == 'A' else 0 for c in sys.stdin.readline().rstrip()] row_count[y] = sum(a[y]) a_total += row_count[y] if a_total == r*c: print(0) continue if a_total == 0: print('MORTAL') continue col_count = [0]*c for x in range(c): for y in range(r): col_count[x] += a[y][x] if row_count[0] == c or row_count[-1] == c or col_count[0] == r or col_count[-1] == r: print(1) continue if a[0][0] | a[0][-1] | a[-1][0] | a[-1][-1] == 1: print(2) continue if any(rcnt == c for rcnt in row_count) or any(ccnt == r for ccnt in col_count): print(2) continue if row_count[0] or row_count[-1] or col_count[0] or col_count[-1]: print(3) continue print(4) ```
instruction
0
14,276
3
28,552
Yes
output
1
14,276
3
28,553
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response. You are an all-powerful being and you have created a rectangular world. In fact, your world is so bland that it could be represented by a r Γ— c grid. Each cell on the grid represents a country. Each country has a dominant religion. There are only two religions in your world. One of the religions is called Beingawesomeism, who do good for the sake of being good. The other religion is called Pushingittoofarism, who do murders for the sake of being bad. Oh, and you are actually not really all-powerful. You just have one power, which you can use infinitely many times! Your power involves missionary groups. When a missionary group of a certain country, say a, passes by another country b, they change the dominant religion of country b to the dominant religion of country a. In particular, a single use of your power is this: * You choose a horizontal 1 Γ— x subgrid or a vertical x Γ— 1 subgrid. That value of x is up to you; * You choose a direction d. If you chose a horizontal subgrid, your choices will either be NORTH or SOUTH. If you choose a vertical subgrid, your choices will either be EAST or WEST; * You choose the number s of steps; * You command each country in the subgrid to send a missionary group that will travel s steps towards direction d. In each step, they will visit (and in effect convert the dominant religion of) all s countries they pass through, as detailed above. * The parameters x, d, s must be chosen in such a way that any of the missionary groups won't leave the grid. The following image illustrates one possible single usage of your power. Here, A represents a country with dominant religion Beingawesomeism and P represents a country with dominant religion Pushingittoofarism. Here, we've chosen a 1 Γ— 4 subgrid, the direction NORTH, and s = 2 steps. <image> You are a being which believes in free will, for the most part. However, you just really want to stop receiving murders that are attributed to your name. Hence, you decide to use your powers and try to make Beingawesomeism the dominant religion in every country. What is the minimum number of usages of your power needed to convert everyone to Beingawesomeism? With god, nothing is impossible. But maybe you're not god? If it is impossible to make Beingawesomeism the dominant religion in all countries, you must also admit your mortality and say so. Input The first line of input contains a single integer t (1 ≀ t ≀ 2β‹… 10^4) denoting the number of test cases. The first line of each test case contains two space-separated integers r and c denoting the dimensions of the grid (1 ≀ r, c ≀ 60). The next r lines each contains c characters describing the dominant religions in the countries. In particular, the j-th character in the i-th line describes the dominant religion in the country at the cell with row i and column j, where: * "A" means that the dominant religion is Beingawesomeism; * "P" means that the dominant religion is Pushingittoofarism. It is guaranteed that the grid will only contain "A" or "P" characters. It is guaranteed that the sum of the r β‹… c in a single file is at most 3 β‹… 10^6. Output For each test case, output a single line containing the minimum number of usages of your power needed to convert everyone to Beingawesomeism, or the string "MORTAL" (without quotes) if it is impossible to do so. Example Input 4 7 8 AAPAAAAA PPPPAAAA PPPPAAAA APAAPPPP APAPPAPP AAAAPPAP AAAAPPAA 6 5 AAAAA AAAAA AAPAA AAPAP AAAPP AAAPP 4 4 PPPP PPPP PPPP PPPP 3 4 PPPP PAAP PPPP Output 2 1 MORTAL 4 Note In the first test case, it can be done in two usages, as follows: Usage 1: <image> Usage 2: <image> In the second test case, it can be done with just one usage of the power. In the third test case, it is impossible to convert everyone to Beingawesomeism, so the answer is "MORTAL". Submitted Solution: ``` import sys def all(l): for i in range(len(l)): if l[i]!='A': return False return True def get(grid): ans=float('inf') r,c=len(grid),len(grid[0]) for i in range(r): left,right=-1,-1 if all(grid[i]): if i==0 or i==r-1: return 1 else: ans=min(ans,2) for j in range(c): if grid[i][j]=='A': left=j break if left==-1: continue for j in range(c-1,-1,-1): if grid[i][j]=='A': right=j break #print(left,'left',right,'right') if left==0 or left==c-1: if i==0 or i==r-1: ans=min(ans,2) else: ans=min(ans,3) else: if i==0 or i==r-1: ans=min(ans,3) else: ans=min(ans,4) if right==0 or right==c-1: if i==0 or i==r-1: ans=min(ans,2) else: ans=min(ans,3) else: if i==0 or i==r-1: ans=min(ans,3) else: ans=min(ans,4) if ans==float('inf'): return -1 return ans t=int(sys.stdin.readline()) for _ in range(t): r,c=map(int,sys.stdin.readline().split()) l=[] for i in range(r): s=sys.stdin.readline()[:-1] l.append(s) x=get(l) if x==-1: print('MORTAL') else: print(x) ```
instruction
0
14,277
3
28,554
No
output
1
14,277
3
28,555
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response. You are an all-powerful being and you have created a rectangular world. In fact, your world is so bland that it could be represented by a r Γ— c grid. Each cell on the grid represents a country. Each country has a dominant religion. There are only two religions in your world. One of the religions is called Beingawesomeism, who do good for the sake of being good. The other religion is called Pushingittoofarism, who do murders for the sake of being bad. Oh, and you are actually not really all-powerful. You just have one power, which you can use infinitely many times! Your power involves missionary groups. When a missionary group of a certain country, say a, passes by another country b, they change the dominant religion of country b to the dominant religion of country a. In particular, a single use of your power is this: * You choose a horizontal 1 Γ— x subgrid or a vertical x Γ— 1 subgrid. That value of x is up to you; * You choose a direction d. If you chose a horizontal subgrid, your choices will either be NORTH or SOUTH. If you choose a vertical subgrid, your choices will either be EAST or WEST; * You choose the number s of steps; * You command each country in the subgrid to send a missionary group that will travel s steps towards direction d. In each step, they will visit (and in effect convert the dominant religion of) all s countries they pass through, as detailed above. * The parameters x, d, s must be chosen in such a way that any of the missionary groups won't leave the grid. The following image illustrates one possible single usage of your power. Here, A represents a country with dominant religion Beingawesomeism and P represents a country with dominant religion Pushingittoofarism. Here, we've chosen a 1 Γ— 4 subgrid, the direction NORTH, and s = 2 steps. <image> You are a being which believes in free will, for the most part. However, you just really want to stop receiving murders that are attributed to your name. Hence, you decide to use your powers and try to make Beingawesomeism the dominant religion in every country. What is the minimum number of usages of your power needed to convert everyone to Beingawesomeism? With god, nothing is impossible. But maybe you're not god? If it is impossible to make Beingawesomeism the dominant religion in all countries, you must also admit your mortality and say so. Input The first line of input contains a single integer t (1 ≀ t ≀ 2β‹… 10^4) denoting the number of test cases. The first line of each test case contains two space-separated integers r and c denoting the dimensions of the grid (1 ≀ r, c ≀ 60). The next r lines each contains c characters describing the dominant religions in the countries. In particular, the j-th character in the i-th line describes the dominant religion in the country at the cell with row i and column j, where: * "A" means that the dominant religion is Beingawesomeism; * "P" means that the dominant religion is Pushingittoofarism. It is guaranteed that the grid will only contain "A" or "P" characters. It is guaranteed that the sum of the r β‹… c in a single file is at most 3 β‹… 10^6. Output For each test case, output a single line containing the minimum number of usages of your power needed to convert everyone to Beingawesomeism, or the string "MORTAL" (without quotes) if it is impossible to do so. Example Input 4 7 8 AAPAAAAA PPPPAAAA PPPPAAAA APAAPPPP APAPPAPP AAAAPPAP AAAAPPAA 6 5 AAAAA AAAAA AAPAA AAPAP AAAPP AAAPP 4 4 PPPP PPPP PPPP PPPP 3 4 PPPP PAAP PPPP Output 2 1 MORTAL 4 Note In the first test case, it can be done in two usages, as follows: Usage 1: <image> Usage 2: <image> In the second test case, it can be done with just one usage of the power. In the third test case, it is impossible to convert everyone to Beingawesomeism, so the answer is "MORTAL". Submitted Solution: ``` for _ in range(int(input())): n,m=map(int,input().split()) a=[] for _ in range(n): a.append(input()) ans=0 d=[0 for _ in range(m)] dr=[0 for i in range(n)] ii=0 for i in a: jj=0 for j in i: if j=='A': ans+=1 d[jj]+=1 dr[ii]+=1 jj+=1 ii+=1 if ans==0: print("MORTAL") elif ans==n*m: print(0) else: flag1=0 flag2=0 flag3=0 if a[0][0]=="A": flag3=1 if a[0][-1]=="A": flag3=1 if a[n-1][0]=="A": flag3=1 if a[n-1][-1]=="A": flag3=1 if m in dr or m in d: flag3=1 z=dr[0] if z<m: flag2=1 if z==0: flag1=1 z=dr[-1] if z<m: flag2=1 if z==0: flag1=1 u=0 for j in range(n): if a[j][0]=="A": u+=1 flag2=1 if u==n: flag1=1 u=0 for j in range(n): if a[j][-1]=="A": u+=1 flag2=1 if u==n: flag1=1 if flag1==1: print(1) elif flag3==1: print(2) elif flag2==1: print(3) else: print(4) ```
instruction
0
14,278
3
28,556
No
output
1
14,278
3
28,557
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response. You are an all-powerful being and you have created a rectangular world. In fact, your world is so bland that it could be represented by a r Γ— c grid. Each cell on the grid represents a country. Each country has a dominant religion. There are only two religions in your world. One of the religions is called Beingawesomeism, who do good for the sake of being good. The other religion is called Pushingittoofarism, who do murders for the sake of being bad. Oh, and you are actually not really all-powerful. You just have one power, which you can use infinitely many times! Your power involves missionary groups. When a missionary group of a certain country, say a, passes by another country b, they change the dominant religion of country b to the dominant religion of country a. In particular, a single use of your power is this: * You choose a horizontal 1 Γ— x subgrid or a vertical x Γ— 1 subgrid. That value of x is up to you; * You choose a direction d. If you chose a horizontal subgrid, your choices will either be NORTH or SOUTH. If you choose a vertical subgrid, your choices will either be EAST or WEST; * You choose the number s of steps; * You command each country in the subgrid to send a missionary group that will travel s steps towards direction d. In each step, they will visit (and in effect convert the dominant religion of) all s countries they pass through, as detailed above. * The parameters x, d, s must be chosen in such a way that any of the missionary groups won't leave the grid. The following image illustrates one possible single usage of your power. Here, A represents a country with dominant religion Beingawesomeism and P represents a country with dominant religion Pushingittoofarism. Here, we've chosen a 1 Γ— 4 subgrid, the direction NORTH, and s = 2 steps. <image> You are a being which believes in free will, for the most part. However, you just really want to stop receiving murders that are attributed to your name. Hence, you decide to use your powers and try to make Beingawesomeism the dominant religion in every country. What is the minimum number of usages of your power needed to convert everyone to Beingawesomeism? With god, nothing is impossible. But maybe you're not god? If it is impossible to make Beingawesomeism the dominant religion in all countries, you must also admit your mortality and say so. Input The first line of input contains a single integer t (1 ≀ t ≀ 2β‹… 10^4) denoting the number of test cases. The first line of each test case contains two space-separated integers r and c denoting the dimensions of the grid (1 ≀ r, c ≀ 60). The next r lines each contains c characters describing the dominant religions in the countries. In particular, the j-th character in the i-th line describes the dominant religion in the country at the cell with row i and column j, where: * "A" means that the dominant religion is Beingawesomeism; * "P" means that the dominant religion is Pushingittoofarism. It is guaranteed that the grid will only contain "A" or "P" characters. It is guaranteed that the sum of the r β‹… c in a single file is at most 3 β‹… 10^6. Output For each test case, output a single line containing the minimum number of usages of your power needed to convert everyone to Beingawesomeism, or the string "MORTAL" (without quotes) if it is impossible to do so. Example Input 4 7 8 AAPAAAAA PPPPAAAA PPPPAAAA APAAPPPP APAPPAPP AAAAPPAP AAAAPPAA 6 5 AAAAA AAAAA AAPAA AAPAP AAAPP AAAPP 4 4 PPPP PPPP PPPP PPPP 3 4 PPPP PAAP PPPP Output 2 1 MORTAL 4 Note In the first test case, it can be done in two usages, as follows: Usage 1: <image> Usage 2: <image> In the second test case, it can be done with just one usage of the power. In the third test case, it is impossible to convert everyone to Beingawesomeism, so the answer is "MORTAL". Submitted Solution: ``` def solve(G,r,c): hasA = False for i in range(r): for j in range(c): if G[i][j] == 'A': hasA = True if not hasA: return 666 else: allA = [] for i in range(r): if all([G[i][j] == 'A' for j in range(c)]): allA.append(i) if 0 in allA or r-1 in allA: return 1 elif len(allA) != 0: return 2 else: val = 4 for i in range(r): sIdx = G[i].index('P') pCnt = G[i].count('P') if G[i][sIdx:sIdx+pCnt] == 'P'*pCnt: for j in range(r): if G[j][sIdx:sIdx+pCnt] == 'A'*pCnt: if i == 0 or i == r-1: val = min(val, 2) else: val = min(val, 3) return val n = int(input()) while n>0: n -= 1 r,c = map(int, input().split()) G = [] for _ in range(r): G.append(input()) G2 = [] for i in range(c): s = [] for j in range(r): s.append(G[j][i]) G2.append(s) ret = min(solve(G,r,c), solve(G2,c,r)) if ret == 666: print('MORTAL') else: print(ret) ```
instruction
0
14,279
3
28,558
No
output
1
14,279
3
28,559
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response. You are an all-powerful being and you have created a rectangular world. In fact, your world is so bland that it could be represented by a r Γ— c grid. Each cell on the grid represents a country. Each country has a dominant religion. There are only two religions in your world. One of the religions is called Beingawesomeism, who do good for the sake of being good. The other religion is called Pushingittoofarism, who do murders for the sake of being bad. Oh, and you are actually not really all-powerful. You just have one power, which you can use infinitely many times! Your power involves missionary groups. When a missionary group of a certain country, say a, passes by another country b, they change the dominant religion of country b to the dominant religion of country a. In particular, a single use of your power is this: * You choose a horizontal 1 Γ— x subgrid or a vertical x Γ— 1 subgrid. That value of x is up to you; * You choose a direction d. If you chose a horizontal subgrid, your choices will either be NORTH or SOUTH. If you choose a vertical subgrid, your choices will either be EAST or WEST; * You choose the number s of steps; * You command each country in the subgrid to send a missionary group that will travel s steps towards direction d. In each step, they will visit (and in effect convert the dominant religion of) all s countries they pass through, as detailed above. * The parameters x, d, s must be chosen in such a way that any of the missionary groups won't leave the grid. The following image illustrates one possible single usage of your power. Here, A represents a country with dominant religion Beingawesomeism and P represents a country with dominant religion Pushingittoofarism. Here, we've chosen a 1 Γ— 4 subgrid, the direction NORTH, and s = 2 steps. <image> You are a being which believes in free will, for the most part. However, you just really want to stop receiving murders that are attributed to your name. Hence, you decide to use your powers and try to make Beingawesomeism the dominant religion in every country. What is the minimum number of usages of your power needed to convert everyone to Beingawesomeism? With god, nothing is impossible. But maybe you're not god? If it is impossible to make Beingawesomeism the dominant religion in all countries, you must also admit your mortality and say so. Input The first line of input contains a single integer t (1 ≀ t ≀ 2β‹… 10^4) denoting the number of test cases. The first line of each test case contains two space-separated integers r and c denoting the dimensions of the grid (1 ≀ r, c ≀ 60). The next r lines each contains c characters describing the dominant religions in the countries. In particular, the j-th character in the i-th line describes the dominant religion in the country at the cell with row i and column j, where: * "A" means that the dominant religion is Beingawesomeism; * "P" means that the dominant religion is Pushingittoofarism. It is guaranteed that the grid will only contain "A" or "P" characters. It is guaranteed that the sum of the r β‹… c in a single file is at most 3 β‹… 10^6. Output For each test case, output a single line containing the minimum number of usages of your power needed to convert everyone to Beingawesomeism, or the string "MORTAL" (without quotes) if it is impossible to do so. Example Input 4 7 8 AAPAAAAA PPPPAAAA PPPPAAAA APAAPPPP APAPPAPP AAAAPPAP AAAAPPAA 6 5 AAAAA AAAAA AAPAA AAPAP AAAPP AAAPP 4 4 PPPP PPPP PPPP PPPP 3 4 PPPP PAAP PPPP Output 2 1 MORTAL 4 Note In the first test case, it can be done in two usages, as follows: Usage 1: <image> Usage 2: <image> In the second test case, it can be done with just one usage of the power. In the third test case, it is impossible to convert everyone to Beingawesomeism, so the answer is "MORTAL". Submitted Solution: ``` from sys import stdin, stdout if __name__ == '__main__': t = int(stdin.readline()) for k in range(t): rc = list(map(int, stdin.readline().split())) r = rc[0] c = rc[1] b = False corner = False border = False allR = False allC = False prestr = '' allca = [True] * c for i in range(r): rstr = stdin.readline() allr = True for j in range(c): v = rstr[j] if v == 'A': b = True if j > 0 and v != rstr[j]: allr = False if i > 0 and v != prestr[j]: allca[j] = False if i == 0 or j == 0 or i == r-1 or j == c-1: border = True if (i == 0 and j == 0) or (i == 0 and j == c-1) or (i == r-1 and j == 0) or (i == r-1 and j == c-1): corner = True else: allr = False allca[j] = False prestr = rstr allR |= allr for flag in allca: allC |= flag res = 'MORTAL' if b: if allR or allC: res = '1' elif corner: res = '2' elif border: res = '3' else: res = '4' stdout.write(res + '\n') ```
instruction
0
14,280
3
28,560
No
output
1
14,280
3
28,561
Provide tags and a correct Python 3 solution for this coding contest problem. The Smart Beaver from ABBYY plans a space travel on an ultramodern spaceship. During the voyage he plans to visit n planets. For planet i ai is the maximum number of suitcases that an alien tourist is allowed to bring to the planet, and bi is the number of citizens on the planet. The Smart Beaver is going to bring some presents from ABBYY to the planets he will be visiting. The presents are packed in suitcases, x presents in each. The Beaver will take to the ship exactly a1 + ... + an suitcases. As the Beaver lands on the i-th planet, he takes ai suitcases and goes out. On the first day on the planet the Beaver takes a walk and gets to know the citizens. On the second and all subsequent days the Beaver gives presents to the citizens β€” each of the bi citizens gets one present per day. The Beaver leaves the planet in the evening of the day when the number of presents left is strictly less than the number of citizens (i.e. as soon as he won't be able to give away the proper number of presents the next day). He leaves the remaining presents at the hotel. The Beaver is going to spend exactly c days traveling. The time spent on flights between the planets is considered to be zero. In how many ways can one choose the positive integer x so that the planned voyage will take exactly c days? Input The first input line contains space-separated integers n and c β€” the number of planets that the Beaver is going to visit and the number of days he is going to spend traveling, correspondingly. The next n lines contain pairs of space-separated integers ai, bi (1 ≀ i ≀ n) β€” the number of suitcases he can bring to the i-th planet and the number of citizens of the i-th planet, correspondingly. The input limitations for getting 30 points are: * 1 ≀ n ≀ 100 * 1 ≀ ai ≀ 100 * 1 ≀ bi ≀ 100 * 1 ≀ c ≀ 100 The input limitations for getting 100 points are: * 1 ≀ n ≀ 104 * 0 ≀ ai ≀ 109 * 1 ≀ bi ≀ 109 * 1 ≀ c ≀ 109 Due to possible overflow, it is recommended to use the 64-bit arithmetic. In some solutions even the 64-bit arithmetic can overflow. So be careful in calculations! Output Print a single number k β€” the number of ways to choose x so as to travel for exactly c days. If there are infinitely many possible values of x, print -1. Please do not use the %lld specifier to read or write 64-bit integers in Π‘++. It is preferred to use cin, cout streams or the %I64d specifier. Examples Input 2 5 1 5 2 4 Output 1 Note In the first example there is only one suitable value x = 5. Then the Beaver takes 1 suitcase with 5 presents to the first planet. Here he spends 2 days: he hangs around on the first day, and he gives away five presents on the second day. He takes 2 suitcases with 10 presents to the second planet. Here he spends 3 days β€” he gives away 4 presents on the second and the third days and leaves the remaining 2 presents at the hotel. In total, the Beaver spends 5 days traveling. For x = 4 or less the Beaver won't have enough presents for the second day on the first planet, so the voyage will end too soon. For x = 6 and more the Beaver will spend at least one more day on the second planet, and the voyage will take too long.
instruction
0
14,417
3
28,834
Tags: binary search Correct Solution: ``` I=lambda:map(int,input().split()) n,c=I() a,b=[],[] for _ in range(n):x,y=I();a.append(x);b.append(y) f=lambda x:sum(1+a[i]*x//b[i]for i in range(n)) l=-1 r=10**9 while l<r-1: m=(l+r)//2 if f(m)<c:l=m else:r=m L=r l=-1 r=10**9 while l<r-1: m=(l+r)//2 if f(m)<=c:l=m else:r=m while f(r)>c:r-=1 if r<1:r=1 if L<1:L=1 if f(r)!=c:print(0) else:print(r-L+1) ```
output
1
14,417
3
28,835
Provide tags and a correct Python 3 solution for this coding contest problem. The Smart Beaver from ABBYY plans a space travel on an ultramodern spaceship. During the voyage he plans to visit n planets. For planet i ai is the maximum number of suitcases that an alien tourist is allowed to bring to the planet, and bi is the number of citizens on the planet. The Smart Beaver is going to bring some presents from ABBYY to the planets he will be visiting. The presents are packed in suitcases, x presents in each. The Beaver will take to the ship exactly a1 + ... + an suitcases. As the Beaver lands on the i-th planet, he takes ai suitcases and goes out. On the first day on the planet the Beaver takes a walk and gets to know the citizens. On the second and all subsequent days the Beaver gives presents to the citizens β€” each of the bi citizens gets one present per day. The Beaver leaves the planet in the evening of the day when the number of presents left is strictly less than the number of citizens (i.e. as soon as he won't be able to give away the proper number of presents the next day). He leaves the remaining presents at the hotel. The Beaver is going to spend exactly c days traveling. The time spent on flights between the planets is considered to be zero. In how many ways can one choose the positive integer x so that the planned voyage will take exactly c days? Input The first input line contains space-separated integers n and c β€” the number of planets that the Beaver is going to visit and the number of days he is going to spend traveling, correspondingly. The next n lines contain pairs of space-separated integers ai, bi (1 ≀ i ≀ n) β€” the number of suitcases he can bring to the i-th planet and the number of citizens of the i-th planet, correspondingly. The input limitations for getting 30 points are: * 1 ≀ n ≀ 100 * 1 ≀ ai ≀ 100 * 1 ≀ bi ≀ 100 * 1 ≀ c ≀ 100 The input limitations for getting 100 points are: * 1 ≀ n ≀ 104 * 0 ≀ ai ≀ 109 * 1 ≀ bi ≀ 109 * 1 ≀ c ≀ 109 Due to possible overflow, it is recommended to use the 64-bit arithmetic. In some solutions even the 64-bit arithmetic can overflow. So be careful in calculations! Output Print a single number k β€” the number of ways to choose x so as to travel for exactly c days. If there are infinitely many possible values of x, print -1. Please do not use the %lld specifier to read or write 64-bit integers in Π‘++. It is preferred to use cin, cout streams or the %I64d specifier. Examples Input 2 5 1 5 2 4 Output 1 Note In the first example there is only one suitable value x = 5. Then the Beaver takes 1 suitcase with 5 presents to the first planet. Here he spends 2 days: he hangs around on the first day, and he gives away five presents on the second day. He takes 2 suitcases with 10 presents to the second planet. Here he spends 3 days β€” he gives away 4 presents on the second and the third days and leaves the remaining 2 presents at the hotel. In total, the Beaver spends 5 days traveling. For x = 4 or less the Beaver won't have enough presents for the second day on the first planet, so the voyage will end too soon. For x = 6 and more the Beaver will spend at least one more day on the second planet, and the voyage will take too long.
instruction
0
14,418
3
28,836
Tags: binary search Correct Solution: ``` def f(x, t): y = x while sum((y * a) // b for a, b in t) < c: y += 1000000 while y - x > 1: z = (x + y) // 2 d = sum((z * a) // b for a, b in t) if d < c: x = z else: y = z return y n, c = map(int, input().split()) c -= n t = [tuple(map(int, input().split())) for i in range(n)] x = sum(a / b for a, b in t) if x: x = f(int(c / x), t) print((int(x > 0) + min((b - (x * a) % b - 1) // a for a, b in t if a > 0)) if sum((x * a) // b for a, b in t) == c else 0) else: print(0 if c else -1) ```
output
1
14,418
3
28,837
Provide tags and a correct Python 3 solution for this coding contest problem. The Smart Beaver from ABBYY plans a space travel on an ultramodern spaceship. During the voyage he plans to visit n planets. For planet i ai is the maximum number of suitcases that an alien tourist is allowed to bring to the planet, and bi is the number of citizens on the planet. The Smart Beaver is going to bring some presents from ABBYY to the planets he will be visiting. The presents are packed in suitcases, x presents in each. The Beaver will take to the ship exactly a1 + ... + an suitcases. As the Beaver lands on the i-th planet, he takes ai suitcases and goes out. On the first day on the planet the Beaver takes a walk and gets to know the citizens. On the second and all subsequent days the Beaver gives presents to the citizens β€” each of the bi citizens gets one present per day. The Beaver leaves the planet in the evening of the day when the number of presents left is strictly less than the number of citizens (i.e. as soon as he won't be able to give away the proper number of presents the next day). He leaves the remaining presents at the hotel. The Beaver is going to spend exactly c days traveling. The time spent on flights between the planets is considered to be zero. In how many ways can one choose the positive integer x so that the planned voyage will take exactly c days? Input The first input line contains space-separated integers n and c β€” the number of planets that the Beaver is going to visit and the number of days he is going to spend traveling, correspondingly. The next n lines contain pairs of space-separated integers ai, bi (1 ≀ i ≀ n) β€” the number of suitcases he can bring to the i-th planet and the number of citizens of the i-th planet, correspondingly. The input limitations for getting 30 points are: * 1 ≀ n ≀ 100 * 1 ≀ ai ≀ 100 * 1 ≀ bi ≀ 100 * 1 ≀ c ≀ 100 The input limitations for getting 100 points are: * 1 ≀ n ≀ 104 * 0 ≀ ai ≀ 109 * 1 ≀ bi ≀ 109 * 1 ≀ c ≀ 109 Due to possible overflow, it is recommended to use the 64-bit arithmetic. In some solutions even the 64-bit arithmetic can overflow. So be careful in calculations! Output Print a single number k β€” the number of ways to choose x so as to travel for exactly c days. If there are infinitely many possible values of x, print -1. Please do not use the %lld specifier to read or write 64-bit integers in Π‘++. It is preferred to use cin, cout streams or the %I64d specifier. Examples Input 2 5 1 5 2 4 Output 1 Note In the first example there is only one suitable value x = 5. Then the Beaver takes 1 suitcase with 5 presents to the first planet. Here he spends 2 days: he hangs around on the first day, and he gives away five presents on the second day. He takes 2 suitcases with 10 presents to the second planet. Here he spends 3 days β€” he gives away 4 presents on the second and the third days and leaves the remaining 2 presents at the hotel. In total, the Beaver spends 5 days traveling. For x = 4 or less the Beaver won't have enough presents for the second day on the first planet, so the voyage will end too soon. For x = 6 and more the Beaver will spend at least one more day on the second planet, and the voyage will take too long.
instruction
0
14,419
3
28,838
Tags: binary search Correct Solution: ``` I=lambda:map(int,input().split()) n,c=I() a,b=[],[] for _ in range(n):x,y=I();a.append(x);b.append(y) if max(a)==0:print([0,-1][n==c]);exit() def f(x): r=0 for i in range(n): r+=1+a[i]*x//b[i] if r>c:break return r l=-1 r=10**18 while l<r-1: m=(l+r)//2 if f(m)<c:l=m else:r=m L=r l=-1 r=10**18 while l<r-1: m=(l+r)//2 if f(m)<=c:l=m else:r=m while f(r)>c:r-=1 if r<1:r=1 if L<1:L=1 if f(r)!=c:print(0) else:print(r-L+1) ```
output
1
14,419
3
28,839
Provide tags and a correct Python 3 solution for this coding contest problem. The Smart Beaver from ABBYY plans a space travel on an ultramodern spaceship. During the voyage he plans to visit n planets. For planet i ai is the maximum number of suitcases that an alien tourist is allowed to bring to the planet, and bi is the number of citizens on the planet. The Smart Beaver is going to bring some presents from ABBYY to the planets he will be visiting. The presents are packed in suitcases, x presents in each. The Beaver will take to the ship exactly a1 + ... + an suitcases. As the Beaver lands on the i-th planet, he takes ai suitcases and goes out. On the first day on the planet the Beaver takes a walk and gets to know the citizens. On the second and all subsequent days the Beaver gives presents to the citizens β€” each of the bi citizens gets one present per day. The Beaver leaves the planet in the evening of the day when the number of presents left is strictly less than the number of citizens (i.e. as soon as he won't be able to give away the proper number of presents the next day). He leaves the remaining presents at the hotel. The Beaver is going to spend exactly c days traveling. The time spent on flights between the planets is considered to be zero. In how many ways can one choose the positive integer x so that the planned voyage will take exactly c days? Input The first input line contains space-separated integers n and c β€” the number of planets that the Beaver is going to visit and the number of days he is going to spend traveling, correspondingly. The next n lines contain pairs of space-separated integers ai, bi (1 ≀ i ≀ n) β€” the number of suitcases he can bring to the i-th planet and the number of citizens of the i-th planet, correspondingly. The input limitations for getting 30 points are: * 1 ≀ n ≀ 100 * 1 ≀ ai ≀ 100 * 1 ≀ bi ≀ 100 * 1 ≀ c ≀ 100 The input limitations for getting 100 points are: * 1 ≀ n ≀ 104 * 0 ≀ ai ≀ 109 * 1 ≀ bi ≀ 109 * 1 ≀ c ≀ 109 Due to possible overflow, it is recommended to use the 64-bit arithmetic. In some solutions even the 64-bit arithmetic can overflow. So be careful in calculations! Output Print a single number k β€” the number of ways to choose x so as to travel for exactly c days. If there are infinitely many possible values of x, print -1. Please do not use the %lld specifier to read or write 64-bit integers in Π‘++. It is preferred to use cin, cout streams or the %I64d specifier. Examples Input 2 5 1 5 2 4 Output 1 Note In the first example there is only one suitable value x = 5. Then the Beaver takes 1 suitcase with 5 presents to the first planet. Here he spends 2 days: he hangs around on the first day, and he gives away five presents on the second day. He takes 2 suitcases with 10 presents to the second planet. Here he spends 3 days β€” he gives away 4 presents on the second and the third days and leaves the remaining 2 presents at the hotel. In total, the Beaver spends 5 days traveling. For x = 4 or less the Beaver won't have enough presents for the second day on the first planet, so the voyage will end too soon. For x = 6 and more the Beaver will spend at least one more day on the second planet, and the voyage will take too long.
instruction
0
14,420
3
28,840
Tags: binary search Correct Solution: ``` a=[] b=[] n=0 def cal(x): p=0 global n,a,b for i in range(n): p+=((a[i]*x)//b[i]) return p n,c=map(int,input().split()) c-=n if c < 0: print(0) exit(0) a=[0]*n b=[0]*n for i in range(n): a[i],b[i]=map(int,input().split()) L=1 R=10**18 lower=R+1 while L<=R : m=(L+R)>>1 if cal(m) >= c: lower=m R=m-1 else: L=m+1 L=lower R=10**18 upper=R+1 while L<=R : m=(L+R)>>1 if cal(m) > c: upper=m R=m-1 else: L=m+1 print(upper-lower) ```
output
1
14,420
3
28,841
Provide tags and a correct Python 3 solution for this coding contest problem. The Smart Beaver from ABBYY plans a space travel on an ultramodern spaceship. During the voyage he plans to visit n planets. For planet i ai is the maximum number of suitcases that an alien tourist is allowed to bring to the planet, and bi is the number of citizens on the planet. The Smart Beaver is going to bring some presents from ABBYY to the planets he will be visiting. The presents are packed in suitcases, x presents in each. The Beaver will take to the ship exactly a1 + ... + an suitcases. As the Beaver lands on the i-th planet, he takes ai suitcases and goes out. On the first day on the planet the Beaver takes a walk and gets to know the citizens. On the second and all subsequent days the Beaver gives presents to the citizens β€” each of the bi citizens gets one present per day. The Beaver leaves the planet in the evening of the day when the number of presents left is strictly less than the number of citizens (i.e. as soon as he won't be able to give away the proper number of presents the next day). He leaves the remaining presents at the hotel. The Beaver is going to spend exactly c days traveling. The time spent on flights between the planets is considered to be zero. In how many ways can one choose the positive integer x so that the planned voyage will take exactly c days? Input The first input line contains space-separated integers n and c β€” the number of planets that the Beaver is going to visit and the number of days he is going to spend traveling, correspondingly. The next n lines contain pairs of space-separated integers ai, bi (1 ≀ i ≀ n) β€” the number of suitcases he can bring to the i-th planet and the number of citizens of the i-th planet, correspondingly. The input limitations for getting 30 points are: * 1 ≀ n ≀ 100 * 1 ≀ ai ≀ 100 * 1 ≀ bi ≀ 100 * 1 ≀ c ≀ 100 The input limitations for getting 100 points are: * 1 ≀ n ≀ 104 * 0 ≀ ai ≀ 109 * 1 ≀ bi ≀ 109 * 1 ≀ c ≀ 109 Due to possible overflow, it is recommended to use the 64-bit arithmetic. In some solutions even the 64-bit arithmetic can overflow. So be careful in calculations! Output Print a single number k β€” the number of ways to choose x so as to travel for exactly c days. If there are infinitely many possible values of x, print -1. Please do not use the %lld specifier to read or write 64-bit integers in Π‘++. It is preferred to use cin, cout streams or the %I64d specifier. Examples Input 2 5 1 5 2 4 Output 1 Note In the first example there is only one suitable value x = 5. Then the Beaver takes 1 suitcase with 5 presents to the first planet. Here he spends 2 days: he hangs around on the first day, and he gives away five presents on the second day. He takes 2 suitcases with 10 presents to the second planet. Here he spends 3 days β€” he gives away 4 presents on the second and the third days and leaves the remaining 2 presents at the hotel. In total, the Beaver spends 5 days traveling. For x = 4 or less the Beaver won't have enough presents for the second day on the first planet, so the voyage will end too soon. For x = 6 and more the Beaver will spend at least one more day on the second planet, and the voyage will take too long.
instruction
0
14,421
3
28,842
Tags: binary search Correct Solution: ``` n,c = map(int,input().split()) from sys import stdin lst,q = [],0 for i in range(n): a,b = map(int,stdin.readline().split()) lst.append([a,b]) q=max(q,b*c) def cout(x): res=n for i,item in enumerate(lst): y,z=item[0],item[1] res+=(x*y//z) return res l,r=0,q while l+1<r: mid = (l+r)//2 result=cout(mid) if result<c:l=mid elif result>c:r=mid else:break from sys import exit if r-l==1: if cout(l)!=c and cout(r)!=c:print(0);exit() i,j=l,mid while i+1<j: middle=(i+j)//2 if cout(middle)==c:j=middle else:i=middle i2,j2=mid,r while i2+1<j2: middle2=(i2+j2)//2 if cout(middle2)==c:i2=middle2 else:j2=middle2 if i2==j: if cout(j)!=c:print(0);exit() print(i2-j+1) ```
output
1
14,421
3
28,843
Provide tags and a correct Python 3 solution for this coding contest problem. The Smart Beaver from ABBYY plans a space travel on an ultramodern spaceship. During the voyage he plans to visit n planets. For planet i ai is the maximum number of suitcases that an alien tourist is allowed to bring to the planet, and bi is the number of citizens on the planet. The Smart Beaver is going to bring some presents from ABBYY to the planets he will be visiting. The presents are packed in suitcases, x presents in each. The Beaver will take to the ship exactly a1 + ... + an suitcases. As the Beaver lands on the i-th planet, he takes ai suitcases and goes out. On the first day on the planet the Beaver takes a walk and gets to know the citizens. On the second and all subsequent days the Beaver gives presents to the citizens β€” each of the bi citizens gets one present per day. The Beaver leaves the planet in the evening of the day when the number of presents left is strictly less than the number of citizens (i.e. as soon as he won't be able to give away the proper number of presents the next day). He leaves the remaining presents at the hotel. The Beaver is going to spend exactly c days traveling. The time spent on flights between the planets is considered to be zero. In how many ways can one choose the positive integer x so that the planned voyage will take exactly c days? Input The first input line contains space-separated integers n and c β€” the number of planets that the Beaver is going to visit and the number of days he is going to spend traveling, correspondingly. The next n lines contain pairs of space-separated integers ai, bi (1 ≀ i ≀ n) β€” the number of suitcases he can bring to the i-th planet and the number of citizens of the i-th planet, correspondingly. The input limitations for getting 30 points are: * 1 ≀ n ≀ 100 * 1 ≀ ai ≀ 100 * 1 ≀ bi ≀ 100 * 1 ≀ c ≀ 100 The input limitations for getting 100 points are: * 1 ≀ n ≀ 104 * 0 ≀ ai ≀ 109 * 1 ≀ bi ≀ 109 * 1 ≀ c ≀ 109 Due to possible overflow, it is recommended to use the 64-bit arithmetic. In some solutions even the 64-bit arithmetic can overflow. So be careful in calculations! Output Print a single number k β€” the number of ways to choose x so as to travel for exactly c days. If there are infinitely many possible values of x, print -1. Please do not use the %lld specifier to read or write 64-bit integers in Π‘++. It is preferred to use cin, cout streams or the %I64d specifier. Examples Input 2 5 1 5 2 4 Output 1 Note In the first example there is only one suitable value x = 5. Then the Beaver takes 1 suitcase with 5 presents to the first planet. Here he spends 2 days: he hangs around on the first day, and he gives away five presents on the second day. He takes 2 suitcases with 10 presents to the second planet. Here he spends 3 days β€” he gives away 4 presents on the second and the third days and leaves the remaining 2 presents at the hotel. In total, the Beaver spends 5 days traveling. For x = 4 or less the Beaver won't have enough presents for the second day on the first planet, so the voyage will end too soon. For x = 6 and more the Beaver will spend at least one more day on the second planet, and the voyage will take too long.
instruction
0
14,422
3
28,844
Tags: binary search Correct Solution: ``` n,c = map(int,input().split()) from sys import stdin lst,q,zero = [],0,0 for i in range(n): a,b = map(int,stdin.readline().split()) lst.append([a,b]) q=max(q,b*c) if a==0:zero+=1 def cout(x): res=n for i,item in enumerate(lst): y,z=item[0],item[1] res+=(x*y//z) return res from sys import exit if zero==n: if n==c:print(-1) else:print(0) exit() l,r=0,q while l+1<r: mid = (l+r)//2 result=cout(mid) if result<c:l=mid elif result>c:r=mid else:break if r-l==1: if cout(l)!=c and cout(r)!=c:print(0);exit() i,j=l,mid while i+1<j: middle=(i+j)//2 if cout(middle)==c:j=middle else:i=middle i2,j2=mid,r while i2+1<j2: middle2=(i2+j2)//2 if cout(middle2)==c:i2=middle2 else:j2=middle2 if i2==j: if cout(j)!=c:print(0);exit() print(i2-j+1) ```
output
1
14,422
3
28,845
Provide tags and a correct Python 3 solution for this coding contest problem. The Smart Beaver from ABBYY plans a space travel on an ultramodern spaceship. During the voyage he plans to visit n planets. For planet i ai is the maximum number of suitcases that an alien tourist is allowed to bring to the planet, and bi is the number of citizens on the planet. The Smart Beaver is going to bring some presents from ABBYY to the planets he will be visiting. The presents are packed in suitcases, x presents in each. The Beaver will take to the ship exactly a1 + ... + an suitcases. As the Beaver lands on the i-th planet, he takes ai suitcases and goes out. On the first day on the planet the Beaver takes a walk and gets to know the citizens. On the second and all subsequent days the Beaver gives presents to the citizens β€” each of the bi citizens gets one present per day. The Beaver leaves the planet in the evening of the day when the number of presents left is strictly less than the number of citizens (i.e. as soon as he won't be able to give away the proper number of presents the next day). He leaves the remaining presents at the hotel. The Beaver is going to spend exactly c days traveling. The time spent on flights between the planets is considered to be zero. In how many ways can one choose the positive integer x so that the planned voyage will take exactly c days? Input The first input line contains space-separated integers n and c β€” the number of planets that the Beaver is going to visit and the number of days he is going to spend traveling, correspondingly. The next n lines contain pairs of space-separated integers ai, bi (1 ≀ i ≀ n) β€” the number of suitcases he can bring to the i-th planet and the number of citizens of the i-th planet, correspondingly. The input limitations for getting 30 points are: * 1 ≀ n ≀ 100 * 1 ≀ ai ≀ 100 * 1 ≀ bi ≀ 100 * 1 ≀ c ≀ 100 The input limitations for getting 100 points are: * 1 ≀ n ≀ 104 * 0 ≀ ai ≀ 109 * 1 ≀ bi ≀ 109 * 1 ≀ c ≀ 109 Due to possible overflow, it is recommended to use the 64-bit arithmetic. In some solutions even the 64-bit arithmetic can overflow. So be careful in calculations! Output Print a single number k β€” the number of ways to choose x so as to travel for exactly c days. If there are infinitely many possible values of x, print -1. Please do not use the %lld specifier to read or write 64-bit integers in Π‘++. It is preferred to use cin, cout streams or the %I64d specifier. Examples Input 2 5 1 5 2 4 Output 1 Note In the first example there is only one suitable value x = 5. Then the Beaver takes 1 suitcase with 5 presents to the first planet. Here he spends 2 days: he hangs around on the first day, and he gives away five presents on the second day. He takes 2 suitcases with 10 presents to the second planet. Here he spends 3 days β€” he gives away 4 presents on the second and the third days and leaves the remaining 2 presents at the hotel. In total, the Beaver spends 5 days traveling. For x = 4 or less the Beaver won't have enough presents for the second day on the first planet, so the voyage will end too soon. For x = 6 and more the Beaver will spend at least one more day on the second planet, and the voyage will take too long.
instruction
0
14,423
3
28,846
Tags: binary search Correct Solution: ``` n, c = map(int, input().split()) a = [] b = [] for i in range(n): aa, bb = map(int, input().split()) a.append(aa) b.append(bb) def all_zero(): for aa in a: if aa > 0: return False return True def days(x): c = 0 for aa, bb in zip(a, b): c += 1 + aa*x//bb return c def run(): if n > c: return 0 if all_zero(): return -1 if n == c else 0 lo = 1 hi = int(2e18) while lo < hi: mid = (lo + hi) // 2 if days(mid) < c: lo = mid+1 else: hi = mid if days(lo) != c: return 0 ans0 = lo lo = 1 hi = int(2e18) while lo < hi: mid = (lo + hi + 1) // 2 if days(mid) > c: hi = mid-1 else: lo = mid if days(lo) != c: return 0 return lo - ans0 + 1 print(run()) ```
output
1
14,423
3
28,847
Provide tags and a correct Python 3 solution for this coding contest problem. The Smart Beaver from ABBYY plans a space travel on an ultramodern spaceship. During the voyage he plans to visit n planets. For planet i ai is the maximum number of suitcases that an alien tourist is allowed to bring to the planet, and bi is the number of citizens on the planet. The Smart Beaver is going to bring some presents from ABBYY to the planets he will be visiting. The presents are packed in suitcases, x presents in each. The Beaver will take to the ship exactly a1 + ... + an suitcases. As the Beaver lands on the i-th planet, he takes ai suitcases and goes out. On the first day on the planet the Beaver takes a walk and gets to know the citizens. On the second and all subsequent days the Beaver gives presents to the citizens β€” each of the bi citizens gets one present per day. The Beaver leaves the planet in the evening of the day when the number of presents left is strictly less than the number of citizens (i.e. as soon as he won't be able to give away the proper number of presents the next day). He leaves the remaining presents at the hotel. The Beaver is going to spend exactly c days traveling. The time spent on flights between the planets is considered to be zero. In how many ways can one choose the positive integer x so that the planned voyage will take exactly c days? Input The first input line contains space-separated integers n and c β€” the number of planets that the Beaver is going to visit and the number of days he is going to spend traveling, correspondingly. The next n lines contain pairs of space-separated integers ai, bi (1 ≀ i ≀ n) β€” the number of suitcases he can bring to the i-th planet and the number of citizens of the i-th planet, correspondingly. The input limitations for getting 30 points are: * 1 ≀ n ≀ 100 * 1 ≀ ai ≀ 100 * 1 ≀ bi ≀ 100 * 1 ≀ c ≀ 100 The input limitations for getting 100 points are: * 1 ≀ n ≀ 104 * 0 ≀ ai ≀ 109 * 1 ≀ bi ≀ 109 * 1 ≀ c ≀ 109 Due to possible overflow, it is recommended to use the 64-bit arithmetic. In some solutions even the 64-bit arithmetic can overflow. So be careful in calculations! Output Print a single number k β€” the number of ways to choose x so as to travel for exactly c days. If there are infinitely many possible values of x, print -1. Please do not use the %lld specifier to read or write 64-bit integers in Π‘++. It is preferred to use cin, cout streams or the %I64d specifier. Examples Input 2 5 1 5 2 4 Output 1 Note In the first example there is only one suitable value x = 5. Then the Beaver takes 1 suitcase with 5 presents to the first planet. Here he spends 2 days: he hangs around on the first day, and he gives away five presents on the second day. He takes 2 suitcases with 10 presents to the second planet. Here he spends 3 days β€” he gives away 4 presents on the second and the third days and leaves the remaining 2 presents at the hotel. In total, the Beaver spends 5 days traveling. For x = 4 or less the Beaver won't have enough presents for the second day on the first planet, so the voyage will end too soon. For x = 6 and more the Beaver will spend at least one more day on the second planet, and the voyage will take too long.
instruction
0
14,424
3
28,848
Tags: binary search Correct Solution: ``` input=__import__('sys').stdin.readline def check(x): tmp=0 for i in range(n): tmp+=(1 + (lis[i][0]*x)//lis[i][1]) return tmp def zer(lis): for i in lis: if i[0]>0: return False return True n,c = map(int,input().split()) lis=[] c1=0 for _ in range(n): a,b = map(int,input().split()) lis.append([a,b]) if n>c: print(0) exit() if zer(lis): if n==c: print(-1) else: print(0) exit() #max ans=0 l=0 r=100000000000000000000 while l<=r: mid = l + (r-l)//2 if check(mid)>c: r=mid-1 else: l=mid+1 if check(l)==c: ans=l else: ans=r l=0 r=100000000000000000000 while l<=r: mid = l +(r-l)//2 if check(mid)>=c: r=mid-1 else: l=mid+1 #print(ans,l,r) if r!=-1: print(max(0,ans-r)) else: print(max(0,ans-l)) ```
output
1
14,424
3
28,849
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response. The Smart Beaver from ABBYY plans a space travel on an ultramodern spaceship. During the voyage he plans to visit n planets. For planet i ai is the maximum number of suitcases that an alien tourist is allowed to bring to the planet, and bi is the number of citizens on the planet. The Smart Beaver is going to bring some presents from ABBYY to the planets he will be visiting. The presents are packed in suitcases, x presents in each. The Beaver will take to the ship exactly a1 + ... + an suitcases. As the Beaver lands on the i-th planet, he takes ai suitcases and goes out. On the first day on the planet the Beaver takes a walk and gets to know the citizens. On the second and all subsequent days the Beaver gives presents to the citizens β€” each of the bi citizens gets one present per day. The Beaver leaves the planet in the evening of the day when the number of presents left is strictly less than the number of citizens (i.e. as soon as he won't be able to give away the proper number of presents the next day). He leaves the remaining presents at the hotel. The Beaver is going to spend exactly c days traveling. The time spent on flights between the planets is considered to be zero. In how many ways can one choose the positive integer x so that the planned voyage will take exactly c days? Input The first input line contains space-separated integers n and c β€” the number of planets that the Beaver is going to visit and the number of days he is going to spend traveling, correspondingly. The next n lines contain pairs of space-separated integers ai, bi (1 ≀ i ≀ n) β€” the number of suitcases he can bring to the i-th planet and the number of citizens of the i-th planet, correspondingly. The input limitations for getting 30 points are: * 1 ≀ n ≀ 100 * 1 ≀ ai ≀ 100 * 1 ≀ bi ≀ 100 * 1 ≀ c ≀ 100 The input limitations for getting 100 points are: * 1 ≀ n ≀ 104 * 0 ≀ ai ≀ 109 * 1 ≀ bi ≀ 109 * 1 ≀ c ≀ 109 Due to possible overflow, it is recommended to use the 64-bit arithmetic. In some solutions even the 64-bit arithmetic can overflow. So be careful in calculations! Output Print a single number k β€” the number of ways to choose x so as to travel for exactly c days. If there are infinitely many possible values of x, print -1. Please do not use the %lld specifier to read or write 64-bit integers in Π‘++. It is preferred to use cin, cout streams or the %I64d specifier. Examples Input 2 5 1 5 2 4 Output 1 Note In the first example there is only one suitable value x = 5. Then the Beaver takes 1 suitcase with 5 presents to the first planet. Here he spends 2 days: he hangs around on the first day, and he gives away five presents on the second day. He takes 2 suitcases with 10 presents to the second planet. Here he spends 3 days β€” he gives away 4 presents on the second and the third days and leaves the remaining 2 presents at the hotel. In total, the Beaver spends 5 days traveling. For x = 4 or less the Beaver won't have enough presents for the second day on the first planet, so the voyage will end too soon. For x = 6 and more the Beaver will spend at least one more day on the second planet, and the voyage will take too long. Submitted Solution: ``` # ========= /\ /| |====/| # | / \ | | / | # | /____\ | | / | # | / \ | | / | # ========= / \ ===== |/====| # code def main(): n , c = map(int , input().split()) data = [] for i in range(n): a,b = map(int , input().split()) data.append([a , b]) def cond(x , typ): days = 0 for i in data: days += 1 presents = i[0] * x days += presents // i[1] if typ == 1: return [days >= c , days] else: return [days <= c , days] l = 1 r = int(1e18) ans1 = -1 days1 = -1 while l <= r: mid = l + (r - l) // 2 llll = cond(mid , 1) if llll[0]: ans1 = mid days1 = llll[1] r = mid - 1 else: l = mid + 1 l = 1 r = int(1e18) ans2 = -1 days2 = -1 while l <= r: mid = l + (r - l) // 2 llll = cond(mid , 2) if llll[0]: ans2 = mid days2 = llll[1] l = mid + 1 else: r = mid - 1 # print(ans1 , days1 , ans2 , days2) if days1 == c and days2 == c: print(ans2 - ans1 + 1) else: print(0) return if __name__ == "__main__": main() ```
instruction
0
14,425
3
28,850
Yes
output
1
14,425
3
28,851
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response. The Smart Beaver from ABBYY plans a space travel on an ultramodern spaceship. During the voyage he plans to visit n planets. For planet i ai is the maximum number of suitcases that an alien tourist is allowed to bring to the planet, and bi is the number of citizens on the planet. The Smart Beaver is going to bring some presents from ABBYY to the planets he will be visiting. The presents are packed in suitcases, x presents in each. The Beaver will take to the ship exactly a1 + ... + an suitcases. As the Beaver lands on the i-th planet, he takes ai suitcases and goes out. On the first day on the planet the Beaver takes a walk and gets to know the citizens. On the second and all subsequent days the Beaver gives presents to the citizens β€” each of the bi citizens gets one present per day. The Beaver leaves the planet in the evening of the day when the number of presents left is strictly less than the number of citizens (i.e. as soon as he won't be able to give away the proper number of presents the next day). He leaves the remaining presents at the hotel. The Beaver is going to spend exactly c days traveling. The time spent on flights between the planets is considered to be zero. In how many ways can one choose the positive integer x so that the planned voyage will take exactly c days? Input The first input line contains space-separated integers n and c β€” the number of planets that the Beaver is going to visit and the number of days he is going to spend traveling, correspondingly. The next n lines contain pairs of space-separated integers ai, bi (1 ≀ i ≀ n) β€” the number of suitcases he can bring to the i-th planet and the number of citizens of the i-th planet, correspondingly. The input limitations for getting 30 points are: * 1 ≀ n ≀ 100 * 1 ≀ ai ≀ 100 * 1 ≀ bi ≀ 100 * 1 ≀ c ≀ 100 The input limitations for getting 100 points are: * 1 ≀ n ≀ 104 * 0 ≀ ai ≀ 109 * 1 ≀ bi ≀ 109 * 1 ≀ c ≀ 109 Due to possible overflow, it is recommended to use the 64-bit arithmetic. In some solutions even the 64-bit arithmetic can overflow. So be careful in calculations! Output Print a single number k β€” the number of ways to choose x so as to travel for exactly c days. If there are infinitely many possible values of x, print -1. Please do not use the %lld specifier to read or write 64-bit integers in Π‘++. It is preferred to use cin, cout streams or the %I64d specifier. Examples Input 2 5 1 5 2 4 Output 1 Note In the first example there is only one suitable value x = 5. Then the Beaver takes 1 suitcase with 5 presents to the first planet. Here he spends 2 days: he hangs around on the first day, and he gives away five presents on the second day. He takes 2 suitcases with 10 presents to the second planet. Here he spends 3 days β€” he gives away 4 presents on the second and the third days and leaves the remaining 2 presents at the hotel. In total, the Beaver spends 5 days traveling. For x = 4 or less the Beaver won't have enough presents for the second day on the first planet, so the voyage will end too soon. For x = 6 and more the Beaver will spend at least one more day on the second planet, and the voyage will take too long. Submitted Solution: ``` n,c=map(int,input().split()) a=[0 for i in range(10001)] b=a[:] for i in range(n): a[i],b[i]=map(int,input().split()) def chi(): if c<n: print(0) import sys sys.exit(0) if sum(a)==0: if c==n: print(-1) else: print(0) import sys sys.exit(0) def ch(day): ans=0 for i in range(n): ans+=(1+a[i]*day//b[i]) return ans def fm(): l=1 r=2**100 while r-l>1: mi=(l+r)>>1 if ch(mi)>c: r=mi else:l=mi r+=5 while r>0 and ch(r)>c:r-=1 return r def fl(): l = 1 r = 2 ** 100 while r - l > 1: mi = (l + r) >> 1 if ch(mi) < c: l = mi else: r = mi l=max(1,l-5) while ch(l) < c: l += 1 return l chi() print(fm()-fl()+1) ```
instruction
0
14,426
3
28,852
Yes
output
1
14,426
3
28,853
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response. The Smart Beaver from ABBYY plans a space travel on an ultramodern spaceship. During the voyage he plans to visit n planets. For planet i ai is the maximum number of suitcases that an alien tourist is allowed to bring to the planet, and bi is the number of citizens on the planet. The Smart Beaver is going to bring some presents from ABBYY to the planets he will be visiting. The presents are packed in suitcases, x presents in each. The Beaver will take to the ship exactly a1 + ... + an suitcases. As the Beaver lands on the i-th planet, he takes ai suitcases and goes out. On the first day on the planet the Beaver takes a walk and gets to know the citizens. On the second and all subsequent days the Beaver gives presents to the citizens β€” each of the bi citizens gets one present per day. The Beaver leaves the planet in the evening of the day when the number of presents left is strictly less than the number of citizens (i.e. as soon as he won't be able to give away the proper number of presents the next day). He leaves the remaining presents at the hotel. The Beaver is going to spend exactly c days traveling. The time spent on flights between the planets is considered to be zero. In how many ways can one choose the positive integer x so that the planned voyage will take exactly c days? Input The first input line contains space-separated integers n and c β€” the number of planets that the Beaver is going to visit and the number of days he is going to spend traveling, correspondingly. The next n lines contain pairs of space-separated integers ai, bi (1 ≀ i ≀ n) β€” the number of suitcases he can bring to the i-th planet and the number of citizens of the i-th planet, correspondingly. The input limitations for getting 30 points are: * 1 ≀ n ≀ 100 * 1 ≀ ai ≀ 100 * 1 ≀ bi ≀ 100 * 1 ≀ c ≀ 100 The input limitations for getting 100 points are: * 1 ≀ n ≀ 104 * 0 ≀ ai ≀ 109 * 1 ≀ bi ≀ 109 * 1 ≀ c ≀ 109 Due to possible overflow, it is recommended to use the 64-bit arithmetic. In some solutions even the 64-bit arithmetic can overflow. So be careful in calculations! Output Print a single number k β€” the number of ways to choose x so as to travel for exactly c days. If there are infinitely many possible values of x, print -1. Please do not use the %lld specifier to read or write 64-bit integers in Π‘++. It is preferred to use cin, cout streams or the %I64d specifier. Examples Input 2 5 1 5 2 4 Output 1 Note In the first example there is only one suitable value x = 5. Then the Beaver takes 1 suitcase with 5 presents to the first planet. Here he spends 2 days: he hangs around on the first day, and he gives away five presents on the second day. He takes 2 suitcases with 10 presents to the second planet. Here he spends 3 days β€” he gives away 4 presents on the second and the third days and leaves the remaining 2 presents at the hotel. In total, the Beaver spends 5 days traveling. For x = 4 or less the Beaver won't have enough presents for the second day on the first planet, so the voyage will end too soon. For x = 6 and more the Beaver will spend at least one more day on the second planet, and the voyage will take too long. Submitted Solution: ``` import sys n,c = map(int,sys.stdin.readline().split()) a = [] b = [] maxi = 0 for i in range (n): t1,t2 = map (int,sys.stdin.readline().split()) a.append(t1) b.append(t2) if (b[i]*c//a[i] > maxi ): maxi = b[i]*c//a[i] def letstry(x, a, b): """try the result we search for and return the number of days it takes for that value x""" res = 0 # total number of day for i in range (len(a)): res += x*a[i] // b[i] +1 return res def bsl (l,r,val,a,b): """search the farthest position on the left that satisfy """ l1=l r1 =r res =-1 while l1 <= r1 : mid = (l1+r1)//2 if (letstry (mid,a,b)< val): l1 = mid +1 if (letstry(mid,a,b) > val): r1 = mid -1 if (letstry(mid,a,b) == val): res = mid r1 = mid-1 return res def bsr (l,r,val,a,b): """ search the farthest positon on the right that satisfy the constrain """ l1=l r1 =r res =-1 while l1 <= r1 : mid = (l1+r1)//2 if (letstry (mid,a,b)< val): l1 = mid +1 if (letstry(mid,a,b) > val): r1 = mid -1 if (letstry(mid,a,b) == val): res = mid l1 = mid +1 return res r = bsr(1,maxi,c,a,b) l = bsl(1,maxi,c,a,b) #print (l," ",r) #print (maxi) if l > r or l==-1 or r ==-1: print (0) else : print (r-l +1) ```
instruction
0
14,427
3
28,854
Yes
output
1
14,427
3
28,855
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response. The Smart Beaver from ABBYY plans a space travel on an ultramodern spaceship. During the voyage he plans to visit n planets. For planet i ai is the maximum number of suitcases that an alien tourist is allowed to bring to the planet, and bi is the number of citizens on the planet. The Smart Beaver is going to bring some presents from ABBYY to the planets he will be visiting. The presents are packed in suitcases, x presents in each. The Beaver will take to the ship exactly a1 + ... + an suitcases. As the Beaver lands on the i-th planet, he takes ai suitcases and goes out. On the first day on the planet the Beaver takes a walk and gets to know the citizens. On the second and all subsequent days the Beaver gives presents to the citizens β€” each of the bi citizens gets one present per day. The Beaver leaves the planet in the evening of the day when the number of presents left is strictly less than the number of citizens (i.e. as soon as he won't be able to give away the proper number of presents the next day). He leaves the remaining presents at the hotel. The Beaver is going to spend exactly c days traveling. The time spent on flights between the planets is considered to be zero. In how many ways can one choose the positive integer x so that the planned voyage will take exactly c days? Input The first input line contains space-separated integers n and c β€” the number of planets that the Beaver is going to visit and the number of days he is going to spend traveling, correspondingly. The next n lines contain pairs of space-separated integers ai, bi (1 ≀ i ≀ n) β€” the number of suitcases he can bring to the i-th planet and the number of citizens of the i-th planet, correspondingly. The input limitations for getting 30 points are: * 1 ≀ n ≀ 100 * 1 ≀ ai ≀ 100 * 1 ≀ bi ≀ 100 * 1 ≀ c ≀ 100 The input limitations for getting 100 points are: * 1 ≀ n ≀ 104 * 0 ≀ ai ≀ 109 * 1 ≀ bi ≀ 109 * 1 ≀ c ≀ 109 Due to possible overflow, it is recommended to use the 64-bit arithmetic. In some solutions even the 64-bit arithmetic can overflow. So be careful in calculations! Output Print a single number k β€” the number of ways to choose x so as to travel for exactly c days. If there are infinitely many possible values of x, print -1. Please do not use the %lld specifier to read or write 64-bit integers in Π‘++. It is preferred to use cin, cout streams or the %I64d specifier. Examples Input 2 5 1 5 2 4 Output 1 Note In the first example there is only one suitable value x = 5. Then the Beaver takes 1 suitcase with 5 presents to the first planet. Here he spends 2 days: he hangs around on the first day, and he gives away five presents on the second day. He takes 2 suitcases with 10 presents to the second planet. Here he spends 3 days β€” he gives away 4 presents on the second and the third days and leaves the remaining 2 presents at the hotel. In total, the Beaver spends 5 days traveling. For x = 4 or less the Beaver won't have enough presents for the second day on the first planet, so the voyage will end too soon. For x = 6 and more the Beaver will spend at least one more day on the second planet, and the voyage will take too long. Submitted Solution: ``` input=__import__('sys').stdin.readline def check(x): tmp=0 for i in range(n): tmp+=(1 + (lis[i][0]*x)//lis[i][1]) return tmp n,c = map(int,input().split()) lis=[] c1=0 for _ in range(n): a,b = map(int,input().split()) lis.append([a,b]) c1=max(c1,a) if c1==0: print(-1) exit() #max ans=0 l=0 r=100000000000000000000 while l<=r: mid = l + (r-l)//2 if check(mid)>c: r=mid-1 else: l=mid+1 if check(l)==c: ans=l else: ans=r l=0 r=100000000000000000000 while l<=r: mid = l +(r-l)//2 if check(mid)>=c: r=mid-1 else: l=mid+1 #print(ans,l,r) if r!=-1: print(max(0,ans-r)) else: print(max(0,ans-l)) ```
instruction
0
14,428
3
28,856
Yes
output
1
14,428
3
28,857
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response. The Smart Beaver from ABBYY plans a space travel on an ultramodern spaceship. During the voyage he plans to visit n planets. For planet i ai is the maximum number of suitcases that an alien tourist is allowed to bring to the planet, and bi is the number of citizens on the planet. The Smart Beaver is going to bring some presents from ABBYY to the planets he will be visiting. The presents are packed in suitcases, x presents in each. The Beaver will take to the ship exactly a1 + ... + an suitcases. As the Beaver lands on the i-th planet, he takes ai suitcases and goes out. On the first day on the planet the Beaver takes a walk and gets to know the citizens. On the second and all subsequent days the Beaver gives presents to the citizens β€” each of the bi citizens gets one present per day. The Beaver leaves the planet in the evening of the day when the number of presents left is strictly less than the number of citizens (i.e. as soon as he won't be able to give away the proper number of presents the next day). He leaves the remaining presents at the hotel. The Beaver is going to spend exactly c days traveling. The time spent on flights between the planets is considered to be zero. In how many ways can one choose the positive integer x so that the planned voyage will take exactly c days? Input The first input line contains space-separated integers n and c β€” the number of planets that the Beaver is going to visit and the number of days he is going to spend traveling, correspondingly. The next n lines contain pairs of space-separated integers ai, bi (1 ≀ i ≀ n) β€” the number of suitcases he can bring to the i-th planet and the number of citizens of the i-th planet, correspondingly. The input limitations for getting 30 points are: * 1 ≀ n ≀ 100 * 1 ≀ ai ≀ 100 * 1 ≀ bi ≀ 100 * 1 ≀ c ≀ 100 The input limitations for getting 100 points are: * 1 ≀ n ≀ 104 * 0 ≀ ai ≀ 109 * 1 ≀ bi ≀ 109 * 1 ≀ c ≀ 109 Due to possible overflow, it is recommended to use the 64-bit arithmetic. In some solutions even the 64-bit arithmetic can overflow. So be careful in calculations! Output Print a single number k β€” the number of ways to choose x so as to travel for exactly c days. If there are infinitely many possible values of x, print -1. Please do not use the %lld specifier to read or write 64-bit integers in Π‘++. It is preferred to use cin, cout streams or the %I64d specifier. Examples Input 2 5 1 5 2 4 Output 1 Note In the first example there is only one suitable value x = 5. Then the Beaver takes 1 suitcase with 5 presents to the first planet. Here he spends 2 days: he hangs around on the first day, and he gives away five presents on the second day. He takes 2 suitcases with 10 presents to the second planet. Here he spends 3 days β€” he gives away 4 presents on the second and the third days and leaves the remaining 2 presents at the hotel. In total, the Beaver spends 5 days traveling. For x = 4 or less the Beaver won't have enough presents for the second day on the first planet, so the voyage will end too soon. For x = 6 and more the Beaver will spend at least one more day on the second planet, and the voyage will take too long. Submitted Solution: ``` n,c=list(map(int,input().split())) d,lis,m=c-n,[],0 def check(x): days=0 for ele in lis: y=(x*ele[0])//ele[1] days+=y return days for _ in range(n): lis.append(list(map(int,input().split()))) low,high=0,1000000000 while low<=high: mid=low+(high-low)//2 c=check(mid) if(c>d): high=mid-1 elif(c<d): low=mid+1 else: mn=mid high=mid-1 low,high=0,1000000000 while low<=high: mid=low+(high-low)//2 c=check(mid) if(c>d): high=mid-1 elif(c<d): low=mid+1 else: mx=mid low=mid+1 print(mx-mn+1) ```
instruction
0
14,429
3
28,858
No
output
1
14,429
3
28,859
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response. The Smart Beaver from ABBYY plans a space travel on an ultramodern spaceship. During the voyage he plans to visit n planets. For planet i ai is the maximum number of suitcases that an alien tourist is allowed to bring to the planet, and bi is the number of citizens on the planet. The Smart Beaver is going to bring some presents from ABBYY to the planets he will be visiting. The presents are packed in suitcases, x presents in each. The Beaver will take to the ship exactly a1 + ... + an suitcases. As the Beaver lands on the i-th planet, he takes ai suitcases and goes out. On the first day on the planet the Beaver takes a walk and gets to know the citizens. On the second and all subsequent days the Beaver gives presents to the citizens β€” each of the bi citizens gets one present per day. The Beaver leaves the planet in the evening of the day when the number of presents left is strictly less than the number of citizens (i.e. as soon as he won't be able to give away the proper number of presents the next day). He leaves the remaining presents at the hotel. The Beaver is going to spend exactly c days traveling. The time spent on flights between the planets is considered to be zero. In how many ways can one choose the positive integer x so that the planned voyage will take exactly c days? Input The first input line contains space-separated integers n and c β€” the number of planets that the Beaver is going to visit and the number of days he is going to spend traveling, correspondingly. The next n lines contain pairs of space-separated integers ai, bi (1 ≀ i ≀ n) β€” the number of suitcases he can bring to the i-th planet and the number of citizens of the i-th planet, correspondingly. The input limitations for getting 30 points are: * 1 ≀ n ≀ 100 * 1 ≀ ai ≀ 100 * 1 ≀ bi ≀ 100 * 1 ≀ c ≀ 100 The input limitations for getting 100 points are: * 1 ≀ n ≀ 104 * 0 ≀ ai ≀ 109 * 1 ≀ bi ≀ 109 * 1 ≀ c ≀ 109 Due to possible overflow, it is recommended to use the 64-bit arithmetic. In some solutions even the 64-bit arithmetic can overflow. So be careful in calculations! Output Print a single number k β€” the number of ways to choose x so as to travel for exactly c days. If there are infinitely many possible values of x, print -1. Please do not use the %lld specifier to read or write 64-bit integers in Π‘++. It is preferred to use cin, cout streams or the %I64d specifier. Examples Input 2 5 1 5 2 4 Output 1 Note In the first example there is only one suitable value x = 5. Then the Beaver takes 1 suitcase with 5 presents to the first planet. Here he spends 2 days: he hangs around on the first day, and he gives away five presents on the second day. He takes 2 suitcases with 10 presents to the second planet. Here he spends 3 days β€” he gives away 4 presents on the second and the third days and leaves the remaining 2 presents at the hotel. In total, the Beaver spends 5 days traveling. For x = 4 or less the Beaver won't have enough presents for the second day on the first planet, so the voyage will end too soon. For x = 6 and more the Beaver will spend at least one more day on the second planet, and the voyage will take too long. Submitted Solution: ``` n, c = map(int, input().split()) a = [] b = [] for i in range(n): aa, bb = map(int, input().split()) a.append(aa) b.append(bb) def all_zero(): for aa in a: if aa > 0: return False return True def days(x): c = 0 for aa, bb in zip(a, b): c += 1 + aa*x//bb return c def run(): if n > c: return 0 if all_zero(): return -1 if n == c else 0 lo = 0 hi = int(2e18) while lo < hi: mid = (lo + hi) // 2 if days(mid) < c: lo = mid+1 else: hi = mid ans0 = lo lo = 0 hi = int(2e18) while lo < hi: mid = (lo + hi + 1) // 2 if days(mid) > c: hi = mid-1 else: lo = mid return lo - ans0 + 1 print(run()) ```
instruction
0
14,430
3
28,860
No
output
1
14,430
3
28,861
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response. The Smart Beaver from ABBYY plans a space travel on an ultramodern spaceship. During the voyage he plans to visit n planets. For planet i ai is the maximum number of suitcases that an alien tourist is allowed to bring to the planet, and bi is the number of citizens on the planet. The Smart Beaver is going to bring some presents from ABBYY to the planets he will be visiting. The presents are packed in suitcases, x presents in each. The Beaver will take to the ship exactly a1 + ... + an suitcases. As the Beaver lands on the i-th planet, he takes ai suitcases and goes out. On the first day on the planet the Beaver takes a walk and gets to know the citizens. On the second and all subsequent days the Beaver gives presents to the citizens β€” each of the bi citizens gets one present per day. The Beaver leaves the planet in the evening of the day when the number of presents left is strictly less than the number of citizens (i.e. as soon as he won't be able to give away the proper number of presents the next day). He leaves the remaining presents at the hotel. The Beaver is going to spend exactly c days traveling. The time spent on flights between the planets is considered to be zero. In how many ways can one choose the positive integer x so that the planned voyage will take exactly c days? Input The first input line contains space-separated integers n and c β€” the number of planets that the Beaver is going to visit and the number of days he is going to spend traveling, correspondingly. The next n lines contain pairs of space-separated integers ai, bi (1 ≀ i ≀ n) β€” the number of suitcases he can bring to the i-th planet and the number of citizens of the i-th planet, correspondingly. The input limitations for getting 30 points are: * 1 ≀ n ≀ 100 * 1 ≀ ai ≀ 100 * 1 ≀ bi ≀ 100 * 1 ≀ c ≀ 100 The input limitations for getting 100 points are: * 1 ≀ n ≀ 104 * 0 ≀ ai ≀ 109 * 1 ≀ bi ≀ 109 * 1 ≀ c ≀ 109 Due to possible overflow, it is recommended to use the 64-bit arithmetic. In some solutions even the 64-bit arithmetic can overflow. So be careful in calculations! Output Print a single number k β€” the number of ways to choose x so as to travel for exactly c days. If there are infinitely many possible values of x, print -1. Please do not use the %lld specifier to read or write 64-bit integers in Π‘++. It is preferred to use cin, cout streams or the %I64d specifier. Examples Input 2 5 1 5 2 4 Output 1 Note In the first example there is only one suitable value x = 5. Then the Beaver takes 1 suitcase with 5 presents to the first planet. Here he spends 2 days: he hangs around on the first day, and he gives away five presents on the second day. He takes 2 suitcases with 10 presents to the second planet. Here he spends 3 days β€” he gives away 4 presents on the second and the third days and leaves the remaining 2 presents at the hotel. In total, the Beaver spends 5 days traveling. For x = 4 or less the Beaver won't have enough presents for the second day on the first planet, so the voyage will end too soon. For x = 6 and more the Beaver will spend at least one more day on the second planet, and the voyage will take too long. Submitted Solution: ``` n,c=list(map(int,input().split())) d,lis,m=c-n,[],0 def check(x): days=0 for ele in lis: y=(x*ele[0])//ele[1] if(y>d or days>d): return False days+=y if(days==d): return True else: return False for _ in range(n): e,f=list(map(int,input().split())) m=max(m,f//e) lis.append([e,f]) x,low,cnt,mn,mx=m*d,m,0,m*d,0 for i in range(low,x): if check(i): mn=min(mn,i) mx=max(mx,i) print(mx-mn+1) ```
instruction
0
14,431
3
28,862
No
output
1
14,431
3
28,863
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response. The Smart Beaver from ABBYY plans a space travel on an ultramodern spaceship. During the voyage he plans to visit n planets. For planet i ai is the maximum number of suitcases that an alien tourist is allowed to bring to the planet, and bi is the number of citizens on the planet. The Smart Beaver is going to bring some presents from ABBYY to the planets he will be visiting. The presents are packed in suitcases, x presents in each. The Beaver will take to the ship exactly a1 + ... + an suitcases. As the Beaver lands on the i-th planet, he takes ai suitcases and goes out. On the first day on the planet the Beaver takes a walk and gets to know the citizens. On the second and all subsequent days the Beaver gives presents to the citizens β€” each of the bi citizens gets one present per day. The Beaver leaves the planet in the evening of the day when the number of presents left is strictly less than the number of citizens (i.e. as soon as he won't be able to give away the proper number of presents the next day). He leaves the remaining presents at the hotel. The Beaver is going to spend exactly c days traveling. The time spent on flights between the planets is considered to be zero. In how many ways can one choose the positive integer x so that the planned voyage will take exactly c days? Input The first input line contains space-separated integers n and c β€” the number of planets that the Beaver is going to visit and the number of days he is going to spend traveling, correspondingly. The next n lines contain pairs of space-separated integers ai, bi (1 ≀ i ≀ n) β€” the number of suitcases he can bring to the i-th planet and the number of citizens of the i-th planet, correspondingly. The input limitations for getting 30 points are: * 1 ≀ n ≀ 100 * 1 ≀ ai ≀ 100 * 1 ≀ bi ≀ 100 * 1 ≀ c ≀ 100 The input limitations for getting 100 points are: * 1 ≀ n ≀ 104 * 0 ≀ ai ≀ 109 * 1 ≀ bi ≀ 109 * 1 ≀ c ≀ 109 Due to possible overflow, it is recommended to use the 64-bit arithmetic. In some solutions even the 64-bit arithmetic can overflow. So be careful in calculations! Output Print a single number k β€” the number of ways to choose x so as to travel for exactly c days. If there are infinitely many possible values of x, print -1. Please do not use the %lld specifier to read or write 64-bit integers in Π‘++. It is preferred to use cin, cout streams or the %I64d specifier. Examples Input 2 5 1 5 2 4 Output 1 Note In the first example there is only one suitable value x = 5. Then the Beaver takes 1 suitcase with 5 presents to the first planet. Here he spends 2 days: he hangs around on the first day, and he gives away five presents on the second day. He takes 2 suitcases with 10 presents to the second planet. Here he spends 3 days β€” he gives away 4 presents on the second and the third days and leaves the remaining 2 presents at the hotel. In total, the Beaver spends 5 days traveling. For x = 4 or less the Beaver won't have enough presents for the second day on the first planet, so the voyage will end too soon. For x = 6 and more the Beaver will spend at least one more day on the second planet, and the voyage will take too long. Submitted Solution: ``` # ========= /\ /| |====/| # | / \ | | / | # | /____\ | | / | # | / \ | | / | # ========= / \ ===== |/====| # code def main(): n , c = map(int ,input().split()) a = [] for i in range(n): x,y = map(int ,input().split()) a.append((x,y)) def cod(x): s = c - n for i in a: s -= ((i[0] * x) // i[1]) if s < 0: return -1 return 0 if s == 0 else 1 M = 2 * 10**19 l = 0 u = M a1 = -1 while l <= u: m = l + (u - l) // 2 p = cod(m) # print(p , m , l , u) if p <= 0: u = m - 1 a1 = m else: l = m + 1 l = 0 u = M a2 = 0 while l <= u: m = l + (u - l) // 2 p = cod(m) if p == -1: u = m - 1 else: l = m + 1 a2 = m if a2 == M: print(-1) else: if a1 > a2: print(0) else: print(a2 - a1 + 1) return if __name__ == "__main__": main() ```
instruction
0
14,432
3
28,864
No
output
1
14,432
3
28,865
Provide tags and a correct Python 3 solution for this coding contest problem. The Free Meteor Association (FMA) has got a problem: as meteors are moving, the Universal Cosmic Descriptive Humorous Program (UCDHP) needs to add a special module that would analyze this movement. UCDHP stores some secret information about meteors as an n Γ— m table with integers in its cells. The order of meteors in the Universe is changing. That's why the main UCDHP module receives the following queries: * The query to swap two table rows; * The query to swap two table columns; * The query to obtain a secret number in a particular table cell. As the main UCDHP module is critical, writing the functional of working with the table has been commissioned to you. Input The first line contains three space-separated integers n, m and k (1 ≀ n, m ≀ 1000, 1 ≀ k ≀ 500000) β€” the number of table columns and rows and the number of queries, correspondingly. Next n lines contain m space-separated numbers each β€” the initial state of the table. Each number p in the table is an integer and satisfies the inequality 0 ≀ p ≀ 106. Next k lines contain queries in the format "si xi yi", where si is one of the characters "с", "r" or "g", and xi, yi are two integers. * If si = "c", then the current query is the query to swap columns with indexes xi and yi (1 ≀ x, y ≀ m, x β‰  y); * If si = "r", then the current query is the query to swap rows with indexes xi and yi (1 ≀ x, y ≀ n, x β‰  y); * If si = "g", then the current query is the query to obtain the number that located in the xi-th row and in the yi-th column (1 ≀ x ≀ n, 1 ≀ y ≀ m). The table rows are considered to be indexed from top to bottom from 1 to n, and the table columns β€” from left to right from 1 to m. Output For each query to obtain a number (si = "g") print the required number. Print the answers to the queries in the order of the queries in the input. Examples Input 3 3 5 1 2 3 4 5 6 7 8 9 g 3 2 r 3 2 c 2 3 g 2 2 g 3 2 Output 8 9 6 Input 2 3 3 1 2 4 3 1 5 c 2 1 r 1 2 g 1 3 Output 5 Note Let's see how the table changes in the second test case. After the first operation is fulfilled, the table looks like that: 2 1 4 1 3 5 After the second operation is fulfilled, the table looks like that: 1 3 5 2 1 4 So the answer to the third query (the number located in the first row and in the third column) will be 5.
instruction
0
14,449
3
28,898
Tags: data structures, implementation Correct Solution: ``` from sys import stdin, stdout n,m,k = map(int, stdin.readline().split()) g = [stdin.readline().split() for i in range(n)] r = [i for i in range(n+1)] c = [i for i in range(m+1)] ans = [] for i in range(k): t,x,y = stdin.readline().split() x,y = int(x), int(y) if t == 'c': c[x],c[y] = c[y],c[x] elif t == 'r': r[x],r[y] = r[y],r[x] else: ans.append(g[r[x]-1][c[y]-1]) stdout.write('\n'.join(ans)) ```
output
1
14,449
3
28,899
Provide tags and a correct Python 3 solution for this coding contest problem. The Free Meteor Association (FMA) has got a problem: as meteors are moving, the Universal Cosmic Descriptive Humorous Program (UCDHP) needs to add a special module that would analyze this movement. UCDHP stores some secret information about meteors as an n Γ— m table with integers in its cells. The order of meteors in the Universe is changing. That's why the main UCDHP module receives the following queries: * The query to swap two table rows; * The query to swap two table columns; * The query to obtain a secret number in a particular table cell. As the main UCDHP module is critical, writing the functional of working with the table has been commissioned to you. Input The first line contains three space-separated integers n, m and k (1 ≀ n, m ≀ 1000, 1 ≀ k ≀ 500000) β€” the number of table columns and rows and the number of queries, correspondingly. Next n lines contain m space-separated numbers each β€” the initial state of the table. Each number p in the table is an integer and satisfies the inequality 0 ≀ p ≀ 106. Next k lines contain queries in the format "si xi yi", where si is one of the characters "с", "r" or "g", and xi, yi are two integers. * If si = "c", then the current query is the query to swap columns with indexes xi and yi (1 ≀ x, y ≀ m, x β‰  y); * If si = "r", then the current query is the query to swap rows with indexes xi and yi (1 ≀ x, y ≀ n, x β‰  y); * If si = "g", then the current query is the query to obtain the number that located in the xi-th row and in the yi-th column (1 ≀ x ≀ n, 1 ≀ y ≀ m). The table rows are considered to be indexed from top to bottom from 1 to n, and the table columns β€” from left to right from 1 to m. Output For each query to obtain a number (si = "g") print the required number. Print the answers to the queries in the order of the queries in the input. Examples Input 3 3 5 1 2 3 4 5 6 7 8 9 g 3 2 r 3 2 c 2 3 g 2 2 g 3 2 Output 8 9 6 Input 2 3 3 1 2 4 3 1 5 c 2 1 r 1 2 g 1 3 Output 5 Note Let's see how the table changes in the second test case. After the first operation is fulfilled, the table looks like that: 2 1 4 1 3 5 After the second operation is fulfilled, the table looks like that: 1 3 5 2 1 4 So the answer to the third query (the number located in the first row and in the third column) will be 5.
instruction
0
14,450
3
28,900
Tags: data structures, implementation Correct Solution: ``` n,m,k=map(int,input().split()) a=[input().split() for _ in ' '*n] r={str(i):i-1 for i in range(1,n+1)} c={str(i):i-1 for i in range(1,m+1)} ans=[] for _ in range(k): ch,x,y=input().split() if ch=='c': c[x],c[y]=c[y],c[x] elif ch=='r': r[x], r[y] = r[y], r[x] else: ans.append(a[r[x]][c[y]]) print('\n'.join(ans)) ```
output
1
14,450
3
28,901
Provide tags and a correct Python 3 solution for this coding contest problem. The Free Meteor Association (FMA) has got a problem: as meteors are moving, the Universal Cosmic Descriptive Humorous Program (UCDHP) needs to add a special module that would analyze this movement. UCDHP stores some secret information about meteors as an n Γ— m table with integers in its cells. The order of meteors in the Universe is changing. That's why the main UCDHP module receives the following queries: * The query to swap two table rows; * The query to swap two table columns; * The query to obtain a secret number in a particular table cell. As the main UCDHP module is critical, writing the functional of working with the table has been commissioned to you. Input The first line contains three space-separated integers n, m and k (1 ≀ n, m ≀ 1000, 1 ≀ k ≀ 500000) β€” the number of table columns and rows and the number of queries, correspondingly. Next n lines contain m space-separated numbers each β€” the initial state of the table. Each number p in the table is an integer and satisfies the inequality 0 ≀ p ≀ 106. Next k lines contain queries in the format "si xi yi", where si is one of the characters "с", "r" or "g", and xi, yi are two integers. * If si = "c", then the current query is the query to swap columns with indexes xi and yi (1 ≀ x, y ≀ m, x β‰  y); * If si = "r", then the current query is the query to swap rows with indexes xi and yi (1 ≀ x, y ≀ n, x β‰  y); * If si = "g", then the current query is the query to obtain the number that located in the xi-th row and in the yi-th column (1 ≀ x ≀ n, 1 ≀ y ≀ m). The table rows are considered to be indexed from top to bottom from 1 to n, and the table columns β€” from left to right from 1 to m. Output For each query to obtain a number (si = "g") print the required number. Print the answers to the queries in the order of the queries in the input. Examples Input 3 3 5 1 2 3 4 5 6 7 8 9 g 3 2 r 3 2 c 2 3 g 2 2 g 3 2 Output 8 9 6 Input 2 3 3 1 2 4 3 1 5 c 2 1 r 1 2 g 1 3 Output 5 Note Let's see how the table changes in the second test case. After the first operation is fulfilled, the table looks like that: 2 1 4 1 3 5 After the second operation is fulfilled, the table looks like that: 1 3 5 2 1 4 So the answer to the third query (the number located in the first row and in the third column) will be 5.
instruction
0
14,451
3
28,902
Tags: data structures, implementation Correct Solution: ``` n, m, k = map(int, input().split()) R = {str(i): i - 1 for i in range(n+1)} C = {str(i): i - 1 for i in range(m+1)} ans = [] l = [input().split() for i in range(n)] for i in range(k): q, x, y = input().split() if q == 'c': C[x], C[y] = C[y], C[x] elif q == 'r': R[x], R[y] = R[y], R[x] else: ans.append(l[R[x]][C[y]]) print('\n'.join(ans)) ```
output
1
14,451
3
28,903
Provide tags and a correct Python 3 solution for this coding contest problem. The Free Meteor Association (FMA) has got a problem: as meteors are moving, the Universal Cosmic Descriptive Humorous Program (UCDHP) needs to add a special module that would analyze this movement. UCDHP stores some secret information about meteors as an n Γ— m table with integers in its cells. The order of meteors in the Universe is changing. That's why the main UCDHP module receives the following queries: * The query to swap two table rows; * The query to swap two table columns; * The query to obtain a secret number in a particular table cell. As the main UCDHP module is critical, writing the functional of working with the table has been commissioned to you. Input The first line contains three space-separated integers n, m and k (1 ≀ n, m ≀ 1000, 1 ≀ k ≀ 500000) β€” the number of table columns and rows and the number of queries, correspondingly. Next n lines contain m space-separated numbers each β€” the initial state of the table. Each number p in the table is an integer and satisfies the inequality 0 ≀ p ≀ 106. Next k lines contain queries in the format "si xi yi", where si is one of the characters "с", "r" or "g", and xi, yi are two integers. * If si = "c", then the current query is the query to swap columns with indexes xi and yi (1 ≀ x, y ≀ m, x β‰  y); * If si = "r", then the current query is the query to swap rows with indexes xi and yi (1 ≀ x, y ≀ n, x β‰  y); * If si = "g", then the current query is the query to obtain the number that located in the xi-th row and in the yi-th column (1 ≀ x ≀ n, 1 ≀ y ≀ m). The table rows are considered to be indexed from top to bottom from 1 to n, and the table columns β€” from left to right from 1 to m. Output For each query to obtain a number (si = "g") print the required number. Print the answers to the queries in the order of the queries in the input. Examples Input 3 3 5 1 2 3 4 5 6 7 8 9 g 3 2 r 3 2 c 2 3 g 2 2 g 3 2 Output 8 9 6 Input 2 3 3 1 2 4 3 1 5 c 2 1 r 1 2 g 1 3 Output 5 Note Let's see how the table changes in the second test case. After the first operation is fulfilled, the table looks like that: 2 1 4 1 3 5 After the second operation is fulfilled, the table looks like that: 1 3 5 2 1 4 So the answer to the third query (the number located in the first row and in the third column) will be 5.
instruction
0
14,452
3
28,904
Tags: data structures, implementation Correct Solution: ``` import os import sys from io import BytesIO, IOBase 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") #n=int(input()) #arr = list(map(int, input().split())) n,m,k= map(int, input().split()) g=[] for i in range(n): l=list(map(int, input().split())) g.append(l) r=[i for i in range(1001)] cc=[i for i in range(1001)] for i in range(k): ch,x,y=input().split() x=int(x) y=int(y) if ch=="g": #v1=x if r[x]==0 else r[x] v1=r[x] v2=cc[y] #v2=y if cc[y]==0 else cc[y] print(g[v1-1][v2-1]) elif ch=="c": temp=cc[x] cc[x]=cc[y] cc[y]=temp else: temp=r[x] r[x]=r[y] r[y]=temp ```
output
1
14,452
3
28,905
Provide tags and a correct Python 3 solution for this coding contest problem. The Free Meteor Association (FMA) has got a problem: as meteors are moving, the Universal Cosmic Descriptive Humorous Program (UCDHP) needs to add a special module that would analyze this movement. UCDHP stores some secret information about meteors as an n Γ— m table with integers in its cells. The order of meteors in the Universe is changing. That's why the main UCDHP module receives the following queries: * The query to swap two table rows; * The query to swap two table columns; * The query to obtain a secret number in a particular table cell. As the main UCDHP module is critical, writing the functional of working with the table has been commissioned to you. Input The first line contains three space-separated integers n, m and k (1 ≀ n, m ≀ 1000, 1 ≀ k ≀ 500000) β€” the number of table columns and rows and the number of queries, correspondingly. Next n lines contain m space-separated numbers each β€” the initial state of the table. Each number p in the table is an integer and satisfies the inequality 0 ≀ p ≀ 106. Next k lines contain queries in the format "si xi yi", where si is one of the characters "с", "r" or "g", and xi, yi are two integers. * If si = "c", then the current query is the query to swap columns with indexes xi and yi (1 ≀ x, y ≀ m, x β‰  y); * If si = "r", then the current query is the query to swap rows with indexes xi and yi (1 ≀ x, y ≀ n, x β‰  y); * If si = "g", then the current query is the query to obtain the number that located in the xi-th row and in the yi-th column (1 ≀ x ≀ n, 1 ≀ y ≀ m). The table rows are considered to be indexed from top to bottom from 1 to n, and the table columns β€” from left to right from 1 to m. Output For each query to obtain a number (si = "g") print the required number. Print the answers to the queries in the order of the queries in the input. Examples Input 3 3 5 1 2 3 4 5 6 7 8 9 g 3 2 r 3 2 c 2 3 g 2 2 g 3 2 Output 8 9 6 Input 2 3 3 1 2 4 3 1 5 c 2 1 r 1 2 g 1 3 Output 5 Note Let's see how the table changes in the second test case. After the first operation is fulfilled, the table looks like that: 2 1 4 1 3 5 After the second operation is fulfilled, the table looks like that: 1 3 5 2 1 4 So the answer to the third query (the number located in the first row and in the third column) will be 5.
instruction
0
14,453
3
28,906
Tags: data structures, implementation Correct Solution: ``` from sys import stdout, stdin, setrecursionlimit from io import BytesIO, IOBase from collections import * from itertools import * # from random import * from bisect import * from string import * from queue import * from heapq import * from math import * from re import * from os import * ####################################---fast-input-output----######################################### 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 = read(self._fd, max(fstat(self._fd).st_size, 8192)) 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 = read(self._fd, max(fstat(self._fd).st_size, 8192)) 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: 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") stdin, stdout = IOWrapper(stdin), IOWrapper(stdout) graph, mod, szzz = {}, 10**9 + 7, lambda: sorted(zzz()) def getStr(): return input() def getInt(): return int(input()) def listStr(): return list(input()) def getStrs(): return input().split() def isInt(s): return '0' <= s[0] <= '9' def input(): return stdin.readline().strip() def zzz(): return [int(i) for i in input().split()] def output(answer, end='\n'): stdout.write(str(answer) + end) def lcd(xnum1, xnum2): return (xnum1 * xnum2 // gcd(xnum1, xnum2)) dx = [-1, 1, 0, 0, 1, -1, 1, -1] dy = [0, 0, 1, -1, 1, -1, -1, 1] daysInMounth = [31, 28, 31, 30, 31, 30, 31, 31, 30, 31, 30, 31] #################################################---Some Rule For Me To Follow---################################# """ --instants of Reading problem continuously try to understand them. --If you Know some-one , Then you probably don't know him ! --Try & again try, maybe you're just one statement away! """ ##################################################---START-CODING---############################################### n,m,k=zzz() g=[] for i in range(n):g.append(zzz()) r,c=list(range(n+9)),list(range(m+9)) for i in range(k): s,x,y=input().split() x,y=int(x),int(y) if s=='g':p,q=r[x],c[y];output(g[p-1][q-1]) elif s=='r':r[x],r[y]=r[y],r[x] else:c[x],c[y]=c[y],c[x] ```
output
1
14,453
3
28,907
Provide tags and a correct Python 3 solution for this coding contest problem. The Free Meteor Association (FMA) has got a problem: as meteors are moving, the Universal Cosmic Descriptive Humorous Program (UCDHP) needs to add a special module that would analyze this movement. UCDHP stores some secret information about meteors as an n Γ— m table with integers in its cells. The order of meteors in the Universe is changing. That's why the main UCDHP module receives the following queries: * The query to swap two table rows; * The query to swap two table columns; * The query to obtain a secret number in a particular table cell. As the main UCDHP module is critical, writing the functional of working with the table has been commissioned to you. Input The first line contains three space-separated integers n, m and k (1 ≀ n, m ≀ 1000, 1 ≀ k ≀ 500000) β€” the number of table columns and rows and the number of queries, correspondingly. Next n lines contain m space-separated numbers each β€” the initial state of the table. Each number p in the table is an integer and satisfies the inequality 0 ≀ p ≀ 106. Next k lines contain queries in the format "si xi yi", where si is one of the characters "с", "r" or "g", and xi, yi are two integers. * If si = "c", then the current query is the query to swap columns with indexes xi and yi (1 ≀ x, y ≀ m, x β‰  y); * If si = "r", then the current query is the query to swap rows with indexes xi and yi (1 ≀ x, y ≀ n, x β‰  y); * If si = "g", then the current query is the query to obtain the number that located in the xi-th row and in the yi-th column (1 ≀ x ≀ n, 1 ≀ y ≀ m). The table rows are considered to be indexed from top to bottom from 1 to n, and the table columns β€” from left to right from 1 to m. Output For each query to obtain a number (si = "g") print the required number. Print the answers to the queries in the order of the queries in the input. Examples Input 3 3 5 1 2 3 4 5 6 7 8 9 g 3 2 r 3 2 c 2 3 g 2 2 g 3 2 Output 8 9 6 Input 2 3 3 1 2 4 3 1 5 c 2 1 r 1 2 g 1 3 Output 5 Note Let's see how the table changes in the second test case. After the first operation is fulfilled, the table looks like that: 2 1 4 1 3 5 After the second operation is fulfilled, the table looks like that: 1 3 5 2 1 4 So the answer to the third query (the number located in the first row and in the third column) will be 5.
instruction
0
14,454
3
28,908
Tags: data structures, implementation Correct Solution: ``` n,m,k=list(map(int,input().split())) matrix=[input().split() for i in range(n)] row=[i for i in range(n)] col=[i for i in range(m)] ans=[] for i in range(k): s,x,y=input().split() x,y=int(x)-1,int(y)-1 if s=="c": col[x],col[y]=col[y],col[x] elif s=="r": row[x],row[y]=row[y],row[x] else: ans.append(matrix[row[x]][col[y]]) print("\n".join(ans)) ```
output
1
14,454
3
28,909
Provide tags and a correct Python 3 solution for this coding contest problem. The Free Meteor Association (FMA) has got a problem: as meteors are moving, the Universal Cosmic Descriptive Humorous Program (UCDHP) needs to add a special module that would analyze this movement. UCDHP stores some secret information about meteors as an n Γ— m table with integers in its cells. The order of meteors in the Universe is changing. That's why the main UCDHP module receives the following queries: * The query to swap two table rows; * The query to swap two table columns; * The query to obtain a secret number in a particular table cell. As the main UCDHP module is critical, writing the functional of working with the table has been commissioned to you. Input The first line contains three space-separated integers n, m and k (1 ≀ n, m ≀ 1000, 1 ≀ k ≀ 500000) β€” the number of table columns and rows and the number of queries, correspondingly. Next n lines contain m space-separated numbers each β€” the initial state of the table. Each number p in the table is an integer and satisfies the inequality 0 ≀ p ≀ 106. Next k lines contain queries in the format "si xi yi", where si is one of the characters "с", "r" or "g", and xi, yi are two integers. * If si = "c", then the current query is the query to swap columns with indexes xi and yi (1 ≀ x, y ≀ m, x β‰  y); * If si = "r", then the current query is the query to swap rows with indexes xi and yi (1 ≀ x, y ≀ n, x β‰  y); * If si = "g", then the current query is the query to obtain the number that located in the xi-th row and in the yi-th column (1 ≀ x ≀ n, 1 ≀ y ≀ m). The table rows are considered to be indexed from top to bottom from 1 to n, and the table columns β€” from left to right from 1 to m. Output For each query to obtain a number (si = "g") print the required number. Print the answers to the queries in the order of the queries in the input. Examples Input 3 3 5 1 2 3 4 5 6 7 8 9 g 3 2 r 3 2 c 2 3 g 2 2 g 3 2 Output 8 9 6 Input 2 3 3 1 2 4 3 1 5 c 2 1 r 1 2 g 1 3 Output 5 Note Let's see how the table changes in the second test case. After the first operation is fulfilled, the table looks like that: 2 1 4 1 3 5 After the second operation is fulfilled, the table looks like that: 1 3 5 2 1 4 So the answer to the third query (the number located in the first row and in the third column) will be 5.
instruction
0
14,455
3
28,910
Tags: data structures, implementation Correct Solution: ``` import sys input = sys.stdin.readline n ,m ,k = map(int ,input().split()) row ,col ,Data,ans = [], [],[],[] for i in range(n): row.append(i) a = list(input().split()) Data.append(a) for i in range(m): col.append(i) for _ in range(k): s ,x ,y = input().split() x , y = int(x)-1 ,int(y)-1 if s == 'g': ans.append(Data[row[x]][col[y]]) elif s == 'r': tmp = row[x] row[x] = row[y] row[y] = tmp elif s == 'c' : tmp = col[x] col[x] = col[y] col[y] = tmp print('\n'.join(ans)) ```
output
1
14,455
3
28,911
Provide tags and a correct Python 3 solution for this coding contest problem. The Free Meteor Association (FMA) has got a problem: as meteors are moving, the Universal Cosmic Descriptive Humorous Program (UCDHP) needs to add a special module that would analyze this movement. UCDHP stores some secret information about meteors as an n Γ— m table with integers in its cells. The order of meteors in the Universe is changing. That's why the main UCDHP module receives the following queries: * The query to swap two table rows; * The query to swap two table columns; * The query to obtain a secret number in a particular table cell. As the main UCDHP module is critical, writing the functional of working with the table has been commissioned to you. Input The first line contains three space-separated integers n, m and k (1 ≀ n, m ≀ 1000, 1 ≀ k ≀ 500000) β€” the number of table columns and rows and the number of queries, correspondingly. Next n lines contain m space-separated numbers each β€” the initial state of the table. Each number p in the table is an integer and satisfies the inequality 0 ≀ p ≀ 106. Next k lines contain queries in the format "si xi yi", where si is one of the characters "с", "r" or "g", and xi, yi are two integers. * If si = "c", then the current query is the query to swap columns with indexes xi and yi (1 ≀ x, y ≀ m, x β‰  y); * If si = "r", then the current query is the query to swap rows with indexes xi and yi (1 ≀ x, y ≀ n, x β‰  y); * If si = "g", then the current query is the query to obtain the number that located in the xi-th row and in the yi-th column (1 ≀ x ≀ n, 1 ≀ y ≀ m). The table rows are considered to be indexed from top to bottom from 1 to n, and the table columns β€” from left to right from 1 to m. Output For each query to obtain a number (si = "g") print the required number. Print the answers to the queries in the order of the queries in the input. Examples Input 3 3 5 1 2 3 4 5 6 7 8 9 g 3 2 r 3 2 c 2 3 g 2 2 g 3 2 Output 8 9 6 Input 2 3 3 1 2 4 3 1 5 c 2 1 r 1 2 g 1 3 Output 5 Note Let's see how the table changes in the second test case. After the first operation is fulfilled, the table looks like that: 2 1 4 1 3 5 After the second operation is fulfilled, the table looks like that: 1 3 5 2 1 4 So the answer to the third query (the number located in the first row and in the third column) will be 5.
instruction
0
14,456
3
28,912
Tags: data structures, implementation Correct Solution: ``` z=input().split() n=int(z[0]) m=int(z[1]) k=int(z[2]) m_chis=[] m_chis=[input().split() for i in range(n)] row=[i for i in range(n)] col=[i for i in range(m)] otvet=[] for i in range(k): v=input().split() x=int(v[1])-1 y=int(v[2])-1 if v[0]=='c': col[x],col[y]=col[y],col[x] elif v[0]=='r': row[x],row[y]=row[y],row[x] elif v[0]=='g': otvet.append(m_chis[row[x]][col[y]]) #print(m_chis[row[x]][col[y]]) print("\n".join(otvet)) ```
output
1
14,456
3
28,913
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response. The Free Meteor Association (FMA) has got a problem: as meteors are moving, the Universal Cosmic Descriptive Humorous Program (UCDHP) needs to add a special module that would analyze this movement. UCDHP stores some secret information about meteors as an n Γ— m table with integers in its cells. The order of meteors in the Universe is changing. That's why the main UCDHP module receives the following queries: * The query to swap two table rows; * The query to swap two table columns; * The query to obtain a secret number in a particular table cell. As the main UCDHP module is critical, writing the functional of working with the table has been commissioned to you. Input The first line contains three space-separated integers n, m and k (1 ≀ n, m ≀ 1000, 1 ≀ k ≀ 500000) β€” the number of table columns and rows and the number of queries, correspondingly. Next n lines contain m space-separated numbers each β€” the initial state of the table. Each number p in the table is an integer and satisfies the inequality 0 ≀ p ≀ 106. Next k lines contain queries in the format "si xi yi", where si is one of the characters "с", "r" or "g", and xi, yi are two integers. * If si = "c", then the current query is the query to swap columns with indexes xi and yi (1 ≀ x, y ≀ m, x β‰  y); * If si = "r", then the current query is the query to swap rows with indexes xi and yi (1 ≀ x, y ≀ n, x β‰  y); * If si = "g", then the current query is the query to obtain the number that located in the xi-th row and in the yi-th column (1 ≀ x ≀ n, 1 ≀ y ≀ m). The table rows are considered to be indexed from top to bottom from 1 to n, and the table columns β€” from left to right from 1 to m. Output For each query to obtain a number (si = "g") print the required number. Print the answers to the queries in the order of the queries in the input. Examples Input 3 3 5 1 2 3 4 5 6 7 8 9 g 3 2 r 3 2 c 2 3 g 2 2 g 3 2 Output 8 9 6 Input 2 3 3 1 2 4 3 1 5 c 2 1 r 1 2 g 1 3 Output 5 Note Let's see how the table changes in the second test case. After the first operation is fulfilled, the table looks like that: 2 1 4 1 3 5 After the second operation is fulfilled, the table looks like that: 1 3 5 2 1 4 So the answer to the third query (the number located in the first row and in the third column) will be 5. Submitted Solution: ``` # Author : nitish420 -------------------------------------------------------------------- import os import sys from io import BytesIO, IOBase # mod=10**9+7 # sys.setrecursionlimit(10**6) # mxm=sys.maxsize # from functools import lru_cache def main(): n,m,k=map(int,input().split()) arr=[] for _ in range(n): arr.append(list(map(int,input().split()))) r=dict() c=dict() for i in range(n): r[i]=i for i in range(m): c[i]=i for _ in range(k): s,x,y=input().split() x=int(x)-1 y=int(y)-1 if s=='c': c[x],c[y]=c[y],c[x] elif s=='r': r[x],r[y]=r[y],r[x] else: print(arr[r[x]][c[y]]) # 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
14,457
3
28,914
Yes
output
1
14,457
3
28,915
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response. The Free Meteor Association (FMA) has got a problem: as meteors are moving, the Universal Cosmic Descriptive Humorous Program (UCDHP) needs to add a special module that would analyze this movement. UCDHP stores some secret information about meteors as an n Γ— m table with integers in its cells. The order of meteors in the Universe is changing. That's why the main UCDHP module receives the following queries: * The query to swap two table rows; * The query to swap two table columns; * The query to obtain a secret number in a particular table cell. As the main UCDHP module is critical, writing the functional of working with the table has been commissioned to you. Input The first line contains three space-separated integers n, m and k (1 ≀ n, m ≀ 1000, 1 ≀ k ≀ 500000) β€” the number of table columns and rows and the number of queries, correspondingly. Next n lines contain m space-separated numbers each β€” the initial state of the table. Each number p in the table is an integer and satisfies the inequality 0 ≀ p ≀ 106. Next k lines contain queries in the format "si xi yi", where si is one of the characters "с", "r" or "g", and xi, yi are two integers. * If si = "c", then the current query is the query to swap columns with indexes xi and yi (1 ≀ x, y ≀ m, x β‰  y); * If si = "r", then the current query is the query to swap rows with indexes xi and yi (1 ≀ x, y ≀ n, x β‰  y); * If si = "g", then the current query is the query to obtain the number that located in the xi-th row and in the yi-th column (1 ≀ x ≀ n, 1 ≀ y ≀ m). The table rows are considered to be indexed from top to bottom from 1 to n, and the table columns β€” from left to right from 1 to m. Output For each query to obtain a number (si = "g") print the required number. Print the answers to the queries in the order of the queries in the input. Examples Input 3 3 5 1 2 3 4 5 6 7 8 9 g 3 2 r 3 2 c 2 3 g 2 2 g 3 2 Output 8 9 6 Input 2 3 3 1 2 4 3 1 5 c 2 1 r 1 2 g 1 3 Output 5 Note Let's see how the table changes in the second test case. After the first operation is fulfilled, the table looks like that: 2 1 4 1 3 5 After the second operation is fulfilled, the table looks like that: 1 3 5 2 1 4 So the answer to the third query (the number located in the first row and in the third column) will be 5. Submitted Solution: ``` n, m, k = map(int, input().split()) t = [input().split() for i in range(n)] c = {str(i): i - 1 for i in range(m + 1)} r = {str(i): i - 1 for i in range(n + 1)} ans = [] for i in range(k): s, x, y = input().split() if s == 'c': c[x], c[y] = c[y], c[x] elif s == 'r': r[x], r[y] = r[y], r[x] else: ans.append(t[r[x]][c[y]]) print('\n'.join(ans)) ```
instruction
0
14,458
3
28,916
Yes
output
1
14,458
3
28,917
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response. The Free Meteor Association (FMA) has got a problem: as meteors are moving, the Universal Cosmic Descriptive Humorous Program (UCDHP) needs to add a special module that would analyze this movement. UCDHP stores some secret information about meteors as an n Γ— m table with integers in its cells. The order of meteors in the Universe is changing. That's why the main UCDHP module receives the following queries: * The query to swap two table rows; * The query to swap two table columns; * The query to obtain a secret number in a particular table cell. As the main UCDHP module is critical, writing the functional of working with the table has been commissioned to you. Input The first line contains three space-separated integers n, m and k (1 ≀ n, m ≀ 1000, 1 ≀ k ≀ 500000) β€” the number of table columns and rows and the number of queries, correspondingly. Next n lines contain m space-separated numbers each β€” the initial state of the table. Each number p in the table is an integer and satisfies the inequality 0 ≀ p ≀ 106. Next k lines contain queries in the format "si xi yi", where si is one of the characters "с", "r" or "g", and xi, yi are two integers. * If si = "c", then the current query is the query to swap columns with indexes xi and yi (1 ≀ x, y ≀ m, x β‰  y); * If si = "r", then the current query is the query to swap rows with indexes xi and yi (1 ≀ x, y ≀ n, x β‰  y); * If si = "g", then the current query is the query to obtain the number that located in the xi-th row and in the yi-th column (1 ≀ x ≀ n, 1 ≀ y ≀ m). The table rows are considered to be indexed from top to bottom from 1 to n, and the table columns β€” from left to right from 1 to m. Output For each query to obtain a number (si = "g") print the required number. Print the answers to the queries in the order of the queries in the input. Examples Input 3 3 5 1 2 3 4 5 6 7 8 9 g 3 2 r 3 2 c 2 3 g 2 2 g 3 2 Output 8 9 6 Input 2 3 3 1 2 4 3 1 5 c 2 1 r 1 2 g 1 3 Output 5 Note Let's see how the table changes in the second test case. After the first operation is fulfilled, the table looks like that: 2 1 4 1 3 5 After the second operation is fulfilled, the table looks like that: 1 3 5 2 1 4 So the answer to the third query (the number located in the first row and in the third column) will be 5. Submitted Solution: ``` X = list(map(int, input().split())) Row, Column = {str(i):i-1 for i in range(1, X[0]+1)}, {str(i):i-1 for i in range(1,X[1]+1)} Ans = [] Cosmic = [input().split() for i in range(X[0])] for _ in range(X[-1]): Temp = input().split() if Temp[0] == "c": Column[Temp[1]], Column[Temp[2]] = Column[Temp[2]], Column[Temp[1]] elif Temp[0] == "r": Row[Temp[1]], Row[Temp[2]] = Row[Temp[2]], Row[Temp[1]] else: Ans.append(Cosmic[Row[Temp[1]]][Column[Temp[2]]]) print('\n'.join(Ans)) # Hope the best for Ravens member ```
instruction
0
14,459
3
28,918
Yes
output
1
14,459
3
28,919
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response. The Free Meteor Association (FMA) has got a problem: as meteors are moving, the Universal Cosmic Descriptive Humorous Program (UCDHP) needs to add a special module that would analyze this movement. UCDHP stores some secret information about meteors as an n Γ— m table with integers in its cells. The order of meteors in the Universe is changing. That's why the main UCDHP module receives the following queries: * The query to swap two table rows; * The query to swap two table columns; * The query to obtain a secret number in a particular table cell. As the main UCDHP module is critical, writing the functional of working with the table has been commissioned to you. Input The first line contains three space-separated integers n, m and k (1 ≀ n, m ≀ 1000, 1 ≀ k ≀ 500000) β€” the number of table columns and rows and the number of queries, correspondingly. Next n lines contain m space-separated numbers each β€” the initial state of the table. Each number p in the table is an integer and satisfies the inequality 0 ≀ p ≀ 106. Next k lines contain queries in the format "si xi yi", where si is one of the characters "с", "r" or "g", and xi, yi are two integers. * If si = "c", then the current query is the query to swap columns with indexes xi and yi (1 ≀ x, y ≀ m, x β‰  y); * If si = "r", then the current query is the query to swap rows with indexes xi and yi (1 ≀ x, y ≀ n, x β‰  y); * If si = "g", then the current query is the query to obtain the number that located in the xi-th row and in the yi-th column (1 ≀ x ≀ n, 1 ≀ y ≀ m). The table rows are considered to be indexed from top to bottom from 1 to n, and the table columns β€” from left to right from 1 to m. Output For each query to obtain a number (si = "g") print the required number. Print the answers to the queries in the order of the queries in the input. Examples Input 3 3 5 1 2 3 4 5 6 7 8 9 g 3 2 r 3 2 c 2 3 g 2 2 g 3 2 Output 8 9 6 Input 2 3 3 1 2 4 3 1 5 c 2 1 r 1 2 g 1 3 Output 5 Note Let's see how the table changes in the second test case. After the first operation is fulfilled, the table looks like that: 2 1 4 1 3 5 After the second operation is fulfilled, the table looks like that: 1 3 5 2 1 4 So the answer to the third query (the number located in the first row and in the third column) will be 5. Submitted Solution: ``` n,m,k=list(map(int,input().split())) matrix=[input().split() for i in range(n)] row=[j for j in range(n)] col=[j for j in range(m)] ans=[] for i in range(k): s,x,y=input().split() x=int(x)-1 y=int(y)-1 if s=="c": col[x],col[y]=col[y],col[x] elif s=="r": row[x],row[y]=row[y],row[x] else: ans.append(matrix[row[x]][col[y]]) print("\n".join(ans)) ```
instruction
0
14,460
3
28,920
Yes
output
1
14,460
3
28,921
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response. The Free Meteor Association (FMA) has got a problem: as meteors are moving, the Universal Cosmic Descriptive Humorous Program (UCDHP) needs to add a special module that would analyze this movement. UCDHP stores some secret information about meteors as an n Γ— m table with integers in its cells. The order of meteors in the Universe is changing. That's why the main UCDHP module receives the following queries: * The query to swap two table rows; * The query to swap two table columns; * The query to obtain a secret number in a particular table cell. As the main UCDHP module is critical, writing the functional of working with the table has been commissioned to you. Input The first line contains three space-separated integers n, m and k (1 ≀ n, m ≀ 1000, 1 ≀ k ≀ 500000) β€” the number of table columns and rows and the number of queries, correspondingly. Next n lines contain m space-separated numbers each β€” the initial state of the table. Each number p in the table is an integer and satisfies the inequality 0 ≀ p ≀ 106. Next k lines contain queries in the format "si xi yi", where si is one of the characters "с", "r" or "g", and xi, yi are two integers. * If si = "c", then the current query is the query to swap columns with indexes xi and yi (1 ≀ x, y ≀ m, x β‰  y); * If si = "r", then the current query is the query to swap rows with indexes xi and yi (1 ≀ x, y ≀ n, x β‰  y); * If si = "g", then the current query is the query to obtain the number that located in the xi-th row and in the yi-th column (1 ≀ x ≀ n, 1 ≀ y ≀ m). The table rows are considered to be indexed from top to bottom from 1 to n, and the table columns β€” from left to right from 1 to m. Output For each query to obtain a number (si = "g") print the required number. Print the answers to the queries in the order of the queries in the input. Examples Input 3 3 5 1 2 3 4 5 6 7 8 9 g 3 2 r 3 2 c 2 3 g 2 2 g 3 2 Output 8 9 6 Input 2 3 3 1 2 4 3 1 5 c 2 1 r 1 2 g 1 3 Output 5 Note Let's see how the table changes in the second test case. After the first operation is fulfilled, the table looks like that: 2 1 4 1 3 5 After the second operation is fulfilled, the table looks like that: 1 3 5 2 1 4 So the answer to the third query (the number located in the first row and in the third column) will be 5. Submitted Solution: ``` def cosmicTables(n,m,k,li1,li2): for i in range(k): if li2[i][0] == 'c': for j in range(n): li1[j][int(li2[i][1])-1],li1[j][int(li2[i][2])-1] = li1[j][int(li2[i][2])-1],li1[j][int(li2[i][1])-1] # print(li2) elif li2[i][0] == "r": for j in range(m): li1[int(li2[i][1])-1][j],li1[int(li2[i][2])-1][j] =li1[int(li2[i][2])-1][j],li1[int(li2[i][1])-1][j] # print(li1) elif li2[i][0] == "g": print(li1[int(li2[i][1])-1][int(li2[i][2])-1]) n,m,k = input().split() li1=[] for i in range(int(n)): a=[x for x in input().split()] li1.append(a) print(li1) li2=[] for i in range(int(k)): a=[x for x in input().split()] li2.append(a) print(li2) cosmicTables(int(n),int(m),int(k),li1,li2) ```
instruction
0
14,461
3
28,922
No
output
1
14,461
3
28,923
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response. The Free Meteor Association (FMA) has got a problem: as meteors are moving, the Universal Cosmic Descriptive Humorous Program (UCDHP) needs to add a special module that would analyze this movement. UCDHP stores some secret information about meteors as an n Γ— m table with integers in its cells. The order of meteors in the Universe is changing. That's why the main UCDHP module receives the following queries: * The query to swap two table rows; * The query to swap two table columns; * The query to obtain a secret number in a particular table cell. As the main UCDHP module is critical, writing the functional of working with the table has been commissioned to you. Input The first line contains three space-separated integers n, m and k (1 ≀ n, m ≀ 1000, 1 ≀ k ≀ 500000) β€” the number of table columns and rows and the number of queries, correspondingly. Next n lines contain m space-separated numbers each β€” the initial state of the table. Each number p in the table is an integer and satisfies the inequality 0 ≀ p ≀ 106. Next k lines contain queries in the format "si xi yi", where si is one of the characters "с", "r" or "g", and xi, yi are two integers. * If si = "c", then the current query is the query to swap columns with indexes xi and yi (1 ≀ x, y ≀ m, x β‰  y); * If si = "r", then the current query is the query to swap rows with indexes xi and yi (1 ≀ x, y ≀ n, x β‰  y); * If si = "g", then the current query is the query to obtain the number that located in the xi-th row and in the yi-th column (1 ≀ x ≀ n, 1 ≀ y ≀ m). The table rows are considered to be indexed from top to bottom from 1 to n, and the table columns β€” from left to right from 1 to m. Output For each query to obtain a number (si = "g") print the required number. Print the answers to the queries in the order of the queries in the input. Examples Input 3 3 5 1 2 3 4 5 6 7 8 9 g 3 2 r 3 2 c 2 3 g 2 2 g 3 2 Output 8 9 6 Input 2 3 3 1 2 4 3 1 5 c 2 1 r 1 2 g 1 3 Output 5 Note Let's see how the table changes in the second test case. After the first operation is fulfilled, the table looks like that: 2 1 4 1 3 5 After the second operation is fulfilled, the table looks like that: 1 3 5 2 1 4 So the answer to the third query (the number located in the first row and in the third column) will be 5. Submitted Solution: ``` z=input().split() n=int(z[0]) m=int(z[1]) k=int(z[2]) m_chis=[] m_zap=[] for i in range(n): v=input().split() for j in range(m): v[j]=int(v[j]) m_chis.append(v) for i in range(k): v=input().split() v[1]=int(v[1]) v[2]=int(v[2]) m_zap.append(v) print(m_chis) for i in range(k): if m_zap[i][0]=='c': for j in range(n): tmp=m_chis[j][m_zap[i][1]-1]#a m_chis[j][m_zap[i][1]-1]=m_chis[j][m_zap[i][2]-1]#b m_chis[j][m_zap[i][2]-1]=tmp '''m_chis[j][m_zap[i][1]-1],m_chis[j][m_zap[i][2]-1]=m_chis[j][m_zap[i][2]-1],m_chis[j][m_zap[i][1]-1]''' elif m_zap[i][0]=='r': m_chis[m_zap[i][1]-1],m_chis[m_zap[i][2]-1]=m_chis[m_zap[i][2]-1],m_chis[m_zap[i][1]-1] elif m_zap[i][0]=='g': print(m_chis[m_zap[i][1]-1][m_zap[i][2]-1]) #print(m_chis) ```
instruction
0
14,462
3
28,924
No
output
1
14,462
3
28,925
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response. The Free Meteor Association (FMA) has got a problem: as meteors are moving, the Universal Cosmic Descriptive Humorous Program (UCDHP) needs to add a special module that would analyze this movement. UCDHP stores some secret information about meteors as an n Γ— m table with integers in its cells. The order of meteors in the Universe is changing. That's why the main UCDHP module receives the following queries: * The query to swap two table rows; * The query to swap two table columns; * The query to obtain a secret number in a particular table cell. As the main UCDHP module is critical, writing the functional of working with the table has been commissioned to you. Input The first line contains three space-separated integers n, m and k (1 ≀ n, m ≀ 1000, 1 ≀ k ≀ 500000) β€” the number of table columns and rows and the number of queries, correspondingly. Next n lines contain m space-separated numbers each β€” the initial state of the table. Each number p in the table is an integer and satisfies the inequality 0 ≀ p ≀ 106. Next k lines contain queries in the format "si xi yi", where si is one of the characters "с", "r" or "g", and xi, yi are two integers. * If si = "c", then the current query is the query to swap columns with indexes xi and yi (1 ≀ x, y ≀ m, x β‰  y); * If si = "r", then the current query is the query to swap rows with indexes xi and yi (1 ≀ x, y ≀ n, x β‰  y); * If si = "g", then the current query is the query to obtain the number that located in the xi-th row and in the yi-th column (1 ≀ x ≀ n, 1 ≀ y ≀ m). The table rows are considered to be indexed from top to bottom from 1 to n, and the table columns β€” from left to right from 1 to m. Output For each query to obtain a number (si = "g") print the required number. Print the answers to the queries in the order of the queries in the input. Examples Input 3 3 5 1 2 3 4 5 6 7 8 9 g 3 2 r 3 2 c 2 3 g 2 2 g 3 2 Output 8 9 6 Input 2 3 3 1 2 4 3 1 5 c 2 1 r 1 2 g 1 3 Output 5 Note Let's see how the table changes in the second test case. After the first operation is fulfilled, the table looks like that: 2 1 4 1 3 5 After the second operation is fulfilled, the table looks like that: 1 3 5 2 1 4 So the answer to the third query (the number located in the first row and in the third column) will be 5. Submitted Solution: ``` from sys import stdin,stdout a,b,c=map(int,stdin.readline().split()) ans=[] z1=[stdin.readline() for _ in " "*a] co={str(i+1):i for i in range(b)} r={str(i+1):i for i in range(a)};j=0 for _ in range(c): x,y,z=stdin.readline().split() if x=='r':r[y],r[z]=r[z],r[y] elif x=='c':co[y],co[z]=co[z],co[y] else:ans.append(z1[r[y]][co[z]]) stdout.write('\n'.join(ans)) ```
instruction
0
14,463
3
28,926
No
output
1
14,463
3
28,927
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response. The Free Meteor Association (FMA) has got a problem: as meteors are moving, the Universal Cosmic Descriptive Humorous Program (UCDHP) needs to add a special module that would analyze this movement. UCDHP stores some secret information about meteors as an n Γ— m table with integers in its cells. The order of meteors in the Universe is changing. That's why the main UCDHP module receives the following queries: * The query to swap two table rows; * The query to swap two table columns; * The query to obtain a secret number in a particular table cell. As the main UCDHP module is critical, writing the functional of working with the table has been commissioned to you. Input The first line contains three space-separated integers n, m and k (1 ≀ n, m ≀ 1000, 1 ≀ k ≀ 500000) β€” the number of table columns and rows and the number of queries, correspondingly. Next n lines contain m space-separated numbers each β€” the initial state of the table. Each number p in the table is an integer and satisfies the inequality 0 ≀ p ≀ 106. Next k lines contain queries in the format "si xi yi", where si is one of the characters "с", "r" or "g", and xi, yi are two integers. * If si = "c", then the current query is the query to swap columns with indexes xi and yi (1 ≀ x, y ≀ m, x β‰  y); * If si = "r", then the current query is the query to swap rows with indexes xi and yi (1 ≀ x, y ≀ n, x β‰  y); * If si = "g", then the current query is the query to obtain the number that located in the xi-th row and in the yi-th column (1 ≀ x ≀ n, 1 ≀ y ≀ m). The table rows are considered to be indexed from top to bottom from 1 to n, and the table columns β€” from left to right from 1 to m. Output For each query to obtain a number (si = "g") print the required number. Print the answers to the queries in the order of the queries in the input. Examples Input 3 3 5 1 2 3 4 5 6 7 8 9 g 3 2 r 3 2 c 2 3 g 2 2 g 3 2 Output 8 9 6 Input 2 3 3 1 2 4 3 1 5 c 2 1 r 1 2 g 1 3 Output 5 Note Let's see how the table changes in the second test case. After the first operation is fulfilled, the table looks like that: 2 1 4 1 3 5 After the second operation is fulfilled, the table looks like that: 1 3 5 2 1 4 So the answer to the third query (the number located in the first row and in the third column) will be 5. Submitted Solution: ``` __author__ = 'asmn' n,m,k=tuple(map(int,input().split())) mat=[[int(j) for j in input().split()] for i in range(n)] ri=[i for i in range(n)] ci=[i for i in range(m)] ans='' for _k in range(k): s,x,y=input().split() x,y=int(x)-1,int(y)-1 if s=='c': ci[x],ci[y]=ci[y],ci[x] elif s=='r': ri[x],ri[y]=ri[y],ri[x] else: ans+=str(mat[ri[x]][ci[y]])+'\'' print(ans) ```
instruction
0
14,464
3
28,928
No
output
1
14,464
3
28,929
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response. The Shuseki Islands are an archipelago of 30001 small islands in the Yutampo Sea. The islands are evenly spaced along a line, numbered from 0 to 30000 from the west to the east. These islands are known to contain many treasures. There are n gems in the Shuseki Islands in total, and the i-th gem is located on island pi. Mr. Kitayuta has just arrived at island 0. With his great jumping ability, he will repeatedly perform jumps between islands to the east according to the following process: * First, he will jump from island 0 to island d. * After that, he will continue jumping according to the following rule. Let l be the length of the previous jump, that is, if his previous jump was from island prev to island cur, let l = cur - prev. He will perform a jump of length l - 1, l or l + 1 to the east. That is, he will jump to island (cur + l - 1), (cur + l) or (cur + l + 1) (if they exist). The length of a jump must be positive, that is, he cannot perform a jump of length 0 when l = 1. If there is no valid destination, he will stop jumping. Mr. Kitayuta will collect the gems on the islands visited during the process. Find the maximum number of gems that he can collect. Input The first line of the input contains two space-separated integers n and d (1 ≀ n, d ≀ 30000), denoting the number of the gems in the Shuseki Islands and the length of the Mr. Kitayuta's first jump, respectively. The next n lines describe the location of the gems. The i-th of them (1 ≀ i ≀ n) contains a integer pi (d ≀ p1 ≀ p2 ≀ ... ≀ pn ≀ 30000), denoting the number of the island that contains the i-th gem. Output Print the maximum number of gems that Mr. Kitayuta can collect. Examples Input 4 10 10 21 27 27 Output 3 Input 8 8 9 19 28 36 45 55 66 78 Output 6 Input 13 7 8 8 9 16 17 17 18 21 23 24 24 26 30 Output 4 Note In the first sample, the optimal route is 0 β†’ 10 (+1 gem) β†’ 19 β†’ 27 (+2 gems) β†’ ... In the second sample, the optimal route is 0 β†’ 8 β†’ 15 β†’ 21 β†’ 28 (+1 gem) β†’ 36 (+1 gem) β†’ 45 (+1 gem) β†’ 55 (+1 gem) β†’ 66 (+1 gem) β†’ 78 (+1 gem) β†’ ... In the third sample, the optimal route is 0 β†’ 7 β†’ 13 β†’ 18 (+1 gem) β†’ 24 (+2 gems) β†’ 30 (+1 gem) β†’ ... Submitted Solution: ``` import sys sys.setrecursionlimit(30005) from sys import stdin,stdout n,d=map(int,stdin.readline().split(' ')) coins=[0 for i in range(30001)];m=-1 for _ in range(n): t1=int(stdin.readline());m=max(m,t1) coins[t1]+=1 dp=[-1 for i in range(30001)] def jump(sp,x,l): global coins,dp,m,n #print("\t"*sp,x,l) if x>m: return 0 if dp[x]!=-1: #print("using dp") return dp[x] else: ans=coins[x];inc=0 if x+l-1<30001 and l!=1: inc=max(inc,jump(sp+1,x+l-1,l-1)) if x+l<30001 and l!=0: inc=max(inc,jump(sp+1,x+l,l)) if x+l+1<30001: inc=max(inc,jump(sp+1,x+l+1,l+1)) dp[x]=ans+inc return ans+inc print(jump(0,d,d)) #print(dp[:100]) ```
instruction
0
14,592
3
29,184
No
output
1
14,592
3
29,185
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response. The Shuseki Islands are an archipelago of 30001 small islands in the Yutampo Sea. The islands are evenly spaced along a line, numbered from 0 to 30000 from the west to the east. These islands are known to contain many treasures. There are n gems in the Shuseki Islands in total, and the i-th gem is located on island pi. Mr. Kitayuta has just arrived at island 0. With his great jumping ability, he will repeatedly perform jumps between islands to the east according to the following process: * First, he will jump from island 0 to island d. * After that, he will continue jumping according to the following rule. Let l be the length of the previous jump, that is, if his previous jump was from island prev to island cur, let l = cur - prev. He will perform a jump of length l - 1, l or l + 1 to the east. That is, he will jump to island (cur + l - 1), (cur + l) or (cur + l + 1) (if they exist). The length of a jump must be positive, that is, he cannot perform a jump of length 0 when l = 1. If there is no valid destination, he will stop jumping. Mr. Kitayuta will collect the gems on the islands visited during the process. Find the maximum number of gems that he can collect. Input The first line of the input contains two space-separated integers n and d (1 ≀ n, d ≀ 30000), denoting the number of the gems in the Shuseki Islands and the length of the Mr. Kitayuta's first jump, respectively. The next n lines describe the location of the gems. The i-th of them (1 ≀ i ≀ n) contains a integer pi (d ≀ p1 ≀ p2 ≀ ... ≀ pn ≀ 30000), denoting the number of the island that contains the i-th gem. Output Print the maximum number of gems that Mr. Kitayuta can collect. Examples Input 4 10 10 21 27 27 Output 3 Input 8 8 9 19 28 36 45 55 66 78 Output 6 Input 13 7 8 8 9 16 17 17 18 21 23 24 24 26 30 Output 4 Note In the first sample, the optimal route is 0 β†’ 10 (+1 gem) β†’ 19 β†’ 27 (+2 gems) β†’ ... In the second sample, the optimal route is 0 β†’ 8 β†’ 15 β†’ 21 β†’ 28 (+1 gem) β†’ 36 (+1 gem) β†’ 45 (+1 gem) β†’ 55 (+1 gem) β†’ 66 (+1 gem) β†’ 78 (+1 gem) β†’ ... In the third sample, the optimal route is 0 β†’ 7 β†’ 13 β†’ 18 (+1 gem) β†’ 24 (+2 gems) β†’ 30 (+1 gem) β†’ ... Submitted Solution: ``` import bisect import os, sys, atexit,threading from io import BytesIO, StringIO input = BytesIO(os.read(0, os.fstat(0).st_size)).readline _OUTPUT_BUFFER = StringIO() sys.stdout = _OUTPUT_BUFFER @atexit.register def write(): sys.__stdout__.write(_OUTPUT_BUFFER.getvalue()) def calculate(i,l): global maxGem,offset if l==0 or i>maxGem : return 0 # print (i, l,offset) if dp[i][l-offset]==-1: answer = 0 answer+=gems[i] answer+=max(calculate(i+l-1,l-1),calculate(i+l,l),calculate(i+l+1,l+1)) dp[i][l-offset] = answer return dp[i][l-offset] def solve(): n,d = map(int,input().split()) global maxGem, offset for _ in range(n): gem = int(input()) gems[gem]+=1 maxGem = max(maxGem,gem) if d<=maxGem: totalDpLength = d+245-max(d-245,0)+1 offset = max(d-245,0) for _ in range(maxGem+1): dp.append([-1]*totalDpLength) for x in range(maxGem+1,d-1,-1): for y in range(totalDpLength+offset,offset-1,-1): # print ("x,y ",x,y) calculate(x,y) print (dp[d][d]) else: print (0) try: dp = [] gems = [0]*30001 maxGem = 0 offset = 0 solve() except Exception as e: print (e) ```
instruction
0
14,593
3
29,186
No
output
1
14,593
3
29,187
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response. The Shuseki Islands are an archipelago of 30001 small islands in the Yutampo Sea. The islands are evenly spaced along a line, numbered from 0 to 30000 from the west to the east. These islands are known to contain many treasures. There are n gems in the Shuseki Islands in total, and the i-th gem is located on island pi. Mr. Kitayuta has just arrived at island 0. With his great jumping ability, he will repeatedly perform jumps between islands to the east according to the following process: * First, he will jump from island 0 to island d. * After that, he will continue jumping according to the following rule. Let l be the length of the previous jump, that is, if his previous jump was from island prev to island cur, let l = cur - prev. He will perform a jump of length l - 1, l or l + 1 to the east. That is, he will jump to island (cur + l - 1), (cur + l) or (cur + l + 1) (if they exist). The length of a jump must be positive, that is, he cannot perform a jump of length 0 when l = 1. If there is no valid destination, he will stop jumping. Mr. Kitayuta will collect the gems on the islands visited during the process. Find the maximum number of gems that he can collect. Input The first line of the input contains two space-separated integers n and d (1 ≀ n, d ≀ 30000), denoting the number of the gems in the Shuseki Islands and the length of the Mr. Kitayuta's first jump, respectively. The next n lines describe the location of the gems. The i-th of them (1 ≀ i ≀ n) contains a integer pi (d ≀ p1 ≀ p2 ≀ ... ≀ pn ≀ 30000), denoting the number of the island that contains the i-th gem. Output Print the maximum number of gems that Mr. Kitayuta can collect. Examples Input 4 10 10 21 27 27 Output 3 Input 8 8 9 19 28 36 45 55 66 78 Output 6 Input 13 7 8 8 9 16 17 17 18 21 23 24 24 26 30 Output 4 Note In the first sample, the optimal route is 0 β†’ 10 (+1 gem) β†’ 19 β†’ 27 (+2 gems) β†’ ... In the second sample, the optimal route is 0 β†’ 8 β†’ 15 β†’ 21 β†’ 28 (+1 gem) β†’ 36 (+1 gem) β†’ 45 (+1 gem) β†’ 55 (+1 gem) β†’ 66 (+1 gem) β†’ 78 (+1 gem) β†’ ... In the third sample, the optimal route is 0 β†’ 7 β†’ 13 β†’ 18 (+1 gem) β†’ 24 (+2 gems) β†’ 30 (+1 gem) β†’ ... Submitted Solution: ``` import bisect import os, sys, atexit,threading from io import BytesIO, StringIO input = BytesIO(os.read(0, os.fstat(0).st_size)).readline _OUTPUT_BUFFER = StringIO() sys.stdout = _OUTPUT_BUFFER @atexit.register def write(): sys.__stdout__.write(_OUTPUT_BUFFER.getvalue()) def calculate(i,l): global maxGem,offset if l==0 or i>maxGem : return 0 # print (i, l,offset) if dp[i][l-offset]==-1: answer = 0 answer+=gems[i] answer+=max(calculate(i+l-1,l-1),calculate(i+l,l),calculate(i+l+1,l+1)) dp[i][l-offset] = answer return dp[i][l-offset] def solve(): n,d = map(int,input().split()) global maxGem, offset for _ in range(n): gem = int(input()) gems[gem]+=1 maxGem = max(maxGem,gem) totalDpLength = d+245-max(d-245,0)+1 offset = max(d-245,0) for _ in range(maxGem+1): dp.append([-1]*(totalDpLength+1)) for x in range(maxGem+1,d-1,-1): for y in range(totalDpLength+offset,offset-1,-1): # print ("x,y ",x,y) calculate(x,y) print (dp[d][d]) try: dp = [] gems = [0]*30001 maxGem = 0 offset = 0 solve() except Exception as e: print (e) ```
instruction
0
14,594
3
29,188
No
output
1
14,594
3
29,189