message stringlengths 2 48.6k | message_type stringclasses 2 values | message_id int64 0 1 | conversation_id int64 318 108k | cluster float64 8 8 | __index_level_0__ int64 636 217k |
|---|---|---|---|---|---|
Provide tags and a correct Python 3 solution for this coding contest problem.
Amr loves Chemistry, and specially doing experiments. He is preparing for a new interesting experiment.
Amr has n different types of chemicals. Each chemical i has an initial volume of ai liters. For this experiment, Amr has to mix all the chemicals together, but all the chemicals volumes must be equal first. So his task is to make all the chemicals volumes equal.
To do this, Amr can do two different kind of operations.
* Choose some chemical i and double its current volume so the new volume will be 2ai
* Choose some chemical i and divide its volume by two (integer division) so the new volume will be <image>
Suppose that each chemical is contained in a vessel of infinite volume. Now Amr wonders what is the minimum number of operations required to make all the chemicals volumes equal?
Input
The first line contains one number n (1 β€ n β€ 105), the number of chemicals.
The second line contains n space separated integers ai (1 β€ ai β€ 105), representing the initial volume of the i-th chemical in liters.
Output
Output one integer the minimum number of operations required to make all the chemicals volumes equal.
Examples
Input
3
4 8 2
Output
2
Input
3
3 5 6
Output
5
Note
In the first sample test, the optimal solution is to divide the second chemical volume by two, and multiply the third chemical volume by two to make all the volumes equal 4.
In the second sample test, the optimal solution is to divide the first chemical volume by two, and divide the second and the third chemical volumes by two twice to make all the volumes equal 1. | instruction | 0 | 37,231 | 8 | 74,462 |
Tags: brute force, graphs, greedy, math, shortest paths
Correct Solution:
```
from collections import Counter
def main():
input()
aa = list(map(int, input().split()))
le, l = max(aa).bit_length(), []
for i, a in enumerate(aa):
j = le - a.bit_length()
aa[i] = a << j
l.append(j)
mi, ma = min(aa), max(aa)
a = mask = (1 << le) - 1
if mi == ma:
while mi == mi & a:
mask = a
a &= a << 1
else:
while mi != ma or not (mi & 1):
mask &= mask << 1
mi >>= 1
ma >>= 1
mask ^= (1 << le) - 1
le, cnt = mask.bit_length(), Counter()
for a, i in zip(aa, l):
a &= mask
if a:
a = a.bit_length()
cnt[i, a] += 1
res = [0] * (le + 1)
for (i, a), c in cnt.items():
if a:
base, baseidx = (a - i) * c, le - a
else:
base, baseidx = 0, le - i
j = base
for i in range(baseidx - 1, -1, -1):
j += c
res[i] += j
j = base
for i in range(baseidx, le + 1):
res[i] += j
j += c
print(min(res))
if __name__ == '__main__':
main()
``` | output | 1 | 37,231 | 8 | 74,463 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Amr loves Chemistry, and specially doing experiments. He is preparing for a new interesting experiment.
Amr has n different types of chemicals. Each chemical i has an initial volume of ai liters. For this experiment, Amr has to mix all the chemicals together, but all the chemicals volumes must be equal first. So his task is to make all the chemicals volumes equal.
To do this, Amr can do two different kind of operations.
* Choose some chemical i and double its current volume so the new volume will be 2ai
* Choose some chemical i and divide its volume by two (integer division) so the new volume will be <image>
Suppose that each chemical is contained in a vessel of infinite volume. Now Amr wonders what is the minimum number of operations required to make all the chemicals volumes equal?
Input
The first line contains one number n (1 β€ n β€ 105), the number of chemicals.
The second line contains n space separated integers ai (1 β€ ai β€ 105), representing the initial volume of the i-th chemical in liters.
Output
Output one integer the minimum number of operations required to make all the chemicals volumes equal.
Examples
Input
3
4 8 2
Output
2
Input
3
3 5 6
Output
5
Note
In the first sample test, the optimal solution is to divide the second chemical volume by two, and multiply the third chemical volume by two to make all the volumes equal 4.
In the second sample test, the optimal solution is to divide the first chemical volume by two, and divide the second and the third chemical volumes by two twice to make all the volumes equal 1. | instruction | 0 | 37,232 | 8 | 74,464 |
Tags: brute force, graphs, greedy, math, shortest paths
Correct Solution:
```
n = int(input())
a = [bin(int(i)) for i in input().split()]
j = 2
s = '0b'
while True:
ok = True
i = a[0]
if j < len(i):
c = i[j]
else:
c = '0'
for i in a:
if j < len(i):
cc = i[j]
else:
cc = '0'
if cc != c:
ok = False
break
if not ok or j > 20:
break
s += c
j += 1
b = []
r = 0
for i in a:
pos = i.find('1', len(s))
if pos == -1:
b.append(len(i))
else:
b.append(pos)
r += len(i)-pos
b.sort()
m = b[len(b)//2]
for i in b:
r += abs(i-m)
print(r)
``` | output | 1 | 37,232 | 8 | 74,465 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Amr loves Chemistry, and specially doing experiments. He is preparing for a new interesting experiment.
Amr has n different types of chemicals. Each chemical i has an initial volume of ai liters. For this experiment, Amr has to mix all the chemicals together, but all the chemicals volumes must be equal first. So his task is to make all the chemicals volumes equal.
To do this, Amr can do two different kind of operations.
* Choose some chemical i and double its current volume so the new volume will be 2ai
* Choose some chemical i and divide its volume by two (integer division) so the new volume will be <image>
Suppose that each chemical is contained in a vessel of infinite volume. Now Amr wonders what is the minimum number of operations required to make all the chemicals volumes equal?
Input
The first line contains one number n (1 β€ n β€ 105), the number of chemicals.
The second line contains n space separated integers ai (1 β€ ai β€ 105), representing the initial volume of the i-th chemical in liters.
Output
Output one integer the minimum number of operations required to make all the chemicals volumes equal.
Examples
Input
3
4 8 2
Output
2
Input
3
3 5 6
Output
5
Note
In the first sample test, the optimal solution is to divide the second chemical volume by two, and multiply the third chemical volume by two to make all the volumes equal 4.
In the second sample test, the optimal solution is to divide the first chemical volume by two, and divide the second and the third chemical volumes by two twice to make all the volumes equal 1. | instruction | 0 | 37,233 | 8 | 74,466 |
Tags: brute force, graphs, greedy, math, shortest paths
Correct Solution:
```
N = 300000
A, L, R, level, ans, H, UP = [0]*N, [0]*N, [0]*N, [0]*N, [0]*N, [0]*N, [0]*N
x = 0
for i in range(N):
level[i] = level[i//2] + 1
n = int(input())
arr = list(map(int, input().rstrip().split()))
for i in range(n):
A[i] = arr[i]
for i in range(n):
x = A[i]
H[x] += 1
ans[1] += level[x] - level[1]
while (x != 1):
if (x & 1):
R[x//2] += 1
else:
L[x//2] += 1
x //= 2
result = ans[1]
up = False
i = 1
while(i < N):
if ((not L[i]) and (not H[i]) and (not up)):
i = 2*i + 1
else:
if (2*i >= N):
break
if (R[i] or H[i]):
up = True
UP[2*i] += UP[i] + H[i] + R[i]
i = 2*i
if (i >= N):
break
if (i & 1):
ans[i] = ans[i//2] - R[i//2]
else:
ans[i] = ans[i//2] + UP[i] - L[i//2]
result = min(result, ans[i])
print(result)
``` | output | 1 | 37,233 | 8 | 74,467 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Amr loves Chemistry, and specially doing experiments. He is preparing for a new interesting experiment.
Amr has n different types of chemicals. Each chemical i has an initial volume of ai liters. For this experiment, Amr has to mix all the chemicals together, but all the chemicals volumes must be equal first. So his task is to make all the chemicals volumes equal.
To do this, Amr can do two different kind of operations.
* Choose some chemical i and double its current volume so the new volume will be 2ai
* Choose some chemical i and divide its volume by two (integer division) so the new volume will be <image>
Suppose that each chemical is contained in a vessel of infinite volume. Now Amr wonders what is the minimum number of operations required to make all the chemicals volumes equal?
Input
The first line contains one number n (1 β€ n β€ 105), the number of chemicals.
The second line contains n space separated integers ai (1 β€ ai β€ 105), representing the initial volume of the i-th chemical in liters.
Output
Output one integer the minimum number of operations required to make all the chemicals volumes equal.
Examples
Input
3
4 8 2
Output
2
Input
3
3 5 6
Output
5
Note
In the first sample test, the optimal solution is to divide the second chemical volume by two, and multiply the third chemical volume by two to make all the volumes equal 4.
In the second sample test, the optimal solution is to divide the first chemical volume by two, and divide the second and the third chemical volumes by two twice to make all the volumes equal 1. | instruction | 0 | 37,234 | 8 | 74,468 |
Tags: brute force, graphs, greedy, math, shortest paths
Correct Solution:
```
from collections import Counter
def main():
input()
aa = list(map(int, input().split()))
le, l = max(aa).bit_length(), []
for i, a in enumerate(aa):
j = le - a.bit_length()
aa[i] = a << j
l.append(j)
mi, ma = min(aa), max(aa)
a = mask = (1 << le) - 1
if mi == ma:
while mi == mi & a:
mask = a
a &= a << 1
else:
while mi != ma or not (mi & 1):
mask &= mask << 1
mi >>= 1
ma >>= 1
mask ^= (1 << le) - 1
le, cnt = mask.bit_length(), Counter()
for a, i in zip(aa, l):
a &= mask
if a:
a = a.bit_length()
cnt[i, a] += 1
res = [0] * (le + 1)
for (i, a), c in cnt.items():
if a:
base, baseidx = (a - i) * c, le - a
else:
base, baseidx = 0, le - i
j = base
for i in range(baseidx - 1, -1, -1):
j += c
res[i] += j
j = base
for i in range(baseidx, le + 1):
res[i] += j
j += c
print(min(res))
if __name__ == '__main__':
main()
# Made By Mostafa_Khaled
``` | output | 1 | 37,234 | 8 | 74,469 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Amr loves Chemistry, and specially doing experiments. He is preparing for a new interesting experiment.
Amr has n different types of chemicals. Each chemical i has an initial volume of ai liters. For this experiment, Amr has to mix all the chemicals together, but all the chemicals volumes must be equal first. So his task is to make all the chemicals volumes equal.
To do this, Amr can do two different kind of operations.
* Choose some chemical i and double its current volume so the new volume will be 2ai
* Choose some chemical i and divide its volume by two (integer division) so the new volume will be <image>
Suppose that each chemical is contained in a vessel of infinite volume. Now Amr wonders what is the minimum number of operations required to make all the chemicals volumes equal?
Input
The first line contains one number n (1 β€ n β€ 105), the number of chemicals.
The second line contains n space separated integers ai (1 β€ ai β€ 105), representing the initial volume of the i-th chemical in liters.
Output
Output one integer the minimum number of operations required to make all the chemicals volumes equal.
Examples
Input
3
4 8 2
Output
2
Input
3
3 5 6
Output
5
Note
In the first sample test, the optimal solution is to divide the second chemical volume by two, and multiply the third chemical volume by two to make all the volumes equal 4.
In the second sample test, the optimal solution is to divide the first chemical volume by two, and divide the second and the third chemical volumes by two twice to make all the volumes equal 1. | instruction | 0 | 37,235 | 8 | 74,470 |
Tags: brute force, graphs, greedy, math, shortest paths
Correct Solution:
```
def main():
input()
aa = list(map(int, input().split()))
le, l = max(aa).bit_length(), []
for i, a in enumerate(aa):
j = le - a.bit_length()
aa[i] = a << j
l.append(j)
mi, ma = min(aa), max(aa)
a = mask = (1 << le) - 1
if mi == ma:
while mi == mi & a:
mask = a
a &= a << 1
else:
while mi != ma:
mask &= mask << 1
mi >>= 1
ma >>= 1
while not (mi & 1):
mask &= mask << 1
mi >>= 1
mask ^= (1 << le) - 1
le = mask.bit_length() + 1
res = [0] * le
cache = {}
for a, i in zip(aa, l):
a &= mask
if a:
a = a.bit_length()
tmp = cache.get((i, a))
if tmp is None:
cache[i, a] = tmp = [0] * le
if a:
base, baseidx = a - i, le - a - 1
else:
base, baseidx = 0, le - i - 1
i, j = baseidx, base
while i:
i -= 1
j += 1
tmp[i] = j
i, j = baseidx, base
while i < le:
tmp[i] = j
i += 1
j += 1
for i, j in enumerate(tmp):
res[i] += j
print(min(res))
if __name__ == '__main__':
main()
``` | output | 1 | 37,235 | 8 | 74,471 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Amr loves Chemistry, and specially doing experiments. He is preparing for a new interesting experiment.
Amr has n different types of chemicals. Each chemical i has an initial volume of ai liters. For this experiment, Amr has to mix all the chemicals together, but all the chemicals volumes must be equal first. So his task is to make all the chemicals volumes equal.
To do this, Amr can do two different kind of operations.
* Choose some chemical i and double its current volume so the new volume will be 2ai
* Choose some chemical i and divide its volume by two (integer division) so the new volume will be <image>
Suppose that each chemical is contained in a vessel of infinite volume. Now Amr wonders what is the minimum number of operations required to make all the chemicals volumes equal?
Input
The first line contains one number n (1 β€ n β€ 105), the number of chemicals.
The second line contains n space separated integers ai (1 β€ ai β€ 105), representing the initial volume of the i-th chemical in liters.
Output
Output one integer the minimum number of operations required to make all the chemicals volumes equal.
Examples
Input
3
4 8 2
Output
2
Input
3
3 5 6
Output
5
Note
In the first sample test, the optimal solution is to divide the second chemical volume by two, and multiply the third chemical volume by two to make all the volumes equal 4.
In the second sample test, the optimal solution is to divide the first chemical volume by two, and divide the second and the third chemical volumes by two twice to make all the volumes equal 1. | instruction | 0 | 37,236 | 8 | 74,472 |
Tags: brute force, graphs, greedy, math, shortest paths
Correct Solution:
```
n = int(input())
s = list(map(int, input().split()))
l = [bin(i)[2:] for i in s]
length = [len(i) for i in l]
maxLen = max(length)
minLen = min(length)
loc = 0
flag = False
for j in range(minLen):
for i in range(n):
if l[i][j] != l[0][j]:
flag = True
break
if flag:
break
loc += 1
result = sum(length) - loc * n
best = result
change = n*[-1]
for j in range(loc, maxLen):
for i in range(n):
if j >= length[i] or l[i][j] == '1':
change[i] = 1
result += sum(change)
if result > best:
break
best = result
print(best)
``` | output | 1 | 37,236 | 8 | 74,473 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Amr loves Chemistry, and specially doing experiments. He is preparing for a new interesting experiment.
Amr has n different types of chemicals. Each chemical i has an initial volume of ai liters. For this experiment, Amr has to mix all the chemicals together, but all the chemicals volumes must be equal first. So his task is to make all the chemicals volumes equal.
To do this, Amr can do two different kind of operations.
* Choose some chemical i and double its current volume so the new volume will be 2ai
* Choose some chemical i and divide its volume by two (integer division) so the new volume will be <image>
Suppose that each chemical is contained in a vessel of infinite volume. Now Amr wonders what is the minimum number of operations required to make all the chemicals volumes equal?
Input
The first line contains one number n (1 β€ n β€ 105), the number of chemicals.
The second line contains n space separated integers ai (1 β€ ai β€ 105), representing the initial volume of the i-th chemical in liters.
Output
Output one integer the minimum number of operations required to make all the chemicals volumes equal.
Examples
Input
3
4 8 2
Output
2
Input
3
3 5 6
Output
5
Note
In the first sample test, the optimal solution is to divide the second chemical volume by two, and multiply the third chemical volume by two to make all the volumes equal 4.
In the second sample test, the optimal solution is to divide the first chemical volume by two, and divide the second and the third chemical volumes by two twice to make all the volumes equal 1.
Submitted Solution:
```
n = int(input())
As = list(map(int, input().split()))
def solve(n, As):
if n == 1:
return 0
Bs = [bin(a)[2:] for a in As]
Bs = remove_common_area(Bs)
long = max(map(len, Bs))
costs = [0] * (long + 1)
for b in Bs:
update_costs(costs, b, long)
return min(costs)
def remove_common_area(Bs):
for i in range(1000):
if len(Bs[0]) <= i:
return [b[i:] for b in Bs]
bi = Bs[0][i]
for b in Bs[1:]:
if len(b) <= i or b[i] != bi:
return [b[i:] for b in Bs]
return Bs
def update_costs(costs, b, long):
len_b = len(b)
found_1 = -1
for i in range(long + 1):
if found_1==-1 and i < len_b and b[i] == '1':
found_1 = i
if found_1==-1:
costs[i] += abs(len_b - i)
else:
costs[i] += len_b - found_1 + i - found_1
print(solve(n, As))
``` | instruction | 0 | 37,237 | 8 | 74,474 |
Yes | output | 1 | 37,237 | 8 | 74,475 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Amr loves Chemistry, and specially doing experiments. He is preparing for a new interesting experiment.
Amr has n different types of chemicals. Each chemical i has an initial volume of ai liters. For this experiment, Amr has to mix all the chemicals together, but all the chemicals volumes must be equal first. So his task is to make all the chemicals volumes equal.
To do this, Amr can do two different kind of operations.
* Choose some chemical i and double its current volume so the new volume will be 2ai
* Choose some chemical i and divide its volume by two (integer division) so the new volume will be <image>
Suppose that each chemical is contained in a vessel of infinite volume. Now Amr wonders what is the minimum number of operations required to make all the chemicals volumes equal?
Input
The first line contains one number n (1 β€ n β€ 105), the number of chemicals.
The second line contains n space separated integers ai (1 β€ ai β€ 105), representing the initial volume of the i-th chemical in liters.
Output
Output one integer the minimum number of operations required to make all the chemicals volumes equal.
Examples
Input
3
4 8 2
Output
2
Input
3
3 5 6
Output
5
Note
In the first sample test, the optimal solution is to divide the second chemical volume by two, and multiply the third chemical volume by two to make all the volumes equal 4.
In the second sample test, the optimal solution is to divide the first chemical volume by two, and divide the second and the third chemical volumes by two twice to make all the volumes equal 1.
Submitted Solution:
```
read = lambda: map(int, input().split())
n = int(input())
a = list(read())
m = max(a) + 5
cnt = [0] * m
step = [0] * m
was = [-1] * m
for i in range(n):
x = a[i]
q = [(x, 0)]
st = 0
while st < len(q):
x, y = q[st]
st += 1
if x >= m or was[x] == i:
continue
was[x] = i
step[x] += y
cnt[x] += 1
q.append((x * 2, y + 1))
q.append((x // 2, y + 1))
ans = min(step[x] for x in range(m) if cnt[x] == n)
print(ans)
``` | instruction | 0 | 37,238 | 8 | 74,476 |
Yes | output | 1 | 37,238 | 8 | 74,477 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Amr loves Chemistry, and specially doing experiments. He is preparing for a new interesting experiment.
Amr has n different types of chemicals. Each chemical i has an initial volume of ai liters. For this experiment, Amr has to mix all the chemicals together, but all the chemicals volumes must be equal first. So his task is to make all the chemicals volumes equal.
To do this, Amr can do two different kind of operations.
* Choose some chemical i and double its current volume so the new volume will be 2ai
* Choose some chemical i and divide its volume by two (integer division) so the new volume will be <image>
Suppose that each chemical is contained in a vessel of infinite volume. Now Amr wonders what is the minimum number of operations required to make all the chemicals volumes equal?
Input
The first line contains one number n (1 β€ n β€ 105), the number of chemicals.
The second line contains n space separated integers ai (1 β€ ai β€ 105), representing the initial volume of the i-th chemical in liters.
Output
Output one integer the minimum number of operations required to make all the chemicals volumes equal.
Examples
Input
3
4 8 2
Output
2
Input
3
3 5 6
Output
5
Note
In the first sample test, the optimal solution is to divide the second chemical volume by two, and multiply the third chemical volume by two to make all the volumes equal 4.
In the second sample test, the optimal solution is to divide the first chemical volume by two, and divide the second and the third chemical volumes by two twice to make all the volumes equal 1.
Submitted Solution:
```
# -*- coding: utf-8 -*-
"""
Created on Thu Oct 20 21:34:07 2015
@author: Faycal El Ouariachi
"""
# Have to improve perfomence
nombresolution=int(input())
tableausolution=input()
tabs=tableausolution.split(" ")
tabb = [bin(int(i))[2:] for i in tabs] # Remove "[2:]", it'll give us the same result
# Search the longest prefix
# tab : numbers write in binary
def prefixMax(tab):
sizeMin = min([len(i) for i in tab])
prefix = '1'
sizePrefix = 1
for i in range(sizeMin-1):
flag = True
for j in tab[1:]:
if j[sizePrefix] != tab[0][sizePrefix]:
flag = False
break
if flag:
prefix += ''+tab[0][sizePrefix]
sizePrefix+=1
return sizePrefix, prefix
def egalisation(tab):
sizePrefix, prefix = prefixMax(tab)
counter1 = 0 # How many operation we have to do to reduce the numbers to them prefix
counter2 = 0 # How many operation we have to do to reduce the numbers to them prefix plus a '0' at the end
while (max([len(i) for i in tab]) != sizePrefix):
counter1 = counter2
for i in tab:
counter1 += len(i) - sizePrefix
# Calculation for counter2
for i in range(len(tab)):
# if there is a full number which is a prefix
if len(tab[i]) == sizePrefix:
counter2 += 1
tab[i] += '0'
elif tab[i][sizePrefix] == '1':
counter2 += len(tab[i]) - sizePrefix + 1
tab[i] = prefix + '0'
else:
counter2 += len(tab[i]) - sizePrefix - 1
prefix += '0'
sizePrefix += 1
if counter1 <= counter2:
return counter1
return counter2
print(egalisation(tabb))
``` | instruction | 0 | 37,239 | 8 | 74,478 |
No | output | 1 | 37,239 | 8 | 74,479 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Amr loves Chemistry, and specially doing experiments. He is preparing for a new interesting experiment.
Amr has n different types of chemicals. Each chemical i has an initial volume of ai liters. For this experiment, Amr has to mix all the chemicals together, but all the chemicals volumes must be equal first. So his task is to make all the chemicals volumes equal.
To do this, Amr can do two different kind of operations.
* Choose some chemical i and double its current volume so the new volume will be 2ai
* Choose some chemical i and divide its volume by two (integer division) so the new volume will be <image>
Suppose that each chemical is contained in a vessel of infinite volume. Now Amr wonders what is the minimum number of operations required to make all the chemicals volumes equal?
Input
The first line contains one number n (1 β€ n β€ 105), the number of chemicals.
The second line contains n space separated integers ai (1 β€ ai β€ 105), representing the initial volume of the i-th chemical in liters.
Output
Output one integer the minimum number of operations required to make all the chemicals volumes equal.
Examples
Input
3
4 8 2
Output
2
Input
3
3 5 6
Output
5
Note
In the first sample test, the optimal solution is to divide the second chemical volume by two, and multiply the third chemical volume by two to make all the volumes equal 4.
In the second sample test, the optimal solution is to divide the first chemical volume by two, and divide the second and the third chemical volumes by two twice to make all the volumes equal 1.
Submitted Solution:
```
n = int(input())
s = list(map(int, input().split()))
l = [bin(i)[2:] for i in s]
length = [len(i) for i in l]
maxLen = max(length)
minLen = min(length)
loc = 0
for j in range(minLen):
for i in range(n):
if l[i][j] != l[0][j]:
loc = j
break
result = sum(length) - loc * n
print(result)
best = result
flag = n*[-1]
for j in range(loc, maxLen):
for i in range(n):
if j >= length[i] or l[i][j] == '1':
flag[i] = 1
result += sum(flag)
if result > best:
break
best = result
print(best)
``` | instruction | 0 | 37,240 | 8 | 74,480 |
No | output | 1 | 37,240 | 8 | 74,481 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Amr loves Chemistry, and specially doing experiments. He is preparing for a new interesting experiment.
Amr has n different types of chemicals. Each chemical i has an initial volume of ai liters. For this experiment, Amr has to mix all the chemicals together, but all the chemicals volumes must be equal first. So his task is to make all the chemicals volumes equal.
To do this, Amr can do two different kind of operations.
* Choose some chemical i and double its current volume so the new volume will be 2ai
* Choose some chemical i and divide its volume by two (integer division) so the new volume will be <image>
Suppose that each chemical is contained in a vessel of infinite volume. Now Amr wonders what is the minimum number of operations required to make all the chemicals volumes equal?
Input
The first line contains one number n (1 β€ n β€ 105), the number of chemicals.
The second line contains n space separated integers ai (1 β€ ai β€ 105), representing the initial volume of the i-th chemical in liters.
Output
Output one integer the minimum number of operations required to make all the chemicals volumes equal.
Examples
Input
3
4 8 2
Output
2
Input
3
3 5 6
Output
5
Note
In the first sample test, the optimal solution is to divide the second chemical volume by two, and multiply the third chemical volume by two to make all the volumes equal 4.
In the second sample test, the optimal solution is to divide the first chemical volume by two, and divide the second and the third chemical volumes by two twice to make all the volumes equal 1.
Submitted Solution:
```
n = int(input())
a = list(map(int, input().split()))
cnt = [0] * 100001
ops = [0] * 100001
for x in a:
cur_ops = dict()
dn = x
idn = 0
need = True
while dn >= 1:
up = dn
iup = 0
while need and up <= 100000:
if up in cur_ops:
cur_ops[up] = min(cur_ops[up], iup + idn)
else:
cur_ops[up] = iup + idn
up = up * 2
iup += 1
need = dn % 2 == 1
dn = dn // 2
idn += 1
for k, v in cur_ops.items():
cnt[k] += 1
ops[k] += v
ans = 100000000
for i in range(1, 100001):
if cnt[i] == n:
ans = min(ans, ops[i])
print(ans)
``` | instruction | 0 | 37,242 | 8 | 74,484 |
No | output | 1 | 37,242 | 8 | 74,485 |
Provide tags and a correct Python 3 solution for this coding contest problem.
There are several days left before the fiftieth birthday of a famous Berland's writer Berlbury. In this connection the local library decided to make an exposition of the works of this famous science-fiction writer. It was decided as well that it is necessary to include into the exposition only those books that were published during a particular time period. It is obvious that if the books differ much in size, the visitors will not like it. That was why the organizers came to the opinion, that the difference between the highest and the lowest books in the exposition should be not more than k millimeters.
The library has n volumes of books by Berlbury, arranged in chronological order of their appearance. The height of each book in millimeters is know, it is hi. As Berlbury is highly respected in the city, the organizers want to include into the exposition as many books as possible, and to find out what periods of his creative work they will manage to cover. You are asked to help the organizers cope with this hard task.
Input
The first line of the input data contains two integer numbers separated by a space n (1 β€ n β€ 105) and k (0 β€ k β€ 106) β the amount of books by Berlbury in the library, and the maximum allowed height difference between the lowest and the highest books. The second line contains n integer numbers separated by a space. Each number hi (1 β€ hi β€ 106) is the height of the i-th book in millimeters.
Output
In the first line of the output data print two numbers a and b (separate them by a space), where a is the maximum amount of books the organizers can include into the exposition, and b β the amount of the time periods, during which Berlbury published a books, and the height difference between the lowest and the highest among these books is not more than k milllimeters.
In each of the following b lines print two integer numbers separated by a space β indexes of the first and the last volumes from each of the required time periods of Berlbury's creative work.
Examples
Input
3 3
14 12 10
Output
2 2
1 2
2 3
Input
2 0
10 10
Output
2 1
1 2
Input
4 5
8 19 10 13
Output
2 1
3 4 | instruction | 0 | 37,307 | 8 | 74,614 |
Tags: binary search, data structures, dsu, trees, two pointers
Correct Solution:
```
a, b = [int(i) for i in input().split()]
c = list(map(int,input().split()))
d, h= 0, 0
e = []
f = []
g = []
def allow():
while f[0][0] < h:
del f[0]
while g[0][0] < h:
del g[0]
return f[0][1] - g[0][1] <= b
for i in range(a):
while len(f) > 0 and f[-1][1] <= c[i]:
del f[-1]
f.append((i, c[i]))
while len(g) > 0 and g[-1][1] >= c[i]:
del g[-1]
g.append((i, c[i]))
while not allow():
h += 1
if i - h + 1 > d:
d = i - h + 1
e = [i]
elif i - h + 1 == d:
e.append(i)
print(d, len(e))
for i in e:
i += 1
print(i - d + 1, i)
``` | output | 1 | 37,307 | 8 | 74,615 |
Provide tags and a correct Python 3 solution for this coding contest problem.
There are several days left before the fiftieth birthday of a famous Berland's writer Berlbury. In this connection the local library decided to make an exposition of the works of this famous science-fiction writer. It was decided as well that it is necessary to include into the exposition only those books that were published during a particular time period. It is obvious that if the books differ much in size, the visitors will not like it. That was why the organizers came to the opinion, that the difference between the highest and the lowest books in the exposition should be not more than k millimeters.
The library has n volumes of books by Berlbury, arranged in chronological order of their appearance. The height of each book in millimeters is know, it is hi. As Berlbury is highly respected in the city, the organizers want to include into the exposition as many books as possible, and to find out what periods of his creative work they will manage to cover. You are asked to help the organizers cope with this hard task.
Input
The first line of the input data contains two integer numbers separated by a space n (1 β€ n β€ 105) and k (0 β€ k β€ 106) β the amount of books by Berlbury in the library, and the maximum allowed height difference between the lowest and the highest books. The second line contains n integer numbers separated by a space. Each number hi (1 β€ hi β€ 106) is the height of the i-th book in millimeters.
Output
In the first line of the output data print two numbers a and b (separate them by a space), where a is the maximum amount of books the organizers can include into the exposition, and b β the amount of the time periods, during which Berlbury published a books, and the height difference between the lowest and the highest among these books is not more than k milllimeters.
In each of the following b lines print two integer numbers separated by a space β indexes of the first and the last volumes from each of the required time periods of Berlbury's creative work.
Examples
Input
3 3
14 12 10
Output
2 2
1 2
2 3
Input
2 0
10 10
Output
2 1
1 2
Input
4 5
8 19 10 13
Output
2 1
3 4 | instruction | 0 | 37,308 | 8 | 74,616 |
Tags: binary search, data structures, dsu, trees, two pointers
Correct Solution:
```
f = lambda: map(int, input().split())
n, k = f()
l, h = [], list(f())
u, v = [0] * n, [0] * n
a = b = c = d = 0
q = i = 0
for j in range(n):
while a <= b and h[u[b]] <= h[j]: b -= 1
while c <= d and h[v[d]] >= h[j]: d -= 1
b += 1
d += 1
u[b] = v[d] = j
while h[u[a]] - h[v[c]] > k:
i = min(u[a], v[c]) + 1
if u[a] < v[c]: a += 1
else: c += 1
p = j - i
if q < p: q, l = p, [i]
elif q == p: l.append(i)
print(q + 1, len(l))
for i in l: print(i + 1, i + q + 1)
``` | output | 1 | 37,308 | 8 | 74,617 |
Provide tags and a correct Python 3 solution for this coding contest problem.
There are several days left before the fiftieth birthday of a famous Berland's writer Berlbury. In this connection the local library decided to make an exposition of the works of this famous science-fiction writer. It was decided as well that it is necessary to include into the exposition only those books that were published during a particular time period. It is obvious that if the books differ much in size, the visitors will not like it. That was why the organizers came to the opinion, that the difference between the highest and the lowest books in the exposition should be not more than k millimeters.
The library has n volumes of books by Berlbury, arranged in chronological order of their appearance. The height of each book in millimeters is know, it is hi. As Berlbury is highly respected in the city, the organizers want to include into the exposition as many books as possible, and to find out what periods of his creative work they will manage to cover. You are asked to help the organizers cope with this hard task.
Input
The first line of the input data contains two integer numbers separated by a space n (1 β€ n β€ 105) and k (0 β€ k β€ 106) β the amount of books by Berlbury in the library, and the maximum allowed height difference between the lowest and the highest books. The second line contains n integer numbers separated by a space. Each number hi (1 β€ hi β€ 106) is the height of the i-th book in millimeters.
Output
In the first line of the output data print two numbers a and b (separate them by a space), where a is the maximum amount of books the organizers can include into the exposition, and b β the amount of the time periods, during which Berlbury published a books, and the height difference between the lowest and the highest among these books is not more than k milllimeters.
In each of the following b lines print two integer numbers separated by a space β indexes of the first and the last volumes from each of the required time periods of Berlbury's creative work.
Examples
Input
3 3
14 12 10
Output
2 2
1 2
2 3
Input
2 0
10 10
Output
2 1
1 2
Input
4 5
8 19 10 13
Output
2 1
3 4 | instruction | 0 | 37,309 | 8 | 74,618 |
Tags: binary search, data structures, dsu, trees, two pointers
Correct Solution:
```
numtrans = input()
num = numtrans.split()
n = int(num[0])
k = int(num[1])
htrans = input()
h = htrans.split()
record = []
time = 0
front = 0
end = 0
index1 = []
index2 = []
index3 = []
index4 = []
max = []
min = []
ht = len(h)
size = 0
recordmax = 0
max.append(0)
min.append(1000000)
for end in range(ht):
while max[-1] < int(h[end]) :
max.pop()
if len(max) == 0:
break
max.append(int(h[end]))
while min[-1] > int(h[end]):
min.pop()
if len(min) == 0:
break
min.append(int(h[end]))
while (max[0] - min[0]) > k:
if max[0] == int(h[front]):
max.pop(0)
if min[0] == int(h[front]):
min.pop(0)
front += 1
if (max[0] - min[0]) <= k:
if (end - front + 1) >= size:
size = end - front + 1
record.append(size)
index1.append(end)
index2.append(front)
for j in range(len(record)):
if record[j] == size:
time += 1
index3.append(index1[j])
index4.append(index2[j])
print (size, time)
lent3 = len(index3)
for zz in range(lent3):
print (index4[zz] + 1, index3[zz] + 1)
``` | output | 1 | 37,309 | 8 | 74,619 |
Provide tags and a correct Python 3 solution for this coding contest problem.
There are several days left before the fiftieth birthday of a famous Berland's writer Berlbury. In this connection the local library decided to make an exposition of the works of this famous science-fiction writer. It was decided as well that it is necessary to include into the exposition only those books that were published during a particular time period. It is obvious that if the books differ much in size, the visitors will not like it. That was why the organizers came to the opinion, that the difference between the highest and the lowest books in the exposition should be not more than k millimeters.
The library has n volumes of books by Berlbury, arranged in chronological order of their appearance. The height of each book in millimeters is know, it is hi. As Berlbury is highly respected in the city, the organizers want to include into the exposition as many books as possible, and to find out what periods of his creative work they will manage to cover. You are asked to help the organizers cope with this hard task.
Input
The first line of the input data contains two integer numbers separated by a space n (1 β€ n β€ 105) and k (0 β€ k β€ 106) β the amount of books by Berlbury in the library, and the maximum allowed height difference between the lowest and the highest books. The second line contains n integer numbers separated by a space. Each number hi (1 β€ hi β€ 106) is the height of the i-th book in millimeters.
Output
In the first line of the output data print two numbers a and b (separate them by a space), where a is the maximum amount of books the organizers can include into the exposition, and b β the amount of the time periods, during which Berlbury published a books, and the height difference between the lowest and the highest among these books is not more than k milllimeters.
In each of the following b lines print two integer numbers separated by a space β indexes of the first and the last volumes from each of the required time periods of Berlbury's creative work.
Examples
Input
3 3
14 12 10
Output
2 2
1 2
2 3
Input
2 0
10 10
Output
2 1
1 2
Input
4 5
8 19 10 13
Output
2 1
3 4 | instruction | 0 | 37,310 | 8 | 74,620 |
Tags: binary search, data structures, dsu, trees, two pointers
Correct Solution:
```
#!/usr/bin/env python
from collections import deque
def scan(n, k, book):
short = deque()
s_head = short.popleft
s_push = short.append
s_tail = short.pop
tall = deque()
t_head = tall.popleft
t_push = tall.append
t_tail = tall.pop
it = iter(enumerate(book))
next(it)
head = 1
for tail, bt in it:
while short and bt < short[-1]:
s_tail()
s_push(bt)
while tall and bt > tall[-1]:
t_tail()
t_push(bt)
#
lo = short[0]
hi = tall[0]
if hi - lo <= k:
continue
yield head, tail - 1
while True:
bh = book[head]
if bh == lo:
s_head()
if bh == hi:
t_head()
head += 1
lo = short[0]
hi = tall[0]
if hi - lo <= k:
break
yield head, tail
def main():
n, k = map(int, input().split())
book = [0]
book.extend(map(int, input().split()))
longest = 0
period = []
record = period.append
reset = period.clear
for head, tail in scan(n, k, book):
streak = tail - head
if streak >= longest:
if streak != longest:
longest = streak
reset()
record(head)
record(tail)
end = len(period)
print(longest + 1, len(period) >> 1)
for k in range(0, end, 2):
print(period[k], period[k + 1])
if __name__ == '__main__':
main()
``` | output | 1 | 37,310 | 8 | 74,621 |
Provide tags and a correct Python 3 solution for this coding contest problem.
There are several days left before the fiftieth birthday of a famous Berland's writer Berlbury. In this connection the local library decided to make an exposition of the works of this famous science-fiction writer. It was decided as well that it is necessary to include into the exposition only those books that were published during a particular time period. It is obvious that if the books differ much in size, the visitors will not like it. That was why the organizers came to the opinion, that the difference between the highest and the lowest books in the exposition should be not more than k millimeters.
The library has n volumes of books by Berlbury, arranged in chronological order of their appearance. The height of each book in millimeters is know, it is hi. As Berlbury is highly respected in the city, the organizers want to include into the exposition as many books as possible, and to find out what periods of his creative work they will manage to cover. You are asked to help the organizers cope with this hard task.
Input
The first line of the input data contains two integer numbers separated by a space n (1 β€ n β€ 105) and k (0 β€ k β€ 106) β the amount of books by Berlbury in the library, and the maximum allowed height difference between the lowest and the highest books. The second line contains n integer numbers separated by a space. Each number hi (1 β€ hi β€ 106) is the height of the i-th book in millimeters.
Output
In the first line of the output data print two numbers a and b (separate them by a space), where a is the maximum amount of books the organizers can include into the exposition, and b β the amount of the time periods, during which Berlbury published a books, and the height difference between the lowest and the highest among these books is not more than k milllimeters.
In each of the following b lines print two integer numbers separated by a space β indexes of the first and the last volumes from each of the required time periods of Berlbury's creative work.
Examples
Input
3 3
14 12 10
Output
2 2
1 2
2 3
Input
2 0
10 10
Output
2 1
1 2
Input
4 5
8 19 10 13
Output
2 1
3 4 | instruction | 0 | 37,311 | 8 | 74,622 |
Tags: binary search, data structures, dsu, trees, two pointers
Correct Solution:
```
#from sortedcontainers import SortedList
from bisect import *
b = []
w = []
n, k = input().split(" ")
n, k = eval(n), eval(k)
heights = input().split(" ")
heights = [int(i) for i in heights]
a = 0
l = 0
"""
for r, height in enumerate(heights):
w.append(height)
while w[-1] - w[0] > k:
w.remove(heights[l])
l += 1
if (a < r - l +1):
a = r - l + 1
b.clear()
b.append(l)
elif (a == r - l + 1):
b.append(l)
for r, height in enumerate(heights):
w = heights[l:r+1]
w.sort()
while w[-1] - w[0] > k:
l += 1
w = heights[l:r+1]
w.sort()
if (a < r - l +1):
a = r - l + 1
b.clear()
b.append(l)
elif (a == r - l + 1):
b.append(l)
"""
for r, height in enumerate(heights):
#insort(w, height)
w.insert(bisect(w, height), height)
#print(w)
while w[-1] - w[0] > k:
#w.remove(heights[l])
w.pop(bisect(w,heights[l])-1)
#print("went into hile, w is ", w)
l += 1
if (a < r - l +1):
a = r - l + 1
b.clear()
b.append(l)
elif (a == r - l + 1):
b.append(l)
print(a, len(b))
for i in b:
print(i+1, i + a)
``` | output | 1 | 37,311 | 8 | 74,623 |
Provide tags and a correct Python 3 solution for this coding contest problem.
There are several days left before the fiftieth birthday of a famous Berland's writer Berlbury. In this connection the local library decided to make an exposition of the works of this famous science-fiction writer. It was decided as well that it is necessary to include into the exposition only those books that were published during a particular time period. It is obvious that if the books differ much in size, the visitors will not like it. That was why the organizers came to the opinion, that the difference between the highest and the lowest books in the exposition should be not more than k millimeters.
The library has n volumes of books by Berlbury, arranged in chronological order of their appearance. The height of each book in millimeters is know, it is hi. As Berlbury is highly respected in the city, the organizers want to include into the exposition as many books as possible, and to find out what periods of his creative work they will manage to cover. You are asked to help the organizers cope with this hard task.
Input
The first line of the input data contains two integer numbers separated by a space n (1 β€ n β€ 105) and k (0 β€ k β€ 106) β the amount of books by Berlbury in the library, and the maximum allowed height difference between the lowest and the highest books. The second line contains n integer numbers separated by a space. Each number hi (1 β€ hi β€ 106) is the height of the i-th book in millimeters.
Output
In the first line of the output data print two numbers a and b (separate them by a space), where a is the maximum amount of books the organizers can include into the exposition, and b β the amount of the time periods, during which Berlbury published a books, and the height difference between the lowest and the highest among these books is not more than k milllimeters.
In each of the following b lines print two integer numbers separated by a space β indexes of the first and the last volumes from each of the required time periods of Berlbury's creative work.
Examples
Input
3 3
14 12 10
Output
2 2
1 2
2 3
Input
2 0
10 10
Output
2 1
1 2
Input
4 5
8 19 10 13
Output
2 1
3 4 | instruction | 0 | 37,312 | 8 | 74,624 |
Tags: binary search, data structures, dsu, trees, two pointers
Correct Solution:
```
from collections import deque
def mini_in_window(A, n, k):
d = deque()
res = []
for i in range(n):
if i >= k and d[0] == i - k:
d.popleft()
while len(d) and A[d[-1]] >= A[i]:
d.pop()
d.append(i)
if i >= k - 1:
res.append(d[0])
return res
def maxi_in_window(A, n, k):
d = deque()
res = []
for i in range(n):
if i >= k and d[0] == i - k:
d.popleft()
while len(d) and A[d[-1]] <= A[i]:
d.pop()
d.append(i)
if i >= k - 1:
res.append(d[0])
return res
n, k = map(int, input().split())
A = list(map(int, input().split()))
l = 0
r = n + 1
maxans = 0
cntmax = []
while l + 1 < r:
mid = (l + r) // 2
if mid > maxans:
cntnow = []
mins = mini_in_window(A, n, mid)
maxes = maxi_in_window(A, n, mid)
for i in range(len(mins)):
if A[maxes[i]] - A[mins[i]] <= k:
cntnow.append((i + 1, mid + i))
if cntnow:
l = mid
cntmax = cntnow[:]
else:
r = mid
print(l, len(cntmax))
for line in cntmax:
print(' '.join(map(str, line)))
``` | output | 1 | 37,312 | 8 | 74,625 |
Provide tags and a correct Python 3 solution for this coding contest problem.
There are several days left before the fiftieth birthday of a famous Berland's writer Berlbury. In this connection the local library decided to make an exposition of the works of this famous science-fiction writer. It was decided as well that it is necessary to include into the exposition only those books that were published during a particular time period. It is obvious that if the books differ much in size, the visitors will not like it. That was why the organizers came to the opinion, that the difference between the highest and the lowest books in the exposition should be not more than k millimeters.
The library has n volumes of books by Berlbury, arranged in chronological order of their appearance. The height of each book in millimeters is know, it is hi. As Berlbury is highly respected in the city, the organizers want to include into the exposition as many books as possible, and to find out what periods of his creative work they will manage to cover. You are asked to help the organizers cope with this hard task.
Input
The first line of the input data contains two integer numbers separated by a space n (1 β€ n β€ 105) and k (0 β€ k β€ 106) β the amount of books by Berlbury in the library, and the maximum allowed height difference between the lowest and the highest books. The second line contains n integer numbers separated by a space. Each number hi (1 β€ hi β€ 106) is the height of the i-th book in millimeters.
Output
In the first line of the output data print two numbers a and b (separate them by a space), where a is the maximum amount of books the organizers can include into the exposition, and b β the amount of the time periods, during which Berlbury published a books, and the height difference between the lowest and the highest among these books is not more than k milllimeters.
In each of the following b lines print two integer numbers separated by a space β indexes of the first and the last volumes from each of the required time periods of Berlbury's creative work.
Examples
Input
3 3
14 12 10
Output
2 2
1 2
2 3
Input
2 0
10 10
Output
2 1
1 2
Input
4 5
8 19 10 13
Output
2 1
3 4 | instruction | 0 | 37,313 | 8 | 74,626 |
Tags: binary search, data structures, dsu, trees, two pointers
Correct Solution:
```
__author__ = 'Darren'
def solve():
n, k = map(int, input().split())
h = [int(x) for x in input().split()]
from collections import deque
lower, higher = deque(), deque()
result = []
beginning, length = 0, 0
for i in range(n):
while lower and h[lower[-1]] > h[i]:
lower.pop()
lower.append(i)
while higher and h[higher[-1]] < h[i]:
higher.pop()
higher.append(i)
while h[higher[0]] - h[lower[0]] > k:
if higher[0] < lower[0]:
beginning = higher.popleft() + 1
else:
beginning = lower.popleft() + 1
if i - beginning + 1 > length:
length = i - beginning + 1
result.clear()
result.append((beginning + 1, i + 1))
elif i - beginning + 1 == length:
result.append((beginning + 1, i + 1))
print(length, len(result))
for begin, end in result:
print(begin, end)
if __name__ == '__main__':
solve()
``` | output | 1 | 37,313 | 8 | 74,627 |
Provide tags and a correct Python 3 solution for this coding contest problem.
There are several days left before the fiftieth birthday of a famous Berland's writer Berlbury. In this connection the local library decided to make an exposition of the works of this famous science-fiction writer. It was decided as well that it is necessary to include into the exposition only those books that were published during a particular time period. It is obvious that if the books differ much in size, the visitors will not like it. That was why the organizers came to the opinion, that the difference between the highest and the lowest books in the exposition should be not more than k millimeters.
The library has n volumes of books by Berlbury, arranged in chronological order of their appearance. The height of each book in millimeters is know, it is hi. As Berlbury is highly respected in the city, the organizers want to include into the exposition as many books as possible, and to find out what periods of his creative work they will manage to cover. You are asked to help the organizers cope with this hard task.
Input
The first line of the input data contains two integer numbers separated by a space n (1 β€ n β€ 105) and k (0 β€ k β€ 106) β the amount of books by Berlbury in the library, and the maximum allowed height difference between the lowest and the highest books. The second line contains n integer numbers separated by a space. Each number hi (1 β€ hi β€ 106) is the height of the i-th book in millimeters.
Output
In the first line of the output data print two numbers a and b (separate them by a space), where a is the maximum amount of books the organizers can include into the exposition, and b β the amount of the time periods, during which Berlbury published a books, and the height difference between the lowest and the highest among these books is not more than k milllimeters.
In each of the following b lines print two integer numbers separated by a space β indexes of the first and the last volumes from each of the required time periods of Berlbury's creative work.
Examples
Input
3 3
14 12 10
Output
2 2
1 2
2 3
Input
2 0
10 10
Output
2 1
1 2
Input
4 5
8 19 10 13
Output
2 1
3 4 | instruction | 0 | 37,314 | 8 | 74,628 |
Tags: binary search, data structures, dsu, trees, two pointers
Correct Solution:
```
a, b = (int(i) for i in input().split())
c = list(map(int,input().split()))
d = 0
e = 0
g1, g2 = 0, 0
h1, h2 = 0, 0
length = []
f = c[0]
n = 0
for i in range(len(c)):
if f - c[i] >= e:
e = f - c[i]
h2 = h1
h1 = i
if c[i] - f >= d:
d = c[i] - f
g2 = g1
g1 = i
k = 0
while d + e > b:
k = k + 1
if k == 1:
if len(length) > 0 and i - n > length[0][1]:
length.clear()
length.append([n, i - n])
if len(length) > 0 and i - n < length[0][1]:
del length[-1]
if c[i] > c[g2] and k == 1:
n = h1
h1 = n
f = c[n]
e = 0
d = c[i] - c[n]
g2 = g1
if c[i] < c[h2] and k == 1:
n = g1
g1 = n
f = c[n]
d = 0
e = c[n] - c[i]
h2 = h1
if k > 1:
n = n + 1
f = c[n]
h1 = max(h1, n)
g1 = max(g1, n)
d = c[g1] - f
e = f - c[h1]
if not d + e > b:
if len(length) > 0 and len(c) - n > length[0][1]:
length.clear()
length.append([n, len(c) - n])
if len(length) > 0 and len(c) - n < length[0][1]:
del length[-1]
print(length[0][1], len(length))
k = length[0][1]
for i in range(len(length)):
print(length[i][0] + 1, length[i][0] + k)
``` | output | 1 | 37,314 | 8 | 74,629 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
There are several days left before the fiftieth birthday of a famous Berland's writer Berlbury. In this connection the local library decided to make an exposition of the works of this famous science-fiction writer. It was decided as well that it is necessary to include into the exposition only those books that were published during a particular time period. It is obvious that if the books differ much in size, the visitors will not like it. That was why the organizers came to the opinion, that the difference between the highest and the lowest books in the exposition should be not more than k millimeters.
The library has n volumes of books by Berlbury, arranged in chronological order of their appearance. The height of each book in millimeters is know, it is hi. As Berlbury is highly respected in the city, the organizers want to include into the exposition as many books as possible, and to find out what periods of his creative work they will manage to cover. You are asked to help the organizers cope with this hard task.
Input
The first line of the input data contains two integer numbers separated by a space n (1 β€ n β€ 105) and k (0 β€ k β€ 106) β the amount of books by Berlbury in the library, and the maximum allowed height difference between the lowest and the highest books. The second line contains n integer numbers separated by a space. Each number hi (1 β€ hi β€ 106) is the height of the i-th book in millimeters.
Output
In the first line of the output data print two numbers a and b (separate them by a space), where a is the maximum amount of books the organizers can include into the exposition, and b β the amount of the time periods, during which Berlbury published a books, and the height difference between the lowest and the highest among these books is not more than k milllimeters.
In each of the following b lines print two integer numbers separated by a space β indexes of the first and the last volumes from each of the required time periods of Berlbury's creative work.
Examples
Input
3 3
14 12 10
Output
2 2
1 2
2 3
Input
2 0
10 10
Output
2 1
1 2
Input
4 5
8 19 10 13
Output
2 1
3 4
Submitted Solution:
```
from collections import deque
[n,k]=[int(i) for i in input().split()];
h=[int(i) for i in input().split()];
l=deque();
maxl=deque();
minl=deque();
def getmax():
return maxl[0][0];
def getmin():
return minl[0][0];
def enquene(x):
l.append(x);
a=1;
while((len(maxl)>0)and(maxl[-1][0]<=x)):
a=a+maxl[-1][1];
maxl.pop();
maxl.append([x,a]);
a=1;
while((len(minl)>0)and(minl[-1][0]>=x)):
a=a+minl[-1][1];
minl.pop();
minl.append([x,a]);
def dequene():
l.popleft();
maxl[0][1]=maxl[0][1]-1;
if(maxl[0][1]==0):
maxl.popleft();
minl[0][1]=minl[0][1]-1;
if(minl[0][1]==0):
minl.popleft();
q = [];
a = -1
j = 0;
for i in range(n):
enquene(h[i]);
while (getmax() - getmin() > k):
dequene();
j = j + 1;
if i - j + 1 > a:
a = i - j + 1;
q = [(j + 1, i + 1)];
else:
if i - j + 1 == a:
q.append((j + 1, i + 1));
print(a, len(q));
for i in q:
print(i[0], i[1])
``` | instruction | 0 | 37,315 | 8 | 74,630 |
Yes | output | 1 | 37,315 | 8 | 74,631 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
There are several days left before the fiftieth birthday of a famous Berland's writer Berlbury. In this connection the local library decided to make an exposition of the works of this famous science-fiction writer. It was decided as well that it is necessary to include into the exposition only those books that were published during a particular time period. It is obvious that if the books differ much in size, the visitors will not like it. That was why the organizers came to the opinion, that the difference between the highest and the lowest books in the exposition should be not more than k millimeters.
The library has n volumes of books by Berlbury, arranged in chronological order of their appearance. The height of each book in millimeters is know, it is hi. As Berlbury is highly respected in the city, the organizers want to include into the exposition as many books as possible, and to find out what periods of his creative work they will manage to cover. You are asked to help the organizers cope with this hard task.
Input
The first line of the input data contains two integer numbers separated by a space n (1 β€ n β€ 105) and k (0 β€ k β€ 106) β the amount of books by Berlbury in the library, and the maximum allowed height difference between the lowest and the highest books. The second line contains n integer numbers separated by a space. Each number hi (1 β€ hi β€ 106) is the height of the i-th book in millimeters.
Output
In the first line of the output data print two numbers a and b (separate them by a space), where a is the maximum amount of books the organizers can include into the exposition, and b β the amount of the time periods, during which Berlbury published a books, and the height difference between the lowest and the highest among these books is not more than k milllimeters.
In each of the following b lines print two integer numbers separated by a space β indexes of the first and the last volumes from each of the required time periods of Berlbury's creative work.
Examples
Input
3 3
14 12 10
Output
2 2
1 2
2 3
Input
2 0
10 10
Output
2 1
1 2
Input
4 5
8 19 10 13
Output
2 1
3 4
Submitted Solution:
```
#Adapted from the code by Utena
from collections import deque
n,k=[int(i) for i in input().split()]
books=[int(i) for i in input().split()]
res=[]
L,R=0,0
Empty=deque([])
Max,Min=deque([(books[0],1)]),deque([(books[0],1)])
M=0
Mcnt=0
while R<n :
while books[R]>=Max[-1][0] :
Max.pop()
if Max==Empty :
break
Max.append((books[R],R))
while books[R]<=Min[-1][0] :
Min.pop()
if Min==Empty :
break
Min.append((books[R],R))
maxt,mint=Max[0][0],Min[0][0]
while maxt-mint>k :
if Max[0][1]<=L :
Max.popleft()
maxt=Max[0][0]
if Min[0][1]<=L :
Min.popleft()
mint=Min[0][0]
L+=1
d=R-L+1
if d<M :
pass
elif d>M :
Mcnt=1
M=d
res=[(L+1,R+1)]
else :
Mcnt+=1
res.append((L+1,R+1))
R+=1
print(M,Mcnt)
for i in res :
print(i[0],i[1])
``` | instruction | 0 | 37,316 | 8 | 74,632 |
Yes | output | 1 | 37,316 | 8 | 74,633 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
There are several days left before the fiftieth birthday of a famous Berland's writer Berlbury. In this connection the local library decided to make an exposition of the works of this famous science-fiction writer. It was decided as well that it is necessary to include into the exposition only those books that were published during a particular time period. It is obvious that if the books differ much in size, the visitors will not like it. That was why the organizers came to the opinion, that the difference between the highest and the lowest books in the exposition should be not more than k millimeters.
The library has n volumes of books by Berlbury, arranged in chronological order of their appearance. The height of each book in millimeters is know, it is hi. As Berlbury is highly respected in the city, the organizers want to include into the exposition as many books as possible, and to find out what periods of his creative work they will manage to cover. You are asked to help the organizers cope with this hard task.
Input
The first line of the input data contains two integer numbers separated by a space n (1 β€ n β€ 105) and k (0 β€ k β€ 106) β the amount of books by Berlbury in the library, and the maximum allowed height difference between the lowest and the highest books. The second line contains n integer numbers separated by a space. Each number hi (1 β€ hi β€ 106) is the height of the i-th book in millimeters.
Output
In the first line of the output data print two numbers a and b (separate them by a space), where a is the maximum amount of books the organizers can include into the exposition, and b β the amount of the time periods, during which Berlbury published a books, and the height difference between the lowest and the highest among these books is not more than k milllimeters.
In each of the following b lines print two integer numbers separated by a space β indexes of the first and the last volumes from each of the required time periods of Berlbury's creative work.
Examples
Input
3 3
14 12 10
Output
2 2
1 2
2 3
Input
2 0
10 10
Output
2 1
1 2
Input
4 5
8 19 10 13
Output
2 1
3 4
Submitted Solution:
```
from bisect import *
n,k=map(int,input().split())
h=list(map(int,input().split()))
l=[]
q=[]
aa=-1
j=0
for i in range(n):
l.insert(bisect(l,h[i]),h[i])
while l[-1]-l[0]>k:
l.pop(bisect(l,h[j])-1)
j+=1
if i-j+1>aa:
aa=i-j+1
q=[]
if i-j+1==aa:
q.append([j+1,i+1])
print(aa,len(q))
for i in q:
print(i[0],i[1])
``` | instruction | 0 | 37,317 | 8 | 74,634 |
Yes | output | 1 | 37,317 | 8 | 74,635 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
There are several days left before the fiftieth birthday of a famous Berland's writer Berlbury. In this connection the local library decided to make an exposition of the works of this famous science-fiction writer. It was decided as well that it is necessary to include into the exposition only those books that were published during a particular time period. It is obvious that if the books differ much in size, the visitors will not like it. That was why the organizers came to the opinion, that the difference between the highest and the lowest books in the exposition should be not more than k millimeters.
The library has n volumes of books by Berlbury, arranged in chronological order of their appearance. The height of each book in millimeters is know, it is hi. As Berlbury is highly respected in the city, the organizers want to include into the exposition as many books as possible, and to find out what periods of his creative work they will manage to cover. You are asked to help the organizers cope with this hard task.
Input
The first line of the input data contains two integer numbers separated by a space n (1 β€ n β€ 105) and k (0 β€ k β€ 106) β the amount of books by Berlbury in the library, and the maximum allowed height difference between the lowest and the highest books. The second line contains n integer numbers separated by a space. Each number hi (1 β€ hi β€ 106) is the height of the i-th book in millimeters.
Output
In the first line of the output data print two numbers a and b (separate them by a space), where a is the maximum amount of books the organizers can include into the exposition, and b β the amount of the time periods, during which Berlbury published a books, and the height difference between the lowest and the highest among these books is not more than k milllimeters.
In each of the following b lines print two integer numbers separated by a space β indexes of the first and the last volumes from each of the required time periods of Berlbury's creative work.
Examples
Input
3 3
14 12 10
Output
2 2
1 2
2 3
Input
2 0
10 10
Output
2 1
1 2
Input
4 5
8 19 10 13
Output
2 1
3 4
Submitted Solution:
```
n,k=[int(i) for i in input().split()]
h=[int(i) for i in input().split()]
a=0
b=0
l=[]
m=[]
ans=[]
def f():
while l[0][0]<b:
l.pop(0)
while m[0][0]<b:
m.pop(0)
return l[0][1]-m[0][1]>k
for i in range(n):
while len(l)>0 and l[-1][1]<=h[i]:
l.pop()
l.append([i,h[i]])
while len(m)>0 and m[-1][1]>=h[i]:
m.pop()
m.append([i,h[i]])
while f():
b+=1
if i-b+1>a:
a=i-b+1
ans=[i]
elif i-b+1==a:
ans.append(i)
print(a,len(ans))
for i in ans:
print(i-a+2,i+1)
``` | instruction | 0 | 37,318 | 8 | 74,636 |
Yes | output | 1 | 37,318 | 8 | 74,637 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
There are several days left before the fiftieth birthday of a famous Berland's writer Berlbury. In this connection the local library decided to make an exposition of the works of this famous science-fiction writer. It was decided as well that it is necessary to include into the exposition only those books that were published during a particular time period. It is obvious that if the books differ much in size, the visitors will not like it. That was why the organizers came to the opinion, that the difference between the highest and the lowest books in the exposition should be not more than k millimeters.
The library has n volumes of books by Berlbury, arranged in chronological order of their appearance. The height of each book in millimeters is know, it is hi. As Berlbury is highly respected in the city, the organizers want to include into the exposition as many books as possible, and to find out what periods of his creative work they will manage to cover. You are asked to help the organizers cope with this hard task.
Input
The first line of the input data contains two integer numbers separated by a space n (1 β€ n β€ 105) and k (0 β€ k β€ 106) β the amount of books by Berlbury in the library, and the maximum allowed height difference between the lowest and the highest books. The second line contains n integer numbers separated by a space. Each number hi (1 β€ hi β€ 106) is the height of the i-th book in millimeters.
Output
In the first line of the output data print two numbers a and b (separate them by a space), where a is the maximum amount of books the organizers can include into the exposition, and b β the amount of the time periods, during which Berlbury published a books, and the height difference between the lowest and the highest among these books is not more than k milllimeters.
In each of the following b lines print two integer numbers separated by a space β indexes of the first and the last volumes from each of the required time periods of Berlbury's creative work.
Examples
Input
3 3
14 12 10
Output
2 2
1 2
2 3
Input
2 0
10 10
Output
2 1
1 2
Input
4 5
8 19 10 13
Output
2 1
3 4
Submitted Solution:
```
a,b = [int(i) for i in input().split()]
list = [int(i) for i in input().split()]
x = 0
i = 0
c = 0
t = len(list)
listy = []
if a == 1:
print(list[0],end = ' ')
print('0')
print('1 1')
exit()
while i<t-1:
y = i
while x+abs(list[i+1]-list[i])<= b:
x = abs(list[i+1]-list[i])
i = i+1
if i >=t-1:
break
if y != i:
x = 0
list2 = list[y:i+1]
lmax = len(list2)
if lmax >c:
c = lmax
list3 = [y,i]
listy.append(list3)
if y == i:
i = i+1
if i >= t -1:
break
t = len(listy)
d = listy[t-1][1] - listy[0][0]
print(lmax,end = ' ')
print(d)
for i in range(0,t):
print(listy[i][0]+1,end = ' ')
print(listy[i][1]+1)
``` | instruction | 0 | 37,319 | 8 | 74,638 |
No | output | 1 | 37,319 | 8 | 74,639 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
There are several days left before the fiftieth birthday of a famous Berland's writer Berlbury. In this connection the local library decided to make an exposition of the works of this famous science-fiction writer. It was decided as well that it is necessary to include into the exposition only those books that were published during a particular time period. It is obvious that if the books differ much in size, the visitors will not like it. That was why the organizers came to the opinion, that the difference between the highest and the lowest books in the exposition should be not more than k millimeters.
The library has n volumes of books by Berlbury, arranged in chronological order of their appearance. The height of each book in millimeters is know, it is hi. As Berlbury is highly respected in the city, the organizers want to include into the exposition as many books as possible, and to find out what periods of his creative work they will manage to cover. You are asked to help the organizers cope with this hard task.
Input
The first line of the input data contains two integer numbers separated by a space n (1 β€ n β€ 105) and k (0 β€ k β€ 106) β the amount of books by Berlbury in the library, and the maximum allowed height difference between the lowest and the highest books. The second line contains n integer numbers separated by a space. Each number hi (1 β€ hi β€ 106) is the height of the i-th book in millimeters.
Output
In the first line of the output data print two numbers a and b (separate them by a space), where a is the maximum amount of books the organizers can include into the exposition, and b β the amount of the time periods, during which Berlbury published a books, and the height difference between the lowest and the highest among these books is not more than k milllimeters.
In each of the following b lines print two integer numbers separated by a space β indexes of the first and the last volumes from each of the required time periods of Berlbury's creative work.
Examples
Input
3 3
14 12 10
Output
2 2
1 2
2 3
Input
2 0
10 10
Output
2 1
1 2
Input
4 5
8 19 10 13
Output
2 1
3 4
Submitted Solution:
```
n,k=[int(i) for i in input().split()]
h=[int(i) for i in input().split()]
a=int(0)
for i in range(n):
for j in range(i):
if abs(h[i]-h[j])<=k and i-j+1>a:
a=i-j+1
b=0
l=[]
for i in range(a,n+1):
if abs(h[i-1]-h[i-a])<=k:
for j in range(a):
l.append(j+i-a+1)
b=b+1
print(a,b)
for i in range(b):
for j in range(a):
print(l.pop(0),end=" ")
print()
``` | instruction | 0 | 37,320 | 8 | 74,640 |
No | output | 1 | 37,320 | 8 | 74,641 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
There are several days left before the fiftieth birthday of a famous Berland's writer Berlbury. In this connection the local library decided to make an exposition of the works of this famous science-fiction writer. It was decided as well that it is necessary to include into the exposition only those books that were published during a particular time period. It is obvious that if the books differ much in size, the visitors will not like it. That was why the organizers came to the opinion, that the difference between the highest and the lowest books in the exposition should be not more than k millimeters.
The library has n volumes of books by Berlbury, arranged in chronological order of their appearance. The height of each book in millimeters is know, it is hi. As Berlbury is highly respected in the city, the organizers want to include into the exposition as many books as possible, and to find out what periods of his creative work they will manage to cover. You are asked to help the organizers cope with this hard task.
Input
The first line of the input data contains two integer numbers separated by a space n (1 β€ n β€ 105) and k (0 β€ k β€ 106) β the amount of books by Berlbury in the library, and the maximum allowed height difference between the lowest and the highest books. The second line contains n integer numbers separated by a space. Each number hi (1 β€ hi β€ 106) is the height of the i-th book in millimeters.
Output
In the first line of the output data print two numbers a and b (separate them by a space), where a is the maximum amount of books the organizers can include into the exposition, and b β the amount of the time periods, during which Berlbury published a books, and the height difference between the lowest and the highest among these books is not more than k milllimeters.
In each of the following b lines print two integer numbers separated by a space β indexes of the first and the last volumes from each of the required time periods of Berlbury's creative work.
Examples
Input
3 3
14 12 10
Output
2 2
1 2
2 3
Input
2 0
10 10
Output
2 1
1 2
Input
4 5
8 19 10 13
Output
2 1
3 4
Submitted Solution:
```
import math
[n,k]=[int(i) for i in input().split()];
h=[int(i) for i in input().split()];
num=2<<math.ceil(math.log2(n))
st=[None] * num
segmax=[None] * num
segmin=[None] * num
def build(l,r,p):
if(l==r):
st[p]=h[l];
segmax[p]=h[l];
segmin[p]=h[l];
return
mid=(l+r)>>1;
build(l,mid,p<<1);
build(mid+1,r,p<<1|1);
segmax[p]=max(segmax[p<<1],segmax[p<<1|1]);
segmin[p]=min(segmin[p<<1],segmin[p<<1|1]);
def querymax(L,l,r,R,p):
if((L==l) and (R==r)):
return segmax[p];
mid=(L+R)>>1;
if(l>=mid+1):
return querymax(mid+1,l,r,R,p<<1|1);
if(r<=mid):
return querymax(L,l,r,mid,p<<1);
return max(querymax(L,l,mid,mid,p<<1),querymax(mid+1,mid+1,r,R,p<<1|1));
def querymin(L,l,r,R,p):
if((L==l) and (R==r)):
return segmin[p];
mid=(L+R)>>1;
if(l>=mid+1):
return querymin(mid+1,l,r,R,p<<1|1);
if(r<=mid):
return querymin(L,l,r,mid,p<<1);
return min(querymin(L,l,mid,mid,p<<1),querymin(mid+1,mid+1,r,R,p<<1|1));
build(0,n-1,1);
j=0;
maxa=0;
b=0;
l=[];
for i in range(0,n-1):
if(j<i):
j=i+1;
while((j<n) and (querymax(0,i,j,n-1,1)-querymin(0,i,j,n-1,1)<=k)):
j=j+1;
j=j-1;
if(j-i+1>maxa):
l=[[i+1,j+1]];
maxa=j-i+1;
b=1;
else:
if(j-i+1==maxa):
l.append([i+1,j+1]);
b=b+1;
print(maxa,b);
for i in l:
print(*i,sep=" ")
``` | instruction | 0 | 37,321 | 8 | 74,642 |
No | output | 1 | 37,321 | 8 | 74,643 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
There are several days left before the fiftieth birthday of a famous Berland's writer Berlbury. In this connection the local library decided to make an exposition of the works of this famous science-fiction writer. It was decided as well that it is necessary to include into the exposition only those books that were published during a particular time period. It is obvious that if the books differ much in size, the visitors will not like it. That was why the organizers came to the opinion, that the difference between the highest and the lowest books in the exposition should be not more than k millimeters.
The library has n volumes of books by Berlbury, arranged in chronological order of their appearance. The height of each book in millimeters is know, it is hi. As Berlbury is highly respected in the city, the organizers want to include into the exposition as many books as possible, and to find out what periods of his creative work they will manage to cover. You are asked to help the organizers cope with this hard task.
Input
The first line of the input data contains two integer numbers separated by a space n (1 β€ n β€ 105) and k (0 β€ k β€ 106) β the amount of books by Berlbury in the library, and the maximum allowed height difference between the lowest and the highest books. The second line contains n integer numbers separated by a space. Each number hi (1 β€ hi β€ 106) is the height of the i-th book in millimeters.
Output
In the first line of the output data print two numbers a and b (separate them by a space), where a is the maximum amount of books the organizers can include into the exposition, and b β the amount of the time periods, during which Berlbury published a books, and the height difference between the lowest and the highest among these books is not more than k milllimeters.
In each of the following b lines print two integer numbers separated by a space β indexes of the first and the last volumes from each of the required time periods of Berlbury's creative work.
Examples
Input
3 3
14 12 10
Output
2 2
1 2
2 3
Input
2 0
10 10
Output
2 1
1 2
Input
4 5
8 19 10 13
Output
2 1
3 4
Submitted Solution:
```
n,k=map(int,input().split())
jj=[int(i) for i in input().split()]
if n==1:
print(1,1)
print(jj[0],jj[0])
exit()
xulie=[]
for i in range(n-1):
test=[jj[i],jj[i+1]]
max1=max(test)
min1=min(test)
if max1-min1<=k:
num=[i+1,i+2]
xulie.append(num[:])
break
else:
print(1,len(jj))
for i in range(1,n+1):
print(i,i)
exit()
for i in range(num[-1],n):
test.append(jj[i])
if test[-1]>max1:
max1=test[-1]
elif test[-1]<min1:
min1=test[-1]
if max1-min1<=k:
num.append(i+1)
if len(num)>len(xulie[-1]):
xulie.clear()
xulie.append(num[:])
elif len(num)==len(xulie[-1]):
xulie.append(num[:])
else:
num.append(i+1)
while max1-min1>k:
del test[0]
del num[0]
if test[-1]==max1:
min1=min(test)
else:
max1=max(test)
if len(num)==len(xulie[-1]):
xulie.append(num[:])
print(len(xulie[-1]),len(xulie))
for i in xulie:
i=[str(j) for j in i]
print(' '.join(i))
``` | instruction | 0 | 37,322 | 8 | 74,644 |
No | output | 1 | 37,322 | 8 | 74,645 |
Provide a correct Python 3 solution for this coding contest problem.
Maki is a house cat. One day she fortunately came at a wonderful-looking dried fish. Since she felt not hungry on that day, she put it up in her bed. However there was a problem; a rat was living in her house, and he was watching for a chance to steal her food. To secure the fish during the time she is asleep, she decided to build some walls to prevent the rat from reaching her bed.
Maki's house is represented as a two-dimensional plane. She has hidden the dried fish at (xt, yt). She knows that the lair of the rat is located at (xs, ys ). She has some candidate locations to build walls. The i-th candidate is described by a circle of radius ri centered at (xi, yi). She can build walls at as many candidate locations as she wants, unless they touch or cross each other. You can assume that the size of the fish, the ratβs lair, and the thickness of walls are all very small and can be ignored.
Your task is to write a program which determines the minimum number of walls the rat needs to climb over until he can get to Maki's bed from his lair, assuming that Maki made an optimal choice of walls.
Input
The input is a sequence of datasets. Each dataset corresponds to a single situation and has the following format:
n
xs ys xt yt
x1 y1 r1
...
xn yn rn
n is the number of candidate locations where to build walls (1 β€ n β€ 1000). (xs, ys ) and (xt , yt ) denote the coordinates of the rat's lair and Maki's bed, respectively. The i-th candidate location is a circle which has radius ri (1 β€ ri β€ 10000) and is centered at (xi, yi) (i = 1, 2, ... , n). All coordinate values are integers between 0 and 10000 (inclusive).
All candidate locations are distinct and contain neither the rat's lair nor Maki's bed. The positions of the rat's lair and Maki's bed are also distinct.
The input is terminated by a line with "0". This is not part of any dataset and thus should not be processed.
Output
For each dataset, print a single line that contains the minimum number of walls the rat needs to climb over.
Example
Input
3
0 0 100 100
60 100 50
100 100 10
80 80 50
4
0 0 100 100
50 50 50
150 50 50
50 150 50
150 150 50
0
Output
2
0 | instruction | 0 | 37,707 | 8 | 75,414 |
"Correct Solution:
```
from collections import deque
import sys
readline = sys.stdin.readline
write = sys.stdout.write
def solve():
N = int(readline())
if N == 0:
return False
sx, sy, tx, ty = map(int, readline().split())
C = []
G = [[] for i in range(N+2)]
L = 0
for i in range(N):
xi, yi, ri = map(int, readline().split())
sc = ((sx - xi)**2 + (sy - yi)**2 <= ri**2)
tc = ((tx - xi)**2 + (ty - yi)**2 <= ri**2)
if (sc and tc) or (not sc and not tc):
continue
for j in range(L):
xj, yj, rj = C[j]
dd = (xi - xj)**2 + (yi - yj)**2
rr = (ri - rj)**2
if dd < rr:
if ri < rj:
G[L].append(j)
elif ri > rj:
G[j].append(L)
if tc:
G[N].append(L)
if sc:
G[N+1].append(L)
C.append((xi, yi, ri))
L += 1
def calc(s):
que = deque([s])
used = [0]*(N+2)
deg = [0]*(N+2)
used[s] = 1
while que:
v = que.popleft()
for w in G[v]:
deg[w] += 1
if used[w]:
continue
used[w] = 1
que.append(w)
que = deque([s])
dist = [0]*(N+2)
while que:
v = que.popleft()
d = dist[v]+1
for w in G[v]:
deg[w] -= 1
dist[w] = max(dist[w], d)
if deg[w] == 0:
que.append(w)
return dist
d0 = calc(N); d1 = calc(N+1)
ans = max(max(d0), max(d1))
for i in range(L):
if d0[i] == 0:
continue
xi, yi, ri = C[i]
for j in range(L):
if d1[j] == 0:
continue
xj, yj, rj = C[j]
if (xi - xj)**2 + (yi - yj)**2 > (ri + rj)**2:
ans = max(ans, d0[i] + d1[j])
write("%d\n" % ans)
return True
while solve():
...
``` | output | 1 | 37,707 | 8 | 75,415 |
Provide a correct Python 3 solution for this coding contest problem.
Problem Statement
Mr. Takatsuki, who is planning to participate in the Aizu training camp, has a poor house and always tries to save as much paper as possible. She decided to play a ghost leg with other participants to decide the team for the Aizu training camp.
How to make Amidakuji for this training camp is as follows. First, write N vertical bars in parallel on the paper. Then, write the M horizontal bars in order from the top so that they are perpendicular to the vertical bars and the heights of the horizontal bars are all different. For example, the Amida of Sample Input 1 is as shown in Fig. 1.
Here, Mr. Takatsuki, a little dissatisfied expression. It's a waste of paper to write a ghost leg so vertically. You should be able to compress the height more. So, I want her to solve the problem of height compression of Amidakuji shown below.
First, the height of the Amidakuji is the value obtained by counting the horizontal bars that exist at the same height together as the height 1 and counting this to the bottom horizontal bar. Here, it is assumed that each horizontal bar can be freely moved up and down in order to perform height compression. However, it is not permissible to remove or add horizontal bars. The Amidakuji after height compression must meet the following conditions.
* The end points of the horizontal bar do not touch the end points of other horizontal bars.
* The result of tracing the Amidakuji after compression and the result of tracing the Amidakuji before compression match.
FIG. 2 is a compressed version of FIG. The "horizontal bar connecting vertical bars 1 and 2" moves to the top and becomes the same height as the "horizontal bar connecting vertical bars 4 and 5", and these two are height 1. After that, the "horizontal bar connecting the vertical bars 3 and 4" and the "horizontal bar connecting the vertical bars 2 and 3" have different heights, and the total height is 3.
<image>
Compress the height of the given Amidakuji and output the compressed height.
Constraints
* 2 <= N <= 8
* 1 <= M <= 8
* 1 <= ai <= N --1
Input
Each data set is input in the following format.
N M
a1
a2
...
aM
All inputs are integers. N indicates the number of vertical bars and M indicates the number of horizontal bars. Then, the information of the horizontal bar is input over M lines. ai indicates that the i-th horizontal bar connects the vertical bar ai and the vertical bar to the right of it. The i-th horizontal bar exists above the i + 1-th horizontal bar.
Output
Outputs the height of the compressed Amidakuji in one line.
Examples
Input
5 4
4
3
1
2
Output
3
Input
4 3
1
2
3
Output
3 | instruction | 0 | 37,708 | 8 | 75,416 |
"Correct Solution:
```
from itertools import permutations
N,M=map(int,input().split())
k=[int(input())-1 for i in range(M)]
g=[i for i in range(N)]
for i in range(N):
for j in k:
if g[i]==j:
g[i]=j+1
elif g[i]==j+1:
g[i]=j
s=10
for K in permutations(k):
G=[i for i in range(N)]
for i in range(N):
for j in K:
if G[i]==j:
G[i]=j+1
elif G[i]==j+1:
G[i]=j
if G!=g:
continue
l=[0]*N
for i in range(M):
a=K[i]
b=max(l[a],l[a+1])
l[a]=b+1
l[a+1]=b+1
s=min(s,max(l))
print(s)
``` | output | 1 | 37,708 | 8 | 75,417 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Vova has won n trophies in different competitions. Each trophy is either golden or silver. The trophies are arranged in a row.
The beauty of the arrangement is the length of the longest subsegment consisting of golden trophies. Vova wants to swap two trophies (not necessarily adjacent ones) to make the arrangement as beautiful as possible β that means, to maximize the length of the longest such subsegment.
Help Vova! Tell him the maximum possible beauty of the arrangement if he is allowed to do at most one swap.
Input
The first line contains one integer n (2 β€ n β€ 10^5) β the number of trophies.
The second line contains n characters, each of them is either G or S. If the i-th character is G, then the i-th trophy is a golden one, otherwise it's a silver trophy.
Output
Print the maximum possible length of a subsegment of golden trophies, if Vova is allowed to do at most one swap.
Examples
Input
10
GGGSGGGSGG
Output
7
Input
4
GGGG
Output
4
Input
3
SSS
Output
0
Note
In the first example Vova has to swap trophies with indices 4 and 10. Thus he will obtain the sequence "GGGGGGGSGS", the length of the longest subsegment of golden trophies is 7.
In the second example Vova can make no swaps at all. The length of the longest subsegment of golden trophies in the sequence is 4.
In the third example Vova cannot do anything to make the length of the longest subsegment of golden trophies in the sequence greater than 0.
Submitted Solution:
```
n = int(input())
a = list(input())
ans = 0
c = 0
for i in range(n):
if(a[i] == 'G'):
c += 1
for i in range(n):
if(a[i] == 'S'):
l, r = 0, 0
if(i > 0 and a[i - 1] == 'G'):
for j in range(i - 1, -1, -1):
if(a[j] == 'G'):
r += 1
else:
break
if(i < (n - 1) and a[i + 1] == 'G'):
for j in range(i + 1, n):
if(a[j] == 'G'):
l += 1
else:
break
if(l + r < c):
ans = max(ans, l + r + 1)
else:
ans = max(ans, l + r)
if(c == n):
print(n)
else:
print(ans)
``` | instruction | 0 | 37,776 | 8 | 75,552 |
Yes | output | 1 | 37,776 | 8 | 75,553 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Vova has won n trophies in different competitions. Each trophy is either golden or silver. The trophies are arranged in a row.
The beauty of the arrangement is the length of the longest subsegment consisting of golden trophies. Vova wants to swap two trophies (not necessarily adjacent ones) to make the arrangement as beautiful as possible β that means, to maximize the length of the longest such subsegment.
Help Vova! Tell him the maximum possible beauty of the arrangement if he is allowed to do at most one swap.
Input
The first line contains one integer n (2 β€ n β€ 10^5) β the number of trophies.
The second line contains n characters, each of them is either G or S. If the i-th character is G, then the i-th trophy is a golden one, otherwise it's a silver trophy.
Output
Print the maximum possible length of a subsegment of golden trophies, if Vova is allowed to do at most one swap.
Examples
Input
10
GGGSGGGSGG
Output
7
Input
4
GGGG
Output
4
Input
3
SSS
Output
0
Note
In the first example Vova has to swap trophies with indices 4 and 10. Thus he will obtain the sequence "GGGGGGGSGS", the length of the longest subsegment of golden trophies is 7.
In the second example Vova can make no swaps at all. The length of the longest subsegment of golden trophies in the sequence is 4.
In the third example Vova cannot do anything to make the length of the longest subsegment of golden trophies in the sequence greater than 0.
Submitted Solution:
```
from sys import stdin
def input():
return stdin.readline()
n=int(input())
string=input()
take=[]
j=0
counter=0
count_g=0
for i in range(n):
if string[i]=="G":
count_g+=1
if counter==0:
counter=1
j=i
elif counter==1:
continue
else:
if counter==1:
counter=0
take.append([j,i-1])
if counter==1:
take.append([j,n-1])
#print(take)
if count_g==0:
ans=0
else:
ans=take[0][1]-take[0][0]+1
for i in range(len(take)-1):
upper=take[i+1][1]
lower=take[i][0]
if (take[i+1][0]-take[i][1])-1==1:
if count_g-(upper-lower)>0:
ans=max(ans,(upper-lower)+1)
else:
ans=max(ans,(upper-lower))
else:
ans = max(ans, take[i][1] - take[i][0] + 2)
ans = max(ans, take[i + 1][1] - take[i + 1][0] + 2)
print(ans)
``` | instruction | 0 | 37,778 | 8 | 75,556 |
Yes | output | 1 | 37,778 | 8 | 75,557 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Vova has won n trophies in different competitions. Each trophy is either golden or silver. The trophies are arranged in a row.
The beauty of the arrangement is the length of the longest subsegment consisting of golden trophies. Vova wants to swap two trophies (not necessarily adjacent ones) to make the arrangement as beautiful as possible β that means, to maximize the length of the longest such subsegment.
Help Vova! Tell him the maximum possible beauty of the arrangement if he is allowed to do at most one swap.
Input
The first line contains one integer n (2 β€ n β€ 10^5) β the number of trophies.
The second line contains n characters, each of them is either G or S. If the i-th character is G, then the i-th trophy is a golden one, otherwise it's a silver trophy.
Output
Print the maximum possible length of a subsegment of golden trophies, if Vova is allowed to do at most one swap.
Examples
Input
10
GGGSGGGSGG
Output
7
Input
4
GGGG
Output
4
Input
3
SSS
Output
0
Note
In the first example Vova has to swap trophies with indices 4 and 10. Thus he will obtain the sequence "GGGGGGGSGS", the length of the longest subsegment of golden trophies is 7.
In the second example Vova can make no swaps at all. The length of the longest subsegment of golden trophies in the sequence is 4.
In the third example Vova cannot do anything to make the length of the longest subsegment of golden trophies in the sequence greater than 0.
Submitted Solution:
```
n=int(input())
s=input()
l=[]
i=0
lo=0
cog=0
cos=0
while(i<n):
#print(i)
if(s[i]=='G'):
cog+=1
while(i<n and s[i]!='S'):
lo+=1
i+=1
l.append(('G',lo))
lo=0
if(i<n and s[i]=='S'):
cos+=1
while(i<n and s[i]!='G'):
lo+=1
i+=1
l.append(('S',lo))
lo=0
#print(l)
mx=-1
mxg=int()
a=len(l)
if(l[0][0]=='G' and len(l)>4):
cos=2
elif(l[0][0]=='S' and len(l)>5):
cos=2
else:
cos=1
for i in range(a):
if(i+2<a and l[i][0]=='G' and l[i+1][0]=='S' and l[i+1][1]==1 and l[i+2][0]=='G'):
if(cos>1):
if(l[i][1]+1+l[i+2][1])>mx:
mx=l[i][1]+1+l[i+2][1]
else:
if(l[i][1]+l[i+2][1])>mx:
mx=l[i][1]+l[i+2][1]
if(l[i][0]=='G'):
#print(l[i][1], mxg)
if(l[i][1] > mxg):
mxg=l[i][1]
print(max(mxg,mx))
``` | instruction | 0 | 37,781 | 8 | 75,562 |
No | output | 1 | 37,781 | 8 | 75,563 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
What walks on four feet in the morning, two in the afternoon, and three at night?
This is an interactive problem. This problem doesn't support hacks.
Sphinx's duty is to guard the city of Thebes by making sure that no unworthy traveler crosses its gates. Only the ones who answer her riddle timely and correctly (or get an acc for short) are allowed to pass. As of those who fail, no one heard of them ever again...
So you don't have a choice but to solve the riddle. Sphinx has an array a_1, a_2, β¦, a_n of nonnegative integers strictly smaller than 2^b and asked you to find the maximum value among its elements. Of course, she will not show you the array, but she will give you n and b. As it is impossible to answer this riddle blindly, you can ask her some questions. For given i, y, she'll answer you whether a_i is bigger than y. As sphinxes are not very patient, you can ask at most 3 β
(n + b) such questions.
Although cunning, sphinxes are honest. Even though the array can change between your queries, answers to the previously asked questions will remain valid.
Input
The first line contains two integers n and b (1 β€ n, b β€ 200). The remaining parts of the input will be given throughout the interaction process.
Interaction
In each round your program must output a single line with an integer i (0 β€ i β€ n) and a binary string of length exactly b denoting the binary representation of y (most significant bit first).
If i > 0, this line encodes the question: Is a_i bigger than y?. There should be at most 3 β
(n+b) such lines; after each of them, the interactor will print yes or no in a single line.
If i = 0, this is the last round of interaction, after which your program should terminate, and y should be the maximal value among the elements of Sphinx's array. Note that this round does not count to the query limit.
Note that the interactor is adaptive.
After printing a query, do not forget to output the end of the line and flush the output. Otherwise, you will get Idleness limit exceeded. To do this, use:
* fflush(stdout) or cout.flush() in C++;
* System.out.flush() in Java;
* flush(output) in Pascal;
* stdout.flush() in Python;
* see the documentation for other languages.
If your solution does not correctly follow the interaction guideline above, it may receive an arbitrary verdict. Otherwise, your program will receive the Wrong Answer judgment if it reports the wrong maximum.
Examples
Input
5 3
yes
no
no
no
no
yes
Output
5 101
5 110
4 100
3 101
2 001
1 000
0 110
Input
4 3
no
no
no
no
Output
1 000
2 000
3 000
4 000
0 000
Input
1 1
Output
0 0
Note
In all examples, the sequence is fixed beforehand.
In the first example, the sequence is 2, 1, 4, 0, 6.
In the second example, the sequence is 0, 0, 0, 0.
In the third example, the sequence is 0.
Note that if the interactor was adaptive, then the interaction in the first and the third example would not be sufficient to return the correct value of maximum.
Submitted Solution:
```
import random
import sys
def check(i, value):
print(i, bin(value)[2:])
sys.stdout.flush()
return input()
n, b = [int(x) for x in input().split()]
l, r = 0, 2**b
indexes = [i + 1 for i in range(n)]
while len(indexes) > 1 and l + 1 < r:
m = l + (r - l) // 2
res = []
for x in indexes:
if check(x, m) == 'yes':
res += [x]
if res:
l = m
indexes = res
else:
r = m
print(l, r, indexes[0])
i = indexes[0]
while l + 1 < r:
m = l + (r - l) // 2
if check(i, m) == 'yes':
l = m
else:
r = m
print(0, bin(l)[2:])
``` | instruction | 0 | 37,925 | 8 | 75,850 |
No | output | 1 | 37,925 | 8 | 75,851 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
What walks on four feet in the morning, two in the afternoon, and three at night?
This is an interactive problem. This problem doesn't support hacks.
Sphinx's duty is to guard the city of Thebes by making sure that no unworthy traveler crosses its gates. Only the ones who answer her riddle timely and correctly (or get an acc for short) are allowed to pass. As of those who fail, no one heard of them ever again...
So you don't have a choice but to solve the riddle. Sphinx has an array a_1, a_2, β¦, a_n of nonnegative integers strictly smaller than 2^b and asked you to find the maximum value among its elements. Of course, she will not show you the array, but she will give you n and b. As it is impossible to answer this riddle blindly, you can ask her some questions. For given i, y, she'll answer you whether a_i is bigger than y. As sphinxes are not very patient, you can ask at most 3 β
(n + b) such questions.
Although cunning, sphinxes are honest. Even though the array can change between your queries, answers to the previously asked questions will remain valid.
Input
The first line contains two integers n and b (1 β€ n, b β€ 200). The remaining parts of the input will be given throughout the interaction process.
Interaction
In each round your program must output a single line with an integer i (0 β€ i β€ n) and a binary string of length exactly b denoting the binary representation of y (most significant bit first).
If i > 0, this line encodes the question: Is a_i bigger than y?. There should be at most 3 β
(n+b) such lines; after each of them, the interactor will print yes or no in a single line.
If i = 0, this is the last round of interaction, after which your program should terminate, and y should be the maximal value among the elements of Sphinx's array. Note that this round does not count to the query limit.
Note that the interactor is adaptive.
After printing a query, do not forget to output the end of the line and flush the output. Otherwise, you will get Idleness limit exceeded. To do this, use:
* fflush(stdout) or cout.flush() in C++;
* System.out.flush() in Java;
* flush(output) in Pascal;
* stdout.flush() in Python;
* see the documentation for other languages.
If your solution does not correctly follow the interaction guideline above, it may receive an arbitrary verdict. Otherwise, your program will receive the Wrong Answer judgment if it reports the wrong maximum.
Examples
Input
5 3
yes
no
no
no
no
yes
Output
5 101
5 110
4 100
3 101
2 001
1 000
0 110
Input
4 3
no
no
no
no
Output
1 000
2 000
3 000
4 000
0 000
Input
1 1
Output
0 0
Note
In all examples, the sequence is fixed beforehand.
In the first example, the sequence is 2, 1, 4, 0, 6.
In the second example, the sequence is 0, 0, 0, 0.
In the third example, the sequence is 0.
Note that if the interactor was adaptive, then the interaction in the first and the third example would not be sufficient to return the correct value of maximum.
Submitted Solution:
```
import sys
def main():
n,B = [int(x) for x in input().split(' ')]
queries = [0]
def ask(x, A):
queries[0] += 1
s = ""
for i in range(B-1, -1, -1):
s += str(1 & (A >> i))
sys.stdout.write(f"{x+1} {s}\n")
sys.stdout.flush()
if x == -1:
return
s = input()
if s == "yes":
return True
elif s == "no":
return False
else:
assert False
s = -1
i = 0
e = [0] * n
ok = 0
while queries[0] < 3 * (n + B) and ok < n:
e[i] = 2 ** B - 1
if s + 1 < e[i]:
ok = 0
m = s + (e[i] - s) // (n+1) + 1
while m == s:
m += 1
while m == e[i]:
m -= 1
if ask(i, m):
s = m
else:
e[i] = m
else:
ok += 1
i = (i + 1) % n
ask(-1, s+1);
sys.stderr.write(f"{queries}\n")
main()
``` | instruction | 0 | 37,926 | 8 | 75,852 |
No | output | 1 | 37,926 | 8 | 75,853 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
What walks on four feet in the morning, two in the afternoon, and three at night?
This is an interactive problem. This problem doesn't support hacks.
Sphinx's duty is to guard the city of Thebes by making sure that no unworthy traveler crosses its gates. Only the ones who answer her riddle timely and correctly (or get an acc for short) are allowed to pass. As of those who fail, no one heard of them ever again...
So you don't have a choice but to solve the riddle. Sphinx has an array a_1, a_2, β¦, a_n of nonnegative integers strictly smaller than 2^b and asked you to find the maximum value among its elements. Of course, she will not show you the array, but she will give you n and b. As it is impossible to answer this riddle blindly, you can ask her some questions. For given i, y, she'll answer you whether a_i is bigger than y. As sphinxes are not very patient, you can ask at most 3 β
(n + b) such questions.
Although cunning, sphinxes are honest. Even though the array can change between your queries, answers to the previously asked questions will remain valid.
Input
The first line contains two integers n and b (1 β€ n, b β€ 200). The remaining parts of the input will be given throughout the interaction process.
Interaction
In each round your program must output a single line with an integer i (0 β€ i β€ n) and a binary string of length exactly b denoting the binary representation of y (most significant bit first).
If i > 0, this line encodes the question: Is a_i bigger than y?. There should be at most 3 β
(n+b) such lines; after each of them, the interactor will print yes or no in a single line.
If i = 0, this is the last round of interaction, after which your program should terminate, and y should be the maximal value among the elements of Sphinx's array. Note that this round does not count to the query limit.
Note that the interactor is adaptive.
After printing a query, do not forget to output the end of the line and flush the output. Otherwise, you will get Idleness limit exceeded. To do this, use:
* fflush(stdout) or cout.flush() in C++;
* System.out.flush() in Java;
* flush(output) in Pascal;
* stdout.flush() in Python;
* see the documentation for other languages.
If your solution does not correctly follow the interaction guideline above, it may receive an arbitrary verdict. Otherwise, your program will receive the Wrong Answer judgment if it reports the wrong maximum.
Examples
Input
5 3
yes
no
no
no
no
yes
Output
5 101
5 110
4 100
3 101
2 001
1 000
0 110
Input
4 3
no
no
no
no
Output
1 000
2 000
3 000
4 000
0 000
Input
1 1
Output
0 0
Note
In all examples, the sequence is fixed beforehand.
In the first example, the sequence is 2, 1, 4, 0, 6.
In the second example, the sequence is 0, 0, 0, 0.
In the third example, the sequence is 0.
Note that if the interactor was adaptive, then the interaction in the first and the third example would not be sufficient to return the correct value of maximum.
Submitted Solution:
```
from sys import stdout
n, b = map(int, input().split())
def tobin(v):
return format(v, '0' + str(b) + 'b')
B = (2 ** b) - 1
lower = 0
upper = [B] * n
T = 2 * (n + b)
TT = T
for _ in range(3 * (n + b)):
i = upper.index(max(upper))
if upper[i] == lower:
break
x = 0
if _ >= T:
x = lower
else:
left = upper[i] - lower + 1
x = lower + max(0, int(left ** ((TT - _) / TT) - left ** ((TT - 1 - _) / TT)) - 1)
print(i + 1, tobin(x))
stdout.flush()
r = input()
if r[0] == 'y':
lower = x + 1
else:
upper[i] = x
TT -= 1
print(0, tobin(lower))
``` | instruction | 0 | 37,927 | 8 | 75,854 |
No | output | 1 | 37,927 | 8 | 75,855 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
What walks on four feet in the morning, two in the afternoon, and three at night?
This is an interactive problem. This problem doesn't support hacks.
Sphinx's duty is to guard the city of Thebes by making sure that no unworthy traveler crosses its gates. Only the ones who answer her riddle timely and correctly (or get an acc for short) are allowed to pass. As of those who fail, no one heard of them ever again...
So you don't have a choice but to solve the riddle. Sphinx has an array a_1, a_2, β¦, a_n of nonnegative integers strictly smaller than 2^b and asked you to find the maximum value among its elements. Of course, she will not show you the array, but she will give you n and b. As it is impossible to answer this riddle blindly, you can ask her some questions. For given i, y, she'll answer you whether a_i is bigger than y. As sphinxes are not very patient, you can ask at most 3 β
(n + b) such questions.
Although cunning, sphinxes are honest. Even though the array can change between your queries, answers to the previously asked questions will remain valid.
Input
The first line contains two integers n and b (1 β€ n, b β€ 200). The remaining parts of the input will be given throughout the interaction process.
Interaction
In each round your program must output a single line with an integer i (0 β€ i β€ n) and a binary string of length exactly b denoting the binary representation of y (most significant bit first).
If i > 0, this line encodes the question: Is a_i bigger than y?. There should be at most 3 β
(n+b) such lines; after each of them, the interactor will print yes or no in a single line.
If i = 0, this is the last round of interaction, after which your program should terminate, and y should be the maximal value among the elements of Sphinx's array. Note that this round does not count to the query limit.
Note that the interactor is adaptive.
After printing a query, do not forget to output the end of the line and flush the output. Otherwise, you will get Idleness limit exceeded. To do this, use:
* fflush(stdout) or cout.flush() in C++;
* System.out.flush() in Java;
* flush(output) in Pascal;
* stdout.flush() in Python;
* see the documentation for other languages.
If your solution does not correctly follow the interaction guideline above, it may receive an arbitrary verdict. Otherwise, your program will receive the Wrong Answer judgment if it reports the wrong maximum.
Examples
Input
5 3
yes
no
no
no
no
yes
Output
5 101
5 110
4 100
3 101
2 001
1 000
0 110
Input
4 3
no
no
no
no
Output
1 000
2 000
3 000
4 000
0 000
Input
1 1
Output
0 0
Note
In all examples, the sequence is fixed beforehand.
In the first example, the sequence is 2, 1, 4, 0, 6.
In the second example, the sequence is 0, 0, 0, 0.
In the third example, the sequence is 0.
Note that if the interactor was adaptive, then the interaction in the first and the third example would not be sufficient to return the correct value of maximum.
Submitted Solution:
```
n, b = map(int, input().split())
mask = pow(2, b) - 1
lo = [0] * n
hi = [mask] * n
def fmt(num):
return bin(num)[2:].rjust(b, '0')
def query(pos, val):
print(pos + 1, fmt(val))
return input() == 'yes'
curr = mask // 2
pos = 0
chi = 0
while True:
if hi[pos] <= chi:
pos = (pos + 1) % n
continue
if curr < lo[pos]:
curr = (lo[pos] + mask) // 2
if curr >= hi[pos]:
curr = (hi[pos] + lo[pos]) // 2
result = query(pos, curr)
if result:
chi = max(chi, curr + 1)
lo[pos] = curr + 1
curr = (curr + mask) // 2
else:
hi[pos] = curr
curr >>= 1
if chi >= max(hi):
print(0, chi)
exit(0)
pos = (pos + 1) % n
``` | instruction | 0 | 37,928 | 8 | 75,856 |
No | output | 1 | 37,928 | 8 | 75,857 |
Provide tags and a correct Python 3 solution for this coding contest problem.
There is a trampoline park with n trampolines in a line. The i-th of which has strength S_i.
Pekora can jump on trampolines in multiple passes. She starts the pass by jumping on any trampoline of her choice.
If at the moment Pekora jumps on trampoline i, the trampoline will launch her to position i + S_i, and S_i will become equal to max(S_i-1,1). In other words, S_i will decrease by 1, except of the case S_i=1, when S_i will remain equal to 1.
If there is no trampoline in position i + S_i, then this pass is over. Otherwise, Pekora will continue the pass by jumping from the trampoline at position i + S_i by the same rule as above.
Pekora can't stop jumping during the pass until she lands at the position larger than n (in which there is no trampoline). Poor Pekora!
Pekora is a naughty rabbit and wants to ruin the trampoline park by reducing all S_i to 1. What is the minimum number of passes she needs to reduce all S_i to 1?
Input
The first line contains a single integer t (1 β€ t β€ 500) β the number of test cases.
The first line of each test case contains a single integer n (1 β€ n β€ 5000) β the number of trampolines.
The second line of each test case contains n integers S_1, S_2, ..., S_n (1 β€ S_i β€ 10^9), where S_i is the strength of the i-th trampoline.
It's guaranteed that the sum of n over all test cases doesn't exceed 5000.
Output
For each test case, output a single integer β the minimum number of passes Pekora needs to do to reduce all S_i to 1.
Example
Input
3
7
1 4 2 2 2 2 2
2
2 3
5
1 1 1 1 1
Output
4
3
0
Note
For the first test case, here is an optimal series of passes Pekora can take. (The bolded numbers are the positions that Pekora jumps into during these passes.)
* [1,4,2,2,2,2,2]
* [1,4,1,2,1,2,1]
* [1,3,1,2,1,1,1]
* [1,2,1,2,1,1,1]
For the second test case, the optimal series of passes is show below.
* [2,3]
* [1,3]
* [1,2]
For the third test case, all S_i are already equal to 1. | instruction | 0 | 37,929 | 8 | 75,858 |
Tags: brute force, data structures, dp, greedy, implementation
Correct Solution:
```
import sys
input = sys.stdin.readline
for nt in range(int(input())):
n = int(input())
a = list(map(int,input().split()))
ans = 0
c = [0]*n
for i in range(n):
if a[i]>c[i]+1:
ans += (a[i]-c[i]-1)
c[i] += (a[i]-c[i]-1)
if i!=n-1:
c[i+1] += c[i]-a[i]+1
for j in range(min(i+a[i], n-1), i+1, -1):
c[j] += 1
# print (c)
print (ans)
``` | output | 1 | 37,929 | 8 | 75,859 |
Provide tags and a correct Python 3 solution for this coding contest problem.
There is a trampoline park with n trampolines in a line. The i-th of which has strength S_i.
Pekora can jump on trampolines in multiple passes. She starts the pass by jumping on any trampoline of her choice.
If at the moment Pekora jumps on trampoline i, the trampoline will launch her to position i + S_i, and S_i will become equal to max(S_i-1,1). In other words, S_i will decrease by 1, except of the case S_i=1, when S_i will remain equal to 1.
If there is no trampoline in position i + S_i, then this pass is over. Otherwise, Pekora will continue the pass by jumping from the trampoline at position i + S_i by the same rule as above.
Pekora can't stop jumping during the pass until she lands at the position larger than n (in which there is no trampoline). Poor Pekora!
Pekora is a naughty rabbit and wants to ruin the trampoline park by reducing all S_i to 1. What is the minimum number of passes she needs to reduce all S_i to 1?
Input
The first line contains a single integer t (1 β€ t β€ 500) β the number of test cases.
The first line of each test case contains a single integer n (1 β€ n β€ 5000) β the number of trampolines.
The second line of each test case contains n integers S_1, S_2, ..., S_n (1 β€ S_i β€ 10^9), where S_i is the strength of the i-th trampoline.
It's guaranteed that the sum of n over all test cases doesn't exceed 5000.
Output
For each test case, output a single integer β the minimum number of passes Pekora needs to do to reduce all S_i to 1.
Example
Input
3
7
1 4 2 2 2 2 2
2
2 3
5
1 1 1 1 1
Output
4
3
0
Note
For the first test case, here is an optimal series of passes Pekora can take. (The bolded numbers are the positions that Pekora jumps into during these passes.)
* [1,4,2,2,2,2,2]
* [1,4,1,2,1,2,1]
* [1,3,1,2,1,1,1]
* [1,2,1,2,1,1,1]
For the second test case, the optimal series of passes is show below.
* [2,3]
* [1,3]
* [1,2]
For the third test case, all S_i are already equal to 1. | instruction | 0 | 37,930 | 8 | 75,860 |
Tags: brute force, data structures, dp, greedy, implementation
Correct Solution:
```
from math import *
from collections import *
def solve(n,l):
cnt=[0 for i in range(n+5)]
ans=0
for x in range(n):
temp=cnt[x]
if(temp<l[x]-1):
ans+=l[x]-1-temp
temp+=l[x]-1-temp
cnt[x+1]+=temp-l[x]+1
for y in range(x+2,min(n,x+l[x]+1)):
cnt[y]+=1
return ans
for _ in range(int(input())):
n=int(input())
#s=input()
#a,b=map(int,input().split())
l=list(map(int,input().split()))
print(solve(n,l))
``` | output | 1 | 37,930 | 8 | 75,861 |
Provide tags and a correct Python 3 solution for this coding contest problem.
There is a trampoline park with n trampolines in a line. The i-th of which has strength S_i.
Pekora can jump on trampolines in multiple passes. She starts the pass by jumping on any trampoline of her choice.
If at the moment Pekora jumps on trampoline i, the trampoline will launch her to position i + S_i, and S_i will become equal to max(S_i-1,1). In other words, S_i will decrease by 1, except of the case S_i=1, when S_i will remain equal to 1.
If there is no trampoline in position i + S_i, then this pass is over. Otherwise, Pekora will continue the pass by jumping from the trampoline at position i + S_i by the same rule as above.
Pekora can't stop jumping during the pass until she lands at the position larger than n (in which there is no trampoline). Poor Pekora!
Pekora is a naughty rabbit and wants to ruin the trampoline park by reducing all S_i to 1. What is the minimum number of passes she needs to reduce all S_i to 1?
Input
The first line contains a single integer t (1 β€ t β€ 500) β the number of test cases.
The first line of each test case contains a single integer n (1 β€ n β€ 5000) β the number of trampolines.
The second line of each test case contains n integers S_1, S_2, ..., S_n (1 β€ S_i β€ 10^9), where S_i is the strength of the i-th trampoline.
It's guaranteed that the sum of n over all test cases doesn't exceed 5000.
Output
For each test case, output a single integer β the minimum number of passes Pekora needs to do to reduce all S_i to 1.
Example
Input
3
7
1 4 2 2 2 2 2
2
2 3
5
1 1 1 1 1
Output
4
3
0
Note
For the first test case, here is an optimal series of passes Pekora can take. (The bolded numbers are the positions that Pekora jumps into during these passes.)
* [1,4,2,2,2,2,2]
* [1,4,1,2,1,2,1]
* [1,3,1,2,1,1,1]
* [1,2,1,2,1,1,1]
For the second test case, the optimal series of passes is show below.
* [2,3]
* [1,3]
* [1,2]
For the third test case, all S_i are already equal to 1. | instruction | 0 | 37,931 | 8 | 75,862 |
Tags: brute force, data structures, dp, greedy, implementation
Correct Solution:
```
t = int(input())
for _ in range(t):
n = int(input())
s = list(map(int, input().split()))
d = 0
debt = 0
k = 0
kmap = dict()
for i in range(n):
k -= kmap.get(i, 0)
d += max((s[i]) - (debt + k), 0)
debt = max((debt + k) - (s[i]), 0)
k += 1
kmap[i + s[i] + 1] = kmap.get(i + s[i] + 1, 0) + 1
print(d - 1)
``` | output | 1 | 37,931 | 8 | 75,863 |
Provide tags and a correct Python 3 solution for this coding contest problem.
There is a trampoline park with n trampolines in a line. The i-th of which has strength S_i.
Pekora can jump on trampolines in multiple passes. She starts the pass by jumping on any trampoline of her choice.
If at the moment Pekora jumps on trampoline i, the trampoline will launch her to position i + S_i, and S_i will become equal to max(S_i-1,1). In other words, S_i will decrease by 1, except of the case S_i=1, when S_i will remain equal to 1.
If there is no trampoline in position i + S_i, then this pass is over. Otherwise, Pekora will continue the pass by jumping from the trampoline at position i + S_i by the same rule as above.
Pekora can't stop jumping during the pass until she lands at the position larger than n (in which there is no trampoline). Poor Pekora!
Pekora is a naughty rabbit and wants to ruin the trampoline park by reducing all S_i to 1. What is the minimum number of passes she needs to reduce all S_i to 1?
Input
The first line contains a single integer t (1 β€ t β€ 500) β the number of test cases.
The first line of each test case contains a single integer n (1 β€ n β€ 5000) β the number of trampolines.
The second line of each test case contains n integers S_1, S_2, ..., S_n (1 β€ S_i β€ 10^9), where S_i is the strength of the i-th trampoline.
It's guaranteed that the sum of n over all test cases doesn't exceed 5000.
Output
For each test case, output a single integer β the minimum number of passes Pekora needs to do to reduce all S_i to 1.
Example
Input
3
7
1 4 2 2 2 2 2
2
2 3
5
1 1 1 1 1
Output
4
3
0
Note
For the first test case, here is an optimal series of passes Pekora can take. (The bolded numbers are the positions that Pekora jumps into during these passes.)
* [1,4,2,2,2,2,2]
* [1,4,1,2,1,2,1]
* [1,3,1,2,1,1,1]
* [1,2,1,2,1,1,1]
For the second test case, the optimal series of passes is show below.
* [2,3]
* [1,3]
* [1,2]
For the third test case, all S_i are already equal to 1. | instruction | 0 | 37,932 | 8 | 75,864 |
Tags: brute force, data structures, dp, greedy, implementation
Correct Solution:
```
t = int(input())
for _ in range(t):
n = int(input())
a = list(map(int, input().split()))
ans = 0
g = [0] * (n + 5)
las = 0
for i in range(n):
tmp = g[i] + las
las = tmp
if tmp > a[i] - 1:
g[i + 1] += (tmp - a[i] + 1)
g[i + 2] -= (tmp - a[i] + 1)
else:
ans += a[i] - 1 - tmp
if i + 2 <= min(n - 1, i + a[i]):
g[i + 2] += 1
g[min(n - 1, i + a[i]) + 1] -= 1
print(ans)
``` | output | 1 | 37,932 | 8 | 75,865 |
Provide tags and a correct Python 3 solution for this coding contest problem.
There is a trampoline park with n trampolines in a line. The i-th of which has strength S_i.
Pekora can jump on trampolines in multiple passes. She starts the pass by jumping on any trampoline of her choice.
If at the moment Pekora jumps on trampoline i, the trampoline will launch her to position i + S_i, and S_i will become equal to max(S_i-1,1). In other words, S_i will decrease by 1, except of the case S_i=1, when S_i will remain equal to 1.
If there is no trampoline in position i + S_i, then this pass is over. Otherwise, Pekora will continue the pass by jumping from the trampoline at position i + S_i by the same rule as above.
Pekora can't stop jumping during the pass until she lands at the position larger than n (in which there is no trampoline). Poor Pekora!
Pekora is a naughty rabbit and wants to ruin the trampoline park by reducing all S_i to 1. What is the minimum number of passes she needs to reduce all S_i to 1?
Input
The first line contains a single integer t (1 β€ t β€ 500) β the number of test cases.
The first line of each test case contains a single integer n (1 β€ n β€ 5000) β the number of trampolines.
The second line of each test case contains n integers S_1, S_2, ..., S_n (1 β€ S_i β€ 10^9), where S_i is the strength of the i-th trampoline.
It's guaranteed that the sum of n over all test cases doesn't exceed 5000.
Output
For each test case, output a single integer β the minimum number of passes Pekora needs to do to reduce all S_i to 1.
Example
Input
3
7
1 4 2 2 2 2 2
2
2 3
5
1 1 1 1 1
Output
4
3
0
Note
For the first test case, here is an optimal series of passes Pekora can take. (The bolded numbers are the positions that Pekora jumps into during these passes.)
* [1,4,2,2,2,2,2]
* [1,4,1,2,1,2,1]
* [1,3,1,2,1,1,1]
* [1,2,1,2,1,1,1]
For the second test case, the optimal series of passes is show below.
* [2,3]
* [1,3]
* [1,2]
For the third test case, all S_i are already equal to 1. | instruction | 0 | 37,933 | 8 | 75,866 |
Tags: brute force, data structures, dp, greedy, implementation
Correct Solution:
```
import sys
import math
from collections import Counter,defaultdict
LI=lambda:list(map(int,input().split()))
MAP=lambda:map(int,input().split())
IN=lambda:int(input())
S=lambda:input()
def case():
n=IN()
a=LI()
b=[0]*n
ans=0
for i in range(n):
x=a[i]-1-b[i]
ans+=max(0,x)
if x<0 and i!=n-1:
b[i+1]-=x
for j in range(i+2,min(a[i]+i+1,n)):
b[j]+=1
print(ans)
for _ in range(IN()):
case()
``` | output | 1 | 37,933 | 8 | 75,867 |
Provide tags and a correct Python 3 solution for this coding contest problem.
There is a trampoline park with n trampolines in a line. The i-th of which has strength S_i.
Pekora can jump on trampolines in multiple passes. She starts the pass by jumping on any trampoline of her choice.
If at the moment Pekora jumps on trampoline i, the trampoline will launch her to position i + S_i, and S_i will become equal to max(S_i-1,1). In other words, S_i will decrease by 1, except of the case S_i=1, when S_i will remain equal to 1.
If there is no trampoline in position i + S_i, then this pass is over. Otherwise, Pekora will continue the pass by jumping from the trampoline at position i + S_i by the same rule as above.
Pekora can't stop jumping during the pass until she lands at the position larger than n (in which there is no trampoline). Poor Pekora!
Pekora is a naughty rabbit and wants to ruin the trampoline park by reducing all S_i to 1. What is the minimum number of passes she needs to reduce all S_i to 1?
Input
The first line contains a single integer t (1 β€ t β€ 500) β the number of test cases.
The first line of each test case contains a single integer n (1 β€ n β€ 5000) β the number of trampolines.
The second line of each test case contains n integers S_1, S_2, ..., S_n (1 β€ S_i β€ 10^9), where S_i is the strength of the i-th trampoline.
It's guaranteed that the sum of n over all test cases doesn't exceed 5000.
Output
For each test case, output a single integer β the minimum number of passes Pekora needs to do to reduce all S_i to 1.
Example
Input
3
7
1 4 2 2 2 2 2
2
2 3
5
1 1 1 1 1
Output
4
3
0
Note
For the first test case, here is an optimal series of passes Pekora can take. (The bolded numbers are the positions that Pekora jumps into during these passes.)
* [1,4,2,2,2,2,2]
* [1,4,1,2,1,2,1]
* [1,3,1,2,1,1,1]
* [1,2,1,2,1,1,1]
For the second test case, the optimal series of passes is show below.
* [2,3]
* [1,3]
* [1,2]
For the third test case, all S_i are already equal to 1. | instruction | 0 | 37,934 | 8 | 75,868 |
Tags: brute force, data structures, dp, greedy, implementation
Correct Solution:
```
def solve(N, nums):
ans = 0
for i in range(N):
temp = 0
for j in range(i):
temp += max(0, nums[j] - (i - j))
ans = max(ans, temp + nums[i] - 1)
return ans
T = int(input())
for _ in range(T):
N = int(input())
nums = list(map(int, input().split()))
ans = solve(N, nums)
print(ans)
``` | output | 1 | 37,934 | 8 | 75,869 |
Provide tags and a correct Python 3 solution for this coding contest problem.
There is a trampoline park with n trampolines in a line. The i-th of which has strength S_i.
Pekora can jump on trampolines in multiple passes. She starts the pass by jumping on any trampoline of her choice.
If at the moment Pekora jumps on trampoline i, the trampoline will launch her to position i + S_i, and S_i will become equal to max(S_i-1,1). In other words, S_i will decrease by 1, except of the case S_i=1, when S_i will remain equal to 1.
If there is no trampoline in position i + S_i, then this pass is over. Otherwise, Pekora will continue the pass by jumping from the trampoline at position i + S_i by the same rule as above.
Pekora can't stop jumping during the pass until she lands at the position larger than n (in which there is no trampoline). Poor Pekora!
Pekora is a naughty rabbit and wants to ruin the trampoline park by reducing all S_i to 1. What is the minimum number of passes she needs to reduce all S_i to 1?
Input
The first line contains a single integer t (1 β€ t β€ 500) β the number of test cases.
The first line of each test case contains a single integer n (1 β€ n β€ 5000) β the number of trampolines.
The second line of each test case contains n integers S_1, S_2, ..., S_n (1 β€ S_i β€ 10^9), where S_i is the strength of the i-th trampoline.
It's guaranteed that the sum of n over all test cases doesn't exceed 5000.
Output
For each test case, output a single integer β the minimum number of passes Pekora needs to do to reduce all S_i to 1.
Example
Input
3
7
1 4 2 2 2 2 2
2
2 3
5
1 1 1 1 1
Output
4
3
0
Note
For the first test case, here is an optimal series of passes Pekora can take. (The bolded numbers are the positions that Pekora jumps into during these passes.)
* [1,4,2,2,2,2,2]
* [1,4,1,2,1,2,1]
* [1,3,1,2,1,1,1]
* [1,2,1,2,1,1,1]
For the second test case, the optimal series of passes is show below.
* [2,3]
* [1,3]
* [1,2]
For the third test case, all S_i are already equal to 1. | instruction | 0 | 37,935 | 8 | 75,870 |
Tags: brute force, data structures, dp, greedy, implementation
Correct Solution:
```
t = int(input().strip())
for _ in range(t):
n = int(input().strip())
res = 0
jump = [0]*(n+1)
for i, s in enumerate(map(int, input().strip().split())):
if s != 1:
m = min(n+1, i+s+1)
res += s-m+i+1
for x in range(i+2, m):
jump[x] += 1
jump[i] = max(0, jump[i]+1-s)
jump[i+1] += jump[i]
print(res+jump[-1])
``` | output | 1 | 37,935 | 8 | 75,871 |
Provide tags and a correct Python 3 solution for this coding contest problem.
There is a trampoline park with n trampolines in a line. The i-th of which has strength S_i.
Pekora can jump on trampolines in multiple passes. She starts the pass by jumping on any trampoline of her choice.
If at the moment Pekora jumps on trampoline i, the trampoline will launch her to position i + S_i, and S_i will become equal to max(S_i-1,1). In other words, S_i will decrease by 1, except of the case S_i=1, when S_i will remain equal to 1.
If there is no trampoline in position i + S_i, then this pass is over. Otherwise, Pekora will continue the pass by jumping from the trampoline at position i + S_i by the same rule as above.
Pekora can't stop jumping during the pass until she lands at the position larger than n (in which there is no trampoline). Poor Pekora!
Pekora is a naughty rabbit and wants to ruin the trampoline park by reducing all S_i to 1. What is the minimum number of passes she needs to reduce all S_i to 1?
Input
The first line contains a single integer t (1 β€ t β€ 500) β the number of test cases.
The first line of each test case contains a single integer n (1 β€ n β€ 5000) β the number of trampolines.
The second line of each test case contains n integers S_1, S_2, ..., S_n (1 β€ S_i β€ 10^9), where S_i is the strength of the i-th trampoline.
It's guaranteed that the sum of n over all test cases doesn't exceed 5000.
Output
For each test case, output a single integer β the minimum number of passes Pekora needs to do to reduce all S_i to 1.
Example
Input
3
7
1 4 2 2 2 2 2
2
2 3
5
1 1 1 1 1
Output
4
3
0
Note
For the first test case, here is an optimal series of passes Pekora can take. (The bolded numbers are the positions that Pekora jumps into during these passes.)
* [1,4,2,2,2,2,2]
* [1,4,1,2,1,2,1]
* [1,3,1,2,1,1,1]
* [1,2,1,2,1,1,1]
For the second test case, the optimal series of passes is show below.
* [2,3]
* [1,3]
* [1,2]
For the third test case, all S_i are already equal to 1. | instruction | 0 | 37,936 | 8 | 75,872 |
Tags: brute force, data structures, dp, greedy, implementation
Correct Solution:
```
for _ in range(int(input())):
n=int(input())
arr=list(map(int,input().split()))
curr=[0]*(n+5)
ans=0;
for i in range(n):
temp=curr[i]
if temp<arr[i]-1:
ans+=(arr[i]-1-temp)
temp=arr[i]-1
curr[i+1]+=temp-arr[i]+1
for j in range(i+2,min(n,i+arr[i]+1)):
curr[j]+=1
print(ans)
``` | output | 1 | 37,936 | 8 | 75,873 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
There is a trampoline park with n trampolines in a line. The i-th of which has strength S_i.
Pekora can jump on trampolines in multiple passes. She starts the pass by jumping on any trampoline of her choice.
If at the moment Pekora jumps on trampoline i, the trampoline will launch her to position i + S_i, and S_i will become equal to max(S_i-1,1). In other words, S_i will decrease by 1, except of the case S_i=1, when S_i will remain equal to 1.
If there is no trampoline in position i + S_i, then this pass is over. Otherwise, Pekora will continue the pass by jumping from the trampoline at position i + S_i by the same rule as above.
Pekora can't stop jumping during the pass until she lands at the position larger than n (in which there is no trampoline). Poor Pekora!
Pekora is a naughty rabbit and wants to ruin the trampoline park by reducing all S_i to 1. What is the minimum number of passes she needs to reduce all S_i to 1?
Input
The first line contains a single integer t (1 β€ t β€ 500) β the number of test cases.
The first line of each test case contains a single integer n (1 β€ n β€ 5000) β the number of trampolines.
The second line of each test case contains n integers S_1, S_2, ..., S_n (1 β€ S_i β€ 10^9), where S_i is the strength of the i-th trampoline.
It's guaranteed that the sum of n over all test cases doesn't exceed 5000.
Output
For each test case, output a single integer β the minimum number of passes Pekora needs to do to reduce all S_i to 1.
Example
Input
3
7
1 4 2 2 2 2 2
2
2 3
5
1 1 1 1 1
Output
4
3
0
Note
For the first test case, here is an optimal series of passes Pekora can take. (The bolded numbers are the positions that Pekora jumps into during these passes.)
* [1,4,2,2,2,2,2]
* [1,4,1,2,1,2,1]
* [1,3,1,2,1,1,1]
* [1,2,1,2,1,1,1]
For the second test case, the optimal series of passes is show below.
* [2,3]
* [1,3]
* [1,2]
For the third test case, all S_i are already equal to 1.
Submitted 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
mod = 10 ** 9 + 7
mod1 = 998244353
# ------------------------------warmup----------------------------
import os
import sys
from io import BytesIO, IOBase
BUFSIZE = 8192
class FastIO(IOBase):
newlines = 0
def __init__(self, file):
self._fd = file.fileno()
self.buffer = BytesIO()
self.writable = "x" in file.mode or "r" not in file.mode
self.write = self.buffer.write if self.writable else None
def read(self):
while True:
b = os.read(self._fd, max(os.fstat(self._fd).st_size, BUFSIZE))
if not b:
break
ptr = self.buffer.tell()
self.buffer.seek(0, 2), self.buffer.write(b), self.buffer.seek(ptr)
self.newlines = 0
return self.buffer.read()
def readline(self):
while self.newlines == 0:
b = os.read(self._fd, max(os.fstat(self._fd).st_size, BUFSIZE))
self.newlines = b.count(b"\n") + (not b)
ptr = self.buffer.tell()
self.buffer.seek(0, 2), self.buffer.write(b), self.buffer.seek(ptr)
self.newlines -= 1
return self.buffer.readline()
def flush(self):
if self.writable:
os.write(self._fd, self.buffer.getvalue())
self.buffer.truncate(0), self.buffer.seek(0)
class IOWrapper(IOBase):
def __init__(self, file):
self.buffer = FastIO(file)
self.flush = self.buffer.flush
self.writable = self.buffer.writable
self.write = lambda s: self.buffer.write(s.encode("ascii"))
self.read = lambda: self.buffer.read().decode("ascii")
self.readline = lambda: self.buffer.readline().decode("ascii")
sys.stdin, sys.stdout = IOWrapper(sys.stdin), IOWrapper(sys.stdout)
input = lambda: sys.stdin.readline().rstrip("\r\n")
# -------------------game starts now----------------------------------------------------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**51, 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)
# -------------------game starts now----------------------------------------------------import math
class SegmentTree:
def __init__(self, data, default=10**11, 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)
# -------------------------------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-----------------------------------
for ik in range(int(input())):
n=int(input())
l=list(map(int,input().split()))
ans=0
l1=[0]*(n+1)
for i in range(n):
if l1[i]>l[i]-1:
l1[i+1]+=l1[i]-(l[i]-1)
ans+=max(0,l[i]-l1[i]-1)
for j in range(i+2,min(n,i+l[i]+1)):
l1[j]+=1
print(ans)
``` | instruction | 0 | 37,937 | 8 | 75,874 |
Yes | output | 1 | 37,937 | 8 | 75,875 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
There is a trampoline park with n trampolines in a line. The i-th of which has strength S_i.
Pekora can jump on trampolines in multiple passes. She starts the pass by jumping on any trampoline of her choice.
If at the moment Pekora jumps on trampoline i, the trampoline will launch her to position i + S_i, and S_i will become equal to max(S_i-1,1). In other words, S_i will decrease by 1, except of the case S_i=1, when S_i will remain equal to 1.
If there is no trampoline in position i + S_i, then this pass is over. Otherwise, Pekora will continue the pass by jumping from the trampoline at position i + S_i by the same rule as above.
Pekora can't stop jumping during the pass until she lands at the position larger than n (in which there is no trampoline). Poor Pekora!
Pekora is a naughty rabbit and wants to ruin the trampoline park by reducing all S_i to 1. What is the minimum number of passes she needs to reduce all S_i to 1?
Input
The first line contains a single integer t (1 β€ t β€ 500) β the number of test cases.
The first line of each test case contains a single integer n (1 β€ n β€ 5000) β the number of trampolines.
The second line of each test case contains n integers S_1, S_2, ..., S_n (1 β€ S_i β€ 10^9), where S_i is the strength of the i-th trampoline.
It's guaranteed that the sum of n over all test cases doesn't exceed 5000.
Output
For each test case, output a single integer β the minimum number of passes Pekora needs to do to reduce all S_i to 1.
Example
Input
3
7
1 4 2 2 2 2 2
2
2 3
5
1 1 1 1 1
Output
4
3
0
Note
For the first test case, here is an optimal series of passes Pekora can take. (The bolded numbers are the positions that Pekora jumps into during these passes.)
* [1,4,2,2,2,2,2]
* [1,4,1,2,1,2,1]
* [1,3,1,2,1,1,1]
* [1,2,1,2,1,1,1]
For the second test case, the optimal series of passes is show below.
* [2,3]
* [1,3]
* [1,2]
For the third test case, all S_i are already equal to 1.
Submitted Solution:
```
import sys, math
import io, os
#data = io.BytesIO(os.read(0,os.fstat(0).st_size)).readline
#from bisect import bisect_left as bl, bisect_right as br, insort
#from heapq import heapify, heappush, heappop
from collections import defaultdict as dd, deque, Counter
#from itertools import permutations,combinations
def data(): return sys.stdin.buffer.readline().strip()
def mdata(): return list(map(int, data().split()))
def outl(var) : sys.stdout.write(' '.join(map(str, var))+'\n')
def out(var) : sys.stdout.write(str(var)+'\n')
#from decimal import Decimal
#from fractions import Fraction
#sys.setrecursionlimit(100000)
#INF = float('inf')
mod = int(1e9)+7
for t in range(int(data())):
n=int(data())
S=mdata()
ans=0
l=[0]*(n+1)
for i in range(n):
if S[i]-1>l[i]:
ans+=S[i]-l[i]-1
else:
l[i+1]+=l[i]-S[i]+1
for j in range(i+2,min(i+S[i]+1,n)):
l[j]+=1
out(ans)
``` | instruction | 0 | 37,938 | 8 | 75,876 |
Yes | output | 1 | 37,938 | 8 | 75,877 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
There is a trampoline park with n trampolines in a line. The i-th of which has strength S_i.
Pekora can jump on trampolines in multiple passes. She starts the pass by jumping on any trampoline of her choice.
If at the moment Pekora jumps on trampoline i, the trampoline will launch her to position i + S_i, and S_i will become equal to max(S_i-1,1). In other words, S_i will decrease by 1, except of the case S_i=1, when S_i will remain equal to 1.
If there is no trampoline in position i + S_i, then this pass is over. Otherwise, Pekora will continue the pass by jumping from the trampoline at position i + S_i by the same rule as above.
Pekora can't stop jumping during the pass until she lands at the position larger than n (in which there is no trampoline). Poor Pekora!
Pekora is a naughty rabbit and wants to ruin the trampoline park by reducing all S_i to 1. What is the minimum number of passes she needs to reduce all S_i to 1?
Input
The first line contains a single integer t (1 β€ t β€ 500) β the number of test cases.
The first line of each test case contains a single integer n (1 β€ n β€ 5000) β the number of trampolines.
The second line of each test case contains n integers S_1, S_2, ..., S_n (1 β€ S_i β€ 10^9), where S_i is the strength of the i-th trampoline.
It's guaranteed that the sum of n over all test cases doesn't exceed 5000.
Output
For each test case, output a single integer β the minimum number of passes Pekora needs to do to reduce all S_i to 1.
Example
Input
3
7
1 4 2 2 2 2 2
2
2 3
5
1 1 1 1 1
Output
4
3
0
Note
For the first test case, here is an optimal series of passes Pekora can take. (The bolded numbers are the positions that Pekora jumps into during these passes.)
* [1,4,2,2,2,2,2]
* [1,4,1,2,1,2,1]
* [1,3,1,2,1,1,1]
* [1,2,1,2,1,1,1]
For the second test case, the optimal series of passes is show below.
* [2,3]
* [1,3]
* [1,2]
For the third test case, all S_i are already equal to 1.
Submitted Solution:
```
import sys
read=sys.stdin.buffer.read;readline=sys.stdin.buffer.readline;input=lambda:sys.stdin.readline().rstrip()
import bisect,string,math,time,functools,random,fractions
from heapq import heappush,heappop,heapify
from collections import deque,defaultdict,Counter
from itertools import permutations,combinations,groupby
rep=range;R=range
def I():return int(input())
def LI():return [int(i) for i in input().split()]
def LI_():return [int(i)-1 for i in input().split()]
def AI():return map(int,open(0).read().split())
def S_():return input()
def IS():return input().split()
def LS():return [i for i in input().split()]
def NI(n):return [int(input()) for i in range(n)]
def NI_(n):return [int(input())-1 for i in range(n)]
def NLI(n):return [[int(i) for i in input().split()] for i in range(n)]
def NLI_(n):return [[int(i)-1 for i in input().split()] for i in range(n)]
def StoLI():return [ord(i)-97 for i in input()]
def ItoS(n):return chr(n+97)
def LtoS(ls):return ''.join([chr(i+97) for i in ls])
def RLI(n=8,a=1,b=10):return [random.randint(a,b)for i in range(n)]
def RI(a=1,b=10):return random.randint(a,b)
def INP():
N=100
n=random.randint(1,N)
a=RLI(n,1,100)
return [a]
def Rtest(T):
case,err=0,0
for i in range(T):
inp=INP()
a1=naive(*inp)
a2=solve(*inp)
if a1!=a2:
#print(inp[0],*inp[1])
print(*(inp))
print('naive',a1)
print('solve',a2)
err+=1
case+=1
print('Tested',case,'case with',err,'errors')
def GI(V,E,ls=None,Directed=False,index=1):
org_inp=[];g=[[] for i in range(V)]
FromStdin=True if ls==None else False
for i in range(E):
if FromStdin:
inp=LI()
org_inp.append(inp)
else:
inp=ls[i]
if len(inp)==2:a,b=inp;c=1
else:a,b,c=inp
if index==1:a-=1;b-=1
aa=(a,c);bb=(b,c);g[a].append(bb)
if not Directed:g[b].append(aa)
return g,org_inp
def GGI(h,w,search=None,replacement_of_found='.',mp_def={'#':1,'.':0},boundary=1):
#h,w,g,sg=GGI(h,w,search=['S','G'],replacement_of_found='.',mp_def={'#':1,'.':0},boundary=1) # sample usage
mp=[boundary]*(w+2);found={}
for i in R(h):
s=input()
for char in search:
if char in s:
found[char]=((i+1)*(w+2)+s.index(char)+1)
mp_def[char]=mp_def[replacement_of_found]
mp+=[boundary]+[mp_def[j] for j in s]+[boundary]
mp+=[boundary]*(w+2)
return h+2,w+2,mp,found
def TI(n):return GI(n,n-1)
def accum(ls):
rt=[0]
for i in ls:rt+=[rt[-1]+i]
return rt
def bit_combination(n,base=2):
rt=[]
for tb in R(base**n):s=[tb//(base**bt)%base for bt in R(n)];rt+=[s]
return rt
def gcd(x,y):
if y==0:return x
if x%y==0:return y
while x%y!=0:x,y=y,x%y
return y
def YN(x):print(['NO','YES'][x])
def Yn(x):print(['No','Yes'][x])
def show(*inp,end='\n'):
if show_flg:print(*inp,end=end)
mo=10**9+7
#mo=998244353
inf=float('inf')
FourNb=[(-1,0),(1,0),(0,1),(0,-1)];EightNb=[(-1,0),(1,0),(0,1),(0,-1),(1,1),(-1,-1),(1,-1),(-1,1)];compas=dict(zip('WENS',FourNb));cursol=dict(zip('LRUD',FourNb))
alp=[chr(ord('a')+i)for i in range(26)]
#sys.setrecursionlimit(10**7)
show_flg=False
show_flg=True
########################################################################################################################################################################
# Verified by
# https://yukicoder.me/problems/no/979
# https://atcoder.jp/contests/abc152/tasks/abc152_e
## return prime factors of N as dictionary {prime p:power of p}
## within 2 sec for N = 2*10**20+7
def primeFactor(N):
i,n=2,N
ret={}
d,sq=2,99
while i<=sq:
k=0
while n%i==0:
n,k,ret[i]=n//i,k+1,k+1
if k>0 or i==97:
sq=int(n**(1/2)+0.5)
if i<4:
i=i*2-1
else:
i,d=i+d,d^6
if n>1:
ret[n]=1
return ret
## return divisors of n as list
def divisor(n):
div=[1]
for i,j in primeFactor(n).items():
div=[(i**k)*d for d in div for k in range(j+1)]
return div
## return the list of prime numbers in [2,N], using eratosthenes sieve
## around 800 ms for N = 10**6 by PyPy3 (7.3.0) @ AtCoder
def PrimeNumSet(N):
M=int(N**0.5)
seachList=[i for i in range(2,N+1)]
primes=[]
while seachList:
if seachList[0]>M:
break
primes.append(seachList[0])
tmp=seachList[0]
seachList=[i for i in seachList if i%tmp!=0]
return primes+seachList
## retrun LCM of numbers in list b
## within 2sec for no of B = 10*5 and Bi < 10**6
def LCM(b,mo=10**9+7):
prs=PrimeNumSet(max(b))
M=dict(zip(prs,[0]*len(prs)))
for i in b:
dc=primeFactor(i)
for j,k in dc.items():
M[j]=max(M[j],k)
r=1
for j,k in M.items():
if k!=0:
r*=pow(j,k,mo)
r%=mo
return r
## return (a,b,LCM(x,y)) s.t. a*x+b*y=gcd(x,y)
def extgcd(x,y):
if y==0:
return 1,0
r0,r1,s0,s1 = x,y,1,0
while r1!= 0:
r0,r1,s0,s1=r1,r0%r1,s1,s0-r0//r1*s1
return s0,(r0-s0*x)//y,x*s0+y*(r0-s0*x)//y
## return x,LCM(mods) s.t. x = rem_i (mod_i), x = -1 if such x doesn't exist
def crt(rems,mods):
n=len(rems)
if n!=len(mods):
return NotImplemented
x,d=0,1
for r,m in zip(rems,mods):
a,b,g=extgcd(d,m)
x,d=(m*b*x+d*a*r)//g,d*(m//g)
x%=d
if r!=x%m:
return -1,d
return x,d
## returns the maximum integer rt s.t. rt*rt<=x
## verified by ABC191D
## https://atcoder.jp/contests/abc191/tasks/abc191_d
def intsqrt(x):
if x<0:
return NotImplemented
rt=int(x**0.5)-1
while (rt+1)**2<=x:
rt+=1
return rt
ans=0
def naive(b):
a=b[:]
n=len(a)
rt=0
for i in range(n):
if a[i]==1:
continue
if a[i]>=n-i:
rt+=a[i]-(n-i)
a[i]=n-i
Z=a[i]
for x in range(Z,1,-1):
j=x+i
rt+=1
while j<n:
nx=j+a[j]
if a[j]>1:
a[j]-=1
j=nx
# show(a)
return rt
def solve(b):
a=b[:]
n=len(a)
d=[0]*(n+1)
rt=0
k=0
for i in range(n):
x=d[i]+k
c=a[i]
rt+=max(c-1-x,0)
if c>1:
d[min(i+2,n)]+=1
d[min(i+c+1,n)]+=-1
k=max(0,x-(c-1))
#show(i,x,d,max(c-1-d[i],0),k)
d[i+1]+=d[i]
return rt
for _ in range(I()):
n=I()
a=LI()
print(solve(a))
``` | instruction | 0 | 37,939 | 8 | 75,878 |
Yes | output | 1 | 37,939 | 8 | 75,879 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
There is a trampoline park with n trampolines in a line. The i-th of which has strength S_i.
Pekora can jump on trampolines in multiple passes. She starts the pass by jumping on any trampoline of her choice.
If at the moment Pekora jumps on trampoline i, the trampoline will launch her to position i + S_i, and S_i will become equal to max(S_i-1,1). In other words, S_i will decrease by 1, except of the case S_i=1, when S_i will remain equal to 1.
If there is no trampoline in position i + S_i, then this pass is over. Otherwise, Pekora will continue the pass by jumping from the trampoline at position i + S_i by the same rule as above.
Pekora can't stop jumping during the pass until she lands at the position larger than n (in which there is no trampoline). Poor Pekora!
Pekora is a naughty rabbit and wants to ruin the trampoline park by reducing all S_i to 1. What is the minimum number of passes she needs to reduce all S_i to 1?
Input
The first line contains a single integer t (1 β€ t β€ 500) β the number of test cases.
The first line of each test case contains a single integer n (1 β€ n β€ 5000) β the number of trampolines.
The second line of each test case contains n integers S_1, S_2, ..., S_n (1 β€ S_i β€ 10^9), where S_i is the strength of the i-th trampoline.
It's guaranteed that the sum of n over all test cases doesn't exceed 5000.
Output
For each test case, output a single integer β the minimum number of passes Pekora needs to do to reduce all S_i to 1.
Example
Input
3
7
1 4 2 2 2 2 2
2
2 3
5
1 1 1 1 1
Output
4
3
0
Note
For the first test case, here is an optimal series of passes Pekora can take. (The bolded numbers are the positions that Pekora jumps into during these passes.)
* [1,4,2,2,2,2,2]
* [1,4,1,2,1,2,1]
* [1,3,1,2,1,1,1]
* [1,2,1,2,1,1,1]
For the second test case, the optimal series of passes is show below.
* [2,3]
* [1,3]
* [1,2]
For the third test case, all S_i are already equal to 1.
Submitted Solution:
```
ans=[]
for _ in range(int(input())):
n=int(input())
s=list(map(int,input().split()))
res=0
for i in range(n):
temp=0
for j in range(i) :
temp+=max(0,s[j]-(i-j))
res=max(res,temp+s[i]-1)
ans.append(res)
print(*ans,sep='\n')
``` | instruction | 0 | 37,940 | 8 | 75,880 |
Yes | output | 1 | 37,940 | 8 | 75,881 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
There is a trampoline park with n trampolines in a line. The i-th of which has strength S_i.
Pekora can jump on trampolines in multiple passes. She starts the pass by jumping on any trampoline of her choice.
If at the moment Pekora jumps on trampoline i, the trampoline will launch her to position i + S_i, and S_i will become equal to max(S_i-1,1). In other words, S_i will decrease by 1, except of the case S_i=1, when S_i will remain equal to 1.
If there is no trampoline in position i + S_i, then this pass is over. Otherwise, Pekora will continue the pass by jumping from the trampoline at position i + S_i by the same rule as above.
Pekora can't stop jumping during the pass until she lands at the position larger than n (in which there is no trampoline). Poor Pekora!
Pekora is a naughty rabbit and wants to ruin the trampoline park by reducing all S_i to 1. What is the minimum number of passes she needs to reduce all S_i to 1?
Input
The first line contains a single integer t (1 β€ t β€ 500) β the number of test cases.
The first line of each test case contains a single integer n (1 β€ n β€ 5000) β the number of trampolines.
The second line of each test case contains n integers S_1, S_2, ..., S_n (1 β€ S_i β€ 10^9), where S_i is the strength of the i-th trampoline.
It's guaranteed that the sum of n over all test cases doesn't exceed 5000.
Output
For each test case, output a single integer β the minimum number of passes Pekora needs to do to reduce all S_i to 1.
Example
Input
3
7
1 4 2 2 2 2 2
2
2 3
5
1 1 1 1 1
Output
4
3
0
Note
For the first test case, here is an optimal series of passes Pekora can take. (The bolded numbers are the positions that Pekora jumps into during these passes.)
* [1,4,2,2,2,2,2]
* [1,4,1,2,1,2,1]
* [1,3,1,2,1,1,1]
* [1,2,1,2,1,1,1]
For the second test case, the optimal series of passes is show below.
* [2,3]
* [1,3]
* [1,2]
For the third test case, all S_i are already equal to 1.
Submitted Solution:
```
for _ in range(int(input())):
n=int(input())
lis=list(map(int,input().split()))
if max(lis)!=1:print(max(lis))
else:print(0)
``` | instruction | 0 | 37,941 | 8 | 75,882 |
No | output | 1 | 37,941 | 8 | 75,883 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
There is a trampoline park with n trampolines in a line. The i-th of which has strength S_i.
Pekora can jump on trampolines in multiple passes. She starts the pass by jumping on any trampoline of her choice.
If at the moment Pekora jumps on trampoline i, the trampoline will launch her to position i + S_i, and S_i will become equal to max(S_i-1,1). In other words, S_i will decrease by 1, except of the case S_i=1, when S_i will remain equal to 1.
If there is no trampoline in position i + S_i, then this pass is over. Otherwise, Pekora will continue the pass by jumping from the trampoline at position i + S_i by the same rule as above.
Pekora can't stop jumping during the pass until she lands at the position larger than n (in which there is no trampoline). Poor Pekora!
Pekora is a naughty rabbit and wants to ruin the trampoline park by reducing all S_i to 1. What is the minimum number of passes she needs to reduce all S_i to 1?
Input
The first line contains a single integer t (1 β€ t β€ 500) β the number of test cases.
The first line of each test case contains a single integer n (1 β€ n β€ 5000) β the number of trampolines.
The second line of each test case contains n integers S_1, S_2, ..., S_n (1 β€ S_i β€ 10^9), where S_i is the strength of the i-th trampoline.
It's guaranteed that the sum of n over all test cases doesn't exceed 5000.
Output
For each test case, output a single integer β the minimum number of passes Pekora needs to do to reduce all S_i to 1.
Example
Input
3
7
1 4 2 2 2 2 2
2
2 3
5
1 1 1 1 1
Output
4
3
0
Note
For the first test case, here is an optimal series of passes Pekora can take. (The bolded numbers are the positions that Pekora jumps into during these passes.)
* [1,4,2,2,2,2,2]
* [1,4,1,2,1,2,1]
* [1,3,1,2,1,1,1]
* [1,2,1,2,1,1,1]
For the second test case, the optimal series of passes is show below.
* [2,3]
* [1,3]
* [1,2]
For the third test case, all S_i are already equal to 1.
Submitted Solution:
```
def ans():
a = int(input())
count=0
arr = list(map(int, input().split()))
for i in range(len(arr)):
if arr[i]==1:
count+=1
if count==len(arr):
return 0
else:
return max(arr)
a=int(input())
for i in range(a):
print(ans())
``` | instruction | 0 | 37,942 | 8 | 75,884 |
No | output | 1 | 37,942 | 8 | 75,885 |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.