text stringlengths 198 433k | conversation_id int64 0 109k |
|---|---|
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Gennady is one of the best child dentists in Berland. Today n children got an appointment with him, they lined up in front of his office.
All children love to cry loudly at the reception at the dentist. We enumerate the children with integers from 1 to n in the order they go in the line. Every child is associated with the value of his cofidence pi. The children take turns one after another to come into the office; each time the child that is the first in the line goes to the doctor.
While Gennady treats the teeth of the i-th child, the child is crying with the volume of vi. At that the confidence of the first child in the line is reduced by the amount of vi, the second one β by value vi - 1, and so on. The children in the queue after the vi-th child almost do not hear the crying, so their confidence remains unchanged.
If at any point in time the confidence of the j-th child is less than zero, he begins to cry with the volume of dj and leaves the line, running towards the exit, without going to the doctor's office. At this the confidence of all the children after the j-th one in the line is reduced by the amount of dj.
All these events occur immediately one after the other in some order. Some cries may lead to other cries, causing a chain reaction. Once in the hallway it is quiet, the child, who is first in the line, goes into the doctor's office.
Help Gennady the Dentist to determine the numbers of kids, whose teeth he will cure. Print their numbers in the chronological order.
Input
The first line of the input contains a positive integer n (1 β€ n β€ 4000) β the number of kids in the line.
Next n lines contain three integers each vi, di, pi (1 β€ vi, di, pi β€ 106) β the volume of the cry in the doctor's office, the volume of the cry in the hall and the confidence of the i-th child.
Output
In the first line print number k β the number of children whose teeth Gennady will cure.
In the second line print k integers β the numbers of the children who will make it to the end of the line in the increasing order.
Examples
Input
5
4 2 2
4 1 2
5 2 4
3 3 5
5 1 2
Output
2
1 3
Input
5
4 5 1
5 3 9
4 1 2
2 1 8
4 1 9
Output
4
1 2 4 5
Note
In the first example, Gennady first treats the teeth of the first child who will cry with volume 4. The confidences of the remaining children will get equal to - 2, 1, 3, 1, respectively. Thus, the second child also cries at the volume of 1 and run to the exit. The confidence of the remaining children will be equal to 0, 2, 0. Then the third child will go to the office, and cry with volume 5. The other children won't bear this, and with a loud cry they will run to the exit.
In the second sample, first the first child goes into the office, he will cry with volume 4. The confidence of the remaining children will be equal to 5, - 1, 6, 8. Thus, the third child will cry with the volume of 1 and run to the exit. The confidence of the remaining children will be equal to 5, 5, 7. After that, the second child goes to the office and cry with the volume of 5. The confidences of the remaining children will be equal to 0, 3. Then the fourth child will go into the office and cry with the volume of 2. Because of this the confidence of the fifth child will be 1, and he will go into the office last.
Submitted Solution:
```
n = int(input())
a = [[0, 0, 0, i + 1, i - 1, i + 1] for i in range(n)]
a.append([0, 0, 0, n - 1, n + 1])
r = []
for i in range(n):
[a[i][0], a[i][1], a[i][2]] = [int(i) for i in input().split()]
if n == 4000 and (a[0][0] == 882 and a[0][1] == 223 and a[0][2] == 9863) or (a[0][0] == 627 and a[0][1] == 510 and a[0][2] == 2796 and a[1][2] != 626):
print(4000)
print(*range(1, 4001))
exit(0)
def m(p):
d1, d2 = a[p][4], a[p][5]
a[d1][5], a[d2][4] = d2, d1
ct = 0
r = []
while ct < n:
v = a[ct][0]
r.append(a[ct][3])
p = a[ct][5]
if p == n:
break
d = 0
while p < n:
h = v + d
if(h == 0):
break
a[p][2] = a[p][2] - h
if(v > 0):
v = v - 1
if(a[p][2] < 0):
d = d + a[p][1]
m(p)
p = a[p][5]
ct = a[ct][5]
print(len(r))
print(*r)
```
Yes
| 11,200 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Gennady is one of the best child dentists in Berland. Today n children got an appointment with him, they lined up in front of his office.
All children love to cry loudly at the reception at the dentist. We enumerate the children with integers from 1 to n in the order they go in the line. Every child is associated with the value of his cofidence pi. The children take turns one after another to come into the office; each time the child that is the first in the line goes to the doctor.
While Gennady treats the teeth of the i-th child, the child is crying with the volume of vi. At that the confidence of the first child in the line is reduced by the amount of vi, the second one β by value vi - 1, and so on. The children in the queue after the vi-th child almost do not hear the crying, so their confidence remains unchanged.
If at any point in time the confidence of the j-th child is less than zero, he begins to cry with the volume of dj and leaves the line, running towards the exit, without going to the doctor's office. At this the confidence of all the children after the j-th one in the line is reduced by the amount of dj.
All these events occur immediately one after the other in some order. Some cries may lead to other cries, causing a chain reaction. Once in the hallway it is quiet, the child, who is first in the line, goes into the doctor's office.
Help Gennady the Dentist to determine the numbers of kids, whose teeth he will cure. Print their numbers in the chronological order.
Input
The first line of the input contains a positive integer n (1 β€ n β€ 4000) β the number of kids in the line.
Next n lines contain three integers each vi, di, pi (1 β€ vi, di, pi β€ 106) β the volume of the cry in the doctor's office, the volume of the cry in the hall and the confidence of the i-th child.
Output
In the first line print number k β the number of children whose teeth Gennady will cure.
In the second line print k integers β the numbers of the children who will make it to the end of the line in the increasing order.
Examples
Input
5
4 2 2
4 1 2
5 2 4
3 3 5
5 1 2
Output
2
1 3
Input
5
4 5 1
5 3 9
4 1 2
2 1 8
4 1 9
Output
4
1 2 4 5
Note
In the first example, Gennady first treats the teeth of the first child who will cry with volume 4. The confidences of the remaining children will get equal to - 2, 1, 3, 1, respectively. Thus, the second child also cries at the volume of 1 and run to the exit. The confidence of the remaining children will be equal to 0, 2, 0. Then the third child will go to the office, and cry with volume 5. The other children won't bear this, and with a loud cry they will run to the exit.
In the second sample, first the first child goes into the office, he will cry with volume 4. The confidence of the remaining children will be equal to 5, - 1, 6, 8. Thus, the third child will cry with the volume of 1 and run to the exit. The confidence of the remaining children will be equal to 5, 5, 7. After that, the second child goes to the office and cry with the volume of 5. The confidences of the remaining children will be equal to 0, 3. Then the fourth child will go into the office and cry with the volume of 2. Because of this the confidence of the fifth child will be 1, and he will go into the office last.
Submitted Solution:
```
def main():
n = int(input())
p = [0 for i in range(n)]
d = [0 for i in range(n)]
v = [0 for i in range(n)]
used = [False for i in range(n)]
ans = []
for i in range(n):
v[i], d[i], p[i] = map(int, input().split())
for i in range(n):
cry = 0
if not used[i]:
ans.append(i + 1)
for j in range(i + 1, n):
k = j
if not used[j] and p[j] - cry - max(v[i] - k + i + 1, 0) < 0:
used[j] = True
cry += d[j]
p[j] = p[j] - cry - max(v[i] - k + i + 1, 0)
if used[j]:
p[j] += d[j]
k += 1
print(len(ans))
print(' '.join(str(i) for i in ans))
main()
```
No
| 11,201 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Gennady is one of the best child dentists in Berland. Today n children got an appointment with him, they lined up in front of his office.
All children love to cry loudly at the reception at the dentist. We enumerate the children with integers from 1 to n in the order they go in the line. Every child is associated with the value of his cofidence pi. The children take turns one after another to come into the office; each time the child that is the first in the line goes to the doctor.
While Gennady treats the teeth of the i-th child, the child is crying with the volume of vi. At that the confidence of the first child in the line is reduced by the amount of vi, the second one β by value vi - 1, and so on. The children in the queue after the vi-th child almost do not hear the crying, so their confidence remains unchanged.
If at any point in time the confidence of the j-th child is less than zero, he begins to cry with the volume of dj and leaves the line, running towards the exit, without going to the doctor's office. At this the confidence of all the children after the j-th one in the line is reduced by the amount of dj.
All these events occur immediately one after the other in some order. Some cries may lead to other cries, causing a chain reaction. Once in the hallway it is quiet, the child, who is first in the line, goes into the doctor's office.
Help Gennady the Dentist to determine the numbers of kids, whose teeth he will cure. Print their numbers in the chronological order.
Input
The first line of the input contains a positive integer n (1 β€ n β€ 4000) β the number of kids in the line.
Next n lines contain three integers each vi, di, pi (1 β€ vi, di, pi β€ 106) β the volume of the cry in the doctor's office, the volume of the cry in the hall and the confidence of the i-th child.
Output
In the first line print number k β the number of children whose teeth Gennady will cure.
In the second line print k integers β the numbers of the children who will make it to the end of the line in the increasing order.
Examples
Input
5
4 2 2
4 1 2
5 2 4
3 3 5
5 1 2
Output
2
1 3
Input
5
4 5 1
5 3 9
4 1 2
2 1 8
4 1 9
Output
4
1 2 4 5
Note
In the first example, Gennady first treats the teeth of the first child who will cry with volume 4. The confidences of the remaining children will get equal to - 2, 1, 3, 1, respectively. Thus, the second child also cries at the volume of 1 and run to the exit. The confidence of the remaining children will be equal to 0, 2, 0. Then the third child will go to the office, and cry with volume 5. The other children won't bear this, and with a loud cry they will run to the exit.
In the second sample, first the first child goes into the office, he will cry with volume 4. The confidence of the remaining children will be equal to 5, - 1, 6, 8. Thus, the third child will cry with the volume of 1 and run to the exit. The confidence of the remaining children will be equal to 5, 5, 7. After that, the second child goes to the office and cry with the volume of 5. The confidences of the remaining children will be equal to 0, 3. Then the fourth child will go into the office and cry with the volume of 2. Because of this the confidence of the fifth child will be 1, and he will go into the office last.
Submitted Solution:
```
n = int(input())
a = [[0, 0, 0, i + 1, i - 1, i + 1] for i in range(n)]
a.append([0, 0, 0, n - 1, n + 1])
r = []
for i in range(n):
[a[i][0], a[i][1], a[i][2]] = [int(i) for i in input().split()]
if n == 4000 and (a[0][0] == 882 and a[0][1] == 223 and a[0][2] == 9863) or (a[0][0] == 627 and a[0][1] == 510 and a[0][2] == 2796):
print(4000)
print(*range(1, 4001))
exit(0)
def m(p):
d1, d2 = a[p][4], a[p][5]
a[d1][5], a[d2][4] = d2, d1
ct = 0
r = []
while ct < n:
v = a[ct][0]
r.append(a[ct][3])
p = a[ct][5]
if p == n:
break
d = 0
while p < n:
h = v + d
if(h == 0):
break
a[p][2] = a[p][2] - h
if(v > 0):
v = v - 1
if(a[p][2] < 0):
d = d + a[p][1]
m(p)
p = a[p][5]
ct = a[ct][5]
print(len(r))
print(*r)
```
No
| 11,202 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Gennady is one of the best child dentists in Berland. Today n children got an appointment with him, they lined up in front of his office.
All children love to cry loudly at the reception at the dentist. We enumerate the children with integers from 1 to n in the order they go in the line. Every child is associated with the value of his cofidence pi. The children take turns one after another to come into the office; each time the child that is the first in the line goes to the doctor.
While Gennady treats the teeth of the i-th child, the child is crying with the volume of vi. At that the confidence of the first child in the line is reduced by the amount of vi, the second one β by value vi - 1, and so on. The children in the queue after the vi-th child almost do not hear the crying, so their confidence remains unchanged.
If at any point in time the confidence of the j-th child is less than zero, he begins to cry with the volume of dj and leaves the line, running towards the exit, without going to the doctor's office. At this the confidence of all the children after the j-th one in the line is reduced by the amount of dj.
All these events occur immediately one after the other in some order. Some cries may lead to other cries, causing a chain reaction. Once in the hallway it is quiet, the child, who is first in the line, goes into the doctor's office.
Help Gennady the Dentist to determine the numbers of kids, whose teeth he will cure. Print their numbers in the chronological order.
Input
The first line of the input contains a positive integer n (1 β€ n β€ 4000) β the number of kids in the line.
Next n lines contain three integers each vi, di, pi (1 β€ vi, di, pi β€ 106) β the volume of the cry in the doctor's office, the volume of the cry in the hall and the confidence of the i-th child.
Output
In the first line print number k β the number of children whose teeth Gennady will cure.
In the second line print k integers β the numbers of the children who will make it to the end of the line in the increasing order.
Examples
Input
5
4 2 2
4 1 2
5 2 4
3 3 5
5 1 2
Output
2
1 3
Input
5
4 5 1
5 3 9
4 1 2
2 1 8
4 1 9
Output
4
1 2 4 5
Note
In the first example, Gennady first treats the teeth of the first child who will cry with volume 4. The confidences of the remaining children will get equal to - 2, 1, 3, 1, respectively. Thus, the second child also cries at the volume of 1 and run to the exit. The confidence of the remaining children will be equal to 0, 2, 0. Then the third child will go to the office, and cry with volume 5. The other children won't bear this, and with a loud cry they will run to the exit.
In the second sample, first the first child goes into the office, he will cry with volume 4. The confidence of the remaining children will be equal to 5, - 1, 6, 8. Thus, the third child will cry with the volume of 1 and run to the exit. The confidence of the remaining children will be equal to 5, 5, 7. After that, the second child goes to the office and cry with the volume of 5. The confidences of the remaining children will be equal to 0, 3. Then the fourth child will go into the office and cry with the volume of 2. Because of this the confidence of the fifth child will be 1, and he will go into the office last.
Submitted Solution:
```
def main():
n = int(input())
p = [0 for i in range(n)]
d = [0 for i in range(n)]
v = [0 for i in range(n)]
used = [False for i in range(n)]
ans = []
for i in range(n):
v[i], d[i], p[i] = map(int, input().split())
for i in range(n):
cry = 0
if not used[i]:
ans.append(i + 1)
for j in range(i + 1, n):
if not used[j] and p[j] - cry - max(v[i] - j + i + 1, 0) < 0:
used[j] = True
p[j] = p[j] - cry - max(v[i] - j + i + 1, 0)
if p[j] < 0:
cry += d[j]
print(len(ans))
print(' '.join(str(i) for i in ans))
main()
```
No
| 11,203 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Gennady is one of the best child dentists in Berland. Today n children got an appointment with him, they lined up in front of his office.
All children love to cry loudly at the reception at the dentist. We enumerate the children with integers from 1 to n in the order they go in the line. Every child is associated with the value of his cofidence pi. The children take turns one after another to come into the office; each time the child that is the first in the line goes to the doctor.
While Gennady treats the teeth of the i-th child, the child is crying with the volume of vi. At that the confidence of the first child in the line is reduced by the amount of vi, the second one β by value vi - 1, and so on. The children in the queue after the vi-th child almost do not hear the crying, so their confidence remains unchanged.
If at any point in time the confidence of the j-th child is less than zero, he begins to cry with the volume of dj and leaves the line, running towards the exit, without going to the doctor's office. At this the confidence of all the children after the j-th one in the line is reduced by the amount of dj.
All these events occur immediately one after the other in some order. Some cries may lead to other cries, causing a chain reaction. Once in the hallway it is quiet, the child, who is first in the line, goes into the doctor's office.
Help Gennady the Dentist to determine the numbers of kids, whose teeth he will cure. Print their numbers in the chronological order.
Input
The first line of the input contains a positive integer n (1 β€ n β€ 4000) β the number of kids in the line.
Next n lines contain three integers each vi, di, pi (1 β€ vi, di, pi β€ 106) β the volume of the cry in the doctor's office, the volume of the cry in the hall and the confidence of the i-th child.
Output
In the first line print number k β the number of children whose teeth Gennady will cure.
In the second line print k integers β the numbers of the children who will make it to the end of the line in the increasing order.
Examples
Input
5
4 2 2
4 1 2
5 2 4
3 3 5
5 1 2
Output
2
1 3
Input
5
4 5 1
5 3 9
4 1 2
2 1 8
4 1 9
Output
4
1 2 4 5
Note
In the first example, Gennady first treats the teeth of the first child who will cry with volume 4. The confidences of the remaining children will get equal to - 2, 1, 3, 1, respectively. Thus, the second child also cries at the volume of 1 and run to the exit. The confidence of the remaining children will be equal to 0, 2, 0. Then the third child will go to the office, and cry with volume 5. The other children won't bear this, and with a loud cry they will run to the exit.
In the second sample, first the first child goes into the office, he will cry with volume 4. The confidence of the remaining children will be equal to 5, - 1, 6, 8. Thus, the third child will cry with the volume of 1 and run to the exit. The confidence of the remaining children will be equal to 5, 5, 7. After that, the second child goes to the office and cry with the volume of 5. The confidences of the remaining children will be equal to 0, 3. Then the fourth child will go into the office and cry with the volume of 2. Because of this the confidence of the fifth child will be 1, and he will go into the office last.
Submitted Solution:
```
#!/usr/bin/env python
# -*- coding: utf-8 -*-
n = int(input())
C = [list(map(int,input().split())) for i in range(0,n)]
ans = []
for i in range(n):
v, d, p = C[i]
if p >= 0:
count = 0
for j in range(i + 1, n):
if C[j][2] < 0:
count += 1
else:
C[j][2] -= max(0,v - ((j - count) - (i + 1)))
ans.append(i+1)
else:
for j in range(i + 1, n):
C[j][2] -= d
print(C)
print(' '.join(map(str, ans)))
```
No
| 11,204 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Genos recently installed the game Zuma on his phone. In Zuma there exists a line of n gemstones, the i-th of which has color ci. The goal of the game is to destroy all the gemstones in the line as quickly as possible.
In one second, Genos is able to choose exactly one continuous substring of colored gemstones that is a palindrome and remove it from the line. After the substring is removed, the remaining gemstones shift to form a solid line again. What is the minimum number of seconds needed to destroy the entire line?
Let us remind, that the string (or substring) is called palindrome, if it reads same backwards or forward. In our case this means the color of the first gemstone is equal to the color of the last one, the color of the second gemstone is equal to the color of the next to last and so on.
Input
The first line of input contains a single integer n (1 β€ n β€ 500) β the number of gemstones.
The second line contains n space-separated integers, the i-th of which is ci (1 β€ ci β€ n) β the color of the i-th gemstone in a line.
Output
Print a single integer β the minimum number of seconds needed to destroy the entire line.
Examples
Input
3
1 2 1
Output
1
Input
3
1 2 3
Output
3
Input
7
1 4 4 2 3 2 1
Output
2
Note
In the first sample, Genos can destroy the entire line in one second.
In the second sample, Genos can only destroy one gemstone at a time, so destroying three gemstones takes three seconds.
In the third sample, to achieve the optimal time of two seconds, destroy palindrome 4 4 first and then destroy palindrome 1 2 3 2 1.
Tags: dp
Correct Solution:
```
import sys
from math import *
def input():
return sys.stdin.readline().strip()
def inputy():
return int(input())
def input_l():
return map(int, input().split())
n = inputy()
c = list(input_l())
dp = [[1e9]*n for i in range(n)]
for i in range(n):
dp[i][i] = 1
for i in range(n-1):
dp[i][i+1] = 1 if c[i] == c[i+1] else 2
for i in range(2,n):
for j in range(n-i):
z = dp[j+1][j+i]+1
if c[j] == c[j+1]:
z = min(z, dp[j+2][j+i] + 1)
for k in range(j+2,j+i):
if c[j] == c[k]:
z = min(z, dp[j][k] + dp[k+1][j+i])
if c[j] == c[j+i]:
z = min(z, dp[j+1][j+i-1])
dp[j][j+i] = z
print(dp[0][n-1])
```
| 11,205 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Genos recently installed the game Zuma on his phone. In Zuma there exists a line of n gemstones, the i-th of which has color ci. The goal of the game is to destroy all the gemstones in the line as quickly as possible.
In one second, Genos is able to choose exactly one continuous substring of colored gemstones that is a palindrome and remove it from the line. After the substring is removed, the remaining gemstones shift to form a solid line again. What is the minimum number of seconds needed to destroy the entire line?
Let us remind, that the string (or substring) is called palindrome, if it reads same backwards or forward. In our case this means the color of the first gemstone is equal to the color of the last one, the color of the second gemstone is equal to the color of the next to last and so on.
Input
The first line of input contains a single integer n (1 β€ n β€ 500) β the number of gemstones.
The second line contains n space-separated integers, the i-th of which is ci (1 β€ ci β€ n) β the color of the i-th gemstone in a line.
Output
Print a single integer β the minimum number of seconds needed to destroy the entire line.
Examples
Input
3
1 2 1
Output
1
Input
3
1 2 3
Output
3
Input
7
1 4 4 2 3 2 1
Output
2
Note
In the first sample, Genos can destroy the entire line in one second.
In the second sample, Genos can only destroy one gemstone at a time, so destroying three gemstones takes three seconds.
In the third sample, to achieve the optimal time of two seconds, destroy palindrome 4 4 first and then destroy palindrome 1 2 3 2 1.
Tags: dp
Correct Solution:
```
import os
import sys
from io import BytesIO, IOBase
# region fastio
BUFSIZE = 8192
class FastIO(IOBase):
newlines = 0
def __init__(self, file):
self._fd = file.fileno()
self.buffer = BytesIO()
self.writable = "x" in file.mode or "r" not in file.mode
self.write = self.buffer.write if self.writable else None
def read(self):
while True:
b = os.read(self._fd, max(os.fstat(self._fd).st_size, BUFSIZE))
if not b:
break
ptr = self.buffer.tell()
self.buffer.seek(0, 2), self.buffer.write(b), self.buffer.seek(ptr)
self.newlines = 0
return self.buffer.read()
def readline(self):
while self.newlines == 0:
b = os.read(self._fd, max(os.fstat(self._fd).st_size, BUFSIZE))
self.newlines = b.count(b"\n") + (not b)
ptr = self.buffer.tell()
self.buffer.seek(0, 2), self.buffer.write(b), self.buffer.seek(ptr)
self.newlines -= 1
return self.buffer.readline()
def flush(self):
if self.writable:
os.write(self._fd, self.buffer.getvalue())
self.buffer.truncate(0), self.buffer.seek(0)
class IOWrapper(IOBase):
def __init__(self, file):
self.buffer = FastIO(file)
self.flush = self.buffer.flush
self.writable = self.buffer.writable
self.write = lambda s: self.buffer.write(s.encode("ascii"))
self.read = lambda: self.buffer.read().decode("ascii")
self.readline = lambda: self.buffer.readline().decode("ascii")
sys.stdin, sys.stdout = IOWrapper(sys.stdin), IOWrapper(sys.stdout)
input = lambda: sys.stdin.readline().rstrip("\r\n")
# ------------------------------
from math import factorial
from collections import Counter, defaultdict, deque
from heapq import heapify, heappop, heappush
def RL(): return map(int, sys.stdin.readline().rstrip().split())
def RLL(): return list(map(int, sys.stdin.readline().rstrip().split()))
def N(): return int(input())
def comb(n, m): return factorial(n) / (factorial(m) * factorial(n - m)) if n >= m else 0
def perm(n, m): return factorial(n) // (factorial(n - m)) if n >= m else 0
def mdis(x1, y1, x2, y2): return abs(x1 - x2) + abs(y1 - y2)
mod = 998244353
INF = float('inf')
# ------------------------------
def main():
n = N()
arr = RLL()
dp = [[n]*n for _ in range(n)]
for i in range(n): dp[i][i] = 1
for le in range(2, n+1):
for l in range(n):
r = l+le-1
if r>=n: break
if le==2:
if arr[l]==arr[r]: dp[l][r] = 1
else: dp[l][r] = 2
else:
for m in range(l, r):
dp[l][r] = min(dp[l][r], dp[l][m]+dp[m+1][r])
if arr[l]==arr[r]:
dp[l][r] = min(dp[l+1][r-1], dp[l][r])
print(dp[0][-1])
if __name__ == "__main__":
main()
```
| 11,206 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Genos recently installed the game Zuma on his phone. In Zuma there exists a line of n gemstones, the i-th of which has color ci. The goal of the game is to destroy all the gemstones in the line as quickly as possible.
In one second, Genos is able to choose exactly one continuous substring of colored gemstones that is a palindrome and remove it from the line. After the substring is removed, the remaining gemstones shift to form a solid line again. What is the minimum number of seconds needed to destroy the entire line?
Let us remind, that the string (or substring) is called palindrome, if it reads same backwards or forward. In our case this means the color of the first gemstone is equal to the color of the last one, the color of the second gemstone is equal to the color of the next to last and so on.
Input
The first line of input contains a single integer n (1 β€ n β€ 500) β the number of gemstones.
The second line contains n space-separated integers, the i-th of which is ci (1 β€ ci β€ n) β the color of the i-th gemstone in a line.
Output
Print a single integer β the minimum number of seconds needed to destroy the entire line.
Examples
Input
3
1 2 1
Output
1
Input
3
1 2 3
Output
3
Input
7
1 4 4 2 3 2 1
Output
2
Note
In the first sample, Genos can destroy the entire line in one second.
In the second sample, Genos can only destroy one gemstone at a time, so destroying three gemstones takes three seconds.
In the third sample, to achieve the optimal time of two seconds, destroy palindrome 4 4 first and then destroy palindrome 1 2 3 2 1.
Tags: dp
Correct Solution:
```
def main():
n, l = int(input()), list(map(int, input().split()))
dp = [[0] * n for _ in range(n)]
for i in range(n):
dp[i][i] = 1
for i in range(n - 1, 0, -1):
ci, row = l[i - 1], dp[i]
for j in range(i, n):
tmp = [1 + row[j]]
if ci == l[i]:
tmp.append(1 + dp[i + 1][j] if i + 1 < n else 1)
for k in range(i + 1, j):
if ci == l[k]:
tmp.append(row[k - 1] + dp[k + 1][j])
if ci == l[j] and j > i:
tmp.append(row[j - 1])
dp[i - 1][j] = min(tmp)
print(dp[0][n - 1])
if __name__ == '__main__':
main()
```
| 11,207 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Genos recently installed the game Zuma on his phone. In Zuma there exists a line of n gemstones, the i-th of which has color ci. The goal of the game is to destroy all the gemstones in the line as quickly as possible.
In one second, Genos is able to choose exactly one continuous substring of colored gemstones that is a palindrome and remove it from the line. After the substring is removed, the remaining gemstones shift to form a solid line again. What is the minimum number of seconds needed to destroy the entire line?
Let us remind, that the string (or substring) is called palindrome, if it reads same backwards or forward. In our case this means the color of the first gemstone is equal to the color of the last one, the color of the second gemstone is equal to the color of the next to last and so on.
Input
The first line of input contains a single integer n (1 β€ n β€ 500) β the number of gemstones.
The second line contains n space-separated integers, the i-th of which is ci (1 β€ ci β€ n) β the color of the i-th gemstone in a line.
Output
Print a single integer β the minimum number of seconds needed to destroy the entire line.
Examples
Input
3
1 2 1
Output
1
Input
3
1 2 3
Output
3
Input
7
1 4 4 2 3 2 1
Output
2
Note
In the first sample, Genos can destroy the entire line in one second.
In the second sample, Genos can only destroy one gemstone at a time, so destroying three gemstones takes three seconds.
In the third sample, to achieve the optimal time of two seconds, destroy palindrome 4 4 first and then destroy palindrome 1 2 3 2 1.
Tags: dp
Correct Solution:
```
n = int(input())
C = list(map(int, input().split()))
dp = [[0]*n for _ in range(n)]
for i in range(n) :
dp[i][i] = 1
for i in range(n-2, -1, -1) :
for j in range(i+1, n) :
dp[i][j] = 1 + dp[i+1][j]
if C[i] == C[i+1] : dp[i][j] = min( dp[i][j], 1 + (dp[i+2][j] if i+2 < n else 0) )
for k in range(i+2, j) :
if C[i] == C[k] : dp[i][j] = min( dp[i][j], dp[i+1][k-1] + dp[k+1][j] )
if C[i] == C[j] and j-i > 1:
dp[i][j] = min( dp[i][j], dp[i+1][j-1] )
print( dp[0][n-1] )
```
| 11,208 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Genos recently installed the game Zuma on his phone. In Zuma there exists a line of n gemstones, the i-th of which has color ci. The goal of the game is to destroy all the gemstones in the line as quickly as possible.
In one second, Genos is able to choose exactly one continuous substring of colored gemstones that is a palindrome and remove it from the line. After the substring is removed, the remaining gemstones shift to form a solid line again. What is the minimum number of seconds needed to destroy the entire line?
Let us remind, that the string (or substring) is called palindrome, if it reads same backwards or forward. In our case this means the color of the first gemstone is equal to the color of the last one, the color of the second gemstone is equal to the color of the next to last and so on.
Input
The first line of input contains a single integer n (1 β€ n β€ 500) β the number of gemstones.
The second line contains n space-separated integers, the i-th of which is ci (1 β€ ci β€ n) β the color of the i-th gemstone in a line.
Output
Print a single integer β the minimum number of seconds needed to destroy the entire line.
Examples
Input
3
1 2 1
Output
1
Input
3
1 2 3
Output
3
Input
7
1 4 4 2 3 2 1
Output
2
Note
In the first sample, Genos can destroy the entire line in one second.
In the second sample, Genos can only destroy one gemstone at a time, so destroying three gemstones takes three seconds.
In the third sample, to achieve the optimal time of two seconds, destroy palindrome 4 4 first and then destroy palindrome 1 2 3 2 1.
Tags: dp
Correct Solution:
```
# ---------------------------iye ha aam zindegi---------------------------------------------
import math
import random
import heapq, bisect
import sys
from collections import deque, defaultdict
from fractions import Fraction
import sys
import threading
from collections import defaultdict
# threading.stack_size(10**8)
mod = 10 ** 9 + 7
mod1 = 998244353
# ------------------------------warmup----------------------------
import os
import sys
from io import BytesIO, IOBase
# sys.setrecursionlimit(300000)
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----------------------------------------------------import math
class TreeNode:
def __init__(self, k, v):
self.key = k
self.value = v
self.left = None
self.right = None
self.parent = None
self.height = 1
self.num_left = 1
self.num_total = 1
class AvlTree:
def __init__(self):
self._tree = None
def add(self, k, v):
if not self._tree:
self._tree = TreeNode(k, v)
return
node = self._add(k, v)
if node:
self._rebalance(node)
def _add(self, k, v):
node = self._tree
while node:
if k < node.key:
if node.left:
node = node.left
else:
node.left = TreeNode(k, v)
node.left.parent = node
return node.left
elif node.key < k:
if node.right:
node = node.right
else:
node.right = TreeNode(k, v)
node.right.parent = node
return node.right
else:
node.value = v
return
@staticmethod
def get_height(x):
return x.height if x else 0
@staticmethod
def get_num_total(x):
return x.num_total if x else 0
def _rebalance(self, node):
n = node
while n:
lh = self.get_height(n.left)
rh = self.get_height(n.right)
n.height = max(lh, rh) + 1
balance_factor = lh - rh
n.num_total = 1 + self.get_num_total(n.left) + self.get_num_total(n.right)
n.num_left = 1 + self.get_num_total(n.left)
if balance_factor > 1:
if self.get_height(n.left.left) < self.get_height(n.left.right):
self._rotate_left(n.left)
self._rotate_right(n)
elif balance_factor < -1:
if self.get_height(n.right.right) < self.get_height(n.right.left):
self._rotate_right(n.right)
self._rotate_left(n)
else:
n = n.parent
def _remove_one(self, node):
"""
Side effect!!! Changes node. Node should have exactly one child
"""
replacement = node.left or node.right
if node.parent:
if AvlTree._is_left(node):
node.parent.left = replacement
else:
node.parent.right = replacement
replacement.parent = node.parent
node.parent = None
else:
self._tree = replacement
replacement.parent = None
node.left = None
node.right = None
node.parent = None
self._rebalance(replacement)
def _remove_leaf(self, node):
if node.parent:
if AvlTree._is_left(node):
node.parent.left = None
else:
node.parent.right = None
self._rebalance(node.parent)
else:
self._tree = None
node.parent = None
node.left = None
node.right = None
def remove(self, k):
node = self._get_node(k)
if not node:
return
if AvlTree._is_leaf(node):
self._remove_leaf(node)
return
if node.left and node.right:
nxt = AvlTree._get_next(node)
node.key = nxt.key
node.value = nxt.value
if self._is_leaf(nxt):
self._remove_leaf(nxt)
else:
self._remove_one(nxt)
self._rebalance(node)
else:
self._remove_one(node)
def get(self, k):
node = self._get_node(k)
return node.value if node else -1
def _get_node(self, k):
if not self._tree:
return None
node = self._tree
while node:
if k < node.key:
node = node.left
elif node.key < k:
node = node.right
else:
return node
return None
def get_at(self, pos):
x = pos + 1
node = self._tree
while node:
if x < node.num_left:
node = node.left
elif node.num_left < x:
x -= node.num_left
node = node.right
else:
return (node.key, node.value)
raise IndexError("Out of ranges")
@staticmethod
def _is_left(node):
return node.parent.left and node.parent.left == node
@staticmethod
def _is_leaf(node):
return node.left is None and node.right is None
def _rotate_right(self, node):
if not node.parent:
self._tree = node.left
node.left.parent = None
elif AvlTree._is_left(node):
node.parent.left = node.left
node.left.parent = node.parent
else:
node.parent.right = node.left
node.left.parent = node.parent
bk = node.left.right
node.left.right = node
node.parent = node.left
node.left = bk
if bk:
bk.parent = node
node.height = max(self.get_height(node.left), self.get_height(node.right)) + 1
node.num_total = 1 + self.get_num_total(node.left) + self.get_num_total(node.right)
node.num_left = 1 + self.get_num_total(node.left)
def _rotate_left(self, node):
if not node.parent:
self._tree = node.right
node.right.parent = None
elif AvlTree._is_left(node):
node.parent.left = node.right
node.right.parent = node.parent
else:
node.parent.right = node.right
node.right.parent = node.parent
bk = node.right.left
node.right.left = node
node.parent = node.right
node.right = bk
if bk:
bk.parent = node
node.height = max(self.get_height(node.left), self.get_height(node.right)) + 1
node.num_total = 1 + self.get_num_total(node.left) + self.get_num_total(node.right)
node.num_left = 1 + self.get_num_total(node.left)
@staticmethod
def _get_next(node):
if not node.right:
return node.parent
n = node.right
while n.left:
n = n.left
return n
# -----------------------------------------------binary seacrh tree---------------------------------------
class SegmentTree1:
def __init__(self, data, default=2 ** 30, func=lambda a, b: min(a, b)):
"""initialize the segment tree with data"""
self._default = default
self._func = func
self._len = len(data)
self._size = _size = 1 << (self._len - 1).bit_length()
self.data = [default] * (2 * _size)
self.data[_size:_size + self._len] = data
for i in reversed(range(_size)):
self.data[i] = func(self.data[i + i], self.data[i + i + 1])
def __delitem__(self, idx):
self[idx] = self._default
def __getitem__(self, idx):
return self.data[idx + self._size]
def __setitem__(self, idx, value):
idx += self._size
self.data[idx] = value
idx >>= 1
while idx:
self.data[idx] = self._func(self.data[2 * idx], self.data[2 * idx + 1])
idx >>= 1
def __len__(self):
return self._len
def query(self, start, stop):
if start == stop:
return self.__getitem__(start)
stop += 1
start += self._size
stop += self._size
res = self._default
while start < stop:
if start & 1:
res = self._func(res, self.data[start])
start += 1
if stop & 1:
stop -= 1
res = self._func(res, self.data[stop])
start >>= 1
stop >>= 1
return res
def __repr__(self):
return "SegmentTree({0})".format(self.data)
# -------------------game starts now----------------------------------------------------import math
class SegmentTree:
def __init__(self, data, default=0, func=lambda a, b: a + b):
"""initialize the segment tree with data"""
self._default = default
self._func = func
self._len = len(data)
self._size = _size = 1 << (self._len - 1).bit_length()
self.data = [default] * (2 * _size)
self.data[_size:_size + self._len] = data
for i in reversed(range(_size)):
self.data[i] = func(self.data[i + i], self.data[i + i + 1])
def __delitem__(self, idx):
self[idx] = self._default
def __getitem__(self, idx):
return self.data[idx + self._size]
def __setitem__(self, idx, value):
idx += self._size
self.data[idx] = value
idx >>= 1
while idx:
self.data[idx] = self._func(self.data[2 * idx], self.data[2 * idx + 1])
idx >>= 1
def __len__(self):
return self._len
def query(self, start, stop):
if start == stop:
return self.__getitem__(start)
stop += 1
start += self._size
stop += self._size
res = self._default
while start < stop:
if start & 1:
res = self._func(res, self.data[start])
start += 1
if stop & 1:
stop -= 1
res = self._func(res, self.data[stop])
start >>= 1
stop >>= 1
return res
def __repr__(self):
return "SegmentTree({0})".format(self.data)
# -------------------------------iye ha chutiya zindegi-------------------------------------
class Factorial:
def __init__(self, MOD):
self.MOD = MOD
self.factorials = [1, 1]
self.invModulos = [0, 1]
self.invFactorial_ = [1, 1]
def calc(self, n):
if n <= -1:
print("Invalid argument to calculate n!")
print("n must be non-negative value. But the argument was " + str(n))
exit()
if n < len(self.factorials):
return self.factorials[n]
nextArr = [0] * (n + 1 - len(self.factorials))
initialI = len(self.factorials)
prev = self.factorials[-1]
m = self.MOD
for i in range(initialI, n + 1):
prev = nextArr[i - initialI] = prev * i % m
self.factorials += nextArr
return self.factorials[n]
def inv(self, n):
if n <= -1:
print("Invalid argument to calculate n^(-1)")
print("n must be non-negative value. But the argument was " + str(n))
exit()
p = self.MOD
pi = n % p
if pi < len(self.invModulos):
return self.invModulos[pi]
nextArr = [0] * (n + 1 - len(self.invModulos))
initialI = len(self.invModulos)
for i in range(initialI, min(p, n + 1)):
next = -self.invModulos[p % i] * (p // i) % p
self.invModulos.append(next)
return self.invModulos[pi]
def invFactorial(self, n):
if n <= -1:
print("Invalid argument to calculate (n^(-1))!")
print("n must be non-negative value. But the argument was " + str(n))
exit()
if n < len(self.invFactorial_):
return self.invFactorial_[n]
self.inv(n) # To make sure already calculated n^-1
nextArr = [0] * (n + 1 - len(self.invFactorial_))
initialI = len(self.invFactorial_)
prev = self.invFactorial_[-1]
p = self.MOD
for i in range(initialI, n + 1):
prev = nextArr[i - initialI] = (prev * self.invModulos[i % p]) % p
self.invFactorial_ += nextArr
return self.invFactorial_[n]
class Combination:
def __init__(self, MOD):
self.MOD = MOD
self.factorial = Factorial(MOD)
def ncr(self, n, k):
if k < 0 or n < k:
return 0
k = min(k, n - k)
f = self.factorial
return f.calc(n) * f.invFactorial(max(n - k, k)) * f.invFactorial(min(k, n - k)) % self.MOD
# --------------------------------------iye ha combinations ka zindegi---------------------------------
def powm(a, n, m):
if a == 1 or n == 0:
return 1
if n % 2 == 0:
s = powm(a, n // 2, m)
return s * s % m
else:
return a * powm(a, n - 1, m) % m
# --------------------------------------iye ha power ka zindegi---------------------------------
def sort_list(list1, list2):
zipped_pairs = zip(list2, list1)
z = [x for _, x in sorted(zipped_pairs)]
return z
# --------------------------------------------------product----------------------------------------
def product(l):
por = 1
for i in range(len(l)):
por *= l[i]
return por
# --------------------------------------------------binary----------------------------------------
def binarySearchCount(arr, n, key):
left = 0
right = n - 1
count = 0
while (left <= right):
mid = int((right + left) / 2)
# Check if middle element is
# less than or equal to key
if (arr[mid] < key):
count = mid + 1
left = mid + 1
# If key is smaller, ignore right half
else:
right = mid - 1
return count
# --------------------------------------------------binary----------------------------------------
def countdig(n):
c = 0
while (n > 0):
n //= 10
c += 1
return c
def binary(x, length):
y = bin(x)[2:]
return y if len(y) >= length else "0" * (length - len(y)) + y
def countGreater(arr,n, k):
l = 0
r = n - 1
# Stores the index of the left most element
# from the array which is greater than k
leftGreater = n
# Finds number of elements greater than k
while (l <= r):
m = int(l + (r - l) / 2)
if (arr[m] > k):
leftGreater = m
r = m - 1
# If mid element is less than
# or equal to k update l
else:
l = m + 1
# Return the count of elements
# greater than k
return (n - leftGreater)
# --------------------------------------------------binary------------------------------------
class TrieNode:
def __init__(self):
self.children = [None] * 26
self.isEndOfWord = False
class Trie:
def __init__(self):
self.root = self.getNode()
def getNode(self):
return TrieNode()
def _charToIndex(self, ch):
return ord(ch) - ord('a')
def insert(self, key):
pCrawl = self.root
length = len(key)
for level in range(length):
index = self._charToIndex(key[level])
if not pCrawl.children[index]:
pCrawl.children[index] = self.getNode()
pCrawl = pCrawl.children[index]
pCrawl.isEndOfWord = True
def search(self, key):
pCrawl = self.root
length = len(key)
for level in range(length):
index = self._charToIndex(key[level])
if not pCrawl.children[index]:
return False
pCrawl = pCrawl.children[index]
return pCrawl != None and pCrawl.isEndOfWord
# -----------------------------------------trie---------------------------------
def merge(arr, temp, left, mid, right):
inv_count = 0
i = left # i is index for left subarray*/
j = mid # i is index for right subarray*/
k = left # i is index for resultant merged subarray*/
while ((i <= mid - 1) and (j <= right)):
if (arr[i] <= arr[j]):
temp[k] = arr[i]
k += 1
i += 1
else:
temp[k] = arr[j]
k += 1
j += 1
inv_count = inv_count + (mid - i)
while (i <= mid - 1):
temp[k] = arr[i]
k += 1
i += 1
while (j <= right):
temp[k] = arr[j]
k += 1
j += 1
# Copy back the merged elements to original array*/
for i in range(left, right + 1, 1):
arr[i] = temp[i]
return inv_count
def _mergeSort(arr, temp, left, right):
inv_count = 0
if (right > left):
mid = int((right + left) / 2)
inv_count = _mergeSort(arr, temp, left, mid)
inv_count += _mergeSort(arr, temp, mid + 1, right)
inv_count += merge(arr, temp, left, mid + 1, right)
return inv_count
def countSwaps(arr, n):
temp = [0 for i in range(n)]
return _mergeSort(arr, temp, 0, n - 1)
#-----------------------------------------adjcent swap required------------------------------
def minSwaps(arr):
n = len(arr)
arrpos = [*enumerate(arr)]
arrpos.sort(key=lambda it: it[1])
vis = {k: False for k in range(n)}
ans = 0
for i in range(n):
if vis[i] or arrpos[i][0] == i:
continue
cycle_size = 0
j = i
while not vis[j]:
vis[j] = True
j = arrpos[j][0]
cycle_size += 1
if cycle_size > 0:
ans += (cycle_size - 1)
return ans
#----------------------swaps required----------------------------
class Node:
def __init__(self, data):
self.data = data
self.count = 0
self.left = None # left node for 0
self.right = None # right node for 1
class BinaryTrie:
def __init__(self):
self.root = Node(0)
def insert(self, pre_xor):
self.temp = self.root
for i in range(31, -1, -1):
val = pre_xor & (1 << i)
if val:
if not self.temp.right:
self.temp.right = Node(0)
self.temp = self.temp.right
self.temp.count += 1
if not val:
if not self.temp.left:
self.temp.left = Node(0)
self.temp = self.temp.left
self.temp.count += 1
self.temp.data = pre_xor
def query(self, xor):
self.temp = self.root
for i in range(31, -1, -1):
val = xor & (1 << i)
if not val:
if self.temp.left and self.temp.left.count > 0:
self.temp = self.temp.left
elif self.temp.right:
self.temp = self.temp.right
else:
if self.temp.right and self.temp.right.count > 0:
self.temp = self.temp.right
elif self.temp.left:
self.temp = self.temp.left
self.temp.count -= 1
return xor ^ self.temp.data
# -------------------------bin trie-------------------------------------------
n=int(input())
l=list(map(int,input().split()))
dp=[[9999999999999 for i in range(n+1)]for j in range(n+1)]
for i in range(n+1):
dp[i][i]=1
for j in range(i):
dp[i][j]=0
for i in range(n):
for j in range(i-1,-1,-1):
if j!=i-1 and l[j]==l[i]:
dp[j][i]=min(dp[j][i],dp[j+1][i-1])
if l[j]==l[j+1]:
dp[j][i]=min(1+dp[j+2][i],dp[j][i])
dp[j][i]=min(dp[j][i],dp[j][i-1]+1,dp[j+1][i]+1)
for k in range(j+2,i):
if l[j]==l[k]:
dp[j][i]=min(dp[j][i],dp[j+1][k-1]+dp[k+1][i])
print(dp[0][n-1])
```
| 11,209 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Genos recently installed the game Zuma on his phone. In Zuma there exists a line of n gemstones, the i-th of which has color ci. The goal of the game is to destroy all the gemstones in the line as quickly as possible.
In one second, Genos is able to choose exactly one continuous substring of colored gemstones that is a palindrome and remove it from the line. After the substring is removed, the remaining gemstones shift to form a solid line again. What is the minimum number of seconds needed to destroy the entire line?
Let us remind, that the string (or substring) is called palindrome, if it reads same backwards or forward. In our case this means the color of the first gemstone is equal to the color of the last one, the color of the second gemstone is equal to the color of the next to last and so on.
Input
The first line of input contains a single integer n (1 β€ n β€ 500) β the number of gemstones.
The second line contains n space-separated integers, the i-th of which is ci (1 β€ ci β€ n) β the color of the i-th gemstone in a line.
Output
Print a single integer β the minimum number of seconds needed to destroy the entire line.
Examples
Input
3
1 2 1
Output
1
Input
3
1 2 3
Output
3
Input
7
1 4 4 2 3 2 1
Output
2
Note
In the first sample, Genos can destroy the entire line in one second.
In the second sample, Genos can only destroy one gemstone at a time, so destroying three gemstones takes three seconds.
In the third sample, to achieve the optimal time of two seconds, destroy palindrome 4 4 first and then destroy palindrome 1 2 3 2 1.
Tags: dp
Correct Solution:
```
from sys import stdin,stdout
for _ in range(1):#(stdin.readline())):
n=int(stdin.readline())
# n,m=list(map(int,stdin.readline().split()))
a=list(map(int,stdin.readline().split()))
dp=[[0 for _ in range(n)] for _ in range(n)]
for sz in range(n):
for i in range(n-sz):
j=i+sz
# print(i,j)
if sz==0:dp[i][j]=1
elif sz==1:dp[i][j]=1+int(a[i]!=a[j])
else:
v=n
if a[i]==a[j]:v=dp[i+1][j-1]
for k in range(i,j):
v=min(v,dp[i][k]+dp[k+1][j])
dp[i][j]=v
# print(*dp,sep='\n')
print(dp[0][n-1])
```
| 11,210 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Genos recently installed the game Zuma on his phone. In Zuma there exists a line of n gemstones, the i-th of which has color ci. The goal of the game is to destroy all the gemstones in the line as quickly as possible.
In one second, Genos is able to choose exactly one continuous substring of colored gemstones that is a palindrome and remove it from the line. After the substring is removed, the remaining gemstones shift to form a solid line again. What is the minimum number of seconds needed to destroy the entire line?
Let us remind, that the string (or substring) is called palindrome, if it reads same backwards or forward. In our case this means the color of the first gemstone is equal to the color of the last one, the color of the second gemstone is equal to the color of the next to last and so on.
Input
The first line of input contains a single integer n (1 β€ n β€ 500) β the number of gemstones.
The second line contains n space-separated integers, the i-th of which is ci (1 β€ ci β€ n) β the color of the i-th gemstone in a line.
Output
Print a single integer β the minimum number of seconds needed to destroy the entire line.
Examples
Input
3
1 2 1
Output
1
Input
3
1 2 3
Output
3
Input
7
1 4 4 2 3 2 1
Output
2
Note
In the first sample, Genos can destroy the entire line in one second.
In the second sample, Genos can only destroy one gemstone at a time, so destroying three gemstones takes three seconds.
In the third sample, to achieve the optimal time of two seconds, destroy palindrome 4 4 first and then destroy palindrome 1 2 3 2 1.
Tags: dp
Correct Solution:
```
def main():
n, l = int(input()), list(map(int, input().split()))
dp = [[0] * n for _ in range(n + 1)]
for le in range(1, n + 1):
for lo, hi in zip(range(n), range(le - 1, n)):
row, c = dp[lo], l[lo]
if le == 1:
row[hi] = 1
else:
tmp = [1 + dp[lo + 1][hi]]
if c == l[lo + 1]:
tmp.append(1 + dp[lo + 2][hi])
for match in range(lo + 2, hi + 1):
if c == l[match]:
tmp.append(dp[lo + 1][match - 1] + dp[match + 1][hi])
row[hi] = min(tmp)
print(dp[0][n - 1])
if __name__ == '__main__':
main()
```
| 11,211 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Genos recently installed the game Zuma on his phone. In Zuma there exists a line of n gemstones, the i-th of which has color ci. The goal of the game is to destroy all the gemstones in the line as quickly as possible.
In one second, Genos is able to choose exactly one continuous substring of colored gemstones that is a palindrome and remove it from the line. After the substring is removed, the remaining gemstones shift to form a solid line again. What is the minimum number of seconds needed to destroy the entire line?
Let us remind, that the string (or substring) is called palindrome, if it reads same backwards or forward. In our case this means the color of the first gemstone is equal to the color of the last one, the color of the second gemstone is equal to the color of the next to last and so on.
Input
The first line of input contains a single integer n (1 β€ n β€ 500) β the number of gemstones.
The second line contains n space-separated integers, the i-th of which is ci (1 β€ ci β€ n) β the color of the i-th gemstone in a line.
Output
Print a single integer β the minimum number of seconds needed to destroy the entire line.
Examples
Input
3
1 2 1
Output
1
Input
3
1 2 3
Output
3
Input
7
1 4 4 2 3 2 1
Output
2
Note
In the first sample, Genos can destroy the entire line in one second.
In the second sample, Genos can only destroy one gemstone at a time, so destroying three gemstones takes three seconds.
In the third sample, to achieve the optimal time of two seconds, destroy palindrome 4 4 first and then destroy palindrome 1 2 3 2 1.
Tags: dp
Correct Solution:
```
dp = [[-1 for i in range(505)] for j in range(505)]
n = int(input())
A = [int(i) for i in input().split()]
def do(i, j):
#print('At',i , j)
if i>=j:
dp[i][j] = 1
return 1
if dp[i][j] != -1:
return dp[i][j]
ans = len(A)
if A[i] == A[j]:
ans = min(ans, do(i+1, j-1))
for x in range(i, j):
left = do(i, x)
right = do(x+1, j)
ans = min(ans, left+right)
dp[i][j] = ans
return ans
if len(set(A)) == n:
print(n)
else:
print(do(0, n-1))
```
| 11,212 |
Provide tags and a correct Python 2 solution for this coding contest problem.
Genos recently installed the game Zuma on his phone. In Zuma there exists a line of n gemstones, the i-th of which has color ci. The goal of the game is to destroy all the gemstones in the line as quickly as possible.
In one second, Genos is able to choose exactly one continuous substring of colored gemstones that is a palindrome and remove it from the line. After the substring is removed, the remaining gemstones shift to form a solid line again. What is the minimum number of seconds needed to destroy the entire line?
Let us remind, that the string (or substring) is called palindrome, if it reads same backwards or forward. In our case this means the color of the first gemstone is equal to the color of the last one, the color of the second gemstone is equal to the color of the next to last and so on.
Input
The first line of input contains a single integer n (1 β€ n β€ 500) β the number of gemstones.
The second line contains n space-separated integers, the i-th of which is ci (1 β€ ci β€ n) β the color of the i-th gemstone in a line.
Output
Print a single integer β the minimum number of seconds needed to destroy the entire line.
Examples
Input
3
1 2 1
Output
1
Input
3
1 2 3
Output
3
Input
7
1 4 4 2 3 2 1
Output
2
Note
In the first sample, Genos can destroy the entire line in one second.
In the second sample, Genos can only destroy one gemstone at a time, so destroying three gemstones takes three seconds.
In the third sample, to achieve the optimal time of two seconds, destroy palindrome 4 4 first and then destroy palindrome 1 2 3 2 1.
Tags: dp
Correct Solution:
```
from sys import stdin, stdout
from collections import Counter, defaultdict
from itertools import permutations, combinations
raw_input = stdin.readline
pr = stdout.write
def in_num():
return int(raw_input())
def in_arr():
return map(int,raw_input().split())
def pr_num(n):
stdout.write(str(n)+'\n')
def pr_arr(arr):
pr(' '.join(map(str,arr))+'\n')
# fast read function for total integer input
def inp():
# this function returns whole input of
# space/line seperated integers
# Use Ctrl+D to flush stdin.
return map(int,stdin.read().split())
range = xrange # not for python 3.0+
# main code
n=in_num()
l=in_arr()
dp=[[1 for i in range(n)] for j in range(n)]
for ln in range(1,n):
for i in range(n-ln):
dp[i][i+ln]=min(dp[i][j]+dp[j+1][i+ln] for j in range(i,i+ln))
if l[i]==l[i+ln]:
dp[i][i+ln]=min(dp[i][i+ln],dp[i+1][i+ln-1])
pr_num(dp[0][-1])
```
| 11,213 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Genos recently installed the game Zuma on his phone. In Zuma there exists a line of n gemstones, the i-th of which has color ci. The goal of the game is to destroy all the gemstones in the line as quickly as possible.
In one second, Genos is able to choose exactly one continuous substring of colored gemstones that is a palindrome and remove it from the line. After the substring is removed, the remaining gemstones shift to form a solid line again. What is the minimum number of seconds needed to destroy the entire line?
Let us remind, that the string (or substring) is called palindrome, if it reads same backwards or forward. In our case this means the color of the first gemstone is equal to the color of the last one, the color of the second gemstone is equal to the color of the next to last and so on.
Input
The first line of input contains a single integer n (1 β€ n β€ 500) β the number of gemstones.
The second line contains n space-separated integers, the i-th of which is ci (1 β€ ci β€ n) β the color of the i-th gemstone in a line.
Output
Print a single integer β the minimum number of seconds needed to destroy the entire line.
Examples
Input
3
1 2 1
Output
1
Input
3
1 2 3
Output
3
Input
7
1 4 4 2 3 2 1
Output
2
Note
In the first sample, Genos can destroy the entire line in one second.
In the second sample, Genos can only destroy one gemstone at a time, so destroying three gemstones takes three seconds.
In the third sample, to achieve the optimal time of two seconds, destroy palindrome 4 4 first and then destroy palindrome 1 2 3 2 1.
Submitted Solution:
```
n = int(input())
t = tuple(map(int, input().split()))
m = [[1] * n for i in range(n + 1)]
for d in range(2, n + 1):
for i in range(n - d + 1):
m[d][i] = min(m[x][i] + m[d - x][i + x] for x in range(1, d))
if t[i] == t[i + d - 1]: m[d][i] = min(m[d][i], m[d - 2][i + 1])
print(m[n][0])
```
Yes
| 11,214 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Genos recently installed the game Zuma on his phone. In Zuma there exists a line of n gemstones, the i-th of which has color ci. The goal of the game is to destroy all the gemstones in the line as quickly as possible.
In one second, Genos is able to choose exactly one continuous substring of colored gemstones that is a palindrome and remove it from the line. After the substring is removed, the remaining gemstones shift to form a solid line again. What is the minimum number of seconds needed to destroy the entire line?
Let us remind, that the string (or substring) is called palindrome, if it reads same backwards or forward. In our case this means the color of the first gemstone is equal to the color of the last one, the color of the second gemstone is equal to the color of the next to last and so on.
Input
The first line of input contains a single integer n (1 β€ n β€ 500) β the number of gemstones.
The second line contains n space-separated integers, the i-th of which is ci (1 β€ ci β€ n) β the color of the i-th gemstone in a line.
Output
Print a single integer β the minimum number of seconds needed to destroy the entire line.
Examples
Input
3
1 2 1
Output
1
Input
3
1 2 3
Output
3
Input
7
1 4 4 2 3 2 1
Output
2
Note
In the first sample, Genos can destroy the entire line in one second.
In the second sample, Genos can only destroy one gemstone at a time, so destroying three gemstones takes three seconds.
In the third sample, to achieve the optimal time of two seconds, destroy palindrome 4 4 first and then destroy palindrome 1 2 3 2 1.
Submitted Solution:
```
from sys import stdin
n=int(input())
s=list(map(int,stdin.readline().strip().split()))
dp=[[-1 for i in range(501)] for j in range(500)]
def sol(i,j):
if i>j:
return 0
if i==j:
return 1
if dp[i][j]!=-1:
return dp[i][j]
x=502
if s[i]==s[i+1]:
x=min(x,sol(i+2,j)+1)
for k in range(i+2,j+1):
if s[i]==s[k]:
x=min(x,sol(1+i,k-1)+sol(k+1,j))
dp[i][j]=min(1+sol(i+1,j),x)
return dp[i][j]
print(sol(0,n-1))
```
Yes
| 11,215 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Genos recently installed the game Zuma on his phone. In Zuma there exists a line of n gemstones, the i-th of which has color ci. The goal of the game is to destroy all the gemstones in the line as quickly as possible.
In one second, Genos is able to choose exactly one continuous substring of colored gemstones that is a palindrome and remove it from the line. After the substring is removed, the remaining gemstones shift to form a solid line again. What is the minimum number of seconds needed to destroy the entire line?
Let us remind, that the string (or substring) is called palindrome, if it reads same backwards or forward. In our case this means the color of the first gemstone is equal to the color of the last one, the color of the second gemstone is equal to the color of the next to last and so on.
Input
The first line of input contains a single integer n (1 β€ n β€ 500) β the number of gemstones.
The second line contains n space-separated integers, the i-th of which is ci (1 β€ ci β€ n) β the color of the i-th gemstone in a line.
Output
Print a single integer β the minimum number of seconds needed to destroy the entire line.
Examples
Input
3
1 2 1
Output
1
Input
3
1 2 3
Output
3
Input
7
1 4 4 2 3 2 1
Output
2
Note
In the first sample, Genos can destroy the entire line in one second.
In the second sample, Genos can only destroy one gemstone at a time, so destroying three gemstones takes three seconds.
In the third sample, to achieve the optimal time of two seconds, destroy palindrome 4 4 first and then destroy palindrome 1 2 3 2 1.
Submitted Solution:
```
n = int(input())
dp = [[None for j in range(n)] for i in range(n)]
cl = input().split(' ')
cl = [int(color) for color in cl]
for bias in range(0, n):
for l in range(n-bias):
r = l + bias
loc = float('+inf')
if bias == 0:
dp[l][r] = 1
elif bias == 1:
if cl[l] == cl[r]:
dp[l][r] = 1
else:
dp[l][r] = 2
else:
if cl[l] == cl[r]:
loc = dp[l+1][r-1]
for k in range(l, r):
loc = min(loc, dp[l][k]+dp[k+1][r])
dp[l][r] = loc
print(dp[0][n-1])
```
Yes
| 11,216 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Genos recently installed the game Zuma on his phone. In Zuma there exists a line of n gemstones, the i-th of which has color ci. The goal of the game is to destroy all the gemstones in the line as quickly as possible.
In one second, Genos is able to choose exactly one continuous substring of colored gemstones that is a palindrome and remove it from the line. After the substring is removed, the remaining gemstones shift to form a solid line again. What is the minimum number of seconds needed to destroy the entire line?
Let us remind, that the string (or substring) is called palindrome, if it reads same backwards or forward. In our case this means the color of the first gemstone is equal to the color of the last one, the color of the second gemstone is equal to the color of the next to last and so on.
Input
The first line of input contains a single integer n (1 β€ n β€ 500) β the number of gemstones.
The second line contains n space-separated integers, the i-th of which is ci (1 β€ ci β€ n) β the color of the i-th gemstone in a line.
Output
Print a single integer β the minimum number of seconds needed to destroy the entire line.
Examples
Input
3
1 2 1
Output
1
Input
3
1 2 3
Output
3
Input
7
1 4 4 2 3 2 1
Output
2
Note
In the first sample, Genos can destroy the entire line in one second.
In the second sample, Genos can only destroy one gemstone at a time, so destroying three gemstones takes three seconds.
In the third sample, to achieve the optimal time of two seconds, destroy palindrome 4 4 first and then destroy palindrome 1 2 3 2 1.
Submitted Solution:
```
import sys
from math import *
def minp():
return sys.stdin.readline().strip()
def mint():
return int(minp())
def mints():
return map(int, minp().split())
n = mint()
c = list(mints())
dp = [[1e9]*n for i in range(n)]
for i in range(n):
dp[i][i] = 1
for i in range(n-1):
dp[i][i+1] = 1 if c[i] == c[i+1] else 2
for i in range(2,n):
for j in range(n-i):
z = dp[j+1][j+i]+1
if c[j] == c[j+1]:
z = min(z, dp[j+2][j+i] + 1)
for k in range(j+2,j+i):
if c[j] == c[k]:
z = min(z, dp[j][k] + dp[k+1][j+i])
if c[j] == c[j+i]:
z = min(z, dp[j+1][j+i-1])
dp[j][j+i] = z
#print(*dp, sep='\n')
print(dp[0][n-1])
```
Yes
| 11,217 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Genos recently installed the game Zuma on his phone. In Zuma there exists a line of n gemstones, the i-th of which has color ci. The goal of the game is to destroy all the gemstones in the line as quickly as possible.
In one second, Genos is able to choose exactly one continuous substring of colored gemstones that is a palindrome and remove it from the line. After the substring is removed, the remaining gemstones shift to form a solid line again. What is the minimum number of seconds needed to destroy the entire line?
Let us remind, that the string (or substring) is called palindrome, if it reads same backwards or forward. In our case this means the color of the first gemstone is equal to the color of the last one, the color of the second gemstone is equal to the color of the next to last and so on.
Input
The first line of input contains a single integer n (1 β€ n β€ 500) β the number of gemstones.
The second line contains n space-separated integers, the i-th of which is ci (1 β€ ci β€ n) β the color of the i-th gemstone in a line.
Output
Print a single integer β the minimum number of seconds needed to destroy the entire line.
Examples
Input
3
1 2 1
Output
1
Input
3
1 2 3
Output
3
Input
7
1 4 4 2 3 2 1
Output
2
Note
In the first sample, Genos can destroy the entire line in one second.
In the second sample, Genos can only destroy one gemstone at a time, so destroying three gemstones takes three seconds.
In the third sample, to achieve the optimal time of two seconds, destroy palindrome 4 4 first and then destroy palindrome 1 2 3 2 1.
Submitted Solution:
```
from sys import stdin
n=int(input())
s=list(map(int,stdin.readline().strip().split()))
dp=[[-1 for i in range(501)] for j in range(500)]
dp1=[[False for i in range(501)] for j in range(500)]
suf=[1 for i in range(n)]
pref=[1 for i in range(n)]
for i in range(n-1,-1,-1):
for j in range(i+1,n):
if s[i]==s[j] and (j-i<=2 or dp1[i+1][j-1]==True):
dp1[i][j]=True
suf[i]=j-i+1
pref[j]=max(pref[j],suf[i])
def sol(i,j):
if i>j:
return 1
if i==j:
return 1
if dp[i][j]!=-1:
return dp[i][j]
if s[i]==s[j]:
dp[i][j]=sol(i+1,j-1)
return dp[i][j]
dp[i][j]=min(2+sol(i+suf[i],j-pref[j]),1+sol(i,j-pref[j]),1+sol(i+suf[i],j))
return dp[i][j]
print(sol(0,n-1))
```
No
| 11,218 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Genos recently installed the game Zuma on his phone. In Zuma there exists a line of n gemstones, the i-th of which has color ci. The goal of the game is to destroy all the gemstones in the line as quickly as possible.
In one second, Genos is able to choose exactly one continuous substring of colored gemstones that is a palindrome and remove it from the line. After the substring is removed, the remaining gemstones shift to form a solid line again. What is the minimum number of seconds needed to destroy the entire line?
Let us remind, that the string (or substring) is called palindrome, if it reads same backwards or forward. In our case this means the color of the first gemstone is equal to the color of the last one, the color of the second gemstone is equal to the color of the next to last and so on.
Input
The first line of input contains a single integer n (1 β€ n β€ 500) β the number of gemstones.
The second line contains n space-separated integers, the i-th of which is ci (1 β€ ci β€ n) β the color of the i-th gemstone in a line.
Output
Print a single integer β the minimum number of seconds needed to destroy the entire line.
Examples
Input
3
1 2 1
Output
1
Input
3
1 2 3
Output
3
Input
7
1 4 4 2 3 2 1
Output
2
Note
In the first sample, Genos can destroy the entire line in one second.
In the second sample, Genos can only destroy one gemstone at a time, so destroying three gemstones takes three seconds.
In the third sample, to achieve the optimal time of two seconds, destroy palindrome 4 4 first and then destroy palindrome 1 2 3 2 1.
Submitted Solution:
```
from sys import stdin,stdout
for _ in range(1):#(stdin.readline())):
n=int(stdin.readline())
# n,m=list(map(int,stdin.readline().split()))
a=list(map(int,stdin.readline().split()))
dp=[[0 for _ in range(n)] for _ in range(n)]
for sz in range(n):
for i in range(n-sz):
j=i+sz
# print(i,j)
if sz==0:dp[i][j]=1
elif sz==1:dp[i][j]=1+int(a[i]!=a[j])
elif a[i]==a[j]:dp[i][j]=dp[i+1][j-1]
else:
v=n
for k in range(i+1,j):
v=min(v,dp[i][k]+dp[k+1][j])
dp[i][j]=v
# print(*dp,sep='\n')
print(dp[0][n-1])
```
No
| 11,219 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Genos recently installed the game Zuma on his phone. In Zuma there exists a line of n gemstones, the i-th of which has color ci. The goal of the game is to destroy all the gemstones in the line as quickly as possible.
In one second, Genos is able to choose exactly one continuous substring of colored gemstones that is a palindrome and remove it from the line. After the substring is removed, the remaining gemstones shift to form a solid line again. What is the minimum number of seconds needed to destroy the entire line?
Let us remind, that the string (or substring) is called palindrome, if it reads same backwards or forward. In our case this means the color of the first gemstone is equal to the color of the last one, the color of the second gemstone is equal to the color of the next to last and so on.
Input
The first line of input contains a single integer n (1 β€ n β€ 500) β the number of gemstones.
The second line contains n space-separated integers, the i-th of which is ci (1 β€ ci β€ n) β the color of the i-th gemstone in a line.
Output
Print a single integer β the minimum number of seconds needed to destroy the entire line.
Examples
Input
3
1 2 1
Output
1
Input
3
1 2 3
Output
3
Input
7
1 4 4 2 3 2 1
Output
2
Note
In the first sample, Genos can destroy the entire line in one second.
In the second sample, Genos can only destroy one gemstone at a time, so destroying three gemstones takes three seconds.
In the third sample, to achieve the optimal time of two seconds, destroy palindrome 4 4 first and then destroy palindrome 1 2 3 2 1.
Submitted Solution:
```
def gems(n, c):
c = "#{}#".format('#'.join(c))
n = 2*n + 1
T = [[None for i in range(n)] for j in range(n)]
def g(i, j): # c[i+1] is the first character, c[j-1] is the last
if j - i <= 2:
return 1
if T[i][j] is not None:
return T[i][j]
if c[i+1] == c[j-1]:
opt = g(i+2, j-2)
else:
opt = min((g(i, r) + g(r, j)) for r in range(i+2, j, 2))
T[i][j] = opt
return opt
return g(0, n-1)
n = int(input())
c = input().split()
print(gems(n, c))
```
No
| 11,220 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Genos recently installed the game Zuma on his phone. In Zuma there exists a line of n gemstones, the i-th of which has color ci. The goal of the game is to destroy all the gemstones in the line as quickly as possible.
In one second, Genos is able to choose exactly one continuous substring of colored gemstones that is a palindrome and remove it from the line. After the substring is removed, the remaining gemstones shift to form a solid line again. What is the minimum number of seconds needed to destroy the entire line?
Let us remind, that the string (or substring) is called palindrome, if it reads same backwards or forward. In our case this means the color of the first gemstone is equal to the color of the last one, the color of the second gemstone is equal to the color of the next to last and so on.
Input
The first line of input contains a single integer n (1 β€ n β€ 500) β the number of gemstones.
The second line contains n space-separated integers, the i-th of which is ci (1 β€ ci β€ n) β the color of the i-th gemstone in a line.
Output
Print a single integer β the minimum number of seconds needed to destroy the entire line.
Examples
Input
3
1 2 1
Output
1
Input
3
1 2 3
Output
3
Input
7
1 4 4 2 3 2 1
Output
2
Note
In the first sample, Genos can destroy the entire line in one second.
In the second sample, Genos can only destroy one gemstone at a time, so destroying three gemstones takes three seconds.
In the third sample, to achieve the optimal time of two seconds, destroy palindrome 4 4 first and then destroy palindrome 1 2 3 2 1.
Submitted Solution:
```
# -*- coding:utf-8 -*-
"""
created by shuangquan.huang at 1/9/20
"""
import collections
import time
import os
import sys
import bisect
import heapq
from typing import List
def solve(N, A):
dp = [[N for _ in range(N+1)] for _ in range(N)]
for i in range(N):
dp[i][0] = 0
dp[i][1] = 1
for l in range(2, N+1):
for i in range(N-l+1):
for j in range(1, l):
dp[i][l] = min(dp[i][l], dp[i][j] + dp[i+j][l-j])
# j = 0
# while j < l // 2 and A[i+j] == A[i+l-j-1]:
# j += 1
# if j >= l // 2:
# dp[i][l] = min(dp[i][l], 1)
# elif j > 0:
# dp[i][l] = min(dp[i][l], 1 + dp[i+j][l-2*j])
# for k in range(i+j, i+l-j):
# dp[i][l] = min(dp[i][l], 1 + dp[i+j][k-i-j] + dp[k][l - 2 * j-1])
if i + 1 < N and A[i] == A[i+l-1]:
dp[i][l] = max(1, dp[i+1][l-2])
else:
dp[i][l] = min(dp[i][l], 1 + dp[i][l-1])
if i + 1 < N:
dp[i][l] = min(dp[i][l], 1 + dp[i+1][l-1])
return dp[0][N]
N = int(input())
A = [int(x) for x in input().split()]
print(solve(N, A))
```
No
| 11,221 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
In Medieval times existed the tradition of burning witches at steaks together with their pets, black cats. By the end of the 15-th century the population of black cats ceased to exist. The difficulty of the situation led to creating the EIC - the Emergency Inquisitory Commission.
The resolution #666 says that a white cat is considered black when and only when the perimeter of its black spots exceeds the acceptable norm. But what does the acceptable norm equal to? Every inquisitor will choose it himself depending on the situation. And your task is to find the perimeter of black spots on the cat's fur.
The very same resolution says that the cat's fur is a white square with the length of 105. During the measurement of spots it is customary to put the lower left corner of the fur into the origin of axes (0;0) and the upper right one β to the point with coordinates (105;105). The cats' spots are nondegenerate triangles. The spots can intersect and overlap with each other, but it is guaranteed that each pair of the triangular spots' sides have no more than one common point.
We'll regard the perimeter in this problem as the total length of the boarders where a cat's fur changes color.
Input
The first input line contains a single integer n (0 β€ n β€ 100). It is the number of spots on the cat's fur. The i-th of the last n lines contains 6 integers: x1i, y1i, x2i, y2i, x3i, y3i. They are the coordinates of the i-th triangular spot (0 < xji, yji < 105).
Output
Print a single number, the answer to the problem, perimeter of the union of triangles. Your answer should differ from the correct one in no more than 10 - 6.
Examples
Input
1
1 1 2 1 1 2
Output
3.4142135624
Input
3
3 3 10 3 3 10
1 1 9 4 5 6
2 2 11 7 6 11
Output
37.7044021497
Submitted Solution:
```
#not completed yet
a=int(input())
if a==1:
print("3.4142135624")
else:
print("37.7044021497")
```
No
| 11,222 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Btoh yuo adn yuor roomatme lhoate wianshg disehs, btu stlil sdmoeboy msut peorrfm tihs cohre dialy. Oen dya yuo decdie to idourtcne smoe syestm. Yuor rmmotaoe sstgegus teh fooniwllg dael. Yuo argee on tow arayrs of ientgres M adn R, nmebur upmicnog dyas (induiclng teh cunrret oen) wtih sicsescuve irnegets (teh ceurrnt dya is zreo), adn yuo wsah teh diehss on dya D if adn olny if terhe etsixs an iednx i scuh taht D mod M[i] = R[i], otwsehrie yuor rmootmae deos it. Yuo lkie teh cncepot, btu yuor rmotaome's cuinnng simle meaks yuo ssecupt sthnoemig, so yuo itennd to vefriy teh fnerisas of teh aemnrgeet.
Yuo aer geivn ayarrs M adn R. Cuaclatle teh pceanregte of dyas on wchih yuo edn up dnoig teh wisahng. Amsuse taht yuo hvae iiiftlneny mnay dyas aehad of yuo.
Input
The first line of input contains a single integer N (1 β€ N β€ 16).
The second and third lines of input contain N integers each, all between 0 and 16, inclusive, and represent arrays M and R, respectively. All M[i] are positive, for each i R[i] < M[i].
Output
Output a single real number. The answer is considered to be correct if its absolute or relative error does not exceed 10 - 4.
Examples
Input
1
2
0
Output
0.500000
Input
2
2 3
1 0
Output
0.666667
Tags: *special, implementation
Correct Solution:
```
n = int(input())
m = list(map(int, input().split()))
r = list(map(int, input().split()))
k = 0
for i in range(100000):
for j in range(n):
if i % m[j] == r[j]:
k += 1
break
print(k / 100000)
```
| 11,223 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Btoh yuo adn yuor roomatme lhoate wianshg disehs, btu stlil sdmoeboy msut peorrfm tihs cohre dialy. Oen dya yuo decdie to idourtcne smoe syestm. Yuor rmmotaoe sstgegus teh fooniwllg dael. Yuo argee on tow arayrs of ientgres M adn R, nmebur upmicnog dyas (induiclng teh cunrret oen) wtih sicsescuve irnegets (teh ceurrnt dya is zreo), adn yuo wsah teh diehss on dya D if adn olny if terhe etsixs an iednx i scuh taht D mod M[i] = R[i], otwsehrie yuor rmootmae deos it. Yuo lkie teh cncepot, btu yuor rmotaome's cuinnng simle meaks yuo ssecupt sthnoemig, so yuo itennd to vefriy teh fnerisas of teh aemnrgeet.
Yuo aer geivn ayarrs M adn R. Cuaclatle teh pceanregte of dyas on wchih yuo edn up dnoig teh wisahng. Amsuse taht yuo hvae iiiftlneny mnay dyas aehad of yuo.
Input
The first line of input contains a single integer N (1 β€ N β€ 16).
The second and third lines of input contain N integers each, all between 0 and 16, inclusive, and represent arrays M and R, respectively. All M[i] are positive, for each i R[i] < M[i].
Output
Output a single real number. The answer is considered to be correct if its absolute or relative error does not exceed 10 - 4.
Examples
Input
1
2
0
Output
0.500000
Input
2
2 3
1 0
Output
0.666667
Tags: *special, implementation
Correct Solution:
```
n = int(input())
M = [int(s) for s in input().split()]
R = [int(s) for s in input().split()]
c = 0
for i in range(100000):
bool = False
for j in range(n):
if i % M[j] == R[j]:
bool = True
break
if bool:
c += 1
print(c/100000)
```
| 11,224 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Btoh yuo adn yuor roomatme lhoate wianshg disehs, btu stlil sdmoeboy msut peorrfm tihs cohre dialy. Oen dya yuo decdie to idourtcne smoe syestm. Yuor rmmotaoe sstgegus teh fooniwllg dael. Yuo argee on tow arayrs of ientgres M adn R, nmebur upmicnog dyas (induiclng teh cunrret oen) wtih sicsescuve irnegets (teh ceurrnt dya is zreo), adn yuo wsah teh diehss on dya D if adn olny if terhe etsixs an iednx i scuh taht D mod M[i] = R[i], otwsehrie yuor rmootmae deos it. Yuo lkie teh cncepot, btu yuor rmotaome's cuinnng simle meaks yuo ssecupt sthnoemig, so yuo itennd to vefriy teh fnerisas of teh aemnrgeet.
Yuo aer geivn ayarrs M adn R. Cuaclatle teh pceanregte of dyas on wchih yuo edn up dnoig teh wisahng. Amsuse taht yuo hvae iiiftlneny mnay dyas aehad of yuo.
Input
The first line of input contains a single integer N (1 β€ N β€ 16).
The second and third lines of input contain N integers each, all between 0 and 16, inclusive, and represent arrays M and R, respectively. All M[i] are positive, for each i R[i] < M[i].
Output
Output a single real number. The answer is considered to be correct if its absolute or relative error does not exceed 10 - 4.
Examples
Input
1
2
0
Output
0.500000
Input
2
2 3
1 0
Output
0.666667
Tags: *special, implementation
Correct Solution:
```
from fractions import gcd
from functools import reduce
from operator import mul
n = int(input())
m = [int(x) for x in input().split()]
r = [int(x) for x in input().split()]
lcm = m[0]
if len(m) > 1:
lcm = reduce(mul, m, 1) // reduce(gcd, m, 0)
res = 0
for d in range(min(lcm, 100000)):
for i in range(n):
if d % m[i] == r[i]:
res += 1
break
print(res / min(lcm, 100000))
```
| 11,225 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Btoh yuo adn yuor roomatme lhoate wianshg disehs, btu stlil sdmoeboy msut peorrfm tihs cohre dialy. Oen dya yuo decdie to idourtcne smoe syestm. Yuor rmmotaoe sstgegus teh fooniwllg dael. Yuo argee on tow arayrs of ientgres M adn R, nmebur upmicnog dyas (induiclng teh cunrret oen) wtih sicsescuve irnegets (teh ceurrnt dya is zreo), adn yuo wsah teh diehss on dya D if adn olny if terhe etsixs an iednx i scuh taht D mod M[i] = R[i], otwsehrie yuor rmootmae deos it. Yuo lkie teh cncepot, btu yuor rmotaome's cuinnng simle meaks yuo ssecupt sthnoemig, so yuo itennd to vefriy teh fnerisas of teh aemnrgeet.
Yuo aer geivn ayarrs M adn R. Cuaclatle teh pceanregte of dyas on wchih yuo edn up dnoig teh wisahng. Amsuse taht yuo hvae iiiftlneny mnay dyas aehad of yuo.
Input
The first line of input contains a single integer N (1 β€ N β€ 16).
The second and third lines of input contain N integers each, all between 0 and 16, inclusive, and represent arrays M and R, respectively. All M[i] are positive, for each i R[i] < M[i].
Output
Output a single real number. The answer is considered to be correct if its absolute or relative error does not exceed 10 - 4.
Examples
Input
1
2
0
Output
0.500000
Input
2
2 3
1 0
Output
0.666667
Tags: *special, implementation
Correct Solution:
```
import fractions
from functools import reduce
N = int(input())
M = list(map(int, input().split(' ')))
R = list(map(int, input().split(' ')))
def gcd(*numbers):
return reduce(fractions.gcd, numbers)
def lcm(*numbers):
def _lcm(a, b):
return (a * b) // gcd(a, b)
return reduce(_lcm, numbers, 1)
lcm_M = lcm(*M)
a = [
any(d % M[i] == R[i] for i in range(N))
for d in range(lcm_M)
]
print(a.count(True) / len(a))
```
| 11,226 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Btoh yuo adn yuor roomatme lhoate wianshg disehs, btu stlil sdmoeboy msut peorrfm tihs cohre dialy. Oen dya yuo decdie to idourtcne smoe syestm. Yuor rmmotaoe sstgegus teh fooniwllg dael. Yuo argee on tow arayrs of ientgres M adn R, nmebur upmicnog dyas (induiclng teh cunrret oen) wtih sicsescuve irnegets (teh ceurrnt dya is zreo), adn yuo wsah teh diehss on dya D if adn olny if terhe etsixs an iednx i scuh taht D mod M[i] = R[i], otwsehrie yuor rmootmae deos it. Yuo lkie teh cncepot, btu yuor rmotaome's cuinnng simle meaks yuo ssecupt sthnoemig, so yuo itennd to vefriy teh fnerisas of teh aemnrgeet.
Yuo aer geivn ayarrs M adn R. Cuaclatle teh pceanregte of dyas on wchih yuo edn up dnoig teh wisahng. Amsuse taht yuo hvae iiiftlneny mnay dyas aehad of yuo.
Input
The first line of input contains a single integer N (1 β€ N β€ 16).
The second and third lines of input contain N integers each, all between 0 and 16, inclusive, and represent arrays M and R, respectively. All M[i] are positive, for each i R[i] < M[i].
Output
Output a single real number. The answer is considered to be correct if its absolute or relative error does not exceed 10 - 4.
Examples
Input
1
2
0
Output
0.500000
Input
2
2 3
1 0
Output
0.666667
Tags: *special, implementation
Correct Solution:
```
a = int(input())
d = 34209
p = 0
m = list(map(int,input().split()))
r = list(map(int,input().split()))
for i in range(34209):
for j in range(a):
if i%m[j] == r[j]:
##print(d,m[j],p,d%m[j])
p += 1
break
##print(p,d)
s = round(p/d, 4)
print(s)
```
| 11,227 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Btoh yuo adn yuor roomatme lhoate wianshg disehs, btu stlil sdmoeboy msut peorrfm tihs cohre dialy. Oen dya yuo decdie to idourtcne smoe syestm. Yuor rmmotaoe sstgegus teh fooniwllg dael. Yuo argee on tow arayrs of ientgres M adn R, nmebur upmicnog dyas (induiclng teh cunrret oen) wtih sicsescuve irnegets (teh ceurrnt dya is zreo), adn yuo wsah teh diehss on dya D if adn olny if terhe etsixs an iednx i scuh taht D mod M[i] = R[i], otwsehrie yuor rmootmae deos it. Yuo lkie teh cncepot, btu yuor rmotaome's cuinnng simle meaks yuo ssecupt sthnoemig, so yuo itennd to vefriy teh fnerisas of teh aemnrgeet.
Yuo aer geivn ayarrs M adn R. Cuaclatle teh pceanregte of dyas on wchih yuo edn up dnoig teh wisahng. Amsuse taht yuo hvae iiiftlneny mnay dyas aehad of yuo.
Input
The first line of input contains a single integer N (1 β€ N β€ 16).
The second and third lines of input contain N integers each, all between 0 and 16, inclusive, and represent arrays M and R, respectively. All M[i] are positive, for each i R[i] < M[i].
Output
Output a single real number. The answer is considered to be correct if its absolute or relative error does not exceed 10 - 4.
Examples
Input
1
2
0
Output
0.500000
Input
2
2 3
1 0
Output
0.666667
Tags: *special, implementation
Correct Solution:
```
input()
f=lambda:list(map(int,input().split()))
T,l=720720,list(zip(f(),f()))
print(sum(any(d%m==r for m,r in l) for d in range(T))/T)
```
| 11,228 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Btoh yuo adn yuor roomatme lhoate wianshg disehs, btu stlil sdmoeboy msut peorrfm tihs cohre dialy. Oen dya yuo decdie to idourtcne smoe syestm. Yuor rmmotaoe sstgegus teh fooniwllg dael. Yuo argee on tow arayrs of ientgres M adn R, nmebur upmicnog dyas (induiclng teh cunrret oen) wtih sicsescuve irnegets (teh ceurrnt dya is zreo), adn yuo wsah teh diehss on dya D if adn olny if terhe etsixs an iednx i scuh taht D mod M[i] = R[i], otwsehrie yuor rmootmae deos it. Yuo lkie teh cncepot, btu yuor rmotaome's cuinnng simle meaks yuo ssecupt sthnoemig, so yuo itennd to vefriy teh fnerisas of teh aemnrgeet.
Yuo aer geivn ayarrs M adn R. Cuaclatle teh pceanregte of dyas on wchih yuo edn up dnoig teh wisahng. Amsuse taht yuo hvae iiiftlneny mnay dyas aehad of yuo.
Input
The first line of input contains a single integer N (1 β€ N β€ 16).
The second and third lines of input contain N integers each, all between 0 and 16, inclusive, and represent arrays M and R, respectively. All M[i] are positive, for each i R[i] < M[i].
Output
Output a single real number. The answer is considered to be correct if its absolute or relative error does not exceed 10 - 4.
Examples
Input
1
2
0
Output
0.500000
Input
2
2 3
1 0
Output
0.666667
Tags: *special, implementation
Correct Solution:
```
#!/usr/bin/env python3
n = int(input())
m = [int(x) for x in input().split()]
r = [int(x) for x in input().split()]
counter = 0
num = 50000
for d in range(num):
for i in range(n):
if d % m[i] == r[i]:
counter += 1
break
frac = counter/num
print(frac)
```
| 11,229 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Btoh yuo adn yuor roomatme lhoate wianshg disehs, btu stlil sdmoeboy msut peorrfm tihs cohre dialy. Oen dya yuo decdie to idourtcne smoe syestm. Yuor rmmotaoe sstgegus teh fooniwllg dael. Yuo argee on tow arayrs of ientgres M adn R, nmebur upmicnog dyas (induiclng teh cunrret oen) wtih sicsescuve irnegets (teh ceurrnt dya is zreo), adn yuo wsah teh diehss on dya D if adn olny if terhe etsixs an iednx i scuh taht D mod M[i] = R[i], otwsehrie yuor rmootmae deos it. Yuo lkie teh cncepot, btu yuor rmotaome's cuinnng simle meaks yuo ssecupt sthnoemig, so yuo itennd to vefriy teh fnerisas of teh aemnrgeet.
Yuo aer geivn ayarrs M adn R. Cuaclatle teh pceanregte of dyas on wchih yuo edn up dnoig teh wisahng. Amsuse taht yuo hvae iiiftlneny mnay dyas aehad of yuo.
Input
The first line of input contains a single integer N (1 β€ N β€ 16).
The second and third lines of input contain N integers each, all between 0 and 16, inclusive, and represent arrays M and R, respectively. All M[i] are positive, for each i R[i] < M[i].
Output
Output a single real number. The answer is considered to be correct if its absolute or relative error does not exceed 10 - 4.
Examples
Input
1
2
0
Output
0.500000
Input
2
2 3
1 0
Output
0.666667
Tags: *special, implementation
Correct Solution:
```
n = int(input())
m = [int(i) for i in input().split(" ")]
r = [int(i) for i in input().split(" ")]
L = 720720
ans = 0
for i in range(L):
for j, k in zip(m, r):
if i % j == k:
ans += 1
break
print(ans/L)
```
| 11,230 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Btoh yuo adn yuor roomatme lhoate wianshg disehs, btu stlil sdmoeboy msut peorrfm tihs cohre dialy. Oen dya yuo decdie to idourtcne smoe syestm. Yuor rmmotaoe sstgegus teh fooniwllg dael. Yuo argee on tow arayrs of ientgres M adn R, nmebur upmicnog dyas (induiclng teh cunrret oen) wtih sicsescuve irnegets (teh ceurrnt dya is zreo), adn yuo wsah teh diehss on dya D if adn olny if terhe etsixs an iednx i scuh taht D mod M[i] = R[i], otwsehrie yuor rmootmae deos it. Yuo lkie teh cncepot, btu yuor rmotaome's cuinnng simle meaks yuo ssecupt sthnoemig, so yuo itennd to vefriy teh fnerisas of teh aemnrgeet.
Yuo aer geivn ayarrs M adn R. Cuaclatle teh pceanregte of dyas on wchih yuo edn up dnoig teh wisahng. Amsuse taht yuo hvae iiiftlneny mnay dyas aehad of yuo.
Input
The first line of input contains a single integer N (1 β€ N β€ 16).
The second and third lines of input contain N integers each, all between 0 and 16, inclusive, and represent arrays M and R, respectively. All M[i] are positive, for each i R[i] < M[i].
Output
Output a single real number. The answer is considered to be correct if its absolute or relative error does not exceed 10 - 4.
Examples
Input
1
2
0
Output
0.500000
Input
2
2 3
1 0
Output
0.666667
Submitted Solution:
```
n = int(input())
M = list(map(int, input().split()))
R = list(map(int, input().split()))
def nod(x, y):
while x != 0 and y != 0:
if x > y:
x = x % y
else:
y = y % x
return x + y
k = 1
for i in M:
k = k * i // nod(k, i)
ans = 0
for D in range(k):
for i in range(n):
if D % M[i] == R[i]:
ans += 1
break
print(ans / k)
```
Yes
| 11,231 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Btoh yuo adn yuor roomatme lhoate wianshg disehs, btu stlil sdmoeboy msut peorrfm tihs cohre dialy. Oen dya yuo decdie to idourtcne smoe syestm. Yuor rmmotaoe sstgegus teh fooniwllg dael. Yuo argee on tow arayrs of ientgres M adn R, nmebur upmicnog dyas (induiclng teh cunrret oen) wtih sicsescuve irnegets (teh ceurrnt dya is zreo), adn yuo wsah teh diehss on dya D if adn olny if terhe etsixs an iednx i scuh taht D mod M[i] = R[i], otwsehrie yuor rmootmae deos it. Yuo lkie teh cncepot, btu yuor rmotaome's cuinnng simle meaks yuo ssecupt sthnoemig, so yuo itennd to vefriy teh fnerisas of teh aemnrgeet.
Yuo aer geivn ayarrs M adn R. Cuaclatle teh pceanregte of dyas on wchih yuo edn up dnoig teh wisahng. Amsuse taht yuo hvae iiiftlneny mnay dyas aehad of yuo.
Input
The first line of input contains a single integer N (1 β€ N β€ 16).
The second and third lines of input contain N integers each, all between 0 and 16, inclusive, and represent arrays M and R, respectively. All M[i] are positive, for each i R[i] < M[i].
Output
Output a single real number. The answer is considered to be correct if its absolute or relative error does not exceed 10 - 4.
Examples
Input
1
2
0
Output
0.500000
Input
2
2 3
1 0
Output
0.666667
Submitted Solution:
```
n = int(input())
mod = list(map(int, input().split()))
rem = list(map(int, input().split()))
cnt = 0
for d in range(360360):
we = False
for r, m in zip(rem, mod):
if d % m == r:
we = True
break
if we:
cnt += 1
print(cnt / 360360)
```
Yes
| 11,232 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Btoh yuo adn yuor roomatme lhoate wianshg disehs, btu stlil sdmoeboy msut peorrfm tihs cohre dialy. Oen dya yuo decdie to idourtcne smoe syestm. Yuor rmmotaoe sstgegus teh fooniwllg dael. Yuo argee on tow arayrs of ientgres M adn R, nmebur upmicnog dyas (induiclng teh cunrret oen) wtih sicsescuve irnegets (teh ceurrnt dya is zreo), adn yuo wsah teh diehss on dya D if adn olny if terhe etsixs an iednx i scuh taht D mod M[i] = R[i], otwsehrie yuor rmootmae deos it. Yuo lkie teh cncepot, btu yuor rmotaome's cuinnng simle meaks yuo ssecupt sthnoemig, so yuo itennd to vefriy teh fnerisas of teh aemnrgeet.
Yuo aer geivn ayarrs M adn R. Cuaclatle teh pceanregte of dyas on wchih yuo edn up dnoig teh wisahng. Amsuse taht yuo hvae iiiftlneny mnay dyas aehad of yuo.
Input
The first line of input contains a single integer N (1 β€ N β€ 16).
The second and third lines of input contain N integers each, all between 0 and 16, inclusive, and represent arrays M and R, respectively. All M[i] are positive, for each i R[i] < M[i].
Output
Output a single real number. The answer is considered to be correct if its absolute or relative error does not exceed 10 - 4.
Examples
Input
1
2
0
Output
0.500000
Input
2
2 3
1 0
Output
0.666667
Submitted Solution:
```
class CodeforcesTask656BSolution:
def __init__(self):
self.result = ''
self.n = 0
self.m = []
self.r = []
def read_input(self):
self.n = int(input())
self.m = [int(x) for x in input().split(" ")]
self.r = [int(x) for x in input().split(" ")]
def process_task(self):
bad_days = 0
for day in range(10**5):
for x in range(self.n):
if day % self.m[x] == self.r[x]:
bad_days += 1
break
self.result = str(bad_days / (10 ** 5))
def get_result(self):
return self.result
if __name__ == "__main__":
Solution = CodeforcesTask656BSolution()
Solution.read_input()
Solution.process_task()
print(Solution.get_result())
```
Yes
| 11,233 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Btoh yuo adn yuor roomatme lhoate wianshg disehs, btu stlil sdmoeboy msut peorrfm tihs cohre dialy. Oen dya yuo decdie to idourtcne smoe syestm. Yuor rmmotaoe sstgegus teh fooniwllg dael. Yuo argee on tow arayrs of ientgres M adn R, nmebur upmicnog dyas (induiclng teh cunrret oen) wtih sicsescuve irnegets (teh ceurrnt dya is zreo), adn yuo wsah teh diehss on dya D if adn olny if terhe etsixs an iednx i scuh taht D mod M[i] = R[i], otwsehrie yuor rmootmae deos it. Yuo lkie teh cncepot, btu yuor rmotaome's cuinnng simle meaks yuo ssecupt sthnoemig, so yuo itennd to vefriy teh fnerisas of teh aemnrgeet.
Yuo aer geivn ayarrs M adn R. Cuaclatle teh pceanregte of dyas on wchih yuo edn up dnoig teh wisahng. Amsuse taht yuo hvae iiiftlneny mnay dyas aehad of yuo.
Input
The first line of input contains a single integer N (1 β€ N β€ 16).
The second and third lines of input contain N integers each, all between 0 and 16, inclusive, and represent arrays M and R, respectively. All M[i] are positive, for each i R[i] < M[i].
Output
Output a single real number. The answer is considered to be correct if its absolute or relative error does not exceed 10 - 4.
Examples
Input
1
2
0
Output
0.500000
Input
2
2 3
1 0
Output
0.666667
Submitted Solution:
```
k = int(input())
q1 = list(map(int,input().split()))
q2 = list(map(int,input().split()))
z = 100000
ans = 0
for i in range(1,z+1):
for j in range(len(q1)):
if i%q1[j] == q2[j]:
ans+=1
break
print(ans/z)
```
Yes
| 11,234 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Btoh yuo adn yuor roomatme lhoate wianshg disehs, btu stlil sdmoeboy msut peorrfm tihs cohre dialy. Oen dya yuo decdie to idourtcne smoe syestm. Yuor rmmotaoe sstgegus teh fooniwllg dael. Yuo argee on tow arayrs of ientgres M adn R, nmebur upmicnog dyas (induiclng teh cunrret oen) wtih sicsescuve irnegets (teh ceurrnt dya is zreo), adn yuo wsah teh diehss on dya D if adn olny if terhe etsixs an iednx i scuh taht D mod M[i] = R[i], otwsehrie yuor rmootmae deos it. Yuo lkie teh cncepot, btu yuor rmotaome's cuinnng simle meaks yuo ssecupt sthnoemig, so yuo itennd to vefriy teh fnerisas of teh aemnrgeet.
Yuo aer geivn ayarrs M adn R. Cuaclatle teh pceanregte of dyas on wchih yuo edn up dnoig teh wisahng. Amsuse taht yuo hvae iiiftlneny mnay dyas aehad of yuo.
Input
The first line of input contains a single integer N (1 β€ N β€ 16).
The second and third lines of input contain N integers each, all between 0 and 16, inclusive, and represent arrays M and R, respectively. All M[i] are positive, for each i R[i] < M[i].
Output
Output a single real number. The answer is considered to be correct if its absolute or relative error does not exceed 10 - 4.
Examples
Input
1
2
0
Output
0.500000
Input
2
2 3
1 0
Output
0.666667
Submitted Solution:
```
n = 16
m = [2] * 16
r = [0] * 16
days = 0
for day in range(1, 100001):
for index in range(n):
if day % m[index] == r[index]:
days += 1
break
print(days / 100000)
```
No
| 11,235 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Btoh yuo adn yuor roomatme lhoate wianshg disehs, btu stlil sdmoeboy msut peorrfm tihs cohre dialy. Oen dya yuo decdie to idourtcne smoe syestm. Yuor rmmotaoe sstgegus teh fooniwllg dael. Yuo argee on tow arayrs of ientgres M adn R, nmebur upmicnog dyas (induiclng teh cunrret oen) wtih sicsescuve irnegets (teh ceurrnt dya is zreo), adn yuo wsah teh diehss on dya D if adn olny if terhe etsixs an iednx i scuh taht D mod M[i] = R[i], otwsehrie yuor rmootmae deos it. Yuo lkie teh cncepot, btu yuor rmotaome's cuinnng simle meaks yuo ssecupt sthnoemig, so yuo itennd to vefriy teh fnerisas of teh aemnrgeet.
Yuo aer geivn ayarrs M adn R. Cuaclatle teh pceanregte of dyas on wchih yuo edn up dnoig teh wisahng. Amsuse taht yuo hvae iiiftlneny mnay dyas aehad of yuo.
Input
The first line of input contains a single integer N (1 β€ N β€ 16).
The second and third lines of input contain N integers each, all between 0 and 16, inclusive, and represent arrays M and R, respectively. All M[i] are positive, for each i R[i] < M[i].
Output
Output a single real number. The answer is considered to be correct if its absolute or relative error does not exceed 10 - 4.
Examples
Input
1
2
0
Output
0.500000
Input
2
2 3
1 0
Output
0.666667
Submitted Solution:
```
n=int(input())
m=list(map(int,input().split()))
r=list(map(int,input().split()))
num=[1 for i in range(n)]
p=[]
for i in range(len(r)):
if r[i]!=20:
for j in range(0,i):
if m[j]==m[i]:
num[j]+=1;
r[i]=20;
for i in range(len(m)):
if r[i]!=20:
p.append(num[i]/m[i])
l=len(p)
ans=0
fac=-1
for i in range(1,l+1):
fac=1 if fac==-1 else -1
daaa=0
for j in range(0,l-i+1):
temp=1
for k in range(i):
print(i,j,k,j+k)
temp*=p[j+k]
daaa+=temp
ans+=daaa*fac
print(ans)
```
No
| 11,236 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Btoh yuo adn yuor roomatme lhoate wianshg disehs, btu stlil sdmoeboy msut peorrfm tihs cohre dialy. Oen dya yuo decdie to idourtcne smoe syestm. Yuor rmmotaoe sstgegus teh fooniwllg dael. Yuo argee on tow arayrs of ientgres M adn R, nmebur upmicnog dyas (induiclng teh cunrret oen) wtih sicsescuve irnegets (teh ceurrnt dya is zreo), adn yuo wsah teh diehss on dya D if adn olny if terhe etsixs an iednx i scuh taht D mod M[i] = R[i], otwsehrie yuor rmootmae deos it. Yuo lkie teh cncepot, btu yuor rmotaome's cuinnng simle meaks yuo ssecupt sthnoemig, so yuo itennd to vefriy teh fnerisas of teh aemnrgeet.
Yuo aer geivn ayarrs M adn R. Cuaclatle teh pceanregte of dyas on wchih yuo edn up dnoig teh wisahng. Amsuse taht yuo hvae iiiftlneny mnay dyas aehad of yuo.
Input
The first line of input contains a single integer N (1 β€ N β€ 16).
The second and third lines of input contain N integers each, all between 0 and 16, inclusive, and represent arrays M and R, respectively. All M[i] are positive, for each i R[i] < M[i].
Output
Output a single real number. The answer is considered to be correct if its absolute or relative error does not exceed 10 - 4.
Examples
Input
1
2
0
Output
0.500000
Input
2
2 3
1 0
Output
0.666667
Submitted Solution:
```
N = int(input())
a = input().split()
b = input().split()
primes = [16,9,5,7,11,13]
c = [[0 for x in range(125)] for x in range(142)]
for i in range(N):
if a[i] == '1':
print(0)
exit(0)
for j in primes:
if j == 16 or j == 9:
m = 0
if j == 16:
m = 2
else:
m = 3
p = 0
k = int(a[i])
while k % m == 0:
p += 1
k /= m
k = 1
while p > 0:
k *= m
p -= 1
if k > 1:
for z in range(j):
if (int(b[i]) - z) % k == 0:
c[j][z] = 1
elif int(a[i])% j == 0:
c[j][int(b[i])%j] = 1
m = 1
for j in primes:
cnt = 0
for k in range(j):
if c[j][k] == 1:
cnt += 1
m *= 1 - (cnt / j)
print(1 - m)
```
No
| 11,237 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Btoh yuo adn yuor roomatme lhoate wianshg disehs, btu stlil sdmoeboy msut peorrfm tihs cohre dialy. Oen dya yuo decdie to idourtcne smoe syestm. Yuor rmmotaoe sstgegus teh fooniwllg dael. Yuo argee on tow arayrs of ientgres M adn R, nmebur upmicnog dyas (induiclng teh cunrret oen) wtih sicsescuve irnegets (teh ceurrnt dya is zreo), adn yuo wsah teh diehss on dya D if adn olny if terhe etsixs an iednx i scuh taht D mod M[i] = R[i], otwsehrie yuor rmootmae deos it. Yuo lkie teh cncepot, btu yuor rmotaome's cuinnng simle meaks yuo ssecupt sthnoemig, so yuo itennd to vefriy teh fnerisas of teh aemnrgeet.
Yuo aer geivn ayarrs M adn R. Cuaclatle teh pceanregte of dyas on wchih yuo edn up dnoig teh wisahng. Amsuse taht yuo hvae iiiftlneny mnay dyas aehad of yuo.
Input
The first line of input contains a single integer N (1 β€ N β€ 16).
The second and third lines of input contain N integers each, all between 0 and 16, inclusive, and represent arrays M and R, respectively. All M[i] are positive, for each i R[i] < M[i].
Output
Output a single real number. The answer is considered to be correct if its absolute or relative error does not exceed 10 - 4.
Examples
Input
1
2
0
Output
0.500000
Input
2
2 3
1 0
Output
0.666667
Submitted Solution:
```
def gcd(a,b):
if(b):
return gcd(b,a%b)
else:
return a
def lcm(A):
m = A[0]
for a in A[1:]:
m = m * a // gcd(m,a)
return m
input()
A = [int(s) for s in input().split()]
m = lcm(A)
cnt=0
for i in range(1,m+1):
flag=True
for a in A:
if(i % a == 0):
flag=False
break
if(flag==False): cnt += 1
print(cnt/m)
```
No
| 11,238 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Let A = {a1, a2, ..., an} be any permutation of the first n natural numbers {1, 2, ..., n}. You are given a positive integer k and another sequence B = {b1, b2, ..., bn}, where bi is the number of elements aj in A to the left of the element at = i such that aj β₯ (i + k).
For example, if n = 5, a possible A is {5, 1, 4, 2, 3}. For k = 2, B is given by {1, 2, 1, 0, 0}. But if k = 3, then B = {1, 1, 0, 0, 0}.
For two sequences X = {x1, x2, ..., xn} and Y = {y1, y2, ..., yn}, let i-th elements be the first elements such that xi β yi. If xi < yi, then X is lexicographically smaller than Y, while if xi > yi, then X is lexicographically greater than Y.
Given n, k and B, you need to determine the lexicographically smallest A.
Input
The first line contains two space separated integers n and k (1 β€ n β€ 1000, 1 β€ k β€ n). On the second line are n integers specifying the values of B = {b1, b2, ..., bn}.
Output
Print on a single line n integers of A = {a1, a2, ..., an} such that A is lexicographically minimal. It is guaranteed that the solution exists.
Examples
Input
5 2
1 2 1 0 0
Output
4 1 5 2 3
Input
4 2
1 0 0 0
Output
2 3 1 4
Tags: greedy
Correct Solution:
```
s = input()
l = s.split()
n = int(l[0])
k = int(l[1])
s = input()
l = s.split()
b = [-1]
for i in range(1, n + 1):
b.append(int(l[i - 1]))
for i in range(1, n + 1):
j = 1
while b[j] != 0:
j += 1
b[j] -= 1
print(j, end = ' ')
for t in range(1, n + 1):
if j - k >= t:
b[t] -= 1
```
| 11,239 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Let A = {a1, a2, ..., an} be any permutation of the first n natural numbers {1, 2, ..., n}. You are given a positive integer k and another sequence B = {b1, b2, ..., bn}, where bi is the number of elements aj in A to the left of the element at = i such that aj β₯ (i + k).
For example, if n = 5, a possible A is {5, 1, 4, 2, 3}. For k = 2, B is given by {1, 2, 1, 0, 0}. But if k = 3, then B = {1, 1, 0, 0, 0}.
For two sequences X = {x1, x2, ..., xn} and Y = {y1, y2, ..., yn}, let i-th elements be the first elements such that xi β yi. If xi < yi, then X is lexicographically smaller than Y, while if xi > yi, then X is lexicographically greater than Y.
Given n, k and B, you need to determine the lexicographically smallest A.
Input
The first line contains two space separated integers n and k (1 β€ n β€ 1000, 1 β€ k β€ n). On the second line are n integers specifying the values of B = {b1, b2, ..., bn}.
Output
Print on a single line n integers of A = {a1, a2, ..., an} such that A is lexicographically minimal. It is guaranteed that the solution exists.
Examples
Input
5 2
1 2 1 0 0
Output
4 1 5 2 3
Input
4 2
1 0 0 0
Output
2 3 1 4
Tags: greedy
Correct Solution:
```
n, k = map(int, input().split())
b = list(map(int, input().split()))
taken = [False for i in range(n + 2)]
a = []
for i in range(n):
has = -1
for j in range(1, n + 1):
if not taken[j] and b[j - 1] == 0:
has = j
break
a.append(has)
taken[has] = True
for j in range(1, has - k + 1):
b[j - 1] -= 1
print(*a)
```
| 11,240 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Let A = {a1, a2, ..., an} be any permutation of the first n natural numbers {1, 2, ..., n}. You are given a positive integer k and another sequence B = {b1, b2, ..., bn}, where bi is the number of elements aj in A to the left of the element at = i such that aj β₯ (i + k).
For example, if n = 5, a possible A is {5, 1, 4, 2, 3}. For k = 2, B is given by {1, 2, 1, 0, 0}. But if k = 3, then B = {1, 1, 0, 0, 0}.
For two sequences X = {x1, x2, ..., xn} and Y = {y1, y2, ..., yn}, let i-th elements be the first elements such that xi β yi. If xi < yi, then X is lexicographically smaller than Y, while if xi > yi, then X is lexicographically greater than Y.
Given n, k and B, you need to determine the lexicographically smallest A.
Input
The first line contains two space separated integers n and k (1 β€ n β€ 1000, 1 β€ k β€ n). On the second line are n integers specifying the values of B = {b1, b2, ..., bn}.
Output
Print on a single line n integers of A = {a1, a2, ..., an} such that A is lexicographically minimal. It is guaranteed that the solution exists.
Examples
Input
5 2
1 2 1 0 0
Output
4 1 5 2 3
Input
4 2
1 0 0 0
Output
2 3 1 4
Tags: greedy
Correct Solution:
```
# ========= /\ /| |====/|
# | / \ | | / |
# | /____\ | | / |
# | / \ | | / |
# ========= / \ ===== |/====|
# code
def main():
n,k = map(int,input().split())
a = list(map(int,input().split()))
b = [0]*n
for i in range(n):
l = -1
for j in range(n):
if a[j] == 0:
l = j
b[i] = j + 1
a[j] -= 1
break
for j in range(n):
if l >= j + k:
a[j] -= 1
print(*b)
return
if __name__ == "__main__":
main()
```
| 11,241 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Let A = {a1, a2, ..., an} be any permutation of the first n natural numbers {1, 2, ..., n}. You are given a positive integer k and another sequence B = {b1, b2, ..., bn}, where bi is the number of elements aj in A to the left of the element at = i such that aj β₯ (i + k).
For example, if n = 5, a possible A is {5, 1, 4, 2, 3}. For k = 2, B is given by {1, 2, 1, 0, 0}. But if k = 3, then B = {1, 1, 0, 0, 0}.
For two sequences X = {x1, x2, ..., xn} and Y = {y1, y2, ..., yn}, let i-th elements be the first elements such that xi β yi. If xi < yi, then X is lexicographically smaller than Y, while if xi > yi, then X is lexicographically greater than Y.
Given n, k and B, you need to determine the lexicographically smallest A.
Input
The first line contains two space separated integers n and k (1 β€ n β€ 1000, 1 β€ k β€ n). On the second line are n integers specifying the values of B = {b1, b2, ..., bn}.
Output
Print on a single line n integers of A = {a1, a2, ..., an} such that A is lexicographically minimal. It is guaranteed that the solution exists.
Examples
Input
5 2
1 2 1 0 0
Output
4 1 5 2 3
Input
4 2
1 0 0 0
Output
2 3 1 4
Tags: greedy
Correct Solution:
```
# /*******************************************************************************
# * Author : Quantum Of Excellence
# * email : quantumofexcellence (at) gmail (dot) com
# * copyright : 2014 - 2015
# * date : 6 - 11 - 2015
# * Judge Status :
# * file name : 67B.py
# * version : 1.0
# *
# * TERMS OF USE - Write a mail to the author before copying or reusing the content of this file
# * seeking our permission for the same.
# * Copying/reuse of the below code without the permission of the author is prohibited and illegal.
# *
# * All rights reserved by Quantum Of Excellence.
# ******************************************************************************/
# /*******************************************************************************
# * some pointers on the logic/idea -
# *
# *
# *******************************************************************************/
# test cases-
#import sys
#fi = open("G:\DUMP\input.in","r")
#sys.stdin = fi
u=input
n,k=map(int,u().split())
M=[int(i) for i in u().split()]
m=0
for j in range(n):
# find unvisited zeros
for p in range(n):
if(0==M[p]):
print(p+1,end=' ')
break
for l in range(p+1-k):M[l]-=1
# make the visited zero negative
M[p]-=1
```
| 11,242 |
Provide tags and a correct Python 3 solution for this coding contest problem.
You are given n integers a1, a2, ..., an. Find the number of pairs of indexes i, j (i < j) that ai + aj is a power of 2 (i. e. some integer x exists so that ai + aj = 2x).
Input
The first line contains the single positive integer n (1 β€ n β€ 105) β the number of integers.
The second line contains n positive integers a1, a2, ..., an (1 β€ ai β€ 109).
Output
Print the number of pairs of indexes i, j (i < j) that ai + aj is a power of 2.
Examples
Input
4
7 3 2 1
Output
2
Input
3
1 1 1
Output
3
Note
In the first example the following pairs of indexes include in answer: (1, 4) and (2, 4).
In the second example all pairs of indexes (i, j) (where i < j) include in answer.
Tags: brute force, data structures, implementation, math
Correct Solution:
```
R = lambda: map(int, input().split())
n = int(input())
res = 0
vsts = {}
for num in R():
res += sum(vsts.get((1 << pwr) - num, 0) for pwr in range(32))
vsts[num] = vsts.get(num, 0) + 1
print(res)
```
| 11,243 |
Provide tags and a correct Python 3 solution for this coding contest problem.
You are given n integers a1, a2, ..., an. Find the number of pairs of indexes i, j (i < j) that ai + aj is a power of 2 (i. e. some integer x exists so that ai + aj = 2x).
Input
The first line contains the single positive integer n (1 β€ n β€ 105) β the number of integers.
The second line contains n positive integers a1, a2, ..., an (1 β€ ai β€ 109).
Output
Print the number of pairs of indexes i, j (i < j) that ai + aj is a power of 2.
Examples
Input
4
7 3 2 1
Output
2
Input
3
1 1 1
Output
3
Note
In the first example the following pairs of indexes include in answer: (1, 4) and (2, 4).
In the second example all pairs of indexes (i, j) (where i < j) include in answer.
Tags: brute force, data structures, implementation, math
Correct Solution:
```
from collections import Counter
n = int(input())
arr = list(map(int, input().split()))
cnt = Counter()
ans = 0
for v in arr:
for i in range(32):
ans += cnt[2 ** i - v]
cnt[v] += 1
print(ans)
```
| 11,244 |
Provide tags and a correct Python 3 solution for this coding contest problem.
You are given n integers a1, a2, ..., an. Find the number of pairs of indexes i, j (i < j) that ai + aj is a power of 2 (i. e. some integer x exists so that ai + aj = 2x).
Input
The first line contains the single positive integer n (1 β€ n β€ 105) β the number of integers.
The second line contains n positive integers a1, a2, ..., an (1 β€ ai β€ 109).
Output
Print the number of pairs of indexes i, j (i < j) that ai + aj is a power of 2.
Examples
Input
4
7 3 2 1
Output
2
Input
3
1 1 1
Output
3
Note
In the first example the following pairs of indexes include in answer: (1, 4) and (2, 4).
In the second example all pairs of indexes (i, j) (where i < j) include in answer.
Tags: brute force, data structures, implementation, math
Correct Solution:
```
n = int(input())
a = [int(x) for x in input().split()]
p2 = [2**i for i in range(31)]
d = {}
for i in a:
if i in d:
d[i] += 1
else:
d[i] = 1
k = 0
for i in d:
for p in p2:
j = p - i
if j > i:
break
if j in d:
if i == j:
k += d[i] * (d[i] - 1) // 2
else:
k += d[i] * d[j]
print(k)
```
| 11,245 |
Provide tags and a correct Python 3 solution for this coding contest problem.
You are given n integers a1, a2, ..., an. Find the number of pairs of indexes i, j (i < j) that ai + aj is a power of 2 (i. e. some integer x exists so that ai + aj = 2x).
Input
The first line contains the single positive integer n (1 β€ n β€ 105) β the number of integers.
The second line contains n positive integers a1, a2, ..., an (1 β€ ai β€ 109).
Output
Print the number of pairs of indexes i, j (i < j) that ai + aj is a power of 2.
Examples
Input
4
7 3 2 1
Output
2
Input
3
1 1 1
Output
3
Note
In the first example the following pairs of indexes include in answer: (1, 4) and (2, 4).
In the second example all pairs of indexes (i, j) (where i < j) include in answer.
Tags: brute force, data structures, implementation, math
Correct Solution:
```
n = int(input())
l = list(map(int, input().split()))
dic = {}
for i in range(n):
x = l[i]
dic[x] = 0
for i in range(n):
x = l[i]
dic[x] += 1
s = max(l)
m = 0
num = 0
while 2 ** m <= s:
m += 1
for i in range(n):
a = l[i]
for j in range(1, m + 1):
b = 2 ** j - a
if b in dic:
if b == a:
num += dic[b] - 1
else:
num += dic[b]
num = int(num/2)
print(num)
```
| 11,246 |
Provide tags and a correct Python 3 solution for this coding contest problem.
You are given n integers a1, a2, ..., an. Find the number of pairs of indexes i, j (i < j) that ai + aj is a power of 2 (i. e. some integer x exists so that ai + aj = 2x).
Input
The first line contains the single positive integer n (1 β€ n β€ 105) β the number of integers.
The second line contains n positive integers a1, a2, ..., an (1 β€ ai β€ 109).
Output
Print the number of pairs of indexes i, j (i < j) that ai + aj is a power of 2.
Examples
Input
4
7 3 2 1
Output
2
Input
3
1 1 1
Output
3
Note
In the first example the following pairs of indexes include in answer: (1, 4) and (2, 4).
In the second example all pairs of indexes (i, j) (where i < j) include in answer.
Tags: brute force, data structures, implementation, math
Correct Solution:
```
t = input
p = print
r = range
n = int(t())
a = list(map(int, t().split()))
c = 0
co = {x: 0 for x in range(100000)}
po = [2 ** x for x in range(33)]
for i in range(n):
if a[i] in co:
c += co.get(a[i])
for j in range(len(po)):
if a[i] < po[j]:
co.update({po[j] - a[i]: co.get(po[j] - a[i], 0) + 1})
p(c)
```
| 11,247 |
Provide tags and a correct Python 3 solution for this coding contest problem.
You are given n integers a1, a2, ..., an. Find the number of pairs of indexes i, j (i < j) that ai + aj is a power of 2 (i. e. some integer x exists so that ai + aj = 2x).
Input
The first line contains the single positive integer n (1 β€ n β€ 105) β the number of integers.
The second line contains n positive integers a1, a2, ..., an (1 β€ ai β€ 109).
Output
Print the number of pairs of indexes i, j (i < j) that ai + aj is a power of 2.
Examples
Input
4
7 3 2 1
Output
2
Input
3
1 1 1
Output
3
Note
In the first example the following pairs of indexes include in answer: (1, 4) and (2, 4).
In the second example all pairs of indexes (i, j) (where i < j) include in answer.
Tags: brute force, data structures, implementation, math
Correct Solution:
```
n=int(input())
a=list(map(int,input().split()))
dic={}
for i in a:
if i in dic:
dic[i]+=1
else:
dic[i]=1
div=0
for i in range(n):
dic[a[i]]-=1
for j in range(1,32):
if 2**j - a[i] in dic:
div+=dic[2**j-a[i]]
print(abs(div))
```
| 11,248 |
Provide tags and a correct Python 3 solution for this coding contest problem.
You are given n integers a1, a2, ..., an. Find the number of pairs of indexes i, j (i < j) that ai + aj is a power of 2 (i. e. some integer x exists so that ai + aj = 2x).
Input
The first line contains the single positive integer n (1 β€ n β€ 105) β the number of integers.
The second line contains n positive integers a1, a2, ..., an (1 β€ ai β€ 109).
Output
Print the number of pairs of indexes i, j (i < j) that ai + aj is a power of 2.
Examples
Input
4
7 3 2 1
Output
2
Input
3
1 1 1
Output
3
Note
In the first example the following pairs of indexes include in answer: (1, 4) and (2, 4).
In the second example all pairs of indexes (i, j) (where i < j) include in answer.
Tags: brute force, data structures, implementation, math
Correct Solution:
```
import io, os
import sys
from atexit import register
from random import randint
DEBUG = False
if not DEBUG:
input = io.BytesIO(os.read(0, os.fstat(0).st_size)).readline
sys.stdout = io.BytesIO()
register(lambda: os.write(1, sys.stdout.getvalue()))
tokens = []
tokens_next = 0
def nextStr():
global tokens, tokens_next
while tokens_next >= len(tokens):
tokens = input().split()
tokens_next = 0
tokens_next += 1
if type(tokens[tokens_next - 1]) == str:
return tokens[tokens_next - 1]
return tokens[tokens_next - 1].decode()
def nextInt():
return int(nextStr())
def nextIntArr(n):
return [nextInt() for i in range(n)]
def print(s, end='\n'):
sys.stdout.write((str(s) + end).encode())
def isPowerOf2(n):
while n % 2 == 0:
n //= 2
return n == 1
def bruteforce(a):
res = 0
for i in range(len(a)):
for j in range(i + 1, len(a)):
if isPowerOf2(a[i] + a[j]):
res += 1
break
return res
def genTestCase():
n = randint(1, 20)
return [randint(1, 10**9) for _ in range(n)]
def solve(a):
powers = [2**i for i in range(50)]
res = 0
seen = {}
for i in a:
for p in powers:
res += seen.get(p - i, 0)
seen[i] = seen.get(i, 0) + 1
return res
# while True:
# cur = genTestCase()
# soln1 = solve(cur)
# soln2 = bruteforce(cur)
# if soln1 != soln2:
# print('### found one')
# print(' '.join(map(str, cur)))
# print(f'{soln1} but should be {soln2}')
# exit(0)
if __name__ == "__main__":
a = nextIntArr(nextInt())
print(solve(a))
```
| 11,249 |
Provide tags and a correct Python 3 solution for this coding contest problem.
You are given n integers a1, a2, ..., an. Find the number of pairs of indexes i, j (i < j) that ai + aj is a power of 2 (i. e. some integer x exists so that ai + aj = 2x).
Input
The first line contains the single positive integer n (1 β€ n β€ 105) β the number of integers.
The second line contains n positive integers a1, a2, ..., an (1 β€ ai β€ 109).
Output
Print the number of pairs of indexes i, j (i < j) that ai + aj is a power of 2.
Examples
Input
4
7 3 2 1
Output
2
Input
3
1 1 1
Output
3
Note
In the first example the following pairs of indexes include in answer: (1, 4) and (2, 4).
In the second example all pairs of indexes (i, j) (where i < j) include in answer.
Tags: brute force, data structures, implementation, math
Correct Solution:
```
from collections import Counter,defaultdict,deque
#import heapq as hq
#import itertools
from operator import itemgetter
#from itertools import count, islice
#from functools import reduce
#alph = 'abcdefghijklmnopqrstuvwxyz'
#from math import factorial as fact
#a,b = [int(x) for x in input().split()]
#sarr = [x for x in input().strip().split()]
import math
import sys
input=sys.stdin.readline
def solve():
n = int(input())
arr = [int(x) for x in input().split()]
d = defaultdict(int)
res = 0
for el in arr:
for p in range(32):
res+=d[(1<<p)-el]
d[el]+=1
print(res)
tt = 1#int(input())
for test in range(tt):
solve()
#
```
| 11,250 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
You are given n integers a1, a2, ..., an. Find the number of pairs of indexes i, j (i < j) that ai + aj is a power of 2 (i. e. some integer x exists so that ai + aj = 2x).
Input
The first line contains the single positive integer n (1 β€ n β€ 105) β the number of integers.
The second line contains n positive integers a1, a2, ..., an (1 β€ ai β€ 109).
Output
Print the number of pairs of indexes i, j (i < j) that ai + aj is a power of 2.
Examples
Input
4
7 3 2 1
Output
2
Input
3
1 1 1
Output
3
Note
In the first example the following pairs of indexes include in answer: (1, 4) and (2, 4).
In the second example all pairs of indexes (i, j) (where i < j) include in answer.
Submitted Solution:
```
from collections import Counter
def main():
n = int(input())
a = map(int, input().split())
c = Counter()
ans = 0
for x in a:
for i in range(1, 33):
ans += c[2 ** i - x]
c[x] += 1
print(ans)
main()
```
Yes
| 11,251 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
You are given n integers a1, a2, ..., an. Find the number of pairs of indexes i, j (i < j) that ai + aj is a power of 2 (i. e. some integer x exists so that ai + aj = 2x).
Input
The first line contains the single positive integer n (1 β€ n β€ 105) β the number of integers.
The second line contains n positive integers a1, a2, ..., an (1 β€ ai β€ 109).
Output
Print the number of pairs of indexes i, j (i < j) that ai + aj is a power of 2.
Examples
Input
4
7 3 2 1
Output
2
Input
3
1 1 1
Output
3
Note
In the first example the following pairs of indexes include in answer: (1, 4) and (2, 4).
In the second example all pairs of indexes (i, j) (where i < j) include in answer.
Submitted Solution:
```
import sys
#import random
from bisect import bisect_right as rb
from collections import deque
#sys.setrecursionlimit(10**8)
from queue import PriorityQueue
#from math import *
input_ = lambda: sys.stdin.readline().strip("\r\n")
ii = lambda : int(input_())
il = lambda : list(map(int, input_().split()))
ilf = lambda : list(map(float, input_().split()))
ip = lambda : input_()
fi = lambda : float(input_())
ap = lambda ab,bc,cd : ab[bc].append(cd)
li = lambda : list(input_())
pr = lambda x : print(x)
prinT = lambda x : print(x)
f = lambda : sys.stdout.flush()
inv =lambda x:pow(x,mod-2,mod)
mod = 10**9 + 7
for _ in range (1) :
n = ii()
a = il()
b = []
j = 1
for i in range (32) :
b.append(j)
j *= 2
d = {}
ans = 0
for i in range (n-1,-1,-1) :
x = a[i]
for i in range (32) :
y = b[i]-x
if (d.get(y)) :
ans += d[y]
d[x] = d.get(x,0) + 1
print(ans)
```
Yes
| 11,252 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
You are given n integers a1, a2, ..., an. Find the number of pairs of indexes i, j (i < j) that ai + aj is a power of 2 (i. e. some integer x exists so that ai + aj = 2x).
Input
The first line contains the single positive integer n (1 β€ n β€ 105) β the number of integers.
The second line contains n positive integers a1, a2, ..., an (1 β€ ai β€ 109).
Output
Print the number of pairs of indexes i, j (i < j) that ai + aj is a power of 2.
Examples
Input
4
7 3 2 1
Output
2
Input
3
1 1 1
Output
3
Note
In the first example the following pairs of indexes include in answer: (1, 4) and (2, 4).
In the second example all pairs of indexes (i, j) (where i < j) include in answer.
Submitted Solution:
```
#!/usr/bin/env python3
# -*- coding: utf-8 -*-
"""
Created on Mon Jul 27 10:52:28 2020
@author: shailesh
"""
from collections import defaultdict
N = int(input())
A = [int(i) for i in input().split()]
d = {}
d = defaultdict(lambda :0,d)
power_table = [2**i for i in range(31)]
sum_val= 0
for i in A:
for pow_2 in power_table:
sum_val += d[pow_2 - i]
d[i] += 1
print(sum_val)
```
Yes
| 11,253 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
You are given n integers a1, a2, ..., an. Find the number of pairs of indexes i, j (i < j) that ai + aj is a power of 2 (i. e. some integer x exists so that ai + aj = 2x).
Input
The first line contains the single positive integer n (1 β€ n β€ 105) β the number of integers.
The second line contains n positive integers a1, a2, ..., an (1 β€ ai β€ 109).
Output
Print the number of pairs of indexes i, j (i < j) that ai + aj is a power of 2.
Examples
Input
4
7 3 2 1
Output
2
Input
3
1 1 1
Output
3
Note
In the first example the following pairs of indexes include in answer: (1, 4) and (2, 4).
In the second example all pairs of indexes (i, j) (where i < j) include in answer.
Submitted Solution:
```
n=int(input())
d=dict()
for i in input().split():
if int(i) in d:
d[int(i)]+=1
else:
d[int(i)]=1
mylist=[]
ans=0
for a in range(1,31):
mylist.append(2**a)
for a in d:
for b in mylist:
if b-a in d:
if b-a!=a:
ans+=d[b-a]*d[a]
else:
ans+=(d[a]-1)*(d[a])
print(ans//2)
```
Yes
| 11,254 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
You are given n integers a1, a2, ..., an. Find the number of pairs of indexes i, j (i < j) that ai + aj is a power of 2 (i. e. some integer x exists so that ai + aj = 2x).
Input
The first line contains the single positive integer n (1 β€ n β€ 105) β the number of integers.
The second line contains n positive integers a1, a2, ..., an (1 β€ ai β€ 109).
Output
Print the number of pairs of indexes i, j (i < j) that ai + aj is a power of 2.
Examples
Input
4
7 3 2 1
Output
2
Input
3
1 1 1
Output
3
Note
In the first example the following pairs of indexes include in answer: (1, 4) and (2, 4).
In the second example all pairs of indexes (i, j) (where i < j) include in answer.
Submitted Solution:
```
import sys, threading
sys.setrecursionlimit(10 ** 6)
scan = lambda: map(int, input().split())
n = int(input())
arr = list(scan())
hash = {}
ans = 0
for i in arr:
if hash.get(i, 0):
hash[i] += 1
else:
hash[i] = 1
for i in arr:
tmp = 1
while tmp * 2 <= 1e9:
tmp *= 2
x = tmp - i
ans += max(hash.get(x, 0) - (1 if x == i else 0), 0)
hash[i] -= 1
print(ans)
```
No
| 11,255 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
You are given n integers a1, a2, ..., an. Find the number of pairs of indexes i, j (i < j) that ai + aj is a power of 2 (i. e. some integer x exists so that ai + aj = 2x).
Input
The first line contains the single positive integer n (1 β€ n β€ 105) β the number of integers.
The second line contains n positive integers a1, a2, ..., an (1 β€ ai β€ 109).
Output
Print the number of pairs of indexes i, j (i < j) that ai + aj is a power of 2.
Examples
Input
4
7 3 2 1
Output
2
Input
3
1 1 1
Output
3
Note
In the first example the following pairs of indexes include in answer: (1, 4) and (2, 4).
In the second example all pairs of indexes (i, j) (where i < j) include in answer.
Submitted Solution:
```
n=int(input())
s=list(map(int,input().split()))
k=0
for j in range(n):
for i in range(n-1):
t=s[0]+s[i+1]
t=str(bin(t))
l=t.count('1')
if l==1:
k=k+1
print(k//2)
```
No
| 11,256 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
You are given n integers a1, a2, ..., an. Find the number of pairs of indexes i, j (i < j) that ai + aj is a power of 2 (i. e. some integer x exists so that ai + aj = 2x).
Input
The first line contains the single positive integer n (1 β€ n β€ 105) β the number of integers.
The second line contains n positive integers a1, a2, ..., an (1 β€ ai β€ 109).
Output
Print the number of pairs of indexes i, j (i < j) that ai + aj is a power of 2.
Examples
Input
4
7 3 2 1
Output
2
Input
3
1 1 1
Output
3
Note
In the first example the following pairs of indexes include in answer: (1, 4) and (2, 4).
In the second example all pairs of indexes (i, j) (where i < j) include in answer.
Submitted Solution:
```
n = int(input())
a = list(map(int, input().split()))
pairs = 0
for i in range(n):
for j in range(i,n):
s = a[i] + a[j]
if s != 0 and (s & (s-1))==0:
pairs += 1
print(pairs//2)
```
No
| 11,257 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
You are given n integers a1, a2, ..., an. Find the number of pairs of indexes i, j (i < j) that ai + aj is a power of 2 (i. e. some integer x exists so that ai + aj = 2x).
Input
The first line contains the single positive integer n (1 β€ n β€ 105) β the number of integers.
The second line contains n positive integers a1, a2, ..., an (1 β€ ai β€ 109).
Output
Print the number of pairs of indexes i, j (i < j) that ai + aj is a power of 2.
Examples
Input
4
7 3 2 1
Output
2
Input
3
1 1 1
Output
3
Note
In the first example the following pairs of indexes include in answer: (1, 4) and (2, 4).
In the second example all pairs of indexes (i, j) (where i < j) include in answer.
Submitted Solution:
```
import sys, threading
sys.setrecursionlimit(10 ** 6)
scan = lambda: map(int, input().split())
n = int(input())
arr = list(scan())
hash = {}
ans = 0
for i in arr:
if hash.get(i, 0):
hash[i] += 1
else:
hash[i] = 1
for i in arr:
tmp = 1
while tmp * 2 <= 1e9:
tmp *= 2
x = tmp - i
ans += hash.get(x, 0) - (1 if x == i else 0)
hash[i] -= 1
print(ans)
```
No
| 11,258 |
Provide tags and a correct Python 3 solution for this coding contest problem.
There are k sensors located in the rectangular room of size n Γ m meters. The i-th sensor is located at point (xi, yi). All sensors are located at distinct points strictly inside the rectangle.
Opposite corners of the room are located at points (0, 0) and (n, m). Walls of the room are parallel to coordinate axes.
At the moment 0, from the point (0, 0) the laser ray is released in the direction of point (1, 1). The ray travels with a speed of <image> meters per second. Thus, the ray will reach the point (1, 1) in exactly one second after the start.
When the ray meets the wall it's reflected by the rule that the angle of incidence is equal to the angle of reflection. If the ray reaches any of the four corners, it immediately stops.
For each sensor you have to determine the first moment of time when the ray will pass through the point where this sensor is located. If the ray will never pass through this point, print - 1 for such sensors.
Input
The first line of the input contains three integers n, m and k (2 β€ n, m β€ 100 000, 1 β€ k β€ 100 000) β lengths of the room's walls and the number of sensors.
Each of the following k lines contains two integers xi and yi (1 β€ xi β€ n - 1, 1 β€ yi β€ m - 1) β coordinates of the sensors. It's guaranteed that no two sensors are located at the same point.
Output
Print k integers. The i-th of them should be equal to the number of seconds when the ray first passes through the point where the i-th sensor is located, or - 1 if this will never happen.
Examples
Input
3 3 4
1 1
1 2
2 1
2 2
Output
1
-1
-1
2
Input
3 4 6
1 1
2 1
1 2
2 2
1 3
2 3
Output
1
-1
-1
2
5
-1
Input
7 4 5
1 3
2 2
5 1
5 3
4 3
Output
13
2
9
5
-1
Note
In the first sample, the ray will consequently pass through the points (0, 0), (1, 1), (2, 2), (3, 3). Thus, it will stop at the point (3, 3) after 3 seconds.
<image>
In the second sample, the ray will consequently pass through the following points: (0, 0), (1, 1), (2, 2), (3, 3), (2, 4), (1, 3), (0, 2), (1, 1), (2, 0), (3, 1), (2, 2), (1, 3), (0, 4). The ray will stop at the point (0, 4) after 12 seconds. It will reflect at the points (3, 3), (2, 4), (0, 2), (2, 0) and (3, 1).
<image>
Tags: greedy, hashing, implementation, math, number theory, sortings
Correct Solution:
```
n, m, k = map(int,input().split())
dm, dp = {}, {}
vis = {}
sensors = []
border = set()
for el in [(0, m), (n, 0), (0, 0), (n, m)]:
border.add(el)
for _ in range(k):
x, y = map(int, input().split())
if not (x - y) in dm:
dm[x - y] = []
dm[x - y].append((x, y))
if not (x + y) in dp:
dp[x + y] = []
dp[x + y].append((x, y))
vis[(x, y)] = -1
sensors.append((x,y))
x, y = 0, 0
time = 0
move = (1,1)
while True:
if move == (1,1):
v = min(n - x, m - y)
nxt = (x + v, y + v)
if nxt[0] == n:
move = (-1, 1)
else:
move = (1, -1)
if (x - y) in dm:
for sensor in dm[x - y]:
if vis[sensor] == -1:
#print('doing', sensor)
vis[sensor] = time + sensor[0] - x
time += v
elif move == (-1,-1):
v = min(x, y)
nxt = (x - v, y - v)
if nxt[0] == 0:
move = (1, -1)
else:
move = (-1, 1)
if (x - y) in dm:
for sensor in dm[x - y]:
if vis[sensor] == -1:
#print('doing', sensor)
vis[sensor] = time + x - sensor[0]
time += v
elif move == (-1,1):
v = min(x, m - y)
nxt = (x - v, y + v)
if nxt[0] == 0:
move = (1, 1)
else:
move = (-1, -1)
if (x + y) in dp:
for sensor in dp[x + y]:
if vis[sensor] == -1:
#print('doing', sensor)
vis[sensor] = time + x - sensor[0]
time += v
else:
v = min(n - x, y)
nxt = (x + v, y - v)
if nxt[0] == n:
move = (-1, -1)
else:
move = (1, 1)
if (x + y) in dp:
for sensor in dp[x + y]:
if vis[sensor] == -1:
#print('doing', sensor)
vis[sensor] = time + sensor[0] - x
time += v
if nxt in border:
break
else:
border.add(nxt)
x, y = nxt
#print('bum', x, y)
for i in range(k):
#print(sensors[i])
print(vis[sensors[i]])
# Made By Mostafa_Khaled
```
| 11,259 |
Provide tags and a correct Python 3 solution for this coding contest problem.
There are k sensors located in the rectangular room of size n Γ m meters. The i-th sensor is located at point (xi, yi). All sensors are located at distinct points strictly inside the rectangle.
Opposite corners of the room are located at points (0, 0) and (n, m). Walls of the room are parallel to coordinate axes.
At the moment 0, from the point (0, 0) the laser ray is released in the direction of point (1, 1). The ray travels with a speed of <image> meters per second. Thus, the ray will reach the point (1, 1) in exactly one second after the start.
When the ray meets the wall it's reflected by the rule that the angle of incidence is equal to the angle of reflection. If the ray reaches any of the four corners, it immediately stops.
For each sensor you have to determine the first moment of time when the ray will pass through the point where this sensor is located. If the ray will never pass through this point, print - 1 for such sensors.
Input
The first line of the input contains three integers n, m and k (2 β€ n, m β€ 100 000, 1 β€ k β€ 100 000) β lengths of the room's walls and the number of sensors.
Each of the following k lines contains two integers xi and yi (1 β€ xi β€ n - 1, 1 β€ yi β€ m - 1) β coordinates of the sensors. It's guaranteed that no two sensors are located at the same point.
Output
Print k integers. The i-th of them should be equal to the number of seconds when the ray first passes through the point where the i-th sensor is located, or - 1 if this will never happen.
Examples
Input
3 3 4
1 1
1 2
2 1
2 2
Output
1
-1
-1
2
Input
3 4 6
1 1
2 1
1 2
2 2
1 3
2 3
Output
1
-1
-1
2
5
-1
Input
7 4 5
1 3
2 2
5 1
5 3
4 3
Output
13
2
9
5
-1
Note
In the first sample, the ray will consequently pass through the points (0, 0), (1, 1), (2, 2), (3, 3). Thus, it will stop at the point (3, 3) after 3 seconds.
<image>
In the second sample, the ray will consequently pass through the following points: (0, 0), (1, 1), (2, 2), (3, 3), (2, 4), (1, 3), (0, 2), (1, 1), (2, 0), (3, 1), (2, 2), (1, 3), (0, 4). The ray will stop at the point (0, 4) after 12 seconds. It will reflect at the points (3, 3), (2, 4), (0, 2), (2, 0) and (3, 1).
<image>
Tags: greedy, hashing, implementation, math, number theory, sortings
Correct Solution:
```
f = lambda: map(int, input().split())
n, m, k = f()
w, h = 2 * n, 2 * m
s = [[] for i in range(w + h)]
p = [-1] * k
for i in range(k):
x, y = f()
if x - y & 1: continue
for a in (x, w - x):
for b in (y, h - y):
s[b - a].append((a, i))
a = b = t = 0
while 1:
for x, i in s[b - a]:
if p[i] < 0: p[i] = t + x - a
d = min(w - a, h - b)
t += d
a = (a + d) % w
b = (b + d) % h
if a % n == b % m: break
for q in p: print(q)
```
| 11,260 |
Provide tags and a correct Python 3 solution for this coding contest problem.
There are k sensors located in the rectangular room of size n Γ m meters. The i-th sensor is located at point (xi, yi). All sensors are located at distinct points strictly inside the rectangle.
Opposite corners of the room are located at points (0, 0) and (n, m). Walls of the room are parallel to coordinate axes.
At the moment 0, from the point (0, 0) the laser ray is released in the direction of point (1, 1). The ray travels with a speed of <image> meters per second. Thus, the ray will reach the point (1, 1) in exactly one second after the start.
When the ray meets the wall it's reflected by the rule that the angle of incidence is equal to the angle of reflection. If the ray reaches any of the four corners, it immediately stops.
For each sensor you have to determine the first moment of time when the ray will pass through the point where this sensor is located. If the ray will never pass through this point, print - 1 for such sensors.
Input
The first line of the input contains three integers n, m and k (2 β€ n, m β€ 100 000, 1 β€ k β€ 100 000) β lengths of the room's walls and the number of sensors.
Each of the following k lines contains two integers xi and yi (1 β€ xi β€ n - 1, 1 β€ yi β€ m - 1) β coordinates of the sensors. It's guaranteed that no two sensors are located at the same point.
Output
Print k integers. The i-th of them should be equal to the number of seconds when the ray first passes through the point where the i-th sensor is located, or - 1 if this will never happen.
Examples
Input
3 3 4
1 1
1 2
2 1
2 2
Output
1
-1
-1
2
Input
3 4 6
1 1
2 1
1 2
2 2
1 3
2 3
Output
1
-1
-1
2
5
-1
Input
7 4 5
1 3
2 2
5 1
5 3
4 3
Output
13
2
9
5
-1
Note
In the first sample, the ray will consequently pass through the points (0, 0), (1, 1), (2, 2), (3, 3). Thus, it will stop at the point (3, 3) after 3 seconds.
<image>
In the second sample, the ray will consequently pass through the following points: (0, 0), (1, 1), (2, 2), (3, 3), (2, 4), (1, 3), (0, 2), (1, 1), (2, 0), (3, 1), (2, 2), (1, 3), (0, 4). The ray will stop at the point (0, 4) after 12 seconds. It will reflect at the points (3, 3), (2, 4), (0, 2), (2, 0) and (3, 1).
<image>
Tags: greedy, hashing, implementation, math, number theory, sortings
Correct Solution:
```
__author__ = 'Think'
n, m, k=[int(i) for i in input().split()]
n=2*n
m=2*m
a, b=sorted((m, n))
tracker=[b]
while a>0:
b=(b%a)
tracker.append(a)
a, b=(b, a)
g=b
prod=(m*n)//g
if m!=n:
if len(tracker)>=3:
pair=(1, -(tracker[-3]//tracker[-2]))
for i in range(len(tracker)-4, -1, -1):
new=-(tracker[i]//tracker[i+1])
pair=(pair[1], pair[0]+pair[1]*new)
if sorted((m, n))[0]==n:
pair=(pair[1], pair[0])
a, b=pair
else:
if m>n:
a=1
b=0
else:
a=0
b=1
for i in range(k):
x, y=[int(i) for i in input().split()]
if (x-y)%g != 0 and (x+y)%g != 0:
print(-1)
continue
else:
shortlist=[]
for nx in [x, -x]:
if ((nx-y)%g) == 0:
new=(nx+a*n*((y-nx)//g))%prod
shortlist.append(new)
shortlist.append(prod-new)
if len(shortlist)>0:
print(min(shortlist))
else:
print(-1)
else:
for i in range(k):
x, y=[int(i) for i in input().split()]
if x!=y:
print(-1)
else:
print(x)
```
| 11,261 |
Provide tags and a correct Python 3 solution for this coding contest problem.
There are k sensors located in the rectangular room of size n Γ m meters. The i-th sensor is located at point (xi, yi). All sensors are located at distinct points strictly inside the rectangle.
Opposite corners of the room are located at points (0, 0) and (n, m). Walls of the room are parallel to coordinate axes.
At the moment 0, from the point (0, 0) the laser ray is released in the direction of point (1, 1). The ray travels with a speed of <image> meters per second. Thus, the ray will reach the point (1, 1) in exactly one second after the start.
When the ray meets the wall it's reflected by the rule that the angle of incidence is equal to the angle of reflection. If the ray reaches any of the four corners, it immediately stops.
For each sensor you have to determine the first moment of time when the ray will pass through the point where this sensor is located. If the ray will never pass through this point, print - 1 for such sensors.
Input
The first line of the input contains three integers n, m and k (2 β€ n, m β€ 100 000, 1 β€ k β€ 100 000) β lengths of the room's walls and the number of sensors.
Each of the following k lines contains two integers xi and yi (1 β€ xi β€ n - 1, 1 β€ yi β€ m - 1) β coordinates of the sensors. It's guaranteed that no two sensors are located at the same point.
Output
Print k integers. The i-th of them should be equal to the number of seconds when the ray first passes through the point where the i-th sensor is located, or - 1 if this will never happen.
Examples
Input
3 3 4
1 1
1 2
2 1
2 2
Output
1
-1
-1
2
Input
3 4 6
1 1
2 1
1 2
2 2
1 3
2 3
Output
1
-1
-1
2
5
-1
Input
7 4 5
1 3
2 2
5 1
5 3
4 3
Output
13
2
9
5
-1
Note
In the first sample, the ray will consequently pass through the points (0, 0), (1, 1), (2, 2), (3, 3). Thus, it will stop at the point (3, 3) after 3 seconds.
<image>
In the second sample, the ray will consequently pass through the following points: (0, 0), (1, 1), (2, 2), (3, 3), (2, 4), (1, 3), (0, 2), (1, 1), (2, 0), (3, 1), (2, 2), (1, 3), (0, 4). The ray will stop at the point (0, 4) after 12 seconds. It will reflect at the points (3, 3), (2, 4), (0, 2), (2, 0) and (3, 1).
<image>
Tags: greedy, hashing, implementation, math, number theory, sortings
Correct Solution:
```
# [https://codeforces.com/contest/724/submission/21299971]
(n, m, k) = map(int, input().split())
n = 2*n
m = 2*m
a = min(m, n)
b = max(m, n)
tracker = [b]
while a>0:
b = b % a
tracker.append(a)
(a, b) = (b, a)
g = b
prod=(m*n)//g
if m!=n:
if len(tracker)>=3:
pair=(1, -(tracker[-3]//tracker[-2]))
for i in range(len(tracker)-4, -1, -1):
new=-(tracker[i]//tracker[i+1])
pair=(pair[1], pair[0]+pair[1]*new)
if min(m, n) == n:
pair=(pair[1], pair[0])
(a, b) = pair
else:
if m>n:
a = 1
b = 0
else:
a = 0
b = 1
for i in range(k):
(x, y) = [int(i) for i in input().split()]
if (x-y)%g != 0 and (x+y)%g != 0:
print(-1)
continue
else:
shortlist = []
for nx in (x, -x):
if ((nx-y)%g) == 0:
new=(nx+a*n*((y-nx)//g))%prod
shortlist.append(new)
shortlist.append(prod-new)
if len(shortlist)>0:
print(min(shortlist))
else:
print(-1)
else:
for i in range(k):
(x, y) = [int(i) for i in input().split()]
if x!=y:
print(-1)
else:
print(x)
```
| 11,262 |
Provide tags and a correct Python 3 solution for this coding contest problem.
There are k sensors located in the rectangular room of size n Γ m meters. The i-th sensor is located at point (xi, yi). All sensors are located at distinct points strictly inside the rectangle.
Opposite corners of the room are located at points (0, 0) and (n, m). Walls of the room are parallel to coordinate axes.
At the moment 0, from the point (0, 0) the laser ray is released in the direction of point (1, 1). The ray travels with a speed of <image> meters per second. Thus, the ray will reach the point (1, 1) in exactly one second after the start.
When the ray meets the wall it's reflected by the rule that the angle of incidence is equal to the angle of reflection. If the ray reaches any of the four corners, it immediately stops.
For each sensor you have to determine the first moment of time when the ray will pass through the point where this sensor is located. If the ray will never pass through this point, print - 1 for such sensors.
Input
The first line of the input contains three integers n, m and k (2 β€ n, m β€ 100 000, 1 β€ k β€ 100 000) β lengths of the room's walls and the number of sensors.
Each of the following k lines contains two integers xi and yi (1 β€ xi β€ n - 1, 1 β€ yi β€ m - 1) β coordinates of the sensors. It's guaranteed that no two sensors are located at the same point.
Output
Print k integers. The i-th of them should be equal to the number of seconds when the ray first passes through the point where the i-th sensor is located, or - 1 if this will never happen.
Examples
Input
3 3 4
1 1
1 2
2 1
2 2
Output
1
-1
-1
2
Input
3 4 6
1 1
2 1
1 2
2 2
1 3
2 3
Output
1
-1
-1
2
5
-1
Input
7 4 5
1 3
2 2
5 1
5 3
4 3
Output
13
2
9
5
-1
Note
In the first sample, the ray will consequently pass through the points (0, 0), (1, 1), (2, 2), (3, 3). Thus, it will stop at the point (3, 3) after 3 seconds.
<image>
In the second sample, the ray will consequently pass through the following points: (0, 0), (1, 1), (2, 2), (3, 3), (2, 4), (1, 3), (0, 2), (1, 1), (2, 0), (3, 1), (2, 2), (1, 3), (0, 4). The ray will stop at the point (0, 4) after 12 seconds. It will reflect at the points (3, 3), (2, 4), (0, 2), (2, 0) and (3, 1).
<image>
Tags: greedy, hashing, implementation, math, number theory, sortings
Correct Solution:
```
import sys
from fractions import gcd
import math
def euclid_algorithm(a, b):
t1, t2 = abs(a), abs(b)
#saving equalities:
#t1 == x1 * a + y1 * b,
#t2 == x2 * a + y2 * b.
x1, y1, x2, y2 = int(math.copysign(1, a)), 0, 0, int(math.copysign(1, b))
if t1 < t2:
t1, t2 = t2, t1
x1, y1, x2, y2 = x2, y2, x1, y1
while t2 > 0:
k = int(t1 // t2)
t1, t2 = t2, t1 % t2
#t1 - k * t2 == (x1 - k * x2) * a + (y1 - k * y2) * b
x1, y1, x2, y2 = x2, y2, x1 - k * x2, y1 - k * y2
return t1, x1, y1
def opposite_element(x, p):
gcd, k, l = euclid_algorithm(x, p)
if gcd != 1:
return -1
return k % p
n, m, k = [int(x) for x in input().split()]
g = gcd(n, m)
end = n * m // g
n1, m1 = n//g, m//g
l1 = opposite_element(n1, m1)
def solve(x, y):
if x%(2*g) != y%(2*g):
return float('inf')
x1, y1 = x//(2*g), y//(2*g)
t = x1%n1 + n1*((y1-x1%n1)*l1%m1)
return x%(2*g) + t*2*g
def check(x,y):
res = min(solve(x,y), solve(-x,y), solve(x,-y), solve(-x,-y))
return -1 if res >= end else res
for line in sys.stdin:
x, y = [int(x) for x in line.split()]
sys.stdout.write(str(check(x,y)) + '\n')
```
| 11,263 |
Provide tags and a correct Python 3 solution for this coding contest problem.
There are k sensors located in the rectangular room of size n Γ m meters. The i-th sensor is located at point (xi, yi). All sensors are located at distinct points strictly inside the rectangle.
Opposite corners of the room are located at points (0, 0) and (n, m). Walls of the room are parallel to coordinate axes.
At the moment 0, from the point (0, 0) the laser ray is released in the direction of point (1, 1). The ray travels with a speed of <image> meters per second. Thus, the ray will reach the point (1, 1) in exactly one second after the start.
When the ray meets the wall it's reflected by the rule that the angle of incidence is equal to the angle of reflection. If the ray reaches any of the four corners, it immediately stops.
For each sensor you have to determine the first moment of time when the ray will pass through the point where this sensor is located. If the ray will never pass through this point, print - 1 for such sensors.
Input
The first line of the input contains three integers n, m and k (2 β€ n, m β€ 100 000, 1 β€ k β€ 100 000) β lengths of the room's walls and the number of sensors.
Each of the following k lines contains two integers xi and yi (1 β€ xi β€ n - 1, 1 β€ yi β€ m - 1) β coordinates of the sensors. It's guaranteed that no two sensors are located at the same point.
Output
Print k integers. The i-th of them should be equal to the number of seconds when the ray first passes through the point where the i-th sensor is located, or - 1 if this will never happen.
Examples
Input
3 3 4
1 1
1 2
2 1
2 2
Output
1
-1
-1
2
Input
3 4 6
1 1
2 1
1 2
2 2
1 3
2 3
Output
1
-1
-1
2
5
-1
Input
7 4 5
1 3
2 2
5 1
5 3
4 3
Output
13
2
9
5
-1
Note
In the first sample, the ray will consequently pass through the points (0, 0), (1, 1), (2, 2), (3, 3). Thus, it will stop at the point (3, 3) after 3 seconds.
<image>
In the second sample, the ray will consequently pass through the following points: (0, 0), (1, 1), (2, 2), (3, 3), (2, 4), (1, 3), (0, 2), (1, 1), (2, 0), (3, 1), (2, 2), (1, 3), (0, 4). The ray will stop at the point (0, 4) after 12 seconds. It will reflect at the points (3, 3), (2, 4), (0, 2), (2, 0) and (3, 1).
<image>
Tags: greedy, hashing, implementation, math, number theory, sortings
Correct Solution:
```
"""
NTC here
"""
import sys
inp = sys.stdin.readline
def input(): return inp().strip()
# flush= sys.stdout.flush
# import threading
# sys.setrecursionlimit(10**6)
# threading.stack_size(2**26)
def iin(): return int(input())
def lin(): return list(map(int, input().split()))
# range = xrange
# input = raw_input
def main():
T = 1
def fn(ch, x, y):
return x*ch[0] + y*ch[1] + ch[2]==0
def fnx(ch, y):
return (-ch[1]*y-ch[2])/ch[0]
def fny(ch, x):
return (-ch[0]*x-ch[2])/ch[1]
def int_val(x):
return int(x*10000)==int(x)*10000
while T:
T-=1
n, m, k = lin()
h = m
w = n
end = {(0, h), (0, 0), (w, h), (w, 0)}
sensors = [lin() for _ in range(k)]
# we will track ray
# as line as set of ax+by+c=0
lines = {(1, -1, 0):[ (0, 0), 0]}
ch = [1, -1, 0]
ch1 = 1
ch2 = 0
st = [0, 0]
while 1:
# print('EQ-', ch)
# print(st)
dn = 0
# y = h
y1 = h
x1 = fnx(ch, y1)
# print("D",[x1, y1])
if int_val(x1) and 0<=int(x1)<=w and [int(x1), int(y1)]!=st:
x1 = int(x1)
if x1 == w:
break
dn = 1
# y = 0
if dn==0:
y1 = 0
x1 = fnx(ch, 0)
# print("A",[x1, y1])
if int_val(x1) and 0<=int(x1)<=w and [int(x1), int(y1)] != st:
x1 = int(x1)
if x1 == 0:
break
dn = 1
if dn==0:
# x = 0
x1 = 0
y1 = fny(ch, x1)
# print("B",[x1, y1])
if int_val(y1) and 0<=int(y1)<=h and [int(x1), int(y1)] != st:
y1 = int(y1)
if y1 == 0:
break
dn = 1
if dn==0:
# x = w
x1 = w
y1 = fny(ch, x1)
# print("C",[x1, y1])
if int_val(y1) and 0<=int(y1)<=h and [int(x1), int(y1)] != st:
y1 = int(y1)
if y1 == h:
break
dn = 1
if dn:
# print(x1, y1)
ch2 += abs(st[0]-x1)
ch1 = -1 if ch1==1 else 1
ch = [ch1, -1, -ch1*x1+y1]
if tuple(ch) in lines:continue
lines[tuple(ch)] = [[x1, y1], ch2]
if (x1, y1) in end:break
st = [x1, y1]
else:
break
# print(lines)
for i, j in sensors:
ch1, ch2 = (1, -1, -i+j), (-1, -1, i+j)
# print((i, j), ch1, ch2)
ans = -1
if ch1 in lines:
p, c1 = lines[ch1]
ans = abs(p[0]-i)+c1
if ch2 in lines:
p, c1 = lines[ch2]
ans = abs(p[0]-i)+c1 if ans==-1 else min(abs(p[0]-i)+c1, ans)
print(ans)
main()
# threading.Thread(target=main).start()
```
| 11,264 |
Provide tags and a correct Python 3 solution for this coding contest problem.
There are k sensors located in the rectangular room of size n Γ m meters. The i-th sensor is located at point (xi, yi). All sensors are located at distinct points strictly inside the rectangle.
Opposite corners of the room are located at points (0, 0) and (n, m). Walls of the room are parallel to coordinate axes.
At the moment 0, from the point (0, 0) the laser ray is released in the direction of point (1, 1). The ray travels with a speed of <image> meters per second. Thus, the ray will reach the point (1, 1) in exactly one second after the start.
When the ray meets the wall it's reflected by the rule that the angle of incidence is equal to the angle of reflection. If the ray reaches any of the four corners, it immediately stops.
For each sensor you have to determine the first moment of time when the ray will pass through the point where this sensor is located. If the ray will never pass through this point, print - 1 for such sensors.
Input
The first line of the input contains three integers n, m and k (2 β€ n, m β€ 100 000, 1 β€ k β€ 100 000) β lengths of the room's walls and the number of sensors.
Each of the following k lines contains two integers xi and yi (1 β€ xi β€ n - 1, 1 β€ yi β€ m - 1) β coordinates of the sensors. It's guaranteed that no two sensors are located at the same point.
Output
Print k integers. The i-th of them should be equal to the number of seconds when the ray first passes through the point where the i-th sensor is located, or - 1 if this will never happen.
Examples
Input
3 3 4
1 1
1 2
2 1
2 2
Output
1
-1
-1
2
Input
3 4 6
1 1
2 1
1 2
2 2
1 3
2 3
Output
1
-1
-1
2
5
-1
Input
7 4 5
1 3
2 2
5 1
5 3
4 3
Output
13
2
9
5
-1
Note
In the first sample, the ray will consequently pass through the points (0, 0), (1, 1), (2, 2), (3, 3). Thus, it will stop at the point (3, 3) after 3 seconds.
<image>
In the second sample, the ray will consequently pass through the following points: (0, 0), (1, 1), (2, 2), (3, 3), (2, 4), (1, 3), (0, 2), (1, 1), (2, 0), (3, 1), (2, 2), (1, 3), (0, 4). The ray will stop at the point (0, 4) after 12 seconds. It will reflect at the points (3, 3), (2, 4), (0, 2), (2, 0) and (3, 1).
<image>
Tags: greedy, hashing, implementation, math, number theory, sortings
Correct Solution:
```
n, m, k = map(int,input().split())
dm, dp = {}, {}
vis = {}
sensors = []
border = set()
for el in [(0, m), (n, 0), (0, 0), (n, m)]:
border.add(el)
for _ in range(k):
x, y = map(int, input().split())
if not (x - y) in dm:
dm[x - y] = []
dm[x - y].append((x, y))
if not (x + y) in dp:
dp[x + y] = []
dp[x + y].append((x, y))
vis[(x, y)] = -1
sensors.append((x,y))
x, y = 0, 0
time = 0
move = (1,1)
while True:
if move == (1,1):
v = min(n - x, m - y)
nxt = (x + v, y + v)
if nxt[0] == n:
move = (-1, 1)
else:
move = (1, -1)
if (x - y) in dm:
for sensor in dm[x - y]:
if vis[sensor] == -1:
#print('doing', sensor)
vis[sensor] = time + sensor[0] - x
time += v
elif move == (-1,-1):
v = min(x, y)
nxt = (x - v, y - v)
if nxt[0] == 0:
move = (1, -1)
else:
move = (-1, 1)
if (x - y) in dm:
for sensor in dm[x - y]:
if vis[sensor] == -1:
#print('doing', sensor)
vis[sensor] = time + x - sensor[0]
time += v
elif move == (-1,1):
v = min(x, m - y)
nxt = (x - v, y + v)
if nxt[0] == 0:
move = (1, 1)
else:
move = (-1, -1)
if (x + y) in dp:
for sensor in dp[x + y]:
if vis[sensor] == -1:
#print('doing', sensor)
vis[sensor] = time + x - sensor[0]
time += v
else:
v = min(n - x, y)
nxt = (x + v, y - v)
if nxt[0] == n:
move = (-1, -1)
else:
move = (1, 1)
if (x + y) in dp:
for sensor in dp[x + y]:
if vis[sensor] == -1:
#print('doing', sensor)
vis[sensor] = time + sensor[0] - x
time += v
if nxt in border:
break
else:
border.add(nxt)
x, y = nxt
#print('bum', x, y)
for i in range(k):
#print(sensors[i])
print(vis[sensors[i]])
```
| 11,265 |
Provide tags and a correct Python 3 solution for this coding contest problem.
There are k sensors located in the rectangular room of size n Γ m meters. The i-th sensor is located at point (xi, yi). All sensors are located at distinct points strictly inside the rectangle.
Opposite corners of the room are located at points (0, 0) and (n, m). Walls of the room are parallel to coordinate axes.
At the moment 0, from the point (0, 0) the laser ray is released in the direction of point (1, 1). The ray travels with a speed of <image> meters per second. Thus, the ray will reach the point (1, 1) in exactly one second after the start.
When the ray meets the wall it's reflected by the rule that the angle of incidence is equal to the angle of reflection. If the ray reaches any of the four corners, it immediately stops.
For each sensor you have to determine the first moment of time when the ray will pass through the point where this sensor is located. If the ray will never pass through this point, print - 1 for such sensors.
Input
The first line of the input contains three integers n, m and k (2 β€ n, m β€ 100 000, 1 β€ k β€ 100 000) β lengths of the room's walls and the number of sensors.
Each of the following k lines contains two integers xi and yi (1 β€ xi β€ n - 1, 1 β€ yi β€ m - 1) β coordinates of the sensors. It's guaranteed that no two sensors are located at the same point.
Output
Print k integers. The i-th of them should be equal to the number of seconds when the ray first passes through the point where the i-th sensor is located, or - 1 if this will never happen.
Examples
Input
3 3 4
1 1
1 2
2 1
2 2
Output
1
-1
-1
2
Input
3 4 6
1 1
2 1
1 2
2 2
1 3
2 3
Output
1
-1
-1
2
5
-1
Input
7 4 5
1 3
2 2
5 1
5 3
4 3
Output
13
2
9
5
-1
Note
In the first sample, the ray will consequently pass through the points (0, 0), (1, 1), (2, 2), (3, 3). Thus, it will stop at the point (3, 3) after 3 seconds.
<image>
In the second sample, the ray will consequently pass through the following points: (0, 0), (1, 1), (2, 2), (3, 3), (2, 4), (1, 3), (0, 2), (1, 1), (2, 0), (3, 1), (2, 2), (1, 3), (0, 4). The ray will stop at the point (0, 4) after 12 seconds. It will reflect at the points (3, 3), (2, 4), (0, 2), (2, 0) and (3, 1).
<image>
Tags: greedy, hashing, implementation, math, number theory, sortings
Correct Solution:
```
from sys import *
f = lambda: map(int, stdin.readline().split())
n, m, k = f()
w, h = 2 * n, 2 * m
inf = 1e11
s = [inf] * (w + h)
a = b = t = 0
while 1:
if s[b - a] == inf: s[b - a] = t - a
d = min(w - a, h - b)
t += d
a = (a + d) % w
b = (b + d) % h
if a % n == b % m: break
for i in range(k):
x, y = f()
q = min(s[b - a] + a for a in (x, w - x) for b in (y, h - y))
print(q if q < inf else -1)
```
| 11,266 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
There are k sensors located in the rectangular room of size n Γ m meters. The i-th sensor is located at point (xi, yi). All sensors are located at distinct points strictly inside the rectangle.
Opposite corners of the room are located at points (0, 0) and (n, m). Walls of the room are parallel to coordinate axes.
At the moment 0, from the point (0, 0) the laser ray is released in the direction of point (1, 1). The ray travels with a speed of <image> meters per second. Thus, the ray will reach the point (1, 1) in exactly one second after the start.
When the ray meets the wall it's reflected by the rule that the angle of incidence is equal to the angle of reflection. If the ray reaches any of the four corners, it immediately stops.
For each sensor you have to determine the first moment of time when the ray will pass through the point where this sensor is located. If the ray will never pass through this point, print - 1 for such sensors.
Input
The first line of the input contains three integers n, m and k (2 β€ n, m β€ 100 000, 1 β€ k β€ 100 000) β lengths of the room's walls and the number of sensors.
Each of the following k lines contains two integers xi and yi (1 β€ xi β€ n - 1, 1 β€ yi β€ m - 1) β coordinates of the sensors. It's guaranteed that no two sensors are located at the same point.
Output
Print k integers. The i-th of them should be equal to the number of seconds when the ray first passes through the point where the i-th sensor is located, or - 1 if this will never happen.
Examples
Input
3 3 4
1 1
1 2
2 1
2 2
Output
1
-1
-1
2
Input
3 4 6
1 1
2 1
1 2
2 2
1 3
2 3
Output
1
-1
-1
2
5
-1
Input
7 4 5
1 3
2 2
5 1
5 3
4 3
Output
13
2
9
5
-1
Note
In the first sample, the ray will consequently pass through the points (0, 0), (1, 1), (2, 2), (3, 3). Thus, it will stop at the point (3, 3) after 3 seconds.
<image>
In the second sample, the ray will consequently pass through the following points: (0, 0), (1, 1), (2, 2), (3, 3), (2, 4), (1, 3), (0, 2), (1, 1), (2, 0), (3, 1), (2, 2), (1, 3), (0, 4). The ray will stop at the point (0, 4) after 12 seconds. It will reflect at the points (3, 3), (2, 4), (0, 2), (2, 0) and (3, 1).
<image>
Submitted Solution:
```
def main():
nx, my, k = list(map(int, input().strip().split()))
my *= 2
nx *= 2
diags = [[] for i in range(nx + my)]
answers = [-1] * k
for i in range(k):
x,y = list(map(int, input().strip().split()))
def add(x, y, i):
diag_index = nx + (y - x)
diags[diag_index].append( (x,y,i) )
add(x, y, i)
add(x, my - y, i)
add(nx - x, y, i)
add(nx - x, my - y, i)
cur_t = 0
cur_x = 0
cur_y = 0
while True:
diag_index = nx + (cur_y - cur_x)
for x,y,i in diags[diag_index]:
if answers[i] == -1:
t = cur_t + (x - cur_x)
assert(x - cur_x == y - cur_y)
answers[i] = t
diff_x = nx - cur_x
diff_y = my - cur_y
diff = min(diff_x, diff_y)
cur_t += diff
cur_x = (cur_x + diff) % nx
cur_y = (cur_y + diff) % my
if (cur_x % (nx // 2)) + (cur_y % (my // 2)) == 0:
break
for a in answers:
print(a)
main()
```
Yes
| 11,267 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
There are k sensors located in the rectangular room of size n Γ m meters. The i-th sensor is located at point (xi, yi). All sensors are located at distinct points strictly inside the rectangle.
Opposite corners of the room are located at points (0, 0) and (n, m). Walls of the room are parallel to coordinate axes.
At the moment 0, from the point (0, 0) the laser ray is released in the direction of point (1, 1). The ray travels with a speed of <image> meters per second. Thus, the ray will reach the point (1, 1) in exactly one second after the start.
When the ray meets the wall it's reflected by the rule that the angle of incidence is equal to the angle of reflection. If the ray reaches any of the four corners, it immediately stops.
For each sensor you have to determine the first moment of time when the ray will pass through the point where this sensor is located. If the ray will never pass through this point, print - 1 for such sensors.
Input
The first line of the input contains three integers n, m and k (2 β€ n, m β€ 100 000, 1 β€ k β€ 100 000) β lengths of the room's walls and the number of sensors.
Each of the following k lines contains two integers xi and yi (1 β€ xi β€ n - 1, 1 β€ yi β€ m - 1) β coordinates of the sensors. It's guaranteed that no two sensors are located at the same point.
Output
Print k integers. The i-th of them should be equal to the number of seconds when the ray first passes through the point where the i-th sensor is located, or - 1 if this will never happen.
Examples
Input
3 3 4
1 1
1 2
2 1
2 2
Output
1
-1
-1
2
Input
3 4 6
1 1
2 1
1 2
2 2
1 3
2 3
Output
1
-1
-1
2
5
-1
Input
7 4 5
1 3
2 2
5 1
5 3
4 3
Output
13
2
9
5
-1
Note
In the first sample, the ray will consequently pass through the points (0, 0), (1, 1), (2, 2), (3, 3). Thus, it will stop at the point (3, 3) after 3 seconds.
<image>
In the second sample, the ray will consequently pass through the following points: (0, 0), (1, 1), (2, 2), (3, 3), (2, 4), (1, 3), (0, 2), (1, 1), (2, 0), (3, 1), (2, 2), (1, 3), (0, 4). The ray will stop at the point (0, 4) after 12 seconds. It will reflect at the points (3, 3), (2, 4), (0, 2), (2, 0) and (3, 1).
<image>
Submitted Solution:
```
import sys
input = sys.stdin.readline
from collections import defaultdict
def inside(n, m, x, y):
return 0 <= x <= n and 0 <= y <= m
def corner(n, m, x, y):
return x in [0, n] and y in [0, m]
def next(n, m, x, y, t, a, b):
for cx in [0, n]:
cy = a * cx + b
if inside(n, m, cx, cy) and (cx, cy) != (x, y):
nx, ny = cx, cy
for cy in [0, m]:
cx = (cy - b) // a
if inside(n, m, cx, cy) and (cx, cy) != (x, y):
nx, ny = cx, cy
nt = t + abs(nx - x)
na = -a
nb = ny - na * nx
if corner(n, m, nx, ny):
return None
return nx, ny, nt, na, nb
n, m, k = map(int, input().split())
d = defaultdict(list)
for i in range(k):
x, y = map(int, input().split())
for a in [-1, 1]:
b = y - a * x
d[(a, b)].append((x, y, i))
ans = [-1] * k
ray = (0, 0, 0, 1, 0) #x, y, t, a, b
visit = set()
while ray:
x, y, t, a, b = ray
if (a, b) in visit:
break
visit.add((a, b))
for sensor in d[(a, b)]:
sx, sy, i = sensor
if ans[i] == -1:
ans[i] = t + abs(x - sx)
ray = next(n, m, x, y, t, a, b)
for x in ans:
print(x)
```
Yes
| 11,268 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
There are k sensors located in the rectangular room of size n Γ m meters. The i-th sensor is located at point (xi, yi). All sensors are located at distinct points strictly inside the rectangle.
Opposite corners of the room are located at points (0, 0) and (n, m). Walls of the room are parallel to coordinate axes.
At the moment 0, from the point (0, 0) the laser ray is released in the direction of point (1, 1). The ray travels with a speed of <image> meters per second. Thus, the ray will reach the point (1, 1) in exactly one second after the start.
When the ray meets the wall it's reflected by the rule that the angle of incidence is equal to the angle of reflection. If the ray reaches any of the four corners, it immediately stops.
For each sensor you have to determine the first moment of time when the ray will pass through the point where this sensor is located. If the ray will never pass through this point, print - 1 for such sensors.
Input
The first line of the input contains three integers n, m and k (2 β€ n, m β€ 100 000, 1 β€ k β€ 100 000) β lengths of the room's walls and the number of sensors.
Each of the following k lines contains two integers xi and yi (1 β€ xi β€ n - 1, 1 β€ yi β€ m - 1) β coordinates of the sensors. It's guaranteed that no two sensors are located at the same point.
Output
Print k integers. The i-th of them should be equal to the number of seconds when the ray first passes through the point where the i-th sensor is located, or - 1 if this will never happen.
Examples
Input
3 3 4
1 1
1 2
2 1
2 2
Output
1
-1
-1
2
Input
3 4 6
1 1
2 1
1 2
2 2
1 3
2 3
Output
1
-1
-1
2
5
-1
Input
7 4 5
1 3
2 2
5 1
5 3
4 3
Output
13
2
9
5
-1
Note
In the first sample, the ray will consequently pass through the points (0, 0), (1, 1), (2, 2), (3, 3). Thus, it will stop at the point (3, 3) after 3 seconds.
<image>
In the second sample, the ray will consequently pass through the following points: (0, 0), (1, 1), (2, 2), (3, 3), (2, 4), (1, 3), (0, 2), (1, 1), (2, 0), (3, 1), (2, 2), (1, 3), (0, 4). The ray will stop at the point (0, 4) after 12 seconds. It will reflect at the points (3, 3), (2, 4), (0, 2), (2, 0) and (3, 1).
<image>
Submitted Solution:
```
import sys
from fractions import gcd
import math
def euclid_algorithm(a, b):
t1, t2 = abs(a), abs(b)
#saving equalities:
#t1 == x1 * a + y1 * b,
#t2 == x2 * a + y2 * b.
x1, y1, x2, y2 = int(math.copysign(1, a)), 0, 0, int(math.copysign(1, b))
if t1 < t2:
t1, t2 = t2, t1
x1, y1, x2, y2 = x2, y2, x1, y1
while t2 > 0:
k = int(t1 // t2)
t1, t2 = t2, t1 % t2
#t1 - k * t2 == (x1 - k * x2) * a + (y1 - k * y2) * b
x1, y1, x2, y2 = x2, y2, x1 - k * x2, y1 - k * y2
return t1, x1, y1
def opposite_element(x, p):
gcd, k, l = euclid_algorithm(x, p)
if gcd != 1:
return -1
return k % p
n, m, k = [int(x) for x in input().split()]
g = gcd(n, m)
end = n * m // g
n1, m1 = n//g, m//g
l1 = opposite_element(n, m)
def solve(x, y):
if x%(2*g) != y%(2*g):
return float('inf')
x1, y1 = x//(2*g), y//(2*g)
t = x1%n1 + n1*((y1-x1%n1)*l1%m1)
return x%(2*g) + t*2*g
def check(x,y):
res = min(solve(x,y), solve(-x,y), solve(x,-y), solve(-x,-y))
return -1 if res == float('inf') else res
for line in sys.stdin:
x, y = [int(x) for x in line.split()]
sys.stdout.write(str(check(x,y)) + '\n')
```
No
| 11,269 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
There are k sensors located in the rectangular room of size n Γ m meters. The i-th sensor is located at point (xi, yi). All sensors are located at distinct points strictly inside the rectangle.
Opposite corners of the room are located at points (0, 0) and (n, m). Walls of the room are parallel to coordinate axes.
At the moment 0, from the point (0, 0) the laser ray is released in the direction of point (1, 1). The ray travels with a speed of <image> meters per second. Thus, the ray will reach the point (1, 1) in exactly one second after the start.
When the ray meets the wall it's reflected by the rule that the angle of incidence is equal to the angle of reflection. If the ray reaches any of the four corners, it immediately stops.
For each sensor you have to determine the first moment of time when the ray will pass through the point where this sensor is located. If the ray will never pass through this point, print - 1 for such sensors.
Input
The first line of the input contains three integers n, m and k (2 β€ n, m β€ 100 000, 1 β€ k β€ 100 000) β lengths of the room's walls and the number of sensors.
Each of the following k lines contains two integers xi and yi (1 β€ xi β€ n - 1, 1 β€ yi β€ m - 1) β coordinates of the sensors. It's guaranteed that no two sensors are located at the same point.
Output
Print k integers. The i-th of them should be equal to the number of seconds when the ray first passes through the point where the i-th sensor is located, or - 1 if this will never happen.
Examples
Input
3 3 4
1 1
1 2
2 1
2 2
Output
1
-1
-1
2
Input
3 4 6
1 1
2 1
1 2
2 2
1 3
2 3
Output
1
-1
-1
2
5
-1
Input
7 4 5
1 3
2 2
5 1
5 3
4 3
Output
13
2
9
5
-1
Note
In the first sample, the ray will consequently pass through the points (0, 0), (1, 1), (2, 2), (3, 3). Thus, it will stop at the point (3, 3) after 3 seconds.
<image>
In the second sample, the ray will consequently pass through the following points: (0, 0), (1, 1), (2, 2), (3, 3), (2, 4), (1, 3), (0, 2), (1, 1), (2, 0), (3, 1), (2, 2), (1, 3), (0, 4). The ray will stop at the point (0, 4) after 12 seconds. It will reflect at the points (3, 3), (2, 4), (0, 2), (2, 0) and (3, 1).
<image>
Submitted Solution:
```
__author__ = 'Think'
n, m, k=[int(i) for i in input().split()]
n=2*n
m=2*m
a, b=sorted((m, n))
tracker=[b]
while a>0:
b=(b%a)
tracker.append(a)
a, b=(b, a)
g=b
prod=(m*n)//g
if len(tracker)>=3:
pair=(1, -(tracker[-3]//tracker[-2]))
for i in range(len(tracker)-4, -1, -1):
new=-(tracker[i]//tracker[i+1])
pair=(pair[1], pair[0]+pair[1]*new)
if sorted((m, n))[0]==n:
pair=(pair[1], pair[0])
a, b=pair
else:
a=1
b=0
for i in range(k):
x, y=[int(i) for i in input().split()]
if (x-y)%g != 0:
print(-1)
continue
else:
shortlist=[]
for nx in [x, -x]:
for ny in [y, -y]:
shortlist.append((nx+a*n*((ny-nx)//g))%prod)
print(min(shortlist))
```
No
| 11,270 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
There are k sensors located in the rectangular room of size n Γ m meters. The i-th sensor is located at point (xi, yi). All sensors are located at distinct points strictly inside the rectangle.
Opposite corners of the room are located at points (0, 0) and (n, m). Walls of the room are parallel to coordinate axes.
At the moment 0, from the point (0, 0) the laser ray is released in the direction of point (1, 1). The ray travels with a speed of <image> meters per second. Thus, the ray will reach the point (1, 1) in exactly one second after the start.
When the ray meets the wall it's reflected by the rule that the angle of incidence is equal to the angle of reflection. If the ray reaches any of the four corners, it immediately stops.
For each sensor you have to determine the first moment of time when the ray will pass through the point where this sensor is located. If the ray will never pass through this point, print - 1 for such sensors.
Input
The first line of the input contains three integers n, m and k (2 β€ n, m β€ 100 000, 1 β€ k β€ 100 000) β lengths of the room's walls and the number of sensors.
Each of the following k lines contains two integers xi and yi (1 β€ xi β€ n - 1, 1 β€ yi β€ m - 1) β coordinates of the sensors. It's guaranteed that no two sensors are located at the same point.
Output
Print k integers. The i-th of them should be equal to the number of seconds when the ray first passes through the point where the i-th sensor is located, or - 1 if this will never happen.
Examples
Input
3 3 4
1 1
1 2
2 1
2 2
Output
1
-1
-1
2
Input
3 4 6
1 1
2 1
1 2
2 2
1 3
2 3
Output
1
-1
-1
2
5
-1
Input
7 4 5
1 3
2 2
5 1
5 3
4 3
Output
13
2
9
5
-1
Note
In the first sample, the ray will consequently pass through the points (0, 0), (1, 1), (2, 2), (3, 3). Thus, it will stop at the point (3, 3) after 3 seconds.
<image>
In the second sample, the ray will consequently pass through the following points: (0, 0), (1, 1), (2, 2), (3, 3), (2, 4), (1, 3), (0, 2), (1, 1), (2, 0), (3, 1), (2, 2), (1, 3), (0, 4). The ray will stop at the point (0, 4) after 12 seconds. It will reflect at the points (3, 3), (2, 4), (0, 2), (2, 0) and (3, 1).
<image>
Submitted Solution:
```
#!/usr/bin/env python3
# -*- coding: utf-8 -*-
def sum():
global x,y,ux,uy
x+=ux
y+=uy
def dvig():
global x,y,ux,uy,tmp
if (x == n and y == m) or (x == 0 and y == 0) or (x == 0 and y == m) or (x == n and y == 0):
tmp = False
ux,uy=0,0
elif x==n or x==0:
ux=-ux
elif y==m or y==0:
uy=-uy
sum()
n,m,k=map(int,input().split())
d={}
dd={}
for i in range(k):
xd=list(map(int,input().split()))
d[i]=xd
f={}
for i in range(k):
f[d[i][0],d[i][1]]=-1
t,x,y,ux,uy=1,1,1,1,1
tmp=True
while tmp==True:
if [x,y] in d.values() and f[x,y]==-1:
f[x,y]=t
dvig()
t+=1
if tmp==False:
break
print(f)
for i in range(k):
x,y=d[i][0],d[i][1]
print(f[x,y])
```
No
| 11,271 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
There are k sensors located in the rectangular room of size n Γ m meters. The i-th sensor is located at point (xi, yi). All sensors are located at distinct points strictly inside the rectangle.
Opposite corners of the room are located at points (0, 0) and (n, m). Walls of the room are parallel to coordinate axes.
At the moment 0, from the point (0, 0) the laser ray is released in the direction of point (1, 1). The ray travels with a speed of <image> meters per second. Thus, the ray will reach the point (1, 1) in exactly one second after the start.
When the ray meets the wall it's reflected by the rule that the angle of incidence is equal to the angle of reflection. If the ray reaches any of the four corners, it immediately stops.
For each sensor you have to determine the first moment of time when the ray will pass through the point where this sensor is located. If the ray will never pass through this point, print - 1 for such sensors.
Input
The first line of the input contains three integers n, m and k (2 β€ n, m β€ 100 000, 1 β€ k β€ 100 000) β lengths of the room's walls and the number of sensors.
Each of the following k lines contains two integers xi and yi (1 β€ xi β€ n - 1, 1 β€ yi β€ m - 1) β coordinates of the sensors. It's guaranteed that no two sensors are located at the same point.
Output
Print k integers. The i-th of them should be equal to the number of seconds when the ray first passes through the point where the i-th sensor is located, or - 1 if this will never happen.
Examples
Input
3 3 4
1 1
1 2
2 1
2 2
Output
1
-1
-1
2
Input
3 4 6
1 1
2 1
1 2
2 2
1 3
2 3
Output
1
-1
-1
2
5
-1
Input
7 4 5
1 3
2 2
5 1
5 3
4 3
Output
13
2
9
5
-1
Note
In the first sample, the ray will consequently pass through the points (0, 0), (1, 1), (2, 2), (3, 3). Thus, it will stop at the point (3, 3) after 3 seconds.
<image>
In the second sample, the ray will consequently pass through the following points: (0, 0), (1, 1), (2, 2), (3, 3), (2, 4), (1, 3), (0, 2), (1, 1), (2, 0), (3, 1), (2, 2), (1, 3), (0, 4). The ray will stop at the point (0, 4) after 12 seconds. It will reflect at the points (3, 3), (2, 4), (0, 2), (2, 0) and (3, 1).
<image>
Submitted Solution:
```
print("Ray Tracing program")
print("first is width, second is hight ,third number of point")
s=input() #take firs line of input
s=s.split()
m,n,k=int(s[0])+1,int(s[1])+1,int(s[2]) #m=width , n=hight , k=inputs
arr=[]
# initialize the width and hight of the array
for i in range(n):
arr.append([0 for j in range(m)])
#taking inputs save it in array named point
point=[] #this array will hold the time the ray taked to reach point
for i in range(k):
s=input()
s=s.split()
point.append([int(s[0]),int(s[1]),-1])
#mark points in the array
for i in range(len(point)):
arr[point[i][1]][point[i][0]]=-1
r,c,x,y,count=1,1,0,0,0
while not(y==n-1 and x==m-1 or y==0 and x==m-1 or y==n-1 and x==0):
#test if the point collision with a wall ?
if (y==n-1 or y==0):
if count != 0:
r*=-1
#test if the point collision with a wall ?
if (x==m-1 or x==0) :
if count != 0:
c*=-1
x+=c
y+=r
count+=1 #time
#check if ray pass through a point ?
if arr[y][x]==-1:
arr[y][x]=0
for entry in point:
if x==entry[0] and y==entry[1]:
entry[2]=count
#output
for entry in point:
print(entry[2])
```
No
| 11,272 |
Provide tags and a correct Python 3 solution for this coding contest problem.
The tram in Berland goes along a straight line from the point 0 to the point s and back, passing 1 meter per t1 seconds in both directions. It means that the tram is always in the state of uniform rectilinear motion, instantly turning around at points x = 0 and x = s.
Igor is at the point x1. He should reach the point x2. Igor passes 1 meter per t2 seconds.
Your task is to determine the minimum time Igor needs to get from the point x1 to the point x2, if it is known where the tram is and in what direction it goes at the moment Igor comes to the point x1.
Igor can enter the tram unlimited number of times at any moment when his and the tram's positions coincide. It is not obligatory that points in which Igor enter and exit the tram are integers. Assume that any boarding and unboarding happens instantly. Igor can move arbitrary along the line (but not faster than 1 meter per t2 seconds). He can also stand at some point for some time.
Input
The first line contains three integers s, x1 and x2 (2 β€ s β€ 1000, 0 β€ x1, x2 β€ s, x1 β x2) β the maximum coordinate of the point to which the tram goes, the point Igor is at, and the point he should come to.
The second line contains two integers t1 and t2 (1 β€ t1, t2 β€ 1000) β the time in seconds in which the tram passes 1 meter and the time in seconds in which Igor passes 1 meter.
The third line contains two integers p and d (1 β€ p β€ s - 1, d is either 1 or <image>) β the position of the tram in the moment Igor came to the point x1 and the direction of the tram at this moment. If <image>, the tram goes in the direction from the point s to the point 0. If d = 1, the tram goes in the direction from the point 0 to the point s.
Output
Print the minimum time in seconds which Igor needs to get from the point x1 to the point x2.
Examples
Input
4 2 4
3 4
1 1
Output
8
Input
5 4 0
1 2
3 1
Output
7
Note
In the first example it is profitable for Igor to go by foot and not to wait the tram. Thus, he has to pass 2 meters and it takes 8 seconds in total, because he passes 1 meter per 4 seconds.
In the second example Igor can, for example, go towards the point x2 and get to the point 1 in 6 seconds (because he has to pass 3 meters, but he passes 1 meters per 2 seconds). At that moment the tram will be at the point 1, so Igor can enter the tram and pass 1 meter in 1 second. Thus, Igor will reach the point x2 in 7 seconds in total.
Tags: constructive algorithms, implementation, math
Correct Solution:
```
M = lambda: map(int, input().split())
s, x1, x2 = M()
t1, t2 = M()
p, d = M()
v1, v2 = 1/t1, 1/t2
if p <= x1 <= x2 and d > 0:
path_by_tram = x2 - p
elif p <= x2 <= x1 and d > 0:
path_by_tram = s - p + s - x2
elif x1 <= p <= x2 and d > 0:
path_by_tram = 2 * s + x2 - p
elif x1 <= x2 <= p and d > 0:
path_by_tram = 2 * s - (p - x2)
elif x2 <= x1 <= p and d > 0:
path_by_tram = 2 * (s - p) + p - x2
elif x2 <= p <= x1 and d > 0:
path_by_tram = 2 * (s - p) + p - x2
elif p <= x1 <= x2 and d < 0:
path_by_tram = 2 * p + x2 - p
elif p <= x2 <= x1 and d < 0:
path_by_tram = 2 * s
elif x1 <= p <= x2 and d< 0:
path_by_tram = 2 * p + x2 - p
elif x1 <= x2 <= p and d < 0:
path_by_tram = p + x2
elif x2 <= x1 <= p and d < 0:
path_by_tram = p - x2
elif x2 <= p <= x1 and d< 0:
path_by_tram = 2 * s + p - x2
on_foot = abs(x2 - x1) / v2
print(int(min(round(path_by_tram/v1), on_foot)))
```
| 11,273 |
Provide tags and a correct Python 3 solution for this coding contest problem.
The tram in Berland goes along a straight line from the point 0 to the point s and back, passing 1 meter per t1 seconds in both directions. It means that the tram is always in the state of uniform rectilinear motion, instantly turning around at points x = 0 and x = s.
Igor is at the point x1. He should reach the point x2. Igor passes 1 meter per t2 seconds.
Your task is to determine the minimum time Igor needs to get from the point x1 to the point x2, if it is known where the tram is and in what direction it goes at the moment Igor comes to the point x1.
Igor can enter the tram unlimited number of times at any moment when his and the tram's positions coincide. It is not obligatory that points in which Igor enter and exit the tram are integers. Assume that any boarding and unboarding happens instantly. Igor can move arbitrary along the line (but not faster than 1 meter per t2 seconds). He can also stand at some point for some time.
Input
The first line contains three integers s, x1 and x2 (2 β€ s β€ 1000, 0 β€ x1, x2 β€ s, x1 β x2) β the maximum coordinate of the point to which the tram goes, the point Igor is at, and the point he should come to.
The second line contains two integers t1 and t2 (1 β€ t1, t2 β€ 1000) β the time in seconds in which the tram passes 1 meter and the time in seconds in which Igor passes 1 meter.
The third line contains two integers p and d (1 β€ p β€ s - 1, d is either 1 or <image>) β the position of the tram in the moment Igor came to the point x1 and the direction of the tram at this moment. If <image>, the tram goes in the direction from the point s to the point 0. If d = 1, the tram goes in the direction from the point 0 to the point s.
Output
Print the minimum time in seconds which Igor needs to get from the point x1 to the point x2.
Examples
Input
4 2 4
3 4
1 1
Output
8
Input
5 4 0
1 2
3 1
Output
7
Note
In the first example it is profitable for Igor to go by foot and not to wait the tram. Thus, he has to pass 2 meters and it takes 8 seconds in total, because he passes 1 meter per 4 seconds.
In the second example Igor can, for example, go towards the point x2 and get to the point 1 in 6 seconds (because he has to pass 3 meters, but he passes 1 meters per 2 seconds). At that moment the tram will be at the point 1, so Igor can enter the tram and pass 1 meter in 1 second. Thus, Igor will reach the point x2 in 7 seconds in total.
Tags: constructive algorithms, implementation, math
Correct Solution:
```
#!/usr/bin/python
from sys import argv,exit
def rstr():
return input()
def rint():
return int(input())
def rints():
return [int(i) for i in input().split(' ')]
def prnt(*args):
if '-v' in argv:
print(*args)
l1 = rints()
s = l1[0]
igor = l1[1]
dest = l1[2]
l2 = rints()
tspeed = l2[0]
ispeed = l2[1]
l3 = rints()
tpos = l3[0]
tdir = l3[1]
diff = abs(dest-igor)
itime = ispeed*diff
if tdir > 0:
tdir *= -1
igor = s-igor
dest = s-dest
tpos = s-tpos
if igor <= tpos and dest < igor:
prnt('1')
ttime = tspeed*abs(dest-tpos)
elif igor < tpos and dest > igor:
prnt('2')
ttime = tspeed*tpos + dest*tspeed
elif igor > tpos and dest > igor:
prnt('3')
ttime = tpos*tspeed + dest*tspeed
elif igor > tpos and dest < igor:
prnt('3')
ttime = tpos*tspeed + s*tspeed + (s-dest)*tspeed
elif igor >= tpos and dest > igor:
ttime = tspeed*tpos + tspeed*dest
else:
print('something has gone terribly wrong')
exit(0)
prnt('itime', itime, 'ttime', ttime)
print(min([itime, ttime]))
```
| 11,274 |
Provide tags and a correct Python 3 solution for this coding contest problem.
The tram in Berland goes along a straight line from the point 0 to the point s and back, passing 1 meter per t1 seconds in both directions. It means that the tram is always in the state of uniform rectilinear motion, instantly turning around at points x = 0 and x = s.
Igor is at the point x1. He should reach the point x2. Igor passes 1 meter per t2 seconds.
Your task is to determine the minimum time Igor needs to get from the point x1 to the point x2, if it is known where the tram is and in what direction it goes at the moment Igor comes to the point x1.
Igor can enter the tram unlimited number of times at any moment when his and the tram's positions coincide. It is not obligatory that points in which Igor enter and exit the tram are integers. Assume that any boarding and unboarding happens instantly. Igor can move arbitrary along the line (but not faster than 1 meter per t2 seconds). He can also stand at some point for some time.
Input
The first line contains three integers s, x1 and x2 (2 β€ s β€ 1000, 0 β€ x1, x2 β€ s, x1 β x2) β the maximum coordinate of the point to which the tram goes, the point Igor is at, and the point he should come to.
The second line contains two integers t1 and t2 (1 β€ t1, t2 β€ 1000) β the time in seconds in which the tram passes 1 meter and the time in seconds in which Igor passes 1 meter.
The third line contains two integers p and d (1 β€ p β€ s - 1, d is either 1 or <image>) β the position of the tram in the moment Igor came to the point x1 and the direction of the tram at this moment. If <image>, the tram goes in the direction from the point s to the point 0. If d = 1, the tram goes in the direction from the point 0 to the point s.
Output
Print the minimum time in seconds which Igor needs to get from the point x1 to the point x2.
Examples
Input
4 2 4
3 4
1 1
Output
8
Input
5 4 0
1 2
3 1
Output
7
Note
In the first example it is profitable for Igor to go by foot and not to wait the tram. Thus, he has to pass 2 meters and it takes 8 seconds in total, because he passes 1 meter per 4 seconds.
In the second example Igor can, for example, go towards the point x2 and get to the point 1 in 6 seconds (because he has to pass 3 meters, but he passes 1 meters per 2 seconds). At that moment the tram will be at the point 1, so Igor can enter the tram and pass 1 meter in 1 second. Thus, Igor will reach the point x2 in 7 seconds in total.
Tags: constructive algorithms, implementation, math
Correct Solution:
```
s,x1,x2 = map(int,input().split())
t1,t2 = map(int,input().split())
p,d = map(int,input().split())
paidal = abs(x2 - x1) * t2
if(t2 <= t1):
print(paidal)
else:
ans = 0
busAayi = 0
if(x1 > p):
if(d == 1):
ans += abs(x1 - p) * t1
else:
ans += abs(2*p + abs(p - x1)) * t1
d = 1
elif(x1 == p):
pass
else:
if(d == 1):
ans += abs(2*(s - p) + abs(p - x1)) * t1
d = -1
else:
ans += abs(x1 - p) * t1
if(x2 > x1):
if(d == 1):
ans += (x2 - x1) * t1
else:
ans += abs(2*x1 + abs(x1 - x2)) * t1
elif(x2 == x1):
pass
else:
if(d == 1):
ans += abs(2 * (s - x1) + abs(x1 - x2)) * t1
else:
ans += abs(x2 - x1) * t1
print(min(paidal, ans))
```
| 11,275 |
Provide tags and a correct Python 3 solution for this coding contest problem.
The tram in Berland goes along a straight line from the point 0 to the point s and back, passing 1 meter per t1 seconds in both directions. It means that the tram is always in the state of uniform rectilinear motion, instantly turning around at points x = 0 and x = s.
Igor is at the point x1. He should reach the point x2. Igor passes 1 meter per t2 seconds.
Your task is to determine the minimum time Igor needs to get from the point x1 to the point x2, if it is known where the tram is and in what direction it goes at the moment Igor comes to the point x1.
Igor can enter the tram unlimited number of times at any moment when his and the tram's positions coincide. It is not obligatory that points in which Igor enter and exit the tram are integers. Assume that any boarding and unboarding happens instantly. Igor can move arbitrary along the line (but not faster than 1 meter per t2 seconds). He can also stand at some point for some time.
Input
The first line contains three integers s, x1 and x2 (2 β€ s β€ 1000, 0 β€ x1, x2 β€ s, x1 β x2) β the maximum coordinate of the point to which the tram goes, the point Igor is at, and the point he should come to.
The second line contains two integers t1 and t2 (1 β€ t1, t2 β€ 1000) β the time in seconds in which the tram passes 1 meter and the time in seconds in which Igor passes 1 meter.
The third line contains two integers p and d (1 β€ p β€ s - 1, d is either 1 or <image>) β the position of the tram in the moment Igor came to the point x1 and the direction of the tram at this moment. If <image>, the tram goes in the direction from the point s to the point 0. If d = 1, the tram goes in the direction from the point 0 to the point s.
Output
Print the minimum time in seconds which Igor needs to get from the point x1 to the point x2.
Examples
Input
4 2 4
3 4
1 1
Output
8
Input
5 4 0
1 2
3 1
Output
7
Note
In the first example it is profitable for Igor to go by foot and not to wait the tram. Thus, he has to pass 2 meters and it takes 8 seconds in total, because he passes 1 meter per 4 seconds.
In the second example Igor can, for example, go towards the point x2 and get to the point 1 in 6 seconds (because he has to pass 3 meters, but he passes 1 meters per 2 seconds). At that moment the tram will be at the point 1, so Igor can enter the tram and pass 1 meter in 1 second. Thus, Igor will reach the point x2 in 7 seconds in total.
Tags: constructive algorithms, implementation, math
Correct Solution:
```
s, x1, x2 = map(int, input().split())
t1, t2 = map(int, input().split())
p, d = map(int, input().split())
ans = abs(x1 - x2) * t2
if x1 == x2:
print(0)
elif x1 < x2:
if (d == 1 and p <= x1) or p == 0:
ans = min(ans, abs(x2 - p) * t1)
elif d == -1 or p == s:
ans = min(ans, (p + x2) * t1)
elif d == 1 and p > x1:
ans = min(ans, (s - p + s + x2) * t1)
else:
if (d == -1 and p >= x1) or p == s:
ans = min(ans, abs(p - x2) * t1)
elif d == 1 or p == 0:
ans = min(ans, (s - p + s - x2) * t1)
elif d == -1 and p < x1:
ans = min(ans, (p + s + s - x2) * t1)
print(ans)
```
| 11,276 |
Provide tags and a correct Python 3 solution for this coding contest problem.
The tram in Berland goes along a straight line from the point 0 to the point s and back, passing 1 meter per t1 seconds in both directions. It means that the tram is always in the state of uniform rectilinear motion, instantly turning around at points x = 0 and x = s.
Igor is at the point x1. He should reach the point x2. Igor passes 1 meter per t2 seconds.
Your task is to determine the minimum time Igor needs to get from the point x1 to the point x2, if it is known where the tram is and in what direction it goes at the moment Igor comes to the point x1.
Igor can enter the tram unlimited number of times at any moment when his and the tram's positions coincide. It is not obligatory that points in which Igor enter and exit the tram are integers. Assume that any boarding and unboarding happens instantly. Igor can move arbitrary along the line (but not faster than 1 meter per t2 seconds). He can also stand at some point for some time.
Input
The first line contains three integers s, x1 and x2 (2 β€ s β€ 1000, 0 β€ x1, x2 β€ s, x1 β x2) β the maximum coordinate of the point to which the tram goes, the point Igor is at, and the point he should come to.
The second line contains two integers t1 and t2 (1 β€ t1, t2 β€ 1000) β the time in seconds in which the tram passes 1 meter and the time in seconds in which Igor passes 1 meter.
The third line contains two integers p and d (1 β€ p β€ s - 1, d is either 1 or <image>) β the position of the tram in the moment Igor came to the point x1 and the direction of the tram at this moment. If <image>, the tram goes in the direction from the point s to the point 0. If d = 1, the tram goes in the direction from the point 0 to the point s.
Output
Print the minimum time in seconds which Igor needs to get from the point x1 to the point x2.
Examples
Input
4 2 4
3 4
1 1
Output
8
Input
5 4 0
1 2
3 1
Output
7
Note
In the first example it is profitable for Igor to go by foot and not to wait the tram. Thus, he has to pass 2 meters and it takes 8 seconds in total, because he passes 1 meter per 4 seconds.
In the second example Igor can, for example, go towards the point x2 and get to the point 1 in 6 seconds (because he has to pass 3 meters, but he passes 1 meters per 2 seconds). At that moment the tram will be at the point 1, so Igor can enter the tram and pass 1 meter in 1 second. Thus, Igor will reach the point x2 in 7 seconds in total.
Tags: constructive algorithms, implementation, math
Correct Solution:
```
s,x1,x2=input().split(' ')
s=int(s)
x1=int(x1)
x2=int(x2)
v1,v2=input().split(' ')
v1=int(v1)
v2=int(v2)
v1=1/v1
v2=1/v2
p,d=input().split(' ')
p=int(p)
d=int(d)
if x1>x2 :
x1=s-x1
x2=s-x2
d=-d
p=s-p
if p<=x1:
if d==-1:
x=p+x1
else:
x=x1-p
t=x/(v1-v2)
if x1+t*v2<=x2:
t=t+(x2-x1-t*v2)/v1
else:
t=(x2-x1)/v2
else:
if d==-1:
x=p-x1
else:
x=2*s-p-x1
t=x/(v1+v2)
if x1+t*v2<=x2:
t=min(t+(x2+x1+t*v2)/v1,(x2-x1)/v2)
else:
t=(x2-x1)/v2
print(int(t+0.5))
```
| 11,277 |
Provide tags and a correct Python 3 solution for this coding contest problem.
The tram in Berland goes along a straight line from the point 0 to the point s and back, passing 1 meter per t1 seconds in both directions. It means that the tram is always in the state of uniform rectilinear motion, instantly turning around at points x = 0 and x = s.
Igor is at the point x1. He should reach the point x2. Igor passes 1 meter per t2 seconds.
Your task is to determine the minimum time Igor needs to get from the point x1 to the point x2, if it is known where the tram is and in what direction it goes at the moment Igor comes to the point x1.
Igor can enter the tram unlimited number of times at any moment when his and the tram's positions coincide. It is not obligatory that points in which Igor enter and exit the tram are integers. Assume that any boarding and unboarding happens instantly. Igor can move arbitrary along the line (but not faster than 1 meter per t2 seconds). He can also stand at some point for some time.
Input
The first line contains three integers s, x1 and x2 (2 β€ s β€ 1000, 0 β€ x1, x2 β€ s, x1 β x2) β the maximum coordinate of the point to which the tram goes, the point Igor is at, and the point he should come to.
The second line contains two integers t1 and t2 (1 β€ t1, t2 β€ 1000) β the time in seconds in which the tram passes 1 meter and the time in seconds in which Igor passes 1 meter.
The third line contains two integers p and d (1 β€ p β€ s - 1, d is either 1 or <image>) β the position of the tram in the moment Igor came to the point x1 and the direction of the tram at this moment. If <image>, the tram goes in the direction from the point s to the point 0. If d = 1, the tram goes in the direction from the point 0 to the point s.
Output
Print the minimum time in seconds which Igor needs to get from the point x1 to the point x2.
Examples
Input
4 2 4
3 4
1 1
Output
8
Input
5 4 0
1 2
3 1
Output
7
Note
In the first example it is profitable for Igor to go by foot and not to wait the tram. Thus, he has to pass 2 meters and it takes 8 seconds in total, because he passes 1 meter per 4 seconds.
In the second example Igor can, for example, go towards the point x2 and get to the point 1 in 6 seconds (because he has to pass 3 meters, but he passes 1 meters per 2 seconds). At that moment the tram will be at the point 1, so Igor can enter the tram and pass 1 meter in 1 second. Thus, Igor will reach the point x2 in 7 seconds in total.
Tags: constructive algorithms, implementation, math
Correct Solution:
```
s, x1, x2 = map(int, input().split(' '))
t1, t2 = map(int, input().split(' '))
p, d = map(int, input().split(' '))
if x2 < x1:
x1 = s-x1
x2 = s-x2
p = s-p
d *= -1
t_walk = (x2-x1) * t2
extra = 0
if p > x1 and d == 1:
extra = 2*(s-p)
d = -1
p *= d
t_tram = (x2-p+extra) * t1
print(min(t_tram, t_walk))
```
| 11,278 |
Provide tags and a correct Python 3 solution for this coding contest problem.
The tram in Berland goes along a straight line from the point 0 to the point s and back, passing 1 meter per t1 seconds in both directions. It means that the tram is always in the state of uniform rectilinear motion, instantly turning around at points x = 0 and x = s.
Igor is at the point x1. He should reach the point x2. Igor passes 1 meter per t2 seconds.
Your task is to determine the minimum time Igor needs to get from the point x1 to the point x2, if it is known where the tram is and in what direction it goes at the moment Igor comes to the point x1.
Igor can enter the tram unlimited number of times at any moment when his and the tram's positions coincide. It is not obligatory that points in which Igor enter and exit the tram are integers. Assume that any boarding and unboarding happens instantly. Igor can move arbitrary along the line (but not faster than 1 meter per t2 seconds). He can also stand at some point for some time.
Input
The first line contains three integers s, x1 and x2 (2 β€ s β€ 1000, 0 β€ x1, x2 β€ s, x1 β x2) β the maximum coordinate of the point to which the tram goes, the point Igor is at, and the point he should come to.
The second line contains two integers t1 and t2 (1 β€ t1, t2 β€ 1000) β the time in seconds in which the tram passes 1 meter and the time in seconds in which Igor passes 1 meter.
The third line contains two integers p and d (1 β€ p β€ s - 1, d is either 1 or <image>) β the position of the tram in the moment Igor came to the point x1 and the direction of the tram at this moment. If <image>, the tram goes in the direction from the point s to the point 0. If d = 1, the tram goes in the direction from the point 0 to the point s.
Output
Print the minimum time in seconds which Igor needs to get from the point x1 to the point x2.
Examples
Input
4 2 4
3 4
1 1
Output
8
Input
5 4 0
1 2
3 1
Output
7
Note
In the first example it is profitable for Igor to go by foot and not to wait the tram. Thus, he has to pass 2 meters and it takes 8 seconds in total, because he passes 1 meter per 4 seconds.
In the second example Igor can, for example, go towards the point x2 and get to the point 1 in 6 seconds (because he has to pass 3 meters, but he passes 1 meters per 2 seconds). At that moment the tram will be at the point 1, so Igor can enter the tram and pass 1 meter in 1 second. Thus, Igor will reach the point x2 in 7 seconds in total.
Tags: constructive algorithms, implementation, math
Correct Solution:
```
s, x1, x2 = map(int, input().split())
t1, t2 = map(int, input().split())
p, d = map(int, input().split())
tp = abs(x1 - x2) * t2
if p != x1:
v = False
else:
v = True
tt = 0
while 1:
if p == s:
d = -1
if p == 0:
d = 1
p += d
tt += t1
if p == x1:
v = True
if v and p == x2:
break
print(min(tp, tt))
```
| 11,279 |
Provide tags and a correct Python 3 solution for this coding contest problem.
The tram in Berland goes along a straight line from the point 0 to the point s and back, passing 1 meter per t1 seconds in both directions. It means that the tram is always in the state of uniform rectilinear motion, instantly turning around at points x = 0 and x = s.
Igor is at the point x1. He should reach the point x2. Igor passes 1 meter per t2 seconds.
Your task is to determine the minimum time Igor needs to get from the point x1 to the point x2, if it is known where the tram is and in what direction it goes at the moment Igor comes to the point x1.
Igor can enter the tram unlimited number of times at any moment when his and the tram's positions coincide. It is not obligatory that points in which Igor enter and exit the tram are integers. Assume that any boarding and unboarding happens instantly. Igor can move arbitrary along the line (but not faster than 1 meter per t2 seconds). He can also stand at some point for some time.
Input
The first line contains three integers s, x1 and x2 (2 β€ s β€ 1000, 0 β€ x1, x2 β€ s, x1 β x2) β the maximum coordinate of the point to which the tram goes, the point Igor is at, and the point he should come to.
The second line contains two integers t1 and t2 (1 β€ t1, t2 β€ 1000) β the time in seconds in which the tram passes 1 meter and the time in seconds in which Igor passes 1 meter.
The third line contains two integers p and d (1 β€ p β€ s - 1, d is either 1 or <image>) β the position of the tram in the moment Igor came to the point x1 and the direction of the tram at this moment. If <image>, the tram goes in the direction from the point s to the point 0. If d = 1, the tram goes in the direction from the point 0 to the point s.
Output
Print the minimum time in seconds which Igor needs to get from the point x1 to the point x2.
Examples
Input
4 2 4
3 4
1 1
Output
8
Input
5 4 0
1 2
3 1
Output
7
Note
In the first example it is profitable for Igor to go by foot and not to wait the tram. Thus, he has to pass 2 meters and it takes 8 seconds in total, because he passes 1 meter per 4 seconds.
In the second example Igor can, for example, go towards the point x2 and get to the point 1 in 6 seconds (because he has to pass 3 meters, but he passes 1 meters per 2 seconds). At that moment the tram will be at the point 1, so Igor can enter the tram and pass 1 meter in 1 second. Thus, Igor will reach the point x2 in 7 seconds in total.
Tags: constructive algorithms, implementation, math
Correct Solution:
```
s, x1, x2 = map(int, input().split())
t1, t2 = map(int, input().split())
p, d = map(int, input().split())
ans = abs(x1 - x2) * t2
if (x2 > x1):
d *= -1
p = s - p
x1 = s - x1
x2 = s - x2
if (d == -1):
if (p < x1):
ans = min(ans, (p + s + s - x2) * t1)
else:
ans = min(ans, (p - x2) * t1)
else:
ans = min(ans, (s - p + s - x2) * t1)
print(ans)
```
| 11,280 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
The tram in Berland goes along a straight line from the point 0 to the point s and back, passing 1 meter per t1 seconds in both directions. It means that the tram is always in the state of uniform rectilinear motion, instantly turning around at points x = 0 and x = s.
Igor is at the point x1. He should reach the point x2. Igor passes 1 meter per t2 seconds.
Your task is to determine the minimum time Igor needs to get from the point x1 to the point x2, if it is known where the tram is and in what direction it goes at the moment Igor comes to the point x1.
Igor can enter the tram unlimited number of times at any moment when his and the tram's positions coincide. It is not obligatory that points in which Igor enter and exit the tram are integers. Assume that any boarding and unboarding happens instantly. Igor can move arbitrary along the line (but not faster than 1 meter per t2 seconds). He can also stand at some point for some time.
Input
The first line contains three integers s, x1 and x2 (2 β€ s β€ 1000, 0 β€ x1, x2 β€ s, x1 β x2) β the maximum coordinate of the point to which the tram goes, the point Igor is at, and the point he should come to.
The second line contains two integers t1 and t2 (1 β€ t1, t2 β€ 1000) β the time in seconds in which the tram passes 1 meter and the time in seconds in which Igor passes 1 meter.
The third line contains two integers p and d (1 β€ p β€ s - 1, d is either 1 or <image>) β the position of the tram in the moment Igor came to the point x1 and the direction of the tram at this moment. If <image>, the tram goes in the direction from the point s to the point 0. If d = 1, the tram goes in the direction from the point 0 to the point s.
Output
Print the minimum time in seconds which Igor needs to get from the point x1 to the point x2.
Examples
Input
4 2 4
3 4
1 1
Output
8
Input
5 4 0
1 2
3 1
Output
7
Note
In the first example it is profitable for Igor to go by foot and not to wait the tram. Thus, he has to pass 2 meters and it takes 8 seconds in total, because he passes 1 meter per 4 seconds.
In the second example Igor can, for example, go towards the point x2 and get to the point 1 in 6 seconds (because he has to pass 3 meters, but he passes 1 meters per 2 seconds). At that moment the tram will be at the point 1, so Igor can enter the tram and pass 1 meter in 1 second. Thus, Igor will reach the point x2 in 7 seconds in total.
Submitted Solution:
```
s, x1, x2 = map(int, input().split())
t1, t2 = map(int, input().split())
p, d = map(int, input().split())
if x2 < x1:
x1 = (s - x1)
x2 = (s - x2)
p = (s - p)
d = -d
vt = 1.0 / t1
vi = 1.0 / t2
xt0 = 0.0
if d == -1:
xt0 = -p
elif p <= x1:
xt0 = p
else:
xt0 = -(s - p) - s
def solve(vt, xt0, vi, x1, x2):
t1 = (x1 - xt0) / (vt - vi)
t2 = (x2 - vi*t1 - x1) / vt
t3 = (x1 - xt0) / (vt + vi)
t4 = (x2 + vi*t3 - x1) / vt
return min((x2-x1) / vi, min(t1 + t2, t3 + t4))
if t2 <= t1:
print("%.0f" % ((x2 - x1) / vi))
else:
print("%.0f" % solve(vt, xt0, vi, x1, x2))
```
Yes
| 11,281 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
The tram in Berland goes along a straight line from the point 0 to the point s and back, passing 1 meter per t1 seconds in both directions. It means that the tram is always in the state of uniform rectilinear motion, instantly turning around at points x = 0 and x = s.
Igor is at the point x1. He should reach the point x2. Igor passes 1 meter per t2 seconds.
Your task is to determine the minimum time Igor needs to get from the point x1 to the point x2, if it is known where the tram is and in what direction it goes at the moment Igor comes to the point x1.
Igor can enter the tram unlimited number of times at any moment when his and the tram's positions coincide. It is not obligatory that points in which Igor enter and exit the tram are integers. Assume that any boarding and unboarding happens instantly. Igor can move arbitrary along the line (but not faster than 1 meter per t2 seconds). He can also stand at some point for some time.
Input
The first line contains three integers s, x1 and x2 (2 β€ s β€ 1000, 0 β€ x1, x2 β€ s, x1 β x2) β the maximum coordinate of the point to which the tram goes, the point Igor is at, and the point he should come to.
The second line contains two integers t1 and t2 (1 β€ t1, t2 β€ 1000) β the time in seconds in which the tram passes 1 meter and the time in seconds in which Igor passes 1 meter.
The third line contains two integers p and d (1 β€ p β€ s - 1, d is either 1 or <image>) β the position of the tram in the moment Igor came to the point x1 and the direction of the tram at this moment. If <image>, the tram goes in the direction from the point s to the point 0. If d = 1, the tram goes in the direction from the point 0 to the point s.
Output
Print the minimum time in seconds which Igor needs to get from the point x1 to the point x2.
Examples
Input
4 2 4
3 4
1 1
Output
8
Input
5 4 0
1 2
3 1
Output
7
Note
In the first example it is profitable for Igor to go by foot and not to wait the tram. Thus, he has to pass 2 meters and it takes 8 seconds in total, because he passes 1 meter per 4 seconds.
In the second example Igor can, for example, go towards the point x2 and get to the point 1 in 6 seconds (because he has to pass 3 meters, but he passes 1 meters per 2 seconds). At that moment the tram will be at the point 1, so Igor can enter the tram and pass 1 meter in 1 second. Thus, Igor will reach the point x2 in 7 seconds in total.
Submitted Solution:
```
s, x1, x2 = map(int, input().split())
t1, t2 = map(int, input().split())
p, d = map(int, input().split())
res1 = t2 * abs(x2 - x1)
if d < 0:
x1, x2, p = s-x1, s-x2, s-p
if x2 < x1:
res2 = t1 * (2*s - p - x2)
elif x1 < p:
res2 = t1 * (x2 - p + 2*s)
else:
res2 = t1 * (x2 - p)
print(min(res1, res2))
```
Yes
| 11,282 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
The tram in Berland goes along a straight line from the point 0 to the point s and back, passing 1 meter per t1 seconds in both directions. It means that the tram is always in the state of uniform rectilinear motion, instantly turning around at points x = 0 and x = s.
Igor is at the point x1. He should reach the point x2. Igor passes 1 meter per t2 seconds.
Your task is to determine the minimum time Igor needs to get from the point x1 to the point x2, if it is known where the tram is and in what direction it goes at the moment Igor comes to the point x1.
Igor can enter the tram unlimited number of times at any moment when his and the tram's positions coincide. It is not obligatory that points in which Igor enter and exit the tram are integers. Assume that any boarding and unboarding happens instantly. Igor can move arbitrary along the line (but not faster than 1 meter per t2 seconds). He can also stand at some point for some time.
Input
The first line contains three integers s, x1 and x2 (2 β€ s β€ 1000, 0 β€ x1, x2 β€ s, x1 β x2) β the maximum coordinate of the point to which the tram goes, the point Igor is at, and the point he should come to.
The second line contains two integers t1 and t2 (1 β€ t1, t2 β€ 1000) β the time in seconds in which the tram passes 1 meter and the time in seconds in which Igor passes 1 meter.
The third line contains two integers p and d (1 β€ p β€ s - 1, d is either 1 or <image>) β the position of the tram in the moment Igor came to the point x1 and the direction of the tram at this moment. If <image>, the tram goes in the direction from the point s to the point 0. If d = 1, the tram goes in the direction from the point 0 to the point s.
Output
Print the minimum time in seconds which Igor needs to get from the point x1 to the point x2.
Examples
Input
4 2 4
3 4
1 1
Output
8
Input
5 4 0
1 2
3 1
Output
7
Note
In the first example it is profitable for Igor to go by foot and not to wait the tram. Thus, he has to pass 2 meters and it takes 8 seconds in total, because he passes 1 meter per 4 seconds.
In the second example Igor can, for example, go towards the point x2 and get to the point 1 in 6 seconds (because he has to pass 3 meters, but he passes 1 meters per 2 seconds). At that moment the tram will be at the point 1, so Igor can enter the tram and pass 1 meter in 1 second. Thus, Igor will reach the point x2 in 7 seconds in total.
Submitted Solution:
```
s,x1,x2 = map(int,input().split())
t1,t2 = map(int,input().split())
p,d = map(int,input().split())
if x1>x2:
d*=-1
p = s - p
x1 = s - x1
x2 = s - x2
ans = (x2-x1)*t2
if d==1 and x1<p:
ans = min(ans, (2*s - p + x2) * t1)
elif d==-1:
ans = min(ans, (p + x2) * t1);
else:
ans = min(ans, abs(p - x2) * t1);
print (ans)
```
Yes
| 11,283 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
The tram in Berland goes along a straight line from the point 0 to the point s and back, passing 1 meter per t1 seconds in both directions. It means that the tram is always in the state of uniform rectilinear motion, instantly turning around at points x = 0 and x = s.
Igor is at the point x1. He should reach the point x2. Igor passes 1 meter per t2 seconds.
Your task is to determine the minimum time Igor needs to get from the point x1 to the point x2, if it is known where the tram is and in what direction it goes at the moment Igor comes to the point x1.
Igor can enter the tram unlimited number of times at any moment when his and the tram's positions coincide. It is not obligatory that points in which Igor enter and exit the tram are integers. Assume that any boarding and unboarding happens instantly. Igor can move arbitrary along the line (but not faster than 1 meter per t2 seconds). He can also stand at some point for some time.
Input
The first line contains three integers s, x1 and x2 (2 β€ s β€ 1000, 0 β€ x1, x2 β€ s, x1 β x2) β the maximum coordinate of the point to which the tram goes, the point Igor is at, and the point he should come to.
The second line contains two integers t1 and t2 (1 β€ t1, t2 β€ 1000) β the time in seconds in which the tram passes 1 meter and the time in seconds in which Igor passes 1 meter.
The third line contains two integers p and d (1 β€ p β€ s - 1, d is either 1 or <image>) β the position of the tram in the moment Igor came to the point x1 and the direction of the tram at this moment. If <image>, the tram goes in the direction from the point s to the point 0. If d = 1, the tram goes in the direction from the point 0 to the point s.
Output
Print the minimum time in seconds which Igor needs to get from the point x1 to the point x2.
Examples
Input
4 2 4
3 4
1 1
Output
8
Input
5 4 0
1 2
3 1
Output
7
Note
In the first example it is profitable for Igor to go by foot and not to wait the tram. Thus, he has to pass 2 meters and it takes 8 seconds in total, because he passes 1 meter per 4 seconds.
In the second example Igor can, for example, go towards the point x2 and get to the point 1 in 6 seconds (because he has to pass 3 meters, but he passes 1 meters per 2 seconds). At that moment the tram will be at the point 1, so Igor can enter the tram and pass 1 meter in 1 second. Thus, Igor will reach the point x2 in 7 seconds in total.
Submitted Solution:
```
s, x1, x2 = [int(x) for x in input().split()]
t1, t2 = [int(x) for x in input().split()]
p, d = [int(x) for x in input().split()]
di = (x2 - x1 > 0) * 2 - 1
ti = abs(x2 - x1) * t2
if (d == di):
if ((p - x1) * d <= 0):
tt = (x2 - p) * d * t1
else:
tt = (2*s + (x2 - p)*d) * t1
else:
if (d == 1):
tt = (2*s - (p + x2)) * t1
else:
tt = (p + x2) * t1
T = min(ti, tt)
print(T)
```
Yes
| 11,284 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
The tram in Berland goes along a straight line from the point 0 to the point s and back, passing 1 meter per t1 seconds in both directions. It means that the tram is always in the state of uniform rectilinear motion, instantly turning around at points x = 0 and x = s.
Igor is at the point x1. He should reach the point x2. Igor passes 1 meter per t2 seconds.
Your task is to determine the minimum time Igor needs to get from the point x1 to the point x2, if it is known where the tram is and in what direction it goes at the moment Igor comes to the point x1.
Igor can enter the tram unlimited number of times at any moment when his and the tram's positions coincide. It is not obligatory that points in which Igor enter and exit the tram are integers. Assume that any boarding and unboarding happens instantly. Igor can move arbitrary along the line (but not faster than 1 meter per t2 seconds). He can also stand at some point for some time.
Input
The first line contains three integers s, x1 and x2 (2 β€ s β€ 1000, 0 β€ x1, x2 β€ s, x1 β x2) β the maximum coordinate of the point to which the tram goes, the point Igor is at, and the point he should come to.
The second line contains two integers t1 and t2 (1 β€ t1, t2 β€ 1000) β the time in seconds in which the tram passes 1 meter and the time in seconds in which Igor passes 1 meter.
The third line contains two integers p and d (1 β€ p β€ s - 1, d is either 1 or <image>) β the position of the tram in the moment Igor came to the point x1 and the direction of the tram at this moment. If <image>, the tram goes in the direction from the point s to the point 0. If d = 1, the tram goes in the direction from the point 0 to the point s.
Output
Print the minimum time in seconds which Igor needs to get from the point x1 to the point x2.
Examples
Input
4 2 4
3 4
1 1
Output
8
Input
5 4 0
1 2
3 1
Output
7
Note
In the first example it is profitable for Igor to go by foot and not to wait the tram. Thus, he has to pass 2 meters and it takes 8 seconds in total, because he passes 1 meter per 4 seconds.
In the second example Igor can, for example, go towards the point x2 and get to the point 1 in 6 seconds (because he has to pass 3 meters, but he passes 1 meters per 2 seconds). At that moment the tram will be at the point 1, so Igor can enter the tram and pass 1 meter in 1 second. Thus, Igor will reach the point x2 in 7 seconds in total.
Submitted Solution:
```
#/usr/bin/env python3
import sys
def tram(inp):
inp = list(map(int, inp.split()))
s = inp[0]
x1 = inp[1]
x2 = inp[2]
t1 = inp[3]
t2 = inp[4]
p = inp[5]
d = inp[6]
if d < 0:
x1 = s-x1
x2 = s-x2
p = s - p
walktime = abs(x1-x2)*t2
if (x2 > x1):
if (p > x1):
tramtime = (s-p + s + s-x2) * t1
else:
tramtime = (x2 - p) *t1
else:
tramtime = ((s-p) + s -x2) * t1
return min(walktime, tramtime)
if __name__ == "__main__":
inp = sys.stdin.read()
inp = inp.strip()
print(tram(inp))
```
No
| 11,285 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
The tram in Berland goes along a straight line from the point 0 to the point s and back, passing 1 meter per t1 seconds in both directions. It means that the tram is always in the state of uniform rectilinear motion, instantly turning around at points x = 0 and x = s.
Igor is at the point x1. He should reach the point x2. Igor passes 1 meter per t2 seconds.
Your task is to determine the minimum time Igor needs to get from the point x1 to the point x2, if it is known where the tram is and in what direction it goes at the moment Igor comes to the point x1.
Igor can enter the tram unlimited number of times at any moment when his and the tram's positions coincide. It is not obligatory that points in which Igor enter and exit the tram are integers. Assume that any boarding and unboarding happens instantly. Igor can move arbitrary along the line (but not faster than 1 meter per t2 seconds). He can also stand at some point for some time.
Input
The first line contains three integers s, x1 and x2 (2 β€ s β€ 1000, 0 β€ x1, x2 β€ s, x1 β x2) β the maximum coordinate of the point to which the tram goes, the point Igor is at, and the point he should come to.
The second line contains two integers t1 and t2 (1 β€ t1, t2 β€ 1000) β the time in seconds in which the tram passes 1 meter and the time in seconds in which Igor passes 1 meter.
The third line contains two integers p and d (1 β€ p β€ s - 1, d is either 1 or <image>) β the position of the tram in the moment Igor came to the point x1 and the direction of the tram at this moment. If <image>, the tram goes in the direction from the point s to the point 0. If d = 1, the tram goes in the direction from the point 0 to the point s.
Output
Print the minimum time in seconds which Igor needs to get from the point x1 to the point x2.
Examples
Input
4 2 4
3 4
1 1
Output
8
Input
5 4 0
1 2
3 1
Output
7
Note
In the first example it is profitable for Igor to go by foot and not to wait the tram. Thus, he has to pass 2 meters and it takes 8 seconds in total, because he passes 1 meter per 4 seconds.
In the second example Igor can, for example, go towards the point x2 and get to the point 1 in 6 seconds (because he has to pass 3 meters, but he passes 1 meters per 2 seconds). At that moment the tram will be at the point 1, so Igor can enter the tram and pass 1 meter in 1 second. Thus, Igor will reach the point x2 in 7 seconds in total.
Submitted Solution:
```
s, x1, x2 = [int(i) for i in input().split()]
t1, t2 = [int(i) for i in input().split()]
s1 = 1/t1
s2 = 1/t2
p, d = [int(i) for i in input().split()]
direct = abs(x1-x2)/s2
# if d * (x2-x1) < 0 :
if (d == 1 and p < x1 and x2-x1 < 0) or (d == 1 and p > x1 and x2 - x1 > 0):
# print('reversing')
p = p + abs(p-s)*2
t_meet = abs((p-x1)/(s2-s1))
# print(p, t_meet)
dist = s2 * t_meet
# print('distance is ', dist)
if x1 > x2:
pos = x1 - dist
else:
pos = x1 + dist
# print('pos is ', pos)
t_arrive = t_meet + abs(pos-x2) * s1
print(int(min(t_arrive, direct)))
# print(direct)
```
No
| 11,286 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
The tram in Berland goes along a straight line from the point 0 to the point s and back, passing 1 meter per t1 seconds in both directions. It means that the tram is always in the state of uniform rectilinear motion, instantly turning around at points x = 0 and x = s.
Igor is at the point x1. He should reach the point x2. Igor passes 1 meter per t2 seconds.
Your task is to determine the minimum time Igor needs to get from the point x1 to the point x2, if it is known where the tram is and in what direction it goes at the moment Igor comes to the point x1.
Igor can enter the tram unlimited number of times at any moment when his and the tram's positions coincide. It is not obligatory that points in which Igor enter and exit the tram are integers. Assume that any boarding and unboarding happens instantly. Igor can move arbitrary along the line (but not faster than 1 meter per t2 seconds). He can also stand at some point for some time.
Input
The first line contains three integers s, x1 and x2 (2 β€ s β€ 1000, 0 β€ x1, x2 β€ s, x1 β x2) β the maximum coordinate of the point to which the tram goes, the point Igor is at, and the point he should come to.
The second line contains two integers t1 and t2 (1 β€ t1, t2 β€ 1000) β the time in seconds in which the tram passes 1 meter and the time in seconds in which Igor passes 1 meter.
The third line contains two integers p and d (1 β€ p β€ s - 1, d is either 1 or <image>) β the position of the tram in the moment Igor came to the point x1 and the direction of the tram at this moment. If <image>, the tram goes in the direction from the point s to the point 0. If d = 1, the tram goes in the direction from the point 0 to the point s.
Output
Print the minimum time in seconds which Igor needs to get from the point x1 to the point x2.
Examples
Input
4 2 4
3 4
1 1
Output
8
Input
5 4 0
1 2
3 1
Output
7
Note
In the first example it is profitable for Igor to go by foot and not to wait the tram. Thus, he has to pass 2 meters and it takes 8 seconds in total, because he passes 1 meter per 4 seconds.
In the second example Igor can, for example, go towards the point x2 and get to the point 1 in 6 seconds (because he has to pass 3 meters, but he passes 1 meters per 2 seconds). At that moment the tram will be at the point 1, so Igor can enter the tram and pass 1 meter in 1 second. Thus, Igor will reach the point x2 in 7 seconds in total.
Submitted Solution:
```
import math
s, x1, x2 = map(int, input().split())
t1, t2 = map(int, input().split())
p, d = map(int, input().split())
T1 = t2 * abs(x2 - x1)
if d < -1:
x1, x2, p = s-x1, s-x2, s-p
d = 1
if x2 < x1:
T2 = t1 * (2*s - p - x2)
else:
T2 = t1 * (x2 - p + 2*s*(x1 < p))
print(min(T1, T2))
```
No
| 11,287 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
The tram in Berland goes along a straight line from the point 0 to the point s and back, passing 1 meter per t1 seconds in both directions. It means that the tram is always in the state of uniform rectilinear motion, instantly turning around at points x = 0 and x = s.
Igor is at the point x1. He should reach the point x2. Igor passes 1 meter per t2 seconds.
Your task is to determine the minimum time Igor needs to get from the point x1 to the point x2, if it is known where the tram is and in what direction it goes at the moment Igor comes to the point x1.
Igor can enter the tram unlimited number of times at any moment when his and the tram's positions coincide. It is not obligatory that points in which Igor enter and exit the tram are integers. Assume that any boarding and unboarding happens instantly. Igor can move arbitrary along the line (but not faster than 1 meter per t2 seconds). He can also stand at some point for some time.
Input
The first line contains three integers s, x1 and x2 (2 β€ s β€ 1000, 0 β€ x1, x2 β€ s, x1 β x2) β the maximum coordinate of the point to which the tram goes, the point Igor is at, and the point he should come to.
The second line contains two integers t1 and t2 (1 β€ t1, t2 β€ 1000) β the time in seconds in which the tram passes 1 meter and the time in seconds in which Igor passes 1 meter.
The third line contains two integers p and d (1 β€ p β€ s - 1, d is either 1 or <image>) β the position of the tram in the moment Igor came to the point x1 and the direction of the tram at this moment. If <image>, the tram goes in the direction from the point s to the point 0. If d = 1, the tram goes in the direction from the point 0 to the point s.
Output
Print the minimum time in seconds which Igor needs to get from the point x1 to the point x2.
Examples
Input
4 2 4
3 4
1 1
Output
8
Input
5 4 0
1 2
3 1
Output
7
Note
In the first example it is profitable for Igor to go by foot and not to wait the tram. Thus, he has to pass 2 meters and it takes 8 seconds in total, because he passes 1 meter per 4 seconds.
In the second example Igor can, for example, go towards the point x2 and get to the point 1 in 6 seconds (because he has to pass 3 meters, but he passes 1 meters per 2 seconds). At that moment the tram will be at the point 1, so Igor can enter the tram and pass 1 meter in 1 second. Thus, Igor will reach the point x2 in 7 seconds in total.
Submitted Solution:
```
s, x1, x2 = map(int,input().split())
t1, t2 = map(int,input().split())
p, d = map(int,input().split())
ti = abs(x2 - x1) * t2
if d == 1:
if p > x2:
tp = (s - p + s - x2) * t1
else:
tp = (x2 - p) * t2
else:
if p > x2:
tp = (p - x2) * t1
else:
tp = (p + x2) *t1
if ti < tp:
print(ti)
else:
print(tp)
```
No
| 11,288 |
Provide tags and a correct Python 3 solution for this coding contest problem.
The Robot is in a rectangular maze of size n Γ m. Each cell of the maze is either empty or occupied by an obstacle. The Robot can move between neighboring cells on the side left (the symbol "L"), right (the symbol "R"), up (the symbol "U") or down (the symbol "D"). The Robot can move to the cell only if it is empty. Initially, the Robot is in the empty cell.
Your task is to find lexicographically minimal Robot's cycle with length exactly k, which begins and ends in the cell where the Robot was initially. It is allowed to the Robot to visit any cell many times (including starting).
Consider that Robot's way is given as a line which consists of symbols "L", "R", "U" and "D". For example, if firstly the Robot goes down, then left, then right and up, it means that his way is written as "DLRU".
In this task you don't need to minimize the length of the way. Find the minimum lexicographical (in alphabet order as in the dictionary) line which satisfies requirements above.
Input
The first line contains three integers n, m and k (1 β€ n, m β€ 1000, 1 β€ k β€ 106) β the size of the maze and the length of the cycle.
Each of the following n lines contains m symbols β the description of the maze. If the symbol equals to "." the current cell is empty. If the symbol equals to "*" the current cell is occupied by an obstacle. If the symbol equals to "X" then initially the Robot is in this cell and it is empty. It is guaranteed that the symbol "X" is found in the maze exactly once.
Output
Print the lexicographically minimum Robot's way with the length exactly k, which starts and ends in the cell where initially Robot is. If there is no such way, print "IMPOSSIBLE"(without quotes).
Examples
Input
2 3 2
.**
X..
Output
RL
Input
5 6 14
..***.
*...X.
..*...
..*.**
....*.
Output
DLDDLLLRRRUURU
Input
3 3 4
***
*X*
***
Output
IMPOSSIBLE
Note
In the first sample two cyclic ways for the Robot with the length 2 exist β "UD" and "RL". The second cycle is lexicographically less.
In the second sample the Robot should move in the following way: down, left, down, down, left, left, left, right, right, right, up, up, right, up.
In the third sample the Robot can't move to the neighboring cells, because they are occupied by obstacles.
Tags: *special, dfs and similar, graphs, greedy, shortest paths
Correct Solution:
```
from collections import deque
n, m, k =map(int, input().split())
grid = []
for i in range(n):
grid.append(input())
for j in range(m):
if grid[i][j] == "X":
pos_i, pos_j = i, j
if k & 1:
print('IMPOSSIBLE')
exit()
order = "DLRU"
order_dir = [(1,0), (0,-1), (0,1), (-1, 0)]
ds = [[float("inf")]*m for _ in range(n)]
ds[pos_i][pos_j] = 0
q = deque()
q.append((pos_i, pos_j))
while len(q):
x, y = q.popleft()
for delta in order_dir:
nx = x + delta[0]
ny = y + delta[1]
if 0 <= nx < n and 0 <= ny < m and ds[nx][ny] == float("inf") and grid[nx][ny] != "*":
q.append((nx, ny))
ds[nx][ny] = ds[x][y] + 1
start_pos_i = pos_i
start_pos_j = pos_j
path = ""
while k:
for i, d in enumerate(order):
ni = pos_i + order_dir[i][0]
nj = pos_j + order_dir[i][1]
if 0 <= ni < n and 0 <= nj < m and ds[ni][nj] <= k-1 and grid[ni][nj] != "*":
path += d
k -= 1
pos_i = ni
pos_j = nj
break
else:
print("IMPOSSIBLE")
exit()
print(path)
```
| 11,289 |
Provide tags and a correct Python 3 solution for this coding contest problem.
The Robot is in a rectangular maze of size n Γ m. Each cell of the maze is either empty or occupied by an obstacle. The Robot can move between neighboring cells on the side left (the symbol "L"), right (the symbol "R"), up (the symbol "U") or down (the symbol "D"). The Robot can move to the cell only if it is empty. Initially, the Robot is in the empty cell.
Your task is to find lexicographically minimal Robot's cycle with length exactly k, which begins and ends in the cell where the Robot was initially. It is allowed to the Robot to visit any cell many times (including starting).
Consider that Robot's way is given as a line which consists of symbols "L", "R", "U" and "D". For example, if firstly the Robot goes down, then left, then right and up, it means that his way is written as "DLRU".
In this task you don't need to minimize the length of the way. Find the minimum lexicographical (in alphabet order as in the dictionary) line which satisfies requirements above.
Input
The first line contains three integers n, m and k (1 β€ n, m β€ 1000, 1 β€ k β€ 106) β the size of the maze and the length of the cycle.
Each of the following n lines contains m symbols β the description of the maze. If the symbol equals to "." the current cell is empty. If the symbol equals to "*" the current cell is occupied by an obstacle. If the symbol equals to "X" then initially the Robot is in this cell and it is empty. It is guaranteed that the symbol "X" is found in the maze exactly once.
Output
Print the lexicographically minimum Robot's way with the length exactly k, which starts and ends in the cell where initially Robot is. If there is no such way, print "IMPOSSIBLE"(without quotes).
Examples
Input
2 3 2
.**
X..
Output
RL
Input
5 6 14
..***.
*...X.
..*...
..*.**
....*.
Output
DLDDLLLRRRUURU
Input
3 3 4
***
*X*
***
Output
IMPOSSIBLE
Note
In the first sample two cyclic ways for the Robot with the length 2 exist β "UD" and "RL". The second cycle is lexicographically less.
In the second sample the Robot should move in the following way: down, left, down, down, left, left, left, right, right, right, up, up, right, up.
In the third sample the Robot can't move to the neighboring cells, because they are occupied by obstacles.
Tags: *special, dfs and similar, graphs, greedy, shortest paths
Correct Solution:
```
import math
from collections import deque
def main():
n, m, k = list(map(int, input().split()))
grid = ["" for _ in range(n)]
x, y = 0, 0
for i in range(n):
grid[i] = input()
if 'X' in grid[i]:
x, y = i, grid[i].index('X')
if k % 2 == 1:
print("IMPOSSIBLE")
return
dx = [1, 0, 0, -1]
dy = [0, -1, 1, 0]
names = {(x1, y1): sym for x1, y1, sym in zip(dx, dy, "DLRU")}
rev_names = {x1: y1 for x1, y1 in zip("DLRU", "URLD")}
def ok(x, y):
return (0 <= x < n) and (0 <= y < m) and grid[x][y] != '*'
def bfs(x, y):
MAX_DIST = (1 << 20)
dist = [[MAX_DIST for y in range(m)] for x in range(n)]
dist[x][y] = 0
q = deque()
q.append((x, y))
while len(q) > 0:
x, y = q.popleft()
for x0, y0 in zip(dx, dy):
if ok(x + x0, y + y0) and dist[x][y] + 1 < dist[x + x0][y + y0]:
dist[x + x0][y + y0] = dist[x][y] + 1
q.append((x + x0, y + y0))
return dist
path = []
x_start, y_start = x, y
dist = bfs(x_start, y_start)
for i in range(k // 2):
for x1, y1 in zip(dx, dy):
if ok(x + x1, y + y1):
path.append(names.get((x1, y1)))
x += x1
y += y1
break
else:
print("IMPOSSIBLE")
return
moves = k // 2
for i in range(k // 2):
for x1, y1 in zip(dx, dy):
if ok(x + x1, y + y1) and dist[x + x1][y + y1] <= moves:
path.append(names.get((x1, y1)))
x += x1
y += y1
moves -= 1
break
print("".join(x for x in path))
if __name__ == '__main__':
main()
```
| 11,290 |
Provide tags and a correct Python 3 solution for this coding contest problem.
The Robot is in a rectangular maze of size n Γ m. Each cell of the maze is either empty or occupied by an obstacle. The Robot can move between neighboring cells on the side left (the symbol "L"), right (the symbol "R"), up (the symbol "U") or down (the symbol "D"). The Robot can move to the cell only if it is empty. Initially, the Robot is in the empty cell.
Your task is to find lexicographically minimal Robot's cycle with length exactly k, which begins and ends in the cell where the Robot was initially. It is allowed to the Robot to visit any cell many times (including starting).
Consider that Robot's way is given as a line which consists of symbols "L", "R", "U" and "D". For example, if firstly the Robot goes down, then left, then right and up, it means that his way is written as "DLRU".
In this task you don't need to minimize the length of the way. Find the minimum lexicographical (in alphabet order as in the dictionary) line which satisfies requirements above.
Input
The first line contains three integers n, m and k (1 β€ n, m β€ 1000, 1 β€ k β€ 106) β the size of the maze and the length of the cycle.
Each of the following n lines contains m symbols β the description of the maze. If the symbol equals to "." the current cell is empty. If the symbol equals to "*" the current cell is occupied by an obstacle. If the symbol equals to "X" then initially the Robot is in this cell and it is empty. It is guaranteed that the symbol "X" is found in the maze exactly once.
Output
Print the lexicographically minimum Robot's way with the length exactly k, which starts and ends in the cell where initially Robot is. If there is no such way, print "IMPOSSIBLE"(without quotes).
Examples
Input
2 3 2
.**
X..
Output
RL
Input
5 6 14
..***.
*...X.
..*...
..*.**
....*.
Output
DLDDLLLRRRUURU
Input
3 3 4
***
*X*
***
Output
IMPOSSIBLE
Note
In the first sample two cyclic ways for the Robot with the length 2 exist β "UD" and "RL". The second cycle is lexicographically less.
In the second sample the Robot should move in the following way: down, left, down, down, left, left, left, right, right, right, up, up, right, up.
In the third sample the Robot can't move to the neighboring cells, because they are occupied by obstacles.
Tags: *special, dfs and similar, graphs, greedy, shortest paths
Correct Solution:
```
import math
from collections import deque
def main():
n, m, k = list(map(int, input().split()))
grid = ["" for _ in range(n)]
x, y = 0, 0
for i in range(n):
grid[i] = input()
if 'X' in grid[i]:
x, y = i, grid[i].index('X')
if k % 2 == 1:
print("IMPOSSIBLE")
return
dx = [1, 0, 0, -1]
dy = [0, -1, 1, 0]
names = {(x1, y1): sym for x1, y1, sym in zip(dx, dy, "DLRU")}
rev_names = {x1: y1 for x1, y1 in zip("DLRU", "URLD")}
def ok(x, y):
return (0 <= x < n) and (0 <= y < m) and grid[x][y] != '*'
def bfs(x, y):
MAX_DIST = (1 << 20)
dist = [[MAX_DIST for y in range(m)] for x in range(n)]
dist[x][y] = 0
q = deque()
q.append((x, y))
while len(q) > 0:
x, y = q.popleft()
for x0, y0 in zip(dx, dy):
if ok(x + x0, y + y0) and dist[x][y] + 1 < dist[x + x0][y + y0]:
dist[x + x0][y + y0] = dist[x][y] + 1
q.append((x + x0, y + y0))
return dist
path = []
x_start, y_start = x, y
dist = bfs(x_start, y_start)
for i in range(k // 2):
for x1, y1 in zip(dx, dy):
if ok(x + x1, y + y1):
path.append(names.get((x1, y1)))
x += x1
y += y1
break
else:
print("IMPOSSIBLE")
return
moves = k // 2
for i in range(k // 2):
for x1, y1 in zip(dx, dy):
if ok(x + x1, y + y1) and dist[x + x1][y + y1] <= moves:
path.append(names.get((x1, y1)))
x += x1
y += y1
moves -= 1
break
print("".join(x for x in path))
if __name__ == '__main__':
main()
# Made By Mostafa_Khaled
```
| 11,291 |
Provide tags and a correct Python 3 solution for this coding contest problem.
The Robot is in a rectangular maze of size n Γ m. Each cell of the maze is either empty or occupied by an obstacle. The Robot can move between neighboring cells on the side left (the symbol "L"), right (the symbol "R"), up (the symbol "U") or down (the symbol "D"). The Robot can move to the cell only if it is empty. Initially, the Robot is in the empty cell.
Your task is to find lexicographically minimal Robot's cycle with length exactly k, which begins and ends in the cell where the Robot was initially. It is allowed to the Robot to visit any cell many times (including starting).
Consider that Robot's way is given as a line which consists of symbols "L", "R", "U" and "D". For example, if firstly the Robot goes down, then left, then right and up, it means that his way is written as "DLRU".
In this task you don't need to minimize the length of the way. Find the minimum lexicographical (in alphabet order as in the dictionary) line which satisfies requirements above.
Input
The first line contains three integers n, m and k (1 β€ n, m β€ 1000, 1 β€ k β€ 106) β the size of the maze and the length of the cycle.
Each of the following n lines contains m symbols β the description of the maze. If the symbol equals to "." the current cell is empty. If the symbol equals to "*" the current cell is occupied by an obstacle. If the symbol equals to "X" then initially the Robot is in this cell and it is empty. It is guaranteed that the symbol "X" is found in the maze exactly once.
Output
Print the lexicographically minimum Robot's way with the length exactly k, which starts and ends in the cell where initially Robot is. If there is no such way, print "IMPOSSIBLE"(without quotes).
Examples
Input
2 3 2
.**
X..
Output
RL
Input
5 6 14
..***.
*...X.
..*...
..*.**
....*.
Output
DLDDLLLRRRUURU
Input
3 3 4
***
*X*
***
Output
IMPOSSIBLE
Note
In the first sample two cyclic ways for the Robot with the length 2 exist β "UD" and "RL". The second cycle is lexicographically less.
In the second sample the Robot should move in the following way: down, left, down, down, left, left, left, right, right, right, up, up, right, up.
In the third sample the Robot can't move to the neighboring cells, because they are occupied by obstacles.
Tags: *special, dfs and similar, graphs, greedy, shortest paths
Correct Solution:
```
from queue import Queue
import sys
#sys.stdin = open('input.txt')
n, m, k = map(lambda x: int(x), input().split(' '))
if k&1:
print('IMPOSSIBLE')
sys.exit()
s = [None]*n
for i in range(n):
s[i] = [None]*m
t = input()
for j in range(m):
s[i][j] = t[j]
if t[j] == 'X': x, y = j, i
def bfs(x, y):
res = [[10000000]*m for i in range(n)]
if s[y][x] == '*': return res
q = Queue()
q.put((x, y))
step = 0
def add(x, y):
if res[y][x] != 10000000 or s[y][x] == '*' or step >= res[y][x]: return
q.put((x, y))
res[y][x] = step+1
res[y][x] = step
while not q.empty():
x, y = q.get()
step = res[y][x]
#print('-')
if y < n-1: add(x, y+1) #D
if x > 0: add(x-1, y) #L
if x < m-1: add(x+1, y) #R
if y > 0: add(x, y-1) #U
return res
res = bfs(x, y)
path = []
add = lambda s: path.append(s)
for i in range(k):
step = k-i
#print(step, (y, x), k-i)
if y < n-1 and res[y+1][x] <= step: #D
add('D')
y = y+1
elif x > 0 and res[y][x-1] <= step: #L
add('L')
x = x-1
elif x < m-1 and res[y][x+1] <= step: #R
add('R')
x = x+1
elif y > 0 and res[y-1][x] <= step: #U
add('U')
y = y-1
else:
print('IMPOSSIBLE')
sys.exit()
print(str.join('', path))
```
| 11,292 |
Provide tags and a correct Python 3 solution for this coding contest problem.
The Robot is in a rectangular maze of size n Γ m. Each cell of the maze is either empty or occupied by an obstacle. The Robot can move between neighboring cells on the side left (the symbol "L"), right (the symbol "R"), up (the symbol "U") or down (the symbol "D"). The Robot can move to the cell only if it is empty. Initially, the Robot is in the empty cell.
Your task is to find lexicographically minimal Robot's cycle with length exactly k, which begins and ends in the cell where the Robot was initially. It is allowed to the Robot to visit any cell many times (including starting).
Consider that Robot's way is given as a line which consists of symbols "L", "R", "U" and "D". For example, if firstly the Robot goes down, then left, then right and up, it means that his way is written as "DLRU".
In this task you don't need to minimize the length of the way. Find the minimum lexicographical (in alphabet order as in the dictionary) line which satisfies requirements above.
Input
The first line contains three integers n, m and k (1 β€ n, m β€ 1000, 1 β€ k β€ 106) β the size of the maze and the length of the cycle.
Each of the following n lines contains m symbols β the description of the maze. If the symbol equals to "." the current cell is empty. If the symbol equals to "*" the current cell is occupied by an obstacle. If the symbol equals to "X" then initially the Robot is in this cell and it is empty. It is guaranteed that the symbol "X" is found in the maze exactly once.
Output
Print the lexicographically minimum Robot's way with the length exactly k, which starts and ends in the cell where initially Robot is. If there is no such way, print "IMPOSSIBLE"(without quotes).
Examples
Input
2 3 2
.**
X..
Output
RL
Input
5 6 14
..***.
*...X.
..*...
..*.**
....*.
Output
DLDDLLLRRRUURU
Input
3 3 4
***
*X*
***
Output
IMPOSSIBLE
Note
In the first sample two cyclic ways for the Robot with the length 2 exist β "UD" and "RL". The second cycle is lexicographically less.
In the second sample the Robot should move in the following way: down, left, down, down, left, left, left, right, right, right, up, up, right, up.
In the third sample the Robot can't move to the neighboring cells, because they are occupied by obstacles.
Tags: *special, dfs and similar, graphs, greedy, shortest paths
Correct Solution:
```
#https://codeforces.com/contest/769/problem/C
import collections
lis = input().split()
n,m,k = int(lis[0]),int(lis[1]),int(lis[2])
empty = [[False for i in range(m)] for j in range(n)]
mainrow,maincol = 0,0
for i in range(n):
s = input()
for j in range(m):
if(s[j]=='.'):
empty[i][j] = True
elif (s[j]=='X'):
empty[i][j] = True
mainrow = i
maincol = j
d = [[-1 for i in range(m)] for j in range(n)]
que = collections.deque([(mainrow,maincol)])
d[mainrow][maincol] = 0
changes = [(1,0),(-1,0),(0,1),(0,-1)]
while(que):
(x,y) = que.popleft()
for (i,j) in changes:
xnex = x+i
ynex = y+j
if(xnex>=0 and xnex<n and ynex>=0 and ynex<m and empty[xnex][ynex] and d[xnex][ynex]==-1):
d[xnex][ynex]=d[x][y]+1
que.append((xnex,ynex))
currrow = mainrow
currcol = maincol
lis = []
if(k%2==0):
flag = False
for (i,j) in changes:
xnex = mainrow+i
ynex = maincol+j
if(xnex>=0 and xnex<n and ynex>=0 and ynex<m and empty[xnex][ynex]):
flag = True
if(flag):
while(k):
if(currrow+1<n and empty[currrow+1][currcol] and d[currrow+1][currcol]<k):
lis.append('D')
currrow+=1
elif(currcol-1>=0 and empty[currrow][currcol-1] and d[currrow][currcol-1]<k):
lis.append('L')
currcol-=1
elif(currcol+1<m and empty[currrow][currcol+1] and d[currrow][currcol+1]<k):
lis.append('R')
currcol+=1
else:
lis.append('U')
currrow-=1
k-=1
if(currcol == maincol and currrow == mainrow):
print("".join(lis))
else:
print("IMPOSSIBLE WHY")
else:
print("IMPOSSIBLE")
else:
print("IMPOSSIBLE")
```
| 11,293 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
The Robot is in a rectangular maze of size n Γ m. Each cell of the maze is either empty or occupied by an obstacle. The Robot can move between neighboring cells on the side left (the symbol "L"), right (the symbol "R"), up (the symbol "U") or down (the symbol "D"). The Robot can move to the cell only if it is empty. Initially, the Robot is in the empty cell.
Your task is to find lexicographically minimal Robot's cycle with length exactly k, which begins and ends in the cell where the Robot was initially. It is allowed to the Robot to visit any cell many times (including starting).
Consider that Robot's way is given as a line which consists of symbols "L", "R", "U" and "D". For example, if firstly the Robot goes down, then left, then right and up, it means that his way is written as "DLRU".
In this task you don't need to minimize the length of the way. Find the minimum lexicographical (in alphabet order as in the dictionary) line which satisfies requirements above.
Input
The first line contains three integers n, m and k (1 β€ n, m β€ 1000, 1 β€ k β€ 106) β the size of the maze and the length of the cycle.
Each of the following n lines contains m symbols β the description of the maze. If the symbol equals to "." the current cell is empty. If the symbol equals to "*" the current cell is occupied by an obstacle. If the symbol equals to "X" then initially the Robot is in this cell and it is empty. It is guaranteed that the symbol "X" is found in the maze exactly once.
Output
Print the lexicographically minimum Robot's way with the length exactly k, which starts and ends in the cell where initially Robot is. If there is no such way, print "IMPOSSIBLE"(without quotes).
Examples
Input
2 3 2
.**
X..
Output
RL
Input
5 6 14
..***.
*...X.
..*...
..*.**
....*.
Output
DLDDLLLRRRUURU
Input
3 3 4
***
*X*
***
Output
IMPOSSIBLE
Note
In the first sample two cyclic ways for the Robot with the length 2 exist β "UD" and "RL". The second cycle is lexicographically less.
In the second sample the Robot should move in the following way: down, left, down, down, left, left, left, right, right, right, up, up, right, up.
In the third sample the Robot can't move to the neighboring cells, because they are occupied by obstacles.
Submitted Solution:
```
raw = input()
raw = raw.split(' ')
n = int(raw[0])
m = int(raw[1])
k = int(raw[2])
trip_half = int(k/2)
result = ""
maze = [] # [row[col]]
# populate the maze and find position of X
x_col = 0 # x
x_row = 0 # y
temp_iter = 0
while temp_iter < n:
temp = input()
for i in range(m):
if (temp[i] == "X"):
x_col = i
x_row = temp_iter
maze.append(temp)
temp_iter += 1
# start exploring possible paths
current_col = x_col
current_row = x_row
while trip_half > 0 :
if current_row + 1 < n and maze[current_row + 1][current_col] == ".": # check down
result+="D"
current_row = current_row + 1
trip_half -= 1
elif current_col - 1 >= 0 and maze[current_row][current_col - 1] == ".": # check left
result+="L"
current_col = current_col - 1
trip_half -= 1
elif current_col + 1 < m and maze[current_row][current_col + 1] == ".": # check right
result+="R"
current_col = current_col + 1
trip_half -= 1
elif current_row - 1 >= 0 and maze[current_row - 1][current_col] == ".": # check up
result+="U"
current_row = current_row - 1
trip_half -= 1
else:
print("IMPOSSIBLE")
quit()
trip_half = int(k/2)
for i in range(trip_half - 1, -1, -1):
if result[i] == 'D':
result+='U'
elif result[i] == 'U':
result+='D'
elif result[i] == 'L':
result+='R'
else:
result+='L'
print(result)
```
No
| 11,294 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
The Robot is in a rectangular maze of size n Γ m. Each cell of the maze is either empty or occupied by an obstacle. The Robot can move between neighboring cells on the side left (the symbol "L"), right (the symbol "R"), up (the symbol "U") or down (the symbol "D"). The Robot can move to the cell only if it is empty. Initially, the Robot is in the empty cell.
Your task is to find lexicographically minimal Robot's cycle with length exactly k, which begins and ends in the cell where the Robot was initially. It is allowed to the Robot to visit any cell many times (including starting).
Consider that Robot's way is given as a line which consists of symbols "L", "R", "U" and "D". For example, if firstly the Robot goes down, then left, then right and up, it means that his way is written as "DLRU".
In this task you don't need to minimize the length of the way. Find the minimum lexicographical (in alphabet order as in the dictionary) line which satisfies requirements above.
Input
The first line contains three integers n, m and k (1 β€ n, m β€ 1000, 1 β€ k β€ 106) β the size of the maze and the length of the cycle.
Each of the following n lines contains m symbols β the description of the maze. If the symbol equals to "." the current cell is empty. If the symbol equals to "*" the current cell is occupied by an obstacle. If the symbol equals to "X" then initially the Robot is in this cell and it is empty. It is guaranteed that the symbol "X" is found in the maze exactly once.
Output
Print the lexicographically minimum Robot's way with the length exactly k, which starts and ends in the cell where initially Robot is. If there is no such way, print "IMPOSSIBLE"(without quotes).
Examples
Input
2 3 2
.**
X..
Output
RL
Input
5 6 14
..***.
*...X.
..*...
..*.**
....*.
Output
DLDDLLLRRRUURU
Input
3 3 4
***
*X*
***
Output
IMPOSSIBLE
Note
In the first sample two cyclic ways for the Robot with the length 2 exist β "UD" and "RL". The second cycle is lexicographically less.
In the second sample the Robot should move in the following way: down, left, down, down, left, left, left, right, right, right, up, up, right, up.
In the third sample the Robot can't move to the neighboring cells, because they are occupied by obstacles.
Submitted Solution:
```
def list_from_input(type=int):
return list(map(int, input().split()))
def read():
return eval(input())
def reversed_string(a_string):
return a_string[::-1]
def no_answer():
print("IMPOSSIBLE")
# i - row index
# j - col index
class Point2D:
def __init__(self, i, j):
self.i = i
self.j = j
def can_step(self, step, maze, maze_size):
new_i = self.i + step[0]
new_j = self.j + step[1]
good_i = 0 <= new_i < maze_size[0]
good_j = 0 <= new_j < maze_size[1]
if good_i and good_j:
return maze[new_i][new_j] is '.'
else:
return False
def step(self, step):
self.i += step[0]
self.j += step[1]
def main():
n, m, k = list_from_input()
maze = [None] * n
for i in range(n):
maze[i] = input()
# Solution idea
# Step by indices
steps = [(+1, 0), (0, -1), (0, +1), (-1, 0)]
costs = ['D', 'L', 'R', 'U']
# Find robot location
robot = None
for i in range(n):
for j in range(m):
if maze[i][j] is 'X':
robot = Point2D(i, j)
break
maze_size = (n, m)
path = []
if k % 2 != 0:
no_answer()
return
while len(path) < k // 2:
for i, step in enumerate(steps):
if robot.can_step(step, maze, maze_size):
robot.step(step)
path.append(i)
break
elif i == 3:
no_answer()
return
back_path = []
for i in reversed_string(path):
back_path.append(3 - i)
complete_path = path + back_path
for i in complete_path:
print(costs[i], end='')
main()
```
No
| 11,295 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
The Robot is in a rectangular maze of size n Γ m. Each cell of the maze is either empty or occupied by an obstacle. The Robot can move between neighboring cells on the side left (the symbol "L"), right (the symbol "R"), up (the symbol "U") or down (the symbol "D"). The Robot can move to the cell only if it is empty. Initially, the Robot is in the empty cell.
Your task is to find lexicographically minimal Robot's cycle with length exactly k, which begins and ends in the cell where the Robot was initially. It is allowed to the Robot to visit any cell many times (including starting).
Consider that Robot's way is given as a line which consists of symbols "L", "R", "U" and "D". For example, if firstly the Robot goes down, then left, then right and up, it means that his way is written as "DLRU".
In this task you don't need to minimize the length of the way. Find the minimum lexicographical (in alphabet order as in the dictionary) line which satisfies requirements above.
Input
The first line contains three integers n, m and k (1 β€ n, m β€ 1000, 1 β€ k β€ 106) β the size of the maze and the length of the cycle.
Each of the following n lines contains m symbols β the description of the maze. If the symbol equals to "." the current cell is empty. If the symbol equals to "*" the current cell is occupied by an obstacle. If the symbol equals to "X" then initially the Robot is in this cell and it is empty. It is guaranteed that the symbol "X" is found in the maze exactly once.
Output
Print the lexicographically minimum Robot's way with the length exactly k, which starts and ends in the cell where initially Robot is. If there is no such way, print "IMPOSSIBLE"(without quotes).
Examples
Input
2 3 2
.**
X..
Output
RL
Input
5 6 14
..***.
*...X.
..*...
..*.**
....*.
Output
DLDDLLLRRRUURU
Input
3 3 4
***
*X*
***
Output
IMPOSSIBLE
Note
In the first sample two cyclic ways for the Robot with the length 2 exist β "UD" and "RL". The second cycle is lexicographically less.
In the second sample the Robot should move in the following way: down, left, down, down, left, left, left, right, right, right, up, up, right, up.
In the third sample the Robot can't move to the neighboring cells, because they are occupied by obstacles.
Submitted Solution:
```
from collections import deque
n, m, k = [int(x) for x in input().split()]
matrix = []
for _ in range(n):
row = list(input())
matrix.append(row)
def solve(n, m, k, matrix):
directions = {
'D': [1, 0],
'L': [0, -1],
'R': [0, 1],
'U': [-1, 0]
}
if k % 2 == 1:
return "IMPOSSIBLE"
MAX_DISTANCE = n * m + 1
distances = [[MAX_DISTANCE] * m for _ in range(n)]
start_i = -1
start_j = -1
start_found = False
for i in range(n):
for j in range(m):
if matrix[i][j] == 'X':
start_found = True
start_i = i
start_j = j
break
if start_found:
break
queue = deque()
# add to q tuples (i, j, d) where d is distance
queue.appendleft((start_i, start_j, 0))
while queue:
i, j, d = queue.pop()
distances[i][j] = d
for key in directions:
dx, dy = directions[key]
if d < k // 2 + 1 and 0 <= i + dx < n and 0 <= j + dy < m and matrix[i + dx][j + dy] == '.' and \
d + 1 < distances[i + dx][j + dy]:
queue.appendleft((i + dx, j + dy, d + 1))
answer = []
current_i = start_i
current_j = start_j
while k > 0:
k -= 1
for key in directions:
dx, dy = directions[key]
if 0 <= current_i + dx < n and 0 <= current_j + dy < m and distances[current_i + dx][current_j + dy] <= k:
answer.append(key)
current_i = current_i + dx
current_j = current_j + dy
break
else:
return "IMPOSSIBLE"
return ''.join(answer)
print(solve(n, m, k, matrix))
```
No
| 11,296 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
The Robot is in a rectangular maze of size n Γ m. Each cell of the maze is either empty or occupied by an obstacle. The Robot can move between neighboring cells on the side left (the symbol "L"), right (the symbol "R"), up (the symbol "U") or down (the symbol "D"). The Robot can move to the cell only if it is empty. Initially, the Robot is in the empty cell.
Your task is to find lexicographically minimal Robot's cycle with length exactly k, which begins and ends in the cell where the Robot was initially. It is allowed to the Robot to visit any cell many times (including starting).
Consider that Robot's way is given as a line which consists of symbols "L", "R", "U" and "D". For example, if firstly the Robot goes down, then left, then right and up, it means that his way is written as "DLRU".
In this task you don't need to minimize the length of the way. Find the minimum lexicographical (in alphabet order as in the dictionary) line which satisfies requirements above.
Input
The first line contains three integers n, m and k (1 β€ n, m β€ 1000, 1 β€ k β€ 106) β the size of the maze and the length of the cycle.
Each of the following n lines contains m symbols β the description of the maze. If the symbol equals to "." the current cell is empty. If the symbol equals to "*" the current cell is occupied by an obstacle. If the symbol equals to "X" then initially the Robot is in this cell and it is empty. It is guaranteed that the symbol "X" is found in the maze exactly once.
Output
Print the lexicographically minimum Robot's way with the length exactly k, which starts and ends in the cell where initially Robot is. If there is no such way, print "IMPOSSIBLE"(without quotes).
Examples
Input
2 3 2
.**
X..
Output
RL
Input
5 6 14
..***.
*...X.
..*...
..*.**
....*.
Output
DLDDLLLRRRUURU
Input
3 3 4
***
*X*
***
Output
IMPOSSIBLE
Note
In the first sample two cyclic ways for the Robot with the length 2 exist β "UD" and "RL". The second cycle is lexicographically less.
In the second sample the Robot should move in the following way: down, left, down, down, left, left, left, right, right, right, up, up, right, up.
In the third sample the Robot can't move to the neighboring cells, because they are occupied by obstacles.
Submitted Solution:
```
n, m, k = map(int, input().split())
if k % 2 != 0:
print('IMPOSSIBLE')
labyrinth = []
for i in range(n):
labyrinth.append([])
letter = input()
for j in range(m):
if letter[j] == '*':
labyrinth[i].append(1)
elif letter[j] == '.':
labyrinth[i].append(0)
elif letter[j] == 'X':
labyrinth[i].append(0)
start_x, start_y = j, i
commands = 'DLRU'
answer = ''
now_x, now_y = start_x, start_y
for i in range(k // 2):
for j in commands:
if j == 'D':
if now_y + 1 == n or labyrinth[now_y+1][now_x] == 1:
continue
else:
now_y += 1
answer += 'D'
break
elif j == 'L':
if now_x == 0 or labyrinth[now_y][now_x-1] == 1:
continue
else:
now_x -= 1
answer += 'L'
break
elif j == 'R':
if now_x + 1 == m or labyrinth[now_y][now_x+1] == 1:
continue
else:
now_x += 1
answer += 'R'
break
elif j == 'U':
if now_y == 0 or labyrinth[now_y-1][now_x] == 1:
continue
else:
now_y -= 1
answer += 'U'
break
else:
print('IMPOSSIBLE')
break
else:
invert = ''
for i in answer[::-1]:
if i == 'D':
invert += 'U'
if i == 'L':
invert += 'R'
if i == 'R':
invert += 'L'
if i == 'U':
invert += 'D'
print(answer+invert)
```
No
| 11,297 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Igor the analyst fell asleep on the work and had a strange dream. In the dream his desk was crowded with computer mice, so he bought a mousetrap to catch them.
The desk can be considered as an infinite plane, then the mousetrap is a rectangle which sides are parallel to the axes, and which opposite sides are located in points (x1, y1) and (x2, y2).
Igor wants to catch all mice. Igor has analysed their behavior and discovered that each mouse is moving along a straight line with constant speed, the speed of the i-th mouse is equal to (vix, viy), that means that the x coordinate of the mouse increases by vix units per second, while the y coordinates increases by viy units. The mousetrap is open initially so that the mice are able to move freely on the desk. Igor can close the mousetrap at any moment catching all the mice that are strictly inside the mousetrap.
Igor works a lot, so he is busy in the dream as well, and he asks you to write a program that by given mousetrap's coordinates, the initial coordinates of the mice and their speeds determines the earliest time moment in which he is able to catch all the mice. Please note that Igor can close the mousetrap only once.
Input
The first line contains single integer n (1 β€ n β€ 100 000) β the number of computer mice on the desk.
The second line contains four integers x1, y1, x2 and y2 (0 β€ x1 β€ x2 β€ 100 000), (0 β€ y1 β€ y2 β€ 100 000) β the coordinates of the opposite corners of the mousetrap.
The next n lines contain the information about mice.
The i-th of these lines contains four integers rix, riy, vix and viy, (0 β€ rix, riy β€ 100 000, - 100 000 β€ vix, viy β€ 100 000), where (rix, riy) is the initial position of the mouse, and (vix, viy) is its speed.
Output
In the only line print minimum possible non-negative number t such that if Igor closes the mousetrap at t seconds from the beginning, then all the mice are strictly inside the mousetrap. If there is no such t, print -1.
Your answer is considered correct if its absolute or relative error doesn't exceed 10 - 6.
Formally, let your answer be a, and the jury's answer be b. Your answer is considered correct if <image>.
Examples
Input
4
7 7 9 8
3 5 7 5
7 5 2 4
3 3 7 8
6 6 3 2
Output
0.57142857142857139685
Input
4
7 7 9 8
0 3 -5 4
5 0 5 4
9 9 -1 -6
10 5 -7 -10
Output
-1
Note
Here is a picture of the first sample
Points A, B, C, D - start mice positions, segments are their paths.
<image>
Then, at first time when all mice will be in rectangle it will be looks like this:
<image>
Here is a picture of the second sample
<image>
Points A, D, B will never enter rectangle.
Tags: geometry, implementation, math, sortings
Correct Solution:
```
rd = lambda: map(int, input().split())
n = int(input())
x1, y1, x2, y2 = rd()
l = []
r = []
m = []
for i in range(n):
t = []
rx, ry, vx, vy = rd()
m.append([rx, ry, vx, vy])
if x1 <= rx <= x2 and y1 <= ry <= y2:
t.append(0)
if vx == 0 and vy == 0:
t.append(0x3f3f3f3f3f3f3f3f)
if vx:
t1 = (x1 - rx) / vx
if t1 >= 0:
if y1 <= ry + t1 * vy <= y2:
t.append(t1)
t1 = (x2 - rx) / vx
if t1 >= 0:
if y1 <= ry + t1 * vy <= y2:
t.append(t1)
if vy:
t1 = (y1 - ry) / vy
if t1 >= 0:
if x1 <= rx + t1 * vx <= x2:
t.append(t1)
t1 = (y2 - ry) / vy
if t1 >= 0:
if x1 <= rx + t1 * vx <= x2:
t.append(t1)
if len(t) < 2:
print(-1)
exit()
t.sort()
l.append(t[0])
r.append(t[-1])
l.sort()
r.sort()
if l[-1] > r[0]:
print(-1)
else:
p = (l[-1] + r[0]) / 2
if not all(x1 < rx + p * vx < x2 and y1 < ry + p * vy < y2 for rx, ry, vx, vy in m):
print(-1)
else:
print(l[-1])
```
| 11,298 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Igor the analyst fell asleep on the work and had a strange dream. In the dream his desk was crowded with computer mice, so he bought a mousetrap to catch them.
The desk can be considered as an infinite plane, then the mousetrap is a rectangle which sides are parallel to the axes, and which opposite sides are located in points (x1, y1) and (x2, y2).
Igor wants to catch all mice. Igor has analysed their behavior and discovered that each mouse is moving along a straight line with constant speed, the speed of the i-th mouse is equal to (vix, viy), that means that the x coordinate of the mouse increases by vix units per second, while the y coordinates increases by viy units. The mousetrap is open initially so that the mice are able to move freely on the desk. Igor can close the mousetrap at any moment catching all the mice that are strictly inside the mousetrap.
Igor works a lot, so he is busy in the dream as well, and he asks you to write a program that by given mousetrap's coordinates, the initial coordinates of the mice and their speeds determines the earliest time moment in which he is able to catch all the mice. Please note that Igor can close the mousetrap only once.
Input
The first line contains single integer n (1 β€ n β€ 100 000) β the number of computer mice on the desk.
The second line contains four integers x1, y1, x2 and y2 (0 β€ x1 β€ x2 β€ 100 000), (0 β€ y1 β€ y2 β€ 100 000) β the coordinates of the opposite corners of the mousetrap.
The next n lines contain the information about mice.
The i-th of these lines contains four integers rix, riy, vix and viy, (0 β€ rix, riy β€ 100 000, - 100 000 β€ vix, viy β€ 100 000), where (rix, riy) is the initial position of the mouse, and (vix, viy) is its speed.
Output
In the only line print minimum possible non-negative number t such that if Igor closes the mousetrap at t seconds from the beginning, then all the mice are strictly inside the mousetrap. If there is no such t, print -1.
Your answer is considered correct if its absolute or relative error doesn't exceed 10 - 6.
Formally, let your answer be a, and the jury's answer be b. Your answer is considered correct if <image>.
Examples
Input
4
7 7 9 8
3 5 7 5
7 5 2 4
3 3 7 8
6 6 3 2
Output
0.57142857142857139685
Input
4
7 7 9 8
0 3 -5 4
5 0 5 4
9 9 -1 -6
10 5 -7 -10
Output
-1
Note
Here is a picture of the first sample
Points A, B, C, D - start mice positions, segments are their paths.
<image>
Then, at first time when all mice will be in rectangle it will be looks like this:
<image>
Here is a picture of the second sample
<image>
Points A, D, B will never enter rectangle.
Tags: geometry, implementation, math, sortings
Correct Solution:
```
rd = lambda: map(int, input().split())
n = int(input())
x1, y1, x2, y2 = rd()
l = []
r = []
m = []
for i in range(n):
t = []
rx, ry, vx, vy = rd()
m.append([rx, ry, vx, vy])
if x1 <= rx <= x2 and y1 <= ry <= y2:
t.append(0)
if vx == 0 and vy == 0:
t.append(0x3f3f3f3f3f3f3f3f)
if vx:
t1 = (x1 - rx) / vx
if t1 >= 0:
if y1 <= ry + t1 * vy <= y2:
t.append(t1)
t1 = (x2 - rx) / vx
if t1 >= 0:
if y1 <= ry + t1 * vy <= y2:
t.append(t1)
if vy:
t1 = (y1 - ry) / vy
if t1 >= 0:
if x1 <= rx + t1 * vx <= x2:
t.append(t1)
t1 = (y2 - ry) / vy
if t1 >= 0:
if x1 <= rx + t1 * vx <= x2:
t.append(t1)
if len(t) < 2:
print(-1)
exit()
t.sort()
l.append(t[0])
r.append(t[-1])
l.sort()
r.sort()
if l[-1] > r[0]:
print(-1)
elif l[-1] == r[0]:
if not all(x1 < rx + r[0] * vx < x2 and y1 < ry + r[0] * vy < y2 for rx, ry, vx, vy in m):
print(-1)
else:
p = (l[-1] + r[0]) / 2
if not all(x1 < rx + p * vx < x2 and y1 < ry + p * vy < y2 for rx, ry, vx, vy in m):
print(-1)
else:
print(l[-1])
```
| 11,299 |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.