message stringlengths 2 43.5k | message_type stringclasses 2 values | message_id int64 0 1 | conversation_id int64 853 107k | cluster float64 24 24 | __index_level_0__ int64 1.71k 214k |
|---|---|---|---|---|---|
Provide tags and a correct Python 3 solution for this coding contest problem.
Polycarp was dismantling his attic and found an old floppy drive on it. A round disc was inserted into the drive with n integers written on it.
Polycarp wrote the numbers from the disk into the a array. It turned out that the drive works according to the following algorithm:
* the drive takes one positive number x as input and puts a pointer to the first element of the a array;
* after that, the drive starts rotating the disk, every second moving the pointer to the next element, counting the sum of all the elements that have been under the pointer. Since the disk is round, in the a array, the last element is again followed by the first one;
* as soon as the sum is at least x, the drive will shut down.
Polycarp wants to learn more about the operation of the drive, but he has absolutely no free time. So he asked you m questions. To answer the i-th of them, you need to find how many seconds the drive will work if you give it x_i as input. Please note that in some cases the drive can work infinitely.
For example, if n=3, m=3, a=[1, -3, 4] and x=[1, 5, 2], then the answers to the questions are as follows:
* the answer to the first query is 0 because the drive initially points to the first item and the initial sum is 1.
* the answer to the second query is 6, the drive will spin the disk completely twice and the amount becomes 1+(-3)+4+1+(-3)+4+1=5.
* the answer to the third query is 2, the amount is 1+(-3)+4=2.
Input
The first line contains one integer t (1 β€ t β€ 10^4) β the number of test cases. Then t test cases follow.
The first line of each test case consists of two positive integers n, m (1 β€ n, m β€ 2 β
10^5) β the number of numbers on the disk and the number of asked questions.
The second line of each test case contains n integers a_1, a_2, β¦, a_n (-10^9 β€ a_i β€ 10^9).
The third line of each test case contains m positive integers x_1, x_2, β¦, x_m (1 β€ x β€ 10^9).
It is guaranteed that the sums of n and m over all test cases do not exceed 2 β
10^5.
Output
Print m numbers on a separate line for each test case. The i-th number is:
* -1 if the drive will run infinitely;
* the number of seconds the drive will run, otherwise.
Example
Input
3
3 3
1 -3 4
1 5 2
2 2
-2 0
1 2
2 2
0 1
1 2
Output
0 6 2
-1 -1
1 3 | instruction | 0 | 85,939 | 24 | 171,878 |
Tags: binary search, data structures, math
Correct Solution:
```
from bisect import bisect_left
for i in range(int(input())):
n, m = map(int,input().split())
a = list(map(int,input().split()))
p = [0]*(n+1)
M = [0]*(n+1)
for i in range(n):
p[i+1] = p[i] + a[i]
M[i+1] = max(M[i], p[i+1])
s = p[-1]
ans = []
for x in map(int,input().split()):
r = 0
if s > 0:
t = max((x-M[-1]+s-1)//s,0)
r += t*n
x -= t*s
if x > M[-1]:
ans.append('-1')
else:
pos = bisect_left(M,x)
ans.append(str(r + pos - 1))
print(' '.join(ans))
``` | output | 1 | 85,939 | 24 | 171,879 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Polycarp was dismantling his attic and found an old floppy drive on it. A round disc was inserted into the drive with n integers written on it.
Polycarp wrote the numbers from the disk into the a array. It turned out that the drive works according to the following algorithm:
* the drive takes one positive number x as input and puts a pointer to the first element of the a array;
* after that, the drive starts rotating the disk, every second moving the pointer to the next element, counting the sum of all the elements that have been under the pointer. Since the disk is round, in the a array, the last element is again followed by the first one;
* as soon as the sum is at least x, the drive will shut down.
Polycarp wants to learn more about the operation of the drive, but he has absolutely no free time. So he asked you m questions. To answer the i-th of them, you need to find how many seconds the drive will work if you give it x_i as input. Please note that in some cases the drive can work infinitely.
For example, if n=3, m=3, a=[1, -3, 4] and x=[1, 5, 2], then the answers to the questions are as follows:
* the answer to the first query is 0 because the drive initially points to the first item and the initial sum is 1.
* the answer to the second query is 6, the drive will spin the disk completely twice and the amount becomes 1+(-3)+4+1+(-3)+4+1=5.
* the answer to the third query is 2, the amount is 1+(-3)+4=2.
Input
The first line contains one integer t (1 β€ t β€ 10^4) β the number of test cases. Then t test cases follow.
The first line of each test case consists of two positive integers n, m (1 β€ n, m β€ 2 β
10^5) β the number of numbers on the disk and the number of asked questions.
The second line of each test case contains n integers a_1, a_2, β¦, a_n (-10^9 β€ a_i β€ 10^9).
The third line of each test case contains m positive integers x_1, x_2, β¦, x_m (1 β€ x β€ 10^9).
It is guaranteed that the sums of n and m over all test cases do not exceed 2 β
10^5.
Output
Print m numbers on a separate line for each test case. The i-th number is:
* -1 if the drive will run infinitely;
* the number of seconds the drive will run, otherwise.
Example
Input
3
3 3
1 -3 4
1 5 2
2 2
-2 0
1 2
2 2
0 1
1 2
Output
0 6 2
-1 -1
1 3 | instruction | 0 | 85,940 | 24 | 171,880 |
Tags: binary search, data structures, math
Correct Solution:
```
from bisect import bisect_left
for i in range(int(input())):
n, m = map(int,input().split());a = list(map(int,input().split()));p = [0]*(n+1);M = [0]*(n+1)
for i in range(n):p[i+1] = p[i] + a[i];M[i+1] = max(M[i], p[i+1])
s = p[-1];ans = []
for x in map(int,input().split()):
r = 0
if s > 0:t = max((x-M[-1]+s-1)//s,0);r += t*n;x -= t*s
if x > M[-1]:ans.append('-1')
else:
pos = bisect_left(M,x)
ans.append(str(r + pos - 1))
print(' '.join(ans))
``` | output | 1 | 85,940 | 24 | 171,881 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Polycarp was dismantling his attic and found an old floppy drive on it. A round disc was inserted into the drive with n integers written on it.
Polycarp wrote the numbers from the disk into the a array. It turned out that the drive works according to the following algorithm:
* the drive takes one positive number x as input and puts a pointer to the first element of the a array;
* after that, the drive starts rotating the disk, every second moving the pointer to the next element, counting the sum of all the elements that have been under the pointer. Since the disk is round, in the a array, the last element is again followed by the first one;
* as soon as the sum is at least x, the drive will shut down.
Polycarp wants to learn more about the operation of the drive, but he has absolutely no free time. So he asked you m questions. To answer the i-th of them, you need to find how many seconds the drive will work if you give it x_i as input. Please note that in some cases the drive can work infinitely.
For example, if n=3, m=3, a=[1, -3, 4] and x=[1, 5, 2], then the answers to the questions are as follows:
* the answer to the first query is 0 because the drive initially points to the first item and the initial sum is 1.
* the answer to the second query is 6, the drive will spin the disk completely twice and the amount becomes 1+(-3)+4+1+(-3)+4+1=5.
* the answer to the third query is 2, the amount is 1+(-3)+4=2.
Input
The first line contains one integer t (1 β€ t β€ 10^4) β the number of test cases. Then t test cases follow.
The first line of each test case consists of two positive integers n, m (1 β€ n, m β€ 2 β
10^5) β the number of numbers on the disk and the number of asked questions.
The second line of each test case contains n integers a_1, a_2, β¦, a_n (-10^9 β€ a_i β€ 10^9).
The third line of each test case contains m positive integers x_1, x_2, β¦, x_m (1 β€ x β€ 10^9).
It is guaranteed that the sums of n and m over all test cases do not exceed 2 β
10^5.
Output
Print m numbers on a separate line for each test case. The i-th number is:
* -1 if the drive will run infinitely;
* the number of seconds the drive will run, otherwise.
Example
Input
3
3 3
1 -3 4
1 5 2
2 2
-2 0
1 2
2 2
0 1
1 2
Output
0 6 2
-1 -1
1 3 | instruction | 0 | 85,941 | 24 | 171,882 |
Tags: binary search, data structures, math
Correct Solution:
```
t = int(input())
xs = []
pref = []
n = 0
class SegmentTree:
def __init__(self, n):
self.t = [0 for _ in range(n * 4)]
def Build(self, v, tl, tr):
if tl + 1 == tr:
self.t[v] = pref[tl]
else:
tm = (tl + tr) >> 1
self.Build(v * 2 + 1, tl, tm)
self.Build(v * 2 + 2, tm, tr)
self.t[v] = max(self.t[v * 2 + 1], self.t[v * 2 + 2])
def Get(self, v, tl, tr, l, r, val):
if tl >= r or tr <= l or self.t[v] < val:
return -1
if tl + 1 == tr:
return tl
else:
tm = (tl + tr) >> 1
res = self.Get(v * 2 + 1, tl, tm, l, r, val)
if res == -1:
return self.Get(v * 2 + 2, tm, tr, l, r, val)
return res
tree = SegmentTree(0)
def FindPos(val):
return tree.Get(0, 0, n, 0, n, val)
for _ in range(t):
n, m = list(map(int ,input().split()))
a = list(map(int,input().split()))
xs = list(map(int,input().split()))
pref = [a[i] for i in range(n)]
for i in range(1, n):
pref[i] += pref[i - 1]
tree = SegmentTree(n)
tree.Build(0, 0, n)
dlt = pref[-1]
INF = 5 * 10 ** 9
if dlt <= 0:
for x in xs:
pos = FindPos(x)
print(pos, end = ' ')
print()
else:
mx = max(pref)
for x in xs:
k = max(0, (x - mx + dlt - 1) // dlt)
ans = k * n
x -= k * dlt
ans += FindPos(x)
print(ans, end = ' ')
print()
``` | output | 1 | 85,941 | 24 | 171,883 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Polycarp was dismantling his attic and found an old floppy drive on it. A round disc was inserted into the drive with n integers written on it.
Polycarp wrote the numbers from the disk into the a array. It turned out that the drive works according to the following algorithm:
* the drive takes one positive number x as input and puts a pointer to the first element of the a array;
* after that, the drive starts rotating the disk, every second moving the pointer to the next element, counting the sum of all the elements that have been under the pointer. Since the disk is round, in the a array, the last element is again followed by the first one;
* as soon as the sum is at least x, the drive will shut down.
Polycarp wants to learn more about the operation of the drive, but he has absolutely no free time. So he asked you m questions. To answer the i-th of them, you need to find how many seconds the drive will work if you give it x_i as input. Please note that in some cases the drive can work infinitely.
For example, if n=3, m=3, a=[1, -3, 4] and x=[1, 5, 2], then the answers to the questions are as follows:
* the answer to the first query is 0 because the drive initially points to the first item and the initial sum is 1.
* the answer to the second query is 6, the drive will spin the disk completely twice and the amount becomes 1+(-3)+4+1+(-3)+4+1=5.
* the answer to the third query is 2, the amount is 1+(-3)+4=2.
Input
The first line contains one integer t (1 β€ t β€ 10^4) β the number of test cases. Then t test cases follow.
The first line of each test case consists of two positive integers n, m (1 β€ n, m β€ 2 β
10^5) β the number of numbers on the disk and the number of asked questions.
The second line of each test case contains n integers a_1, a_2, β¦, a_n (-10^9 β€ a_i β€ 10^9).
The third line of each test case contains m positive integers x_1, x_2, β¦, x_m (1 β€ x β€ 10^9).
It is guaranteed that the sums of n and m over all test cases do not exceed 2 β
10^5.
Output
Print m numbers on a separate line for each test case. The i-th number is:
* -1 if the drive will run infinitely;
* the number of seconds the drive will run, otherwise.
Example
Input
3
3 3
1 -3 4
1 5 2
2 2
-2 0
1 2
2 2
0 1
1 2
Output
0 6 2
-1 -1
1 3 | instruction | 0 | 85,942 | 24 | 171,884 |
Tags: binary search, data structures, math
Correct Solution:
```
from collections import defaultdict,OrderedDict,Counter
from sys import stdin,stdout
from bisect import bisect_left,bisect_right
# import numpy as np
from queue import Queue,PriorityQueue
from heapq import heapify,heappop,heappush
from statistics import median,mean
from math import gcd,sqrt,floor,factorial,ceil,log2,log10,log
import fractions
import copy
from copy import deepcopy
import sys
import io
sys.setrecursionlimit(10**8)
import math
import os
import bisect
import collections
mod=pow(10,9)+7
import random
from random import random,randint,randrange
from time import time;
def ncr(n, r, p=mod):
num = den = 1
for i in range(r):
num = (num * (n - i)) % p
den = (den * (i + 1)) % p
return (num * pow(den,
p - 2, p)) % p
def normalncr(n,r):
r=min(r,n-r)
count=1;
for i in range(n-r,n+1):
count*=i;
for i in range(1,r+1):
count//=i;
return count
inf=float("inf")
adj=defaultdict(set)
visited=defaultdict(int)
def addedge(a,b):
adj[a].add(b)
adj[b].add(a)
def bfs(v):
q=Queue()
q.put(v)
visited[v]=1
while q.qsize()>0:
s=q.get_nowait()
print(s)
for i in adj[s]:
if visited[i]==0:
q.put(i)
visited[i]=1
def dfs(v,visited):
if visited[v]==1:
return;
visited[v]=1
print(v)
for i in adj[v]:
dfs(i,visited)
# a9=pow(10,6)+10
# prime = [True for i in range(a9 + 1)]
# def SieveOfEratosthenes(n):
# p = 2
# while (p * p <= n):
# if (prime[p] == True):
# for i in range(p * p, n + 1, p):
# prime[i] = False
# p += 1
# SieveOfEratosthenes(a9)
# prime_number=[]
# for i in range(2,a9):
# if prime[i]:
# prime_number.append(i)
def reverse_bisect_right(a, x, lo=0, hi=None):
if lo < 0:
raise ValueError('lo must be non-negative')
if hi is None:
hi = len(a)
while lo < hi:
mid = (lo+hi)//2
if x > a[mid]:
hi = mid
else:
lo = mid+1
return lo
def reverse_bisect_left(a, x, lo=0, hi=None):
if lo < 0:
raise ValueError('lo must be non-negative')
if hi is None:
hi = len(a)
while lo < hi:
mid = (lo+hi)//2
if x >= a[mid]:
hi = mid
else:
lo = mid+1
return lo
def get_list():
return list(map(int,input().split()))
def get_str_list_in_int():
return [int(i) for i in list(input())]
def get_str_list():
return list(input())
def get_map():
return map(int,input().split())
def input_int():
return int(input())
def matrix(a,b):
return [[0 for i in range(b)] for j in range(a)]
def swap(a,b):
return b,a
def find_gcd(l):
a=l[0]
for i in range(len(l)):
a=gcd(a,l[i])
return a;
def is_prime(n):
sqrta=int(sqrt(n))
for i in range(2,sqrta+1):
if n%i==0:
return 0;
return 1;
def prime_factors(n):
sqrta = int(sqrt(n))
for i in range(2,sqrta+1):
if n%i==0:
return [i]+prime_factors(n//i)
return [n]
def p(a):
if type(a)==str:
print(a+"\n")
else:
print(str(a)+"\n")
def ps(a):
if type(a)==str:
print(a)
else:
print(str(a))
def kth_no_not_div_by_n(n,k):
return k+(k-1)//(n-1)
nc="NO"
yc="YES"
ns="No"
ys="Yes"
# input = io.BytesIO(os.read(0, os.fstat(0).st_size)).readline
# input=stdin.readline
# print=stdout.write
t=int(input())
for i in range(t):
n,m=get_map();
a=get_list();
x=get_list();
suma=sum(a)
prefix=[0 for i in range(n)]
maxa=[0 for i in range(n)]
for i in range(n):
prefix[i]=a[i]
maxa[i]=prefix[i]
if i:
prefix[i]+=prefix[i-1]
maxa[i]=max(prefix[i],maxa[i-1])
if suma<=0:
for i in x:
if i>maxa[-1]:
print(-1,end=" ")
else:
print(bisect_left(maxa,i),end=" ")
else:
for i in x:
count=0;
if i>maxa[-1]:
count=ceil((i-maxa[-1])/(suma))
i=i-count*suma
print(count*n+bisect_left(maxa,i),end=" ")
print('')
# 1
# 2 2
# 2 -1
# 2 1
# 1
# 9 5
# 5 5 5 5 5 -5 -5 -5 -5
# 26 27 28 29 30
# 45 45 45 45 45
``` | output | 1 | 85,942 | 24 | 171,885 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Polycarp was dismantling his attic and found an old floppy drive on it. A round disc was inserted into the drive with n integers written on it.
Polycarp wrote the numbers from the disk into the a array. It turned out that the drive works according to the following algorithm:
* the drive takes one positive number x as input and puts a pointer to the first element of the a array;
* after that, the drive starts rotating the disk, every second moving the pointer to the next element, counting the sum of all the elements that have been under the pointer. Since the disk is round, in the a array, the last element is again followed by the first one;
* as soon as the sum is at least x, the drive will shut down.
Polycarp wants to learn more about the operation of the drive, but he has absolutely no free time. So he asked you m questions. To answer the i-th of them, you need to find how many seconds the drive will work if you give it x_i as input. Please note that in some cases the drive can work infinitely.
For example, if n=3, m=3, a=[1, -3, 4] and x=[1, 5, 2], then the answers to the questions are as follows:
* the answer to the first query is 0 because the drive initially points to the first item and the initial sum is 1.
* the answer to the second query is 6, the drive will spin the disk completely twice and the amount becomes 1+(-3)+4+1+(-3)+4+1=5.
* the answer to the third query is 2, the amount is 1+(-3)+4=2.
Input
The first line contains one integer t (1 β€ t β€ 10^4) β the number of test cases. Then t test cases follow.
The first line of each test case consists of two positive integers n, m (1 β€ n, m β€ 2 β
10^5) β the number of numbers on the disk and the number of asked questions.
The second line of each test case contains n integers a_1, a_2, β¦, a_n (-10^9 β€ a_i β€ 10^9).
The third line of each test case contains m positive integers x_1, x_2, β¦, x_m (1 β€ x β€ 10^9).
It is guaranteed that the sums of n and m over all test cases do not exceed 2 β
10^5.
Output
Print m numbers on a separate line for each test case. The i-th number is:
* -1 if the drive will run infinitely;
* the number of seconds the drive will run, otherwise.
Example
Input
3
3 3
1 -3 4
1 5 2
2 2
-2 0
1 2
2 2
0 1
1 2
Output
0 6 2
-1 -1
1 3
Submitted Solution:
```
"""
Author - Satwik Tiwari .
16th Feb , 2021 - Tueday
"""
#===============================================================================================
#importing some useful libraries.
from __future__ import division, print_function
from fractions import Fraction
import sys
import os
from io import BytesIO, IOBase
from functools import cmp_to_key
# from itertools import *
from heapq import *
from math import gcd, factorial,floor,ceil,sqrt,log2
from copy import deepcopy
from collections import deque
from bisect import bisect_left as bl
from bisect import bisect_right as br
from bisect import bisect
#==============================================================================================
#fast I/O region
BUFSIZE = 8192
class FastIO(IOBase):
newlines = 0
def __init__(self, file):
self._fd = file.fileno()
self.buffer = BytesIO()
self.writable = "x" in file.mode or "r" not in file.mode
self.write = self.buffer.write if self.writable else None
def read(self):
while True:
b = os.read(self._fd, max(os.fstat(self._fd).st_size, BUFSIZE))
if not b:
break
ptr = self.buffer.tell()
self.buffer.seek(0, 2), self.buffer.write(b), self.buffer.seek(ptr)
self.newlines = 0
return self.buffer.read()
def readline(self):
while self.newlines == 0:
b = os.read(self._fd, max(os.fstat(self._fd).st_size, BUFSIZE))
self.newlines = b.count(b"\n") + (not b)
ptr = self.buffer.tell()
self.buffer.seek(0, 2), self.buffer.write(b), self.buffer.seek(ptr)
self.newlines -= 1
return self.buffer.readline()
def flush(self):
if self.writable:
os.write(self._fd, self.buffer.getvalue())
self.buffer.truncate(0), self.buffer.seek(0)
class IOWrapper(IOBase):
def __init__(self, file):
self.buffer = FastIO(file)
self.flush = self.buffer.flush
self.writable = self.buffer.writable
self.write = lambda s: self.buffer.write(s.encode("ascii"))
self.read = lambda: self.buffer.read().decode("ascii")
self.readline = lambda: self.buffer.readline().decode("ascii")
def print(*args, **kwargs):
"""Prints the values to a stream, or to sys.stdout by default."""
sep, file = kwargs.pop("sep", " "), kwargs.pop("file", sys.stdout)
at_start = True
for x in args:
if not at_start:
file.write(sep)
file.write(str(x))
at_start = False
file.write(kwargs.pop("end", "\n"))
if kwargs.pop("flush", False):
file.flush()
if sys.version_info[0] < 3:
sys.stdin, sys.stdout = FastIO(sys.stdin), FastIO(sys.stdout)
else:
sys.stdin, sys.stdout = IOWrapper(sys.stdin), IOWrapper(sys.stdout)
# inp = lambda: sys.stdin.readline().rstrip("\r\n")
#===============================================================================================
### START ITERATE RECURSION ###
from types import GeneratorType
def iterative(f, stack=[]):
def wrapped_func(*args, **kwargs):
if stack: return f(*args, **kwargs)
to = f(*args, **kwargs)
while True:
if type(to) is GeneratorType:
stack.append(to)
to = next(to)
continue
stack.pop()
if not stack: break
to = stack[-1].send(to)
return to
return wrapped_func
#### END ITERATE RECURSION ####
#===============================================================================================
#some shortcuts
def inp(): return sys.stdin.readline().rstrip("\r\n") #for fast input
def out(var): sys.stdout.write(str(var)) #for fast output, always take string
def lis(): return list(map(int, inp().split()))
def stringlis(): return list(map(str, inp().split()))
def sep(): return map(int, inp().split())
def strsep(): return map(str, inp().split())
# def graph(vertex): return [[] for i in range(0,vertex+1)]
def testcase(t):
for pp in range(t):
solve(pp)
def google(p):
print('Case #'+str(p)+': ',end='')
def lcm(a,b): return (a*b)//gcd(a,b)
def power(x, y, p) :
y%=(p-1) #not so sure about this. used when y>p-1. if p is prime.
res = 1 # Initialize result
x = x % p # Update x if it is more , than or equal to p
if (x == 0) :
return 0
while (y > 0) :
if ((y & 1) == 1) : # If y is odd, multiply, x with result
res = (res * x) % p
y = y >> 1 # y = y/2
x = (x * x) % p
return res
def ncr(n,r): return factorial(n) // (factorial(r) * factorial(max(n - r, 1)))
def isPrime(n) :
if (n <= 1) : return False
if (n <= 3) : return True
if (n % 2 == 0 or n % 3 == 0) : return False
i = 5
while(i * i <= n) :
if (n % i == 0 or n % (i + 2) == 0) :
return False
i = i + 6
return True
inf = pow(10,20)
mod = 10**9+7
#===============================================================================================
# code here ;))
def solve(case):
n,m = sep()
a = lis()
pre = [0]*(n+1)
curr = 0
for i in range(n):
curr += a[i]
if(curr > pre[i]):
pre[i + 1] = curr
else:
pre[i + 1] = pre[i]
xx = lis()
maxi = max(pre)
ans = []
# print(curr)
# print(pre)
# if(curr <= 0):
# for i in range(m):
# ans.append(-1)
# else:
for i in range(m):
x = xx[i]
# if(x > maxi):
# temp = max(0,(x - maxi - 1)//curr + 1)
# ind = bl(pre,x - (curr)*temp)-1
# ans.append(temp*n + ind)
if(x <= maxi):
ind = bl(pre,x)-1
ans.append(ind)
elif(curr <= 0):
ans.append(-1)
else:
temp = max(0,(x - maxi - 1)//curr + 1)
ind = bl(pre,x - (curr)*temp)-1
ans.append(temp*n + ind)
print(' '.join(str(i) for i in ans))
# testcase(1)
testcase(int(inp()))
``` | instruction | 0 | 85,943 | 24 | 171,886 |
Yes | output | 1 | 85,943 | 24 | 171,887 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Polycarp was dismantling his attic and found an old floppy drive on it. A round disc was inserted into the drive with n integers written on it.
Polycarp wrote the numbers from the disk into the a array. It turned out that the drive works according to the following algorithm:
* the drive takes one positive number x as input and puts a pointer to the first element of the a array;
* after that, the drive starts rotating the disk, every second moving the pointer to the next element, counting the sum of all the elements that have been under the pointer. Since the disk is round, in the a array, the last element is again followed by the first one;
* as soon as the sum is at least x, the drive will shut down.
Polycarp wants to learn more about the operation of the drive, but he has absolutely no free time. So he asked you m questions. To answer the i-th of them, you need to find how many seconds the drive will work if you give it x_i as input. Please note that in some cases the drive can work infinitely.
For example, if n=3, m=3, a=[1, -3, 4] and x=[1, 5, 2], then the answers to the questions are as follows:
* the answer to the first query is 0 because the drive initially points to the first item and the initial sum is 1.
* the answer to the second query is 6, the drive will spin the disk completely twice and the amount becomes 1+(-3)+4+1+(-3)+4+1=5.
* the answer to the third query is 2, the amount is 1+(-3)+4=2.
Input
The first line contains one integer t (1 β€ t β€ 10^4) β the number of test cases. Then t test cases follow.
The first line of each test case consists of two positive integers n, m (1 β€ n, m β€ 2 β
10^5) β the number of numbers on the disk and the number of asked questions.
The second line of each test case contains n integers a_1, a_2, β¦, a_n (-10^9 β€ a_i β€ 10^9).
The third line of each test case contains m positive integers x_1, x_2, β¦, x_m (1 β€ x β€ 10^9).
It is guaranteed that the sums of n and m over all test cases do not exceed 2 β
10^5.
Output
Print m numbers on a separate line for each test case. The i-th number is:
* -1 if the drive will run infinitely;
* the number of seconds the drive will run, otherwise.
Example
Input
3
3 3
1 -3 4
1 5 2
2 2
-2 0
1 2
2 2
0 1
1 2
Output
0 6 2
-1 -1
1 3
Submitted Solution:
```
import math
from bisect import bisect_left, bisect_right
import sys
def get_ints(): return list(map(int, sys.stdin.readline().strip().split()))
T = int(input())
for _ in range(T):
N, M = get_ints()
A = get_ints()
X = get_ints()
# Q = []
# for i in range(M):
# Q.append((X[i], i))
# Q.sort()
last_val = 0
presum = []
index = []
sort_presum = []
max_val = float('-inf')
for i in range(N):
if not presum or presum[-1] < last_val + A[i]:
presum.append(last_val + A[i])
index.append(i)
# sort_presum.append((last_val + A[i], i))
# max_val = max(max_val, presum[-1])
last_val += A[i]
# sort_presum.sort()
vis = {}
q_idx = 0
p_idx = 0
for q_idx in range(M):
val = X[q_idx]
if presum[-1] < val and last_val <= 0:
vis[q_idx] = -1
continue
if presum[-1] < val:
t = math.ceil((val - presum[-1]) / last_val)
else:
t = 0
val -= t * last_val
i = bisect_left(presum, val)
vis[q_idx] = t * N + index[i]
# print(vis)
ans = [str(vis[i]) for i in range(M)]
print((" ").join(ans))
``` | instruction | 0 | 85,944 | 24 | 171,888 |
Yes | output | 1 | 85,944 | 24 | 171,889 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Polycarp was dismantling his attic and found an old floppy drive on it. A round disc was inserted into the drive with n integers written on it.
Polycarp wrote the numbers from the disk into the a array. It turned out that the drive works according to the following algorithm:
* the drive takes one positive number x as input and puts a pointer to the first element of the a array;
* after that, the drive starts rotating the disk, every second moving the pointer to the next element, counting the sum of all the elements that have been under the pointer. Since the disk is round, in the a array, the last element is again followed by the first one;
* as soon as the sum is at least x, the drive will shut down.
Polycarp wants to learn more about the operation of the drive, but he has absolutely no free time. So he asked you m questions. To answer the i-th of them, you need to find how many seconds the drive will work if you give it x_i as input. Please note that in some cases the drive can work infinitely.
For example, if n=3, m=3, a=[1, -3, 4] and x=[1, 5, 2], then the answers to the questions are as follows:
* the answer to the first query is 0 because the drive initially points to the first item and the initial sum is 1.
* the answer to the second query is 6, the drive will spin the disk completely twice and the amount becomes 1+(-3)+4+1+(-3)+4+1=5.
* the answer to the third query is 2, the amount is 1+(-3)+4=2.
Input
The first line contains one integer t (1 β€ t β€ 10^4) β the number of test cases. Then t test cases follow.
The first line of each test case consists of two positive integers n, m (1 β€ n, m β€ 2 β
10^5) β the number of numbers on the disk and the number of asked questions.
The second line of each test case contains n integers a_1, a_2, β¦, a_n (-10^9 β€ a_i β€ 10^9).
The third line of each test case contains m positive integers x_1, x_2, β¦, x_m (1 β€ x β€ 10^9).
It is guaranteed that the sums of n and m over all test cases do not exceed 2 β
10^5.
Output
Print m numbers on a separate line for each test case. The i-th number is:
* -1 if the drive will run infinitely;
* the number of seconds the drive will run, otherwise.
Example
Input
3
3 3
1 -3 4
1 5 2
2 2
-2 0
1 2
2 2
0 1
1 2
Output
0 6 2
-1 -1
1 3
Submitted Solution:
```
from math import ceil
def find():
n, m = map(int, input().split())
a = list(map(int, input().split()))
x = list(map(int, input().split()))
sum_a = 0
pref = {}
pref_s = [0]
for j in range(n):
sum_a += a[j]
if sum_a not in pref:
pref[sum_a] = j
if a[j] > 0 and sum_a > pref_s[-1]:
pref_s.append(sum_a)
for j in x:
ans = 0
if j <= pref_s[-1]:
my_pref = j
else:
if sum_a <= 0:
print(-1, end=' ')
continue
else:
tmp = ceil((j - pref_s[-1]) / sum_a)
my_pref = max(0, j - tmp * sum_a)
ans += tmp * n
ind_min = 1
ind_max = len(pref_s) - 1
while ind_min != ind_max:
ind_new = (ind_min + ind_max) // 2
if pref_s[ind_new] < my_pref:
ind_min = ind_new + 1
else:
ind_max = ind_new
print(ans + pref[pref_s[ind_max]], end=' ')
print()
for i in range(int(input())):
find()
``` | instruction | 0 | 85,945 | 24 | 171,890 |
Yes | output | 1 | 85,945 | 24 | 171,891 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Polycarp was dismantling his attic and found an old floppy drive on it. A round disc was inserted into the drive with n integers written on it.
Polycarp wrote the numbers from the disk into the a array. It turned out that the drive works according to the following algorithm:
* the drive takes one positive number x as input and puts a pointer to the first element of the a array;
* after that, the drive starts rotating the disk, every second moving the pointer to the next element, counting the sum of all the elements that have been under the pointer. Since the disk is round, in the a array, the last element is again followed by the first one;
* as soon as the sum is at least x, the drive will shut down.
Polycarp wants to learn more about the operation of the drive, but he has absolutely no free time. So he asked you m questions. To answer the i-th of them, you need to find how many seconds the drive will work if you give it x_i as input. Please note that in some cases the drive can work infinitely.
For example, if n=3, m=3, a=[1, -3, 4] and x=[1, 5, 2], then the answers to the questions are as follows:
* the answer to the first query is 0 because the drive initially points to the first item and the initial sum is 1.
* the answer to the second query is 6, the drive will spin the disk completely twice and the amount becomes 1+(-3)+4+1+(-3)+4+1=5.
* the answer to the third query is 2, the amount is 1+(-3)+4=2.
Input
The first line contains one integer t (1 β€ t β€ 10^4) β the number of test cases. Then t test cases follow.
The first line of each test case consists of two positive integers n, m (1 β€ n, m β€ 2 β
10^5) β the number of numbers on the disk and the number of asked questions.
The second line of each test case contains n integers a_1, a_2, β¦, a_n (-10^9 β€ a_i β€ 10^9).
The third line of each test case contains m positive integers x_1, x_2, β¦, x_m (1 β€ x β€ 10^9).
It is guaranteed that the sums of n and m over all test cases do not exceed 2 β
10^5.
Output
Print m numbers on a separate line for each test case. The i-th number is:
* -1 if the drive will run infinitely;
* the number of seconds the drive will run, otherwise.
Example
Input
3
3 3
1 -3 4
1 5 2
2 2
-2 0
1 2
2 2
0 1
1 2
Output
0 6 2
-1 -1
1 3
Submitted Solution:
```
from bisect import bisect_right
for _ in range(int(input())):
n, m = map(int,input().split())
arr = list(map(int,input().split()))
queries = list(map(int,input().split()))
cum = [0] * n
cum[0] = arr[0]
total = arr[0]
for i in range(1,n):
total += arr[i]
cum[i] = max(cum[i-1], total)
res = [0] * m
if total <= 0:
for i,x in enumerate(queries):
if x > cum[-1]:
res[i] = -1
else:
j = bisect_right(cum, x-1)
res[i] = j
else:
for i,x in enumerate(queries):
if x <= cum[-1]:
j = bisect_right(cum, x-1)
res[i] = j
else:
a = x - cum[-1]
q = (a + total - 1) // total
r = x - q * total
j = bisect_right(cum, r - 1)
res[i] = n * q + j
print(*res)
``` | instruction | 0 | 85,946 | 24 | 171,892 |
Yes | output | 1 | 85,946 | 24 | 171,893 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Polycarp was dismantling his attic and found an old floppy drive on it. A round disc was inserted into the drive with n integers written on it.
Polycarp wrote the numbers from the disk into the a array. It turned out that the drive works according to the following algorithm:
* the drive takes one positive number x as input and puts a pointer to the first element of the a array;
* after that, the drive starts rotating the disk, every second moving the pointer to the next element, counting the sum of all the elements that have been under the pointer. Since the disk is round, in the a array, the last element is again followed by the first one;
* as soon as the sum is at least x, the drive will shut down.
Polycarp wants to learn more about the operation of the drive, but he has absolutely no free time. So he asked you m questions. To answer the i-th of them, you need to find how many seconds the drive will work if you give it x_i as input. Please note that in some cases the drive can work infinitely.
For example, if n=3, m=3, a=[1, -3, 4] and x=[1, 5, 2], then the answers to the questions are as follows:
* the answer to the first query is 0 because the drive initially points to the first item and the initial sum is 1.
* the answer to the second query is 6, the drive will spin the disk completely twice and the amount becomes 1+(-3)+4+1+(-3)+4+1=5.
* the answer to the third query is 2, the amount is 1+(-3)+4=2.
Input
The first line contains one integer t (1 β€ t β€ 10^4) β the number of test cases. Then t test cases follow.
The first line of each test case consists of two positive integers n, m (1 β€ n, m β€ 2 β
10^5) β the number of numbers on the disk and the number of asked questions.
The second line of each test case contains n integers a_1, a_2, β¦, a_n (-10^9 β€ a_i β€ 10^9).
The third line of each test case contains m positive integers x_1, x_2, β¦, x_m (1 β€ x β€ 10^9).
It is guaranteed that the sums of n and m over all test cases do not exceed 2 β
10^5.
Output
Print m numbers on a separate line for each test case. The i-th number is:
* -1 if the drive will run infinitely;
* the number of seconds the drive will run, otherwise.
Example
Input
3
3 3
1 -3 4
1 5 2
2 2
-2 0
1 2
2 2
0 1
1 2
Output
0 6 2
-1 -1
1 3
Submitted Solution:
```
# ------------------- fast io --------------------
import os
import sys
from io import BytesIO, IOBase
BUFSIZE = 8192
class FastIO(IOBase):
newlines = 0
def __init__(self, file):
self._fd = file.fileno()
self.buffer = BytesIO()
self.writable = "x" in file.mode or "r" not in file.mode
self.write = self.buffer.write if self.writable else None
def read(self):
while True:
b = os.read(self._fd, max(os.fstat(self._fd).st_size, BUFSIZE))
if not b:
break
ptr = self.buffer.tell()
self.buffer.seek(0, 2), self.buffer.write(b), self.buffer.seek(ptr)
self.newlines = 0
return self.buffer.read()
def readline(self):
while self.newlines == 0:
b = os.read(self._fd, max(os.fstat(self._fd).st_size, BUFSIZE))
self.newlines = b.count(b"\n") + (not b)
ptr = self.buffer.tell()
self.buffer.seek(0, 2), self.buffer.write(b), self.buffer.seek(ptr)
self.newlines -= 1
return self.buffer.readline()
def flush(self):
if self.writable:
os.write(self._fd, self.buffer.getvalue())
self.buffer.truncate(0), self.buffer.seek(0)
class IOWrapper(IOBase):
def __init__(self, file):
self.buffer = FastIO(file)
self.flush = self.buffer.flush
self.writable = self.buffer.writable
self.write = lambda s: self.buffer.write(s.encode("ascii"))
self.read = lambda: self.buffer.read().decode("ascii")
self.readline = lambda: self.buffer.readline().decode("ascii")
sys.stdin, sys.stdout = IOWrapper(sys.stdin), IOWrapper(sys.stdout)
input = lambda: sys.stdin.readline().rstrip("\r\n")
from math import inf, log2
class SegmentTree:
def __init__(self, array, func=max):
self.n = len(array)
self.size = 2**(int(log2(self.n-1))+1) if self.n != 1 else 1
self.func = func
self.default = 0 if self.func != min else inf
self.data = [self.default] * (2 * self.size)
self.process(array)
def process(self, array):
self.data[self.size : self.size+self.n] = array
for i in range(self.size-1, -1, -1):
self.data[i] = self.func(self.data[2*i], self.data[2*i+1])
def query(self, alpha, omega):
"""Returns the result of function over the range (inclusive)!"""
if alpha == omega:
return self.data[alpha + self.size]
res = self.default
alpha += self.size
omega += self.size + 1
while alpha < omega:
if alpha & 1:
res = self.func(res, self.data[alpha])
alpha += 1
if omega & 1:
omega -= 1
res = self.func(res, self.data[omega])
alpha >>= 1
omega >>= 1
return res
def update(self, index, value):
"""Updates the element at index to given value!"""
index += self.size
self.data[index] = value
index >>= 1
while index:
self.data[index] = self.func(self.data[2*index], self.data[2*index+1])
index >>= 1
# ------------------- fast io --------------------
from math import gcd, ceil
def prod(a, mod=10**9+7):
ans = 1
for each in a:
ans = (ans * each) % mod
return ans
def lcm(a, b): return a * b // gcd(a, b)
def binary(x, length=16):
y = bin(x)[2:]
return y if len(y) >= length else "0" * (length - len(y)) + y
class Node:
def __init__(self, v):
self.value = v
self.left = None
self.right = None
for _ in range(int(input()) if True else 1):
#n = int(input())
n, m = map(int, input().split())
#a, b = map(int, input().split())
#c, d = map(int, input().split())
a = list(map(int, input().split()))
b = list(map(int, input().split()))
#s = input()
mx = max(a)
sm = sum(a)
vals = []
ans = a[0]
vals += [ans]
for i in range(1, n):
ans += a[i]
vals += [max(ans, vals[-1])]
ans = []
for x in b:
if sm <= 0 and x > vals[-1]:
ans += [-1]
continue
rotations = 0
if sm > 0:
rotations = max(x // sm, 0) if sm else 0
alpha, omega = 0, n-1
x = x % sm if sm and x >= 0 else x
if x == 0 and rotations:
rotations -= 1
x += sm
while alpha < omega:
mid = (alpha + omega) // 2
if vals[mid] >= x:
omega = mid
else:
alpha = mid + 1
ans += [rotations*n + alpha]
print(*ans)
``` | instruction | 0 | 85,947 | 24 | 171,894 |
No | output | 1 | 85,947 | 24 | 171,895 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Polycarp was dismantling his attic and found an old floppy drive on it. A round disc was inserted into the drive with n integers written on it.
Polycarp wrote the numbers from the disk into the a array. It turned out that the drive works according to the following algorithm:
* the drive takes one positive number x as input and puts a pointer to the first element of the a array;
* after that, the drive starts rotating the disk, every second moving the pointer to the next element, counting the sum of all the elements that have been under the pointer. Since the disk is round, in the a array, the last element is again followed by the first one;
* as soon as the sum is at least x, the drive will shut down.
Polycarp wants to learn more about the operation of the drive, but he has absolutely no free time. So he asked you m questions. To answer the i-th of them, you need to find how many seconds the drive will work if you give it x_i as input. Please note that in some cases the drive can work infinitely.
For example, if n=3, m=3, a=[1, -3, 4] and x=[1, 5, 2], then the answers to the questions are as follows:
* the answer to the first query is 0 because the drive initially points to the first item and the initial sum is 1.
* the answer to the second query is 6, the drive will spin the disk completely twice and the amount becomes 1+(-3)+4+1+(-3)+4+1=5.
* the answer to the third query is 2, the amount is 1+(-3)+4=2.
Input
The first line contains one integer t (1 β€ t β€ 10^4) β the number of test cases. Then t test cases follow.
The first line of each test case consists of two positive integers n, m (1 β€ n, m β€ 2 β
10^5) β the number of numbers on the disk and the number of asked questions.
The second line of each test case contains n integers a_1, a_2, β¦, a_n (-10^9 β€ a_i β€ 10^9).
The third line of each test case contains m positive integers x_1, x_2, β¦, x_m (1 β€ x β€ 10^9).
It is guaranteed that the sums of n and m over all test cases do not exceed 2 β
10^5.
Output
Print m numbers on a separate line for each test case. The i-th number is:
* -1 if the drive will run infinitely;
* the number of seconds the drive will run, otherwise.
Example
Input
3
3 3
1 -3 4
1 5 2
2 2
-2 0
1 2
2 2
0 1
1 2
Output
0 6 2
-1 -1
1 3
Submitted Solution:
```
from itertools import *
import sys
read = sys.stdin.readline
write = lambda x, end="\n": sys.stdout.write(x + end)
def naive(a, q, t, m):
if t <= 0 and m < q:
return -1
x = 0
for i in count():
x += a[i % len(a)]
if x >= q:
return i
def f(a, q, t, m):
if t <= 0 and m < q:
return -1
z = 0 if t == 0 else (q - m) // t
x = t * z
for i in count():
x += a[i % len(a)]
if x >= q:
return z * len(a) + i
for _ in range(int(read())):
n, m = map(int, read().split())
a = list(map(int, read().split()))
c = list(accumulate(a))
m = max(c)
t = sum(a)
res = []
z = []
for q in map(int, read().split()):
z.append(f(a, q, t, m))
#res.append(naive(a, q, t, m))
print(*z)
# print(*res)
# print()
``` | instruction | 0 | 85,948 | 24 | 171,896 |
No | output | 1 | 85,948 | 24 | 171,897 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Polycarp was dismantling his attic and found an old floppy drive on it. A round disc was inserted into the drive with n integers written on it.
Polycarp wrote the numbers from the disk into the a array. It turned out that the drive works according to the following algorithm:
* the drive takes one positive number x as input and puts a pointer to the first element of the a array;
* after that, the drive starts rotating the disk, every second moving the pointer to the next element, counting the sum of all the elements that have been under the pointer. Since the disk is round, in the a array, the last element is again followed by the first one;
* as soon as the sum is at least x, the drive will shut down.
Polycarp wants to learn more about the operation of the drive, but he has absolutely no free time. So he asked you m questions. To answer the i-th of them, you need to find how many seconds the drive will work if you give it x_i as input. Please note that in some cases the drive can work infinitely.
For example, if n=3, m=3, a=[1, -3, 4] and x=[1, 5, 2], then the answers to the questions are as follows:
* the answer to the first query is 0 because the drive initially points to the first item and the initial sum is 1.
* the answer to the second query is 6, the drive will spin the disk completely twice and the amount becomes 1+(-3)+4+1+(-3)+4+1=5.
* the answer to the third query is 2, the amount is 1+(-3)+4=2.
Input
The first line contains one integer t (1 β€ t β€ 10^4) β the number of test cases. Then t test cases follow.
The first line of each test case consists of two positive integers n, m (1 β€ n, m β€ 2 β
10^5) β the number of numbers on the disk and the number of asked questions.
The second line of each test case contains n integers a_1, a_2, β¦, a_n (-10^9 β€ a_i β€ 10^9).
The third line of each test case contains m positive integers x_1, x_2, β¦, x_m (1 β€ x β€ 10^9).
It is guaranteed that the sums of n and m over all test cases do not exceed 2 β
10^5.
Output
Print m numbers on a separate line for each test case. The i-th number is:
* -1 if the drive will run infinitely;
* the number of seconds the drive will run, otherwise.
Example
Input
3
3 3
1 -3 4
1 5 2
2 2
-2 0
1 2
2 2
0 1
1 2
Output
0 6 2
-1 -1
1 3
Submitted Solution:
```
import sys
from bisect import bisect_right
input = lambda: sys.stdin.readline().rstrip("\r\n")
for _ in range(int(input())):
n, m = map(int, input().split())
a = list(map(int, input().split()))
b = list(map(int, input().split()))
d = {a[0]: 1}
total = 0
ck = [a[0]]
for i, v in enumerate(a):
total += v
if total > ck[-1]:
ck.append(total)
d[total] = i + 1
for i in b:
if ck[-1]==0:
print(-1,end=' ')
elif ck[0] >= (i % ck[-1]) <= ck[-1]:
ans = 0
if i > ck[-1]:
ans = (i // ck[-1]) * n
i = i % ck[-1]
if i != 0:
j = bisect_right(ck, i) - 1
ans += d[ck[j]]
print(ans - 1, end=' ')
else:
print(-1, end=' ')
print()
``` | instruction | 0 | 85,949 | 24 | 171,898 |
No | output | 1 | 85,949 | 24 | 171,899 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Polycarp was dismantling his attic and found an old floppy drive on it. A round disc was inserted into the drive with n integers written on it.
Polycarp wrote the numbers from the disk into the a array. It turned out that the drive works according to the following algorithm:
* the drive takes one positive number x as input and puts a pointer to the first element of the a array;
* after that, the drive starts rotating the disk, every second moving the pointer to the next element, counting the sum of all the elements that have been under the pointer. Since the disk is round, in the a array, the last element is again followed by the first one;
* as soon as the sum is at least x, the drive will shut down.
Polycarp wants to learn more about the operation of the drive, but he has absolutely no free time. So he asked you m questions. To answer the i-th of them, you need to find how many seconds the drive will work if you give it x_i as input. Please note that in some cases the drive can work infinitely.
For example, if n=3, m=3, a=[1, -3, 4] and x=[1, 5, 2], then the answers to the questions are as follows:
* the answer to the first query is 0 because the drive initially points to the first item and the initial sum is 1.
* the answer to the second query is 6, the drive will spin the disk completely twice and the amount becomes 1+(-3)+4+1+(-3)+4+1=5.
* the answer to the third query is 2, the amount is 1+(-3)+4=2.
Input
The first line contains one integer t (1 β€ t β€ 10^4) β the number of test cases. Then t test cases follow.
The first line of each test case consists of two positive integers n, m (1 β€ n, m β€ 2 β
10^5) β the number of numbers on the disk and the number of asked questions.
The second line of each test case contains n integers a_1, a_2, β¦, a_n (-10^9 β€ a_i β€ 10^9).
The third line of each test case contains m positive integers x_1, x_2, β¦, x_m (1 β€ x β€ 10^9).
It is guaranteed that the sums of n and m over all test cases do not exceed 2 β
10^5.
Output
Print m numbers on a separate line for each test case. The i-th number is:
* -1 if the drive will run infinitely;
* the number of seconds the drive will run, otherwise.
Example
Input
3
3 3
1 -3 4
1 5 2
2 2
-2 0
1 2
2 2
0 1
1 2
Output
0 6 2
-1 -1
1 3
Submitted Solution:
```
def find():
n, m = map(int, input().split())
a = list(map(int, input().split()))
x = list(map(int, input().split()))
sum_a = sum(a)
res = [-1] * m
s = 0
for j in range(n):
s += a[j]
for k in range(m):
if x[k] == s:
res[k] = min(j, res[k]) if res[k] != -1 else j
elif sum_a > 0 == (x[k] - s) % sum_a:
if res[k] == -1:
res[k] = (x[k] - s) // sum_a * n + j
else:
res[k] = min(res[k], (x[k] - s) // sum_a * n + j)
return res
for i in range(int(input())):
print(*find())
``` | instruction | 0 | 85,950 | 24 | 171,900 |
No | output | 1 | 85,950 | 24 | 171,901 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Polycarp has n coins, the value of the i-th coin is a_i. Polycarp wants to distribute all the coins between his pockets, but he cannot put two coins with the same value into the same pocket.
For example, if Polycarp has got six coins represented as an array a = [1, 2, 4, 3, 3, 2], he can distribute the coins into two pockets as follows: [1, 2, 3], [2, 3, 4].
Polycarp wants to distribute all the coins with the minimum number of used pockets. Help him to do that.
Input
The first line of the input contains one integer n (1 β€ n β€ 100) β the number of coins.
The second line of the input contains n integers a_1, a_2, ..., a_n (1 β€ a_i β€ 100) β values of coins.
Output
Print only one integer β the minimum number of pockets Polycarp needs to distribute all the coins so no two coins with the same value are put into the same pocket.
Examples
Input
6
1 2 4 3 3 2
Output
2
Input
1
100
Output
1 | instruction | 0 | 86,577 | 24 | 173,154 |
Tags: implementation
Correct Solution:
```
n=int(input())
a=list(map(int,input().split()))
d=dict()
for i in a:
if(i in d):
d[i]+=1
else:
d[i]=1
maxi=0
for i in d:
maxi=max(maxi,d[i])
print(maxi)
``` | output | 1 | 86,577 | 24 | 173,155 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Polycarp has n coins, the value of the i-th coin is a_i. Polycarp wants to distribute all the coins between his pockets, but he cannot put two coins with the same value into the same pocket.
For example, if Polycarp has got six coins represented as an array a = [1, 2, 4, 3, 3, 2], he can distribute the coins into two pockets as follows: [1, 2, 3], [2, 3, 4].
Polycarp wants to distribute all the coins with the minimum number of used pockets. Help him to do that.
Input
The first line of the input contains one integer n (1 β€ n β€ 100) β the number of coins.
The second line of the input contains n integers a_1, a_2, ..., a_n (1 β€ a_i β€ 100) β values of coins.
Output
Print only one integer β the minimum number of pockets Polycarp needs to distribute all the coins so no two coins with the same value are put into the same pocket.
Examples
Input
6
1 2 4 3 3 2
Output
2
Input
1
100
Output
1 | instruction | 0 | 86,578 | 24 | 173,156 |
Tags: implementation
Correct Solution:
```
num=int(input())
arr=input().split()
dicti={}
for k in range (0,len(arr)):
l=int(arr[k])
if l in dicti.keys():
dicti[l]+=1
else:
dicti[l]=1
max_val=0
for key in dicti.keys():
max_val=max(max_val,dicti[key])
print(max_val)
``` | output | 1 | 86,578 | 24 | 173,157 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Polycarp has n coins, the value of the i-th coin is a_i. Polycarp wants to distribute all the coins between his pockets, but he cannot put two coins with the same value into the same pocket.
For example, if Polycarp has got six coins represented as an array a = [1, 2, 4, 3, 3, 2], he can distribute the coins into two pockets as follows: [1, 2, 3], [2, 3, 4].
Polycarp wants to distribute all the coins with the minimum number of used pockets. Help him to do that.
Input
The first line of the input contains one integer n (1 β€ n β€ 100) β the number of coins.
The second line of the input contains n integers a_1, a_2, ..., a_n (1 β€ a_i β€ 100) β values of coins.
Output
Print only one integer β the minimum number of pockets Polycarp needs to distribute all the coins so no two coins with the same value are put into the same pocket.
Examples
Input
6
1 2 4 3 3 2
Output
2
Input
1
100
Output
1 | instruction | 0 | 86,579 | 24 | 173,158 |
Tags: implementation
Correct Solution:
```
# print("Input n")
n = int(input())
times = [0 for i in range(101)]
# print("Input all the coins")
a = [int(x) for x in input().split()]
for x in a:
times[x] += 1
print(max(times))
``` | output | 1 | 86,579 | 24 | 173,159 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Polycarp has n coins, the value of the i-th coin is a_i. Polycarp wants to distribute all the coins between his pockets, but he cannot put two coins with the same value into the same pocket.
For example, if Polycarp has got six coins represented as an array a = [1, 2, 4, 3, 3, 2], he can distribute the coins into two pockets as follows: [1, 2, 3], [2, 3, 4].
Polycarp wants to distribute all the coins with the minimum number of used pockets. Help him to do that.
Input
The first line of the input contains one integer n (1 β€ n β€ 100) β the number of coins.
The second line of the input contains n integers a_1, a_2, ..., a_n (1 β€ a_i β€ 100) β values of coins.
Output
Print only one integer β the minimum number of pockets Polycarp needs to distribute all the coins so no two coins with the same value are put into the same pocket.
Examples
Input
6
1 2 4 3 3 2
Output
2
Input
1
100
Output
1 | instruction | 0 | 86,580 | 24 | 173,160 |
Tags: implementation
Correct Solution:
```
n=int(input())
l=list(map(int,input().split()))
c1=1
for i in range(n):
c=1
for j in range(i+1,n):
if l[i]==l[j]:
c=c+1
if c>c1:
c1=c
print(c1)
``` | output | 1 | 86,580 | 24 | 173,161 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Polycarp has n coins, the value of the i-th coin is a_i. Polycarp wants to distribute all the coins between his pockets, but he cannot put two coins with the same value into the same pocket.
For example, if Polycarp has got six coins represented as an array a = [1, 2, 4, 3, 3, 2], he can distribute the coins into two pockets as follows: [1, 2, 3], [2, 3, 4].
Polycarp wants to distribute all the coins with the minimum number of used pockets. Help him to do that.
Input
The first line of the input contains one integer n (1 β€ n β€ 100) β the number of coins.
The second line of the input contains n integers a_1, a_2, ..., a_n (1 β€ a_i β€ 100) β values of coins.
Output
Print only one integer β the minimum number of pockets Polycarp needs to distribute all the coins so no two coins with the same value are put into the same pocket.
Examples
Input
6
1 2 4 3 3 2
Output
2
Input
1
100
Output
1 | instruction | 0 | 86,581 | 24 | 173,162 |
Tags: implementation
Correct Solution:
```
from math import*
from fractions import gcd
import sys
from audioop import reverse
def main():
n=int(input())
x=input()
x=x.split(' ')
a=[]
i=1
while(i<=102):
a.append(0)
i+=1
for c in x:
a[int(c)]+=1;
ans=-10000000
for c in a:
if(c>ans):
ans=c
print(ans)
if __name__ == '__main__':main()
``` | output | 1 | 86,581 | 24 | 173,163 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Polycarp has n coins, the value of the i-th coin is a_i. Polycarp wants to distribute all the coins between his pockets, but he cannot put two coins with the same value into the same pocket.
For example, if Polycarp has got six coins represented as an array a = [1, 2, 4, 3, 3, 2], he can distribute the coins into two pockets as follows: [1, 2, 3], [2, 3, 4].
Polycarp wants to distribute all the coins with the minimum number of used pockets. Help him to do that.
Input
The first line of the input contains one integer n (1 β€ n β€ 100) β the number of coins.
The second line of the input contains n integers a_1, a_2, ..., a_n (1 β€ a_i β€ 100) β values of coins.
Output
Print only one integer β the minimum number of pockets Polycarp needs to distribute all the coins so no two coins with the same value are put into the same pocket.
Examples
Input
6
1 2 4 3 3 2
Output
2
Input
1
100
Output
1 | instruction | 0 | 86,582 | 24 | 173,164 |
Tags: implementation
Correct Solution:
```
from collections import Counter
count = int(input())
a = [int(x) for x in input().split()]
c = Counter(a)
maximum = max(c.values())
print(maximum)
``` | output | 1 | 86,582 | 24 | 173,165 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Polycarp has n coins, the value of the i-th coin is a_i. Polycarp wants to distribute all the coins between his pockets, but he cannot put two coins with the same value into the same pocket.
For example, if Polycarp has got six coins represented as an array a = [1, 2, 4, 3, 3, 2], he can distribute the coins into two pockets as follows: [1, 2, 3], [2, 3, 4].
Polycarp wants to distribute all the coins with the minimum number of used pockets. Help him to do that.
Input
The first line of the input contains one integer n (1 β€ n β€ 100) β the number of coins.
The second line of the input contains n integers a_1, a_2, ..., a_n (1 β€ a_i β€ 100) β values of coins.
Output
Print only one integer β the minimum number of pockets Polycarp needs to distribute all the coins so no two coins with the same value are put into the same pocket.
Examples
Input
6
1 2 4 3 3 2
Output
2
Input
1
100
Output
1 | instruction | 0 | 86,583 | 24 | 173,166 |
Tags: implementation
Correct Solution:
```
#In the name of GOD!
n = int(input())
a = list(map(int, input().split()))
num = [0] * 110
mx = 0
for i in a:
num[i] += 1
mx = max(mx, num[i])
print(mx)
``` | output | 1 | 86,583 | 24 | 173,167 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Polycarp has n coins, the value of the i-th coin is a_i. Polycarp wants to distribute all the coins between his pockets, but he cannot put two coins with the same value into the same pocket.
For example, if Polycarp has got six coins represented as an array a = [1, 2, 4, 3, 3, 2], he can distribute the coins into two pockets as follows: [1, 2, 3], [2, 3, 4].
Polycarp wants to distribute all the coins with the minimum number of used pockets. Help him to do that.
Input
The first line of the input contains one integer n (1 β€ n β€ 100) β the number of coins.
The second line of the input contains n integers a_1, a_2, ..., a_n (1 β€ a_i β€ 100) β values of coins.
Output
Print only one integer β the minimum number of pockets Polycarp needs to distribute all the coins so no two coins with the same value are put into the same pocket.
Examples
Input
6
1 2 4 3 3 2
Output
2
Input
1
100
Output
1 | instruction | 0 | 86,584 | 24 | 173,168 |
Tags: implementation
Correct Solution:
```
input()
l = list(map(int, input().split()))
print(max([l.count(now) for now in l]))
``` | output | 1 | 86,584 | 24 | 173,169 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Polycarp has n coins, the value of the i-th coin is a_i. Polycarp wants to distribute all the coins between his pockets, but he cannot put two coins with the same value into the same pocket.
For example, if Polycarp has got six coins represented as an array a = [1, 2, 4, 3, 3, 2], he can distribute the coins into two pockets as follows: [1, 2, 3], [2, 3, 4].
Polycarp wants to distribute all the coins with the minimum number of used pockets. Help him to do that.
Input
The first line of the input contains one integer n (1 β€ n β€ 100) β the number of coins.
The second line of the input contains n integers a_1, a_2, ..., a_n (1 β€ a_i β€ 100) β values of coins.
Output
Print only one integer β the minimum number of pockets Polycarp needs to distribute all the coins so no two coins with the same value are put into the same pocket.
Examples
Input
6
1 2 4 3 3 2
Output
2
Input
1
100
Output
1
Submitted Solution:
```
from collections import Counter
print(Counter((input()[0:0] + input()).split() ).most_common()[0][1])
``` | instruction | 0 | 86,585 | 24 | 173,170 |
Yes | output | 1 | 86,585 | 24 | 173,171 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Polycarp has n coins, the value of the i-th coin is a_i. Polycarp wants to distribute all the coins between his pockets, but he cannot put two coins with the same value into the same pocket.
For example, if Polycarp has got six coins represented as an array a = [1, 2, 4, 3, 3, 2], he can distribute the coins into two pockets as follows: [1, 2, 3], [2, 3, 4].
Polycarp wants to distribute all the coins with the minimum number of used pockets. Help him to do that.
Input
The first line of the input contains one integer n (1 β€ n β€ 100) β the number of coins.
The second line of the input contains n integers a_1, a_2, ..., a_n (1 β€ a_i β€ 100) β values of coins.
Output
Print only one integer β the minimum number of pockets Polycarp needs to distribute all the coins so no two coins with the same value are put into the same pocket.
Examples
Input
6
1 2 4 3 3 2
Output
2
Input
1
100
Output
1
Submitted Solution:
```
n = int(input())
coins = [int(x) for x in input().split()]
coins = sorted(coins)
count = 1
m_count = 1
for i in range(n-1):
if coins[i] == coins[i+1]:
count += 1
else:
count = 1
if count > m_count:
m_count = count
print(m_count)
``` | instruction | 0 | 86,586 | 24 | 173,172 |
Yes | output | 1 | 86,586 | 24 | 173,173 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Polycarp has n coins, the value of the i-th coin is a_i. Polycarp wants to distribute all the coins between his pockets, but he cannot put two coins with the same value into the same pocket.
For example, if Polycarp has got six coins represented as an array a = [1, 2, 4, 3, 3, 2], he can distribute the coins into two pockets as follows: [1, 2, 3], [2, 3, 4].
Polycarp wants to distribute all the coins with the minimum number of used pockets. Help him to do that.
Input
The first line of the input contains one integer n (1 β€ n β€ 100) β the number of coins.
The second line of the input contains n integers a_1, a_2, ..., a_n (1 β€ a_i β€ 100) β values of coins.
Output
Print only one integer β the minimum number of pockets Polycarp needs to distribute all the coins so no two coins with the same value are put into the same pocket.
Examples
Input
6
1 2 4 3 3 2
Output
2
Input
1
100
Output
1
Submitted Solution:
```
n=int(input())
arr=[int(i) for i in input().split()]
x=list(map(lambda x:arr.count(x),arr))
print(max(x))
``` | instruction | 0 | 86,587 | 24 | 173,174 |
Yes | output | 1 | 86,587 | 24 | 173,175 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Polycarp has n coins, the value of the i-th coin is a_i. Polycarp wants to distribute all the coins between his pockets, but he cannot put two coins with the same value into the same pocket.
For example, if Polycarp has got six coins represented as an array a = [1, 2, 4, 3, 3, 2], he can distribute the coins into two pockets as follows: [1, 2, 3], [2, 3, 4].
Polycarp wants to distribute all the coins with the minimum number of used pockets. Help him to do that.
Input
The first line of the input contains one integer n (1 β€ n β€ 100) β the number of coins.
The second line of the input contains n integers a_1, a_2, ..., a_n (1 β€ a_i β€ 100) β values of coins.
Output
Print only one integer β the minimum number of pockets Polycarp needs to distribute all the coins so no two coins with the same value are put into the same pocket.
Examples
Input
6
1 2 4 3 3 2
Output
2
Input
1
100
Output
1
Submitted Solution:
```
first_line = input()
second_line = input()
n = int(first_line)
coins = second_line.split()
min_used = 1
for i in range(0, n):
count = 1
current = coins[i]
for j in range(i+1, n):
if coins[j] == current:
count += 1
if count > min_used:
min_used = count
print(min_used)
``` | instruction | 0 | 86,588 | 24 | 173,176 |
Yes | output | 1 | 86,588 | 24 | 173,177 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Polycarp has n coins, the value of the i-th coin is a_i. Polycarp wants to distribute all the coins between his pockets, but he cannot put two coins with the same value into the same pocket.
For example, if Polycarp has got six coins represented as an array a = [1, 2, 4, 3, 3, 2], he can distribute the coins into two pockets as follows: [1, 2, 3], [2, 3, 4].
Polycarp wants to distribute all the coins with the minimum number of used pockets. Help him to do that.
Input
The first line of the input contains one integer n (1 β€ n β€ 100) β the number of coins.
The second line of the input contains n integers a_1, a_2, ..., a_n (1 β€ a_i β€ 100) β values of coins.
Output
Print only one integer β the minimum number of pockets Polycarp needs to distribute all the coins so no two coins with the same value are put into the same pocket.
Examples
Input
6
1 2 4 3 3 2
Output
2
Input
1
100
Output
1
Submitted Solution:
```
n= int(input())
a = str(input())
copy=int(0)
for i in range(0,n):
for x in range(i+1,n):
if a[i] == a[x]:
copy=copy+1
if copy != 0:
print((copy+1)//2)
else:
print(1)
``` | instruction | 0 | 86,589 | 24 | 173,178 |
No | output | 1 | 86,589 | 24 | 173,179 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Polycarp has n coins, the value of the i-th coin is a_i. Polycarp wants to distribute all the coins between his pockets, but he cannot put two coins with the same value into the same pocket.
For example, if Polycarp has got six coins represented as an array a = [1, 2, 4, 3, 3, 2], he can distribute the coins into two pockets as follows: [1, 2, 3], [2, 3, 4].
Polycarp wants to distribute all the coins with the minimum number of used pockets. Help him to do that.
Input
The first line of the input contains one integer n (1 β€ n β€ 100) β the number of coins.
The second line of the input contains n integers a_1, a_2, ..., a_n (1 β€ a_i β€ 100) β values of coins.
Output
Print only one integer β the minimum number of pockets Polycarp needs to distribute all the coins so no two coins with the same value are put into the same pocket.
Examples
Input
6
1 2 4 3 3 2
Output
2
Input
1
100
Output
1
Submitted Solution:
```
#http://codeforces.com/contest/1003/problem/0
n=int(input())
c=list(map(int,input().split()))
A=list(set(c))
if len(A)==1 or len(A)==len(c):
ans=1
else:
ans=2
print(ans)
``` | instruction | 0 | 86,590 | 24 | 173,180 |
No | output | 1 | 86,590 | 24 | 173,181 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Polycarp has n coins, the value of the i-th coin is a_i. Polycarp wants to distribute all the coins between his pockets, but he cannot put two coins with the same value into the same pocket.
For example, if Polycarp has got six coins represented as an array a = [1, 2, 4, 3, 3, 2], he can distribute the coins into two pockets as follows: [1, 2, 3], [2, 3, 4].
Polycarp wants to distribute all the coins with the minimum number of used pockets. Help him to do that.
Input
The first line of the input contains one integer n (1 β€ n β€ 100) β the number of coins.
The second line of the input contains n integers a_1, a_2, ..., a_n (1 β€ a_i β€ 100) β values of coins.
Output
Print only one integer β the minimum number of pockets Polycarp needs to distribute all the coins so no two coins with the same value are put into the same pocket.
Examples
Input
6
1 2 4 3 3 2
Output
2
Input
1
100
Output
1
Submitted Solution:
```
n= int(input())
a = str(input())
copy=int(0)
for i in range(0,n):
for x in range(i+1,n):
if a[i] == a[x]:
copy=copy+1
print((copy+1)//2)
``` | instruction | 0 | 86,591 | 24 | 173,182 |
No | output | 1 | 86,591 | 24 | 173,183 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Polycarp has n coins, the value of the i-th coin is a_i. Polycarp wants to distribute all the coins between his pockets, but he cannot put two coins with the same value into the same pocket.
For example, if Polycarp has got six coins represented as an array a = [1, 2, 4, 3, 3, 2], he can distribute the coins into two pockets as follows: [1, 2, 3], [2, 3, 4].
Polycarp wants to distribute all the coins with the minimum number of used pockets. Help him to do that.
Input
The first line of the input contains one integer n (1 β€ n β€ 100) β the number of coins.
The second line of the input contains n integers a_1, a_2, ..., a_n (1 β€ a_i β€ 100) β values of coins.
Output
Print only one integer β the minimum number of pockets Polycarp needs to distribute all the coins so no two coins with the same value are put into the same pocket.
Examples
Input
6
1 2 4 3 3 2
Output
2
Input
1
100
Output
1
Submitted Solution:
```
num = int(input())
l = list(map(int,input().split()))
flag = 0
for i in range(num-1) :
for j in range(i,num) :
if l[i] == l[j] :
flag = 1
break
if flag == 1 :
break
if flag == 1 :
print("2")
else :
print("1")
``` | instruction | 0 | 86,592 | 24 | 173,184 |
No | output | 1 | 86,592 | 24 | 173,185 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Polycarp thinks about the meaning of life very often. He does this constantly, even when typing in the editor. Every time he starts brooding he can no longer fully concentrate and repeatedly presses the keys that need to be pressed only once. For example, instead of the phrase "how are you" he can type "hhoow aaaare yyoouu".
Polycarp decided to automate the process of correcting such errors. He decided to write a plug-in to the text editor that will remove pairs of identical consecutive letters (if there are any in the text). Of course, this is not exactly what Polycarp needs, but he's got to start from something!
Help Polycarp and write the main plug-in module. Your program should remove from a string all pairs of identical letters, which are consecutive. If after the removal there appear new pairs, the program should remove them as well. Technically, its work should be equivalent to the following: while the string contains a pair of consecutive identical letters, the pair should be deleted. Note that deleting of the consecutive identical letters can be done in any order, as any order leads to the same result.
Input
The input data consists of a single line to be processed. The length of the line is from 1 to 2Β·105 characters inclusive. The string contains only lowercase Latin letters.
Output
Print the given string after it is processed. It is guaranteed that the result will contain at least one character.
Examples
Input
hhoowaaaareyyoouu
Output
wre
Input
reallazy
Output
rezy
Input
abacabaabacabaa
Output
a
Submitted Solution:
```
line = input()
s = []
for l in line:
if s and s[-1] == l:
s.pop()
else:
s.append(l)
print("".join(s))
``` | instruction | 0 | 88,043 | 24 | 176,086 |
Yes | output | 1 | 88,043 | 24 | 176,087 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Polycarp thinks about the meaning of life very often. He does this constantly, even when typing in the editor. Every time he starts brooding he can no longer fully concentrate and repeatedly presses the keys that need to be pressed only once. For example, instead of the phrase "how are you" he can type "hhoow aaaare yyoouu".
Polycarp decided to automate the process of correcting such errors. He decided to write a plug-in to the text editor that will remove pairs of identical consecutive letters (if there are any in the text). Of course, this is not exactly what Polycarp needs, but he's got to start from something!
Help Polycarp and write the main plug-in module. Your program should remove from a string all pairs of identical letters, which are consecutive. If after the removal there appear new pairs, the program should remove them as well. Technically, its work should be equivalent to the following: while the string contains a pair of consecutive identical letters, the pair should be deleted. Note that deleting of the consecutive identical letters can be done in any order, as any order leads to the same result.
Input
The input data consists of a single line to be processed. The length of the line is from 1 to 2Β·105 characters inclusive. The string contains only lowercase Latin letters.
Output
Print the given string after it is processed. It is guaranteed that the result will contain at least one character.
Examples
Input
hhoowaaaareyyoouu
Output
wre
Input
reallazy
Output
rezy
Input
abacabaabacabaa
Output
a
Submitted Solution:
```
def main():
s: tuple = tuple(input().strip())
STACK: list = []
for i in range(len(s)):
if not STACK:
STACK.append(s[i])
elif STACK[-1] == s[i]:
STACK.pop()
else:
STACK.append(s[i])
print(''.join(STACK))
if __name__ == '__main__':
main()
``` | instruction | 0 | 88,044 | 24 | 176,088 |
Yes | output | 1 | 88,044 | 24 | 176,089 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Polycarp thinks about the meaning of life very often. He does this constantly, even when typing in the editor. Every time he starts brooding he can no longer fully concentrate and repeatedly presses the keys that need to be pressed only once. For example, instead of the phrase "how are you" he can type "hhoow aaaare yyoouu".
Polycarp decided to automate the process of correcting such errors. He decided to write a plug-in to the text editor that will remove pairs of identical consecutive letters (if there are any in the text). Of course, this is not exactly what Polycarp needs, but he's got to start from something!
Help Polycarp and write the main plug-in module. Your program should remove from a string all pairs of identical letters, which are consecutive. If after the removal there appear new pairs, the program should remove them as well. Technically, its work should be equivalent to the following: while the string contains a pair of consecutive identical letters, the pair should be deleted. Note that deleting of the consecutive identical letters can be done in any order, as any order leads to the same result.
Input
The input data consists of a single line to be processed. The length of the line is from 1 to 2Β·105 characters inclusive. The string contains only lowercase Latin letters.
Output
Print the given string after it is processed. It is guaranteed that the result will contain at least one character.
Examples
Input
hhoowaaaareyyoouu
Output
wre
Input
reallazy
Output
rezy
Input
abacabaabacabaa
Output
a
Submitted Solution:
```
'''
Fuad Ashraful Mehmet
University of Asia Pacific,Bangladesh
Date:31th March 2020
'''
def JoyBangla(s):
st=[]
for c in s:
if not st:
st.append(c)
elif st[-1]==c:
st.pop()
else:
st.append(c)
print(*st,sep='')
JoyBangla(input())
``` | instruction | 0 | 88,046 | 24 | 176,092 |
Yes | output | 1 | 88,046 | 24 | 176,093 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Polycarp thinks about the meaning of life very often. He does this constantly, even when typing in the editor. Every time he starts brooding he can no longer fully concentrate and repeatedly presses the keys that need to be pressed only once. For example, instead of the phrase "how are you" he can type "hhoow aaaare yyoouu".
Polycarp decided to automate the process of correcting such errors. He decided to write a plug-in to the text editor that will remove pairs of identical consecutive letters (if there are any in the text). Of course, this is not exactly what Polycarp needs, but he's got to start from something!
Help Polycarp and write the main plug-in module. Your program should remove from a string all pairs of identical letters, which are consecutive. If after the removal there appear new pairs, the program should remove them as well. Technically, its work should be equivalent to the following: while the string contains a pair of consecutive identical letters, the pair should be deleted. Note that deleting of the consecutive identical letters can be done in any order, as any order leads to the same result.
Input
The input data consists of a single line to be processed. The length of the line is from 1 to 2Β·105 characters inclusive. The string contains only lowercase Latin letters.
Output
Print the given string after it is processed. It is guaranteed that the result will contain at least one character.
Examples
Input
hhoowaaaareyyoouu
Output
wre
Input
reallazy
Output
rezy
Input
abacabaabacabaa
Output
a
Submitted Solution:
```
from collections import deque
def removeRepeats(letters):
queue = deque(list(letters))
if len(queue) == 1:
return letters
answer = ""
candidate = queue.popleft()
repeat = 0
for x in range(len(letters)):
if queue:
front = queue.popleft()
else:
break
if candidate == front:
repeat = 1
continue
else:
if repeat:
candidate = front
repeat = 0
continue
else:
answer += candidate
candidate = front
if letters[-1] != letters[-2]:
answer += letters[-1]
return answer
s = list(input())
old = removeRepeats(s)
new = removeRepeats(old)
while 1:
if new == old:
break
old = removeRepeats(new)
new = removeRepeats(old)
print(new)
x = 5
``` | instruction | 0 | 88,048 | 24 | 176,096 |
No | output | 1 | 88,048 | 24 | 176,097 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Polycarp thinks about the meaning of life very often. He does this constantly, even when typing in the editor. Every time he starts brooding he can no longer fully concentrate and repeatedly presses the keys that need to be pressed only once. For example, instead of the phrase "how are you" he can type "hhoow aaaare yyoouu".
Polycarp decided to automate the process of correcting such errors. He decided to write a plug-in to the text editor that will remove pairs of identical consecutive letters (if there are any in the text). Of course, this is not exactly what Polycarp needs, but he's got to start from something!
Help Polycarp and write the main plug-in module. Your program should remove from a string all pairs of identical letters, which are consecutive. If after the removal there appear new pairs, the program should remove them as well. Technically, its work should be equivalent to the following: while the string contains a pair of consecutive identical letters, the pair should be deleted. Note that deleting of the consecutive identical letters can be done in any order, as any order leads to the same result.
Input
The input data consists of a single line to be processed. The length of the line is from 1 to 2Β·105 characters inclusive. The string contains only lowercase Latin letters.
Output
Print the given string after it is processed. It is guaranteed that the result will contain at least one character.
Examples
Input
hhoowaaaareyyoouu
Output
wre
Input
reallazy
Output
rezy
Input
abacabaabacabaa
Output
a
Submitted Solution:
```
mistake = list(input())
if len(mistake) == 1:
print(mistake[0])
elif mistake[0] == mistake[1] and len(mistake) == 2:
print("")
else:
iterator = 2
answer = []
while mistake[0] == mistake[1] and len(mistake) >1:
mistake.pop(0)
mistake.pop(0)
answer.append(mistake[0])
answer.append(mistake[1])
while iterator < len(mistake):
if answer[-1] != mistake[iterator]:
answer.append(mistake[iterator])
else:
answer.pop(-1)
if len(answer) == 0 and iterator+1 < len(mistake):
answer.append(mistake[iterator])
iterator += 1
elif len(answer) == 0 and mistake[-1] == mistake[iterator]:
answer.append(mistake[-1])
iterator += 1
print("")
for x in answer:
print(x, end = "")
``` | instruction | 0 | 88,049 | 24 | 176,098 |
No | output | 1 | 88,049 | 24 | 176,099 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Polycarp has just attempted to pass the driving test. He ran over the straight road with the signs of four types.
* speed limit: this sign comes with a positive integer number β maximal speed of the car after the sign (cancel the action of the previous sign of this type);
* overtake is allowed: this sign means that after some car meets it, it can overtake any other car;
* no speed limit: this sign cancels speed limit if any (car can move with arbitrary speed after this sign);
* no overtake allowed: some car can't overtake any other car after this sign.
Polycarp goes past the signs consequentially, each new sign cancels the action of all the previous signs of it's kind (speed limit/overtake). It is possible that two or more "no overtake allowed" signs go one after another with zero "overtake is allowed" signs between them. It works with "no speed limit" and "overtake is allowed" signs as well.
In the beginning of the ride overtake is allowed and there is no speed limit.
You are given the sequence of events in chronological order β events which happened to Polycarp during the ride. There are events of following types:
1. Polycarp changes the speed of his car to specified (this event comes with a positive integer number);
2. Polycarp's car overtakes the other car;
3. Polycarp's car goes past the "speed limit" sign (this sign comes with a positive integer);
4. Polycarp's car goes past the "overtake is allowed" sign;
5. Polycarp's car goes past the "no speed limit";
6. Polycarp's car goes past the "no overtake allowed";
It is guaranteed that the first event in chronological order is the event of type 1 (Polycarp changed the speed of his car to specified).
After the exam Polycarp can justify his rule violations by telling the driving instructor that he just didn't notice some of the signs. What is the minimal number of signs Polycarp should say he didn't notice, so that he would make no rule violations from his point of view?
Input
The first line contains one integer number n (1 β€ n β€ 2Β·105) β number of events.
Each of the next n lines starts with integer t (1 β€ t β€ 6) β the type of the event.
An integer s (1 β€ s β€ 300) follows in the query of the first and the third type (if it is the query of first type, then it's new speed of Polycarp's car, if it is the query of third type, then it's new speed limit).
It is guaranteed that the first event in chronological order is the event of type 1 (Polycarp changed the speed of his car to specified).
Output
Print the minimal number of road signs Polycarp should say he didn't notice, so that he would make no rule violations from his point of view.
Examples
Input
11
1 100
3 70
4
2
3 120
5
3 120
6
1 150
4
3 300
Output
2
Input
5
1 100
3 200
2
4
5
Output
0
Input
7
1 20
2
6
4
6
6
2
Output
2
Note
In the first example Polycarp should say he didn't notice the "speed limit" sign with the limit of 70 and the second "speed limit" sign with the limit of 120.
In the second example Polycarp didn't make any rule violation.
In the third example Polycarp should say he didn't notice both "no overtake allowed" that came after "overtake is allowed" sign. | instruction | 0 | 88,051 | 24 | 176,102 |
Tags: data structures, dp, greedy
Correct Solution:
```
n=int(input())
s=0
ms=[]
o=1
z=0
q=0
for _ in range(n):
a=list(map(int,input().split()))
if a[0]==1:
s=a[1]
while len(ms)>0 and ms[-1]<s:
z+=1
ms.pop(-1)
elif a[0]==2:
if o!=1:
z+=(1-o)
o=1
elif a[0]==3:
ms.append(a[1])
while len(ms)>0 and ms[-1]<s:
z+=1
ms.pop(-1)
elif a[0]==4:
o=1
elif a[0]==5:
ms=[]
elif a[0]==6:
o-=1
print(z)
``` | output | 1 | 88,051 | 24 | 176,103 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Polycarp has just attempted to pass the driving test. He ran over the straight road with the signs of four types.
* speed limit: this sign comes with a positive integer number β maximal speed of the car after the sign (cancel the action of the previous sign of this type);
* overtake is allowed: this sign means that after some car meets it, it can overtake any other car;
* no speed limit: this sign cancels speed limit if any (car can move with arbitrary speed after this sign);
* no overtake allowed: some car can't overtake any other car after this sign.
Polycarp goes past the signs consequentially, each new sign cancels the action of all the previous signs of it's kind (speed limit/overtake). It is possible that two or more "no overtake allowed" signs go one after another with zero "overtake is allowed" signs between them. It works with "no speed limit" and "overtake is allowed" signs as well.
In the beginning of the ride overtake is allowed and there is no speed limit.
You are given the sequence of events in chronological order β events which happened to Polycarp during the ride. There are events of following types:
1. Polycarp changes the speed of his car to specified (this event comes with a positive integer number);
2. Polycarp's car overtakes the other car;
3. Polycarp's car goes past the "speed limit" sign (this sign comes with a positive integer);
4. Polycarp's car goes past the "overtake is allowed" sign;
5. Polycarp's car goes past the "no speed limit";
6. Polycarp's car goes past the "no overtake allowed";
It is guaranteed that the first event in chronological order is the event of type 1 (Polycarp changed the speed of his car to specified).
After the exam Polycarp can justify his rule violations by telling the driving instructor that he just didn't notice some of the signs. What is the minimal number of signs Polycarp should say he didn't notice, so that he would make no rule violations from his point of view?
Input
The first line contains one integer number n (1 β€ n β€ 2Β·105) β number of events.
Each of the next n lines starts with integer t (1 β€ t β€ 6) β the type of the event.
An integer s (1 β€ s β€ 300) follows in the query of the first and the third type (if it is the query of first type, then it's new speed of Polycarp's car, if it is the query of third type, then it's new speed limit).
It is guaranteed that the first event in chronological order is the event of type 1 (Polycarp changed the speed of his car to specified).
Output
Print the minimal number of road signs Polycarp should say he didn't notice, so that he would make no rule violations from his point of view.
Examples
Input
11
1 100
3 70
4
2
3 120
5
3 120
6
1 150
4
3 300
Output
2
Input
5
1 100
3 200
2
4
5
Output
0
Input
7
1 20
2
6
4
6
6
2
Output
2
Note
In the first example Polycarp should say he didn't notice the "speed limit" sign with the limit of 70 and the second "speed limit" sign with the limit of 120.
In the second example Polycarp didn't make any rule violation.
In the third example Polycarp should say he didn't notice both "no overtake allowed" that came after "overtake is allowed" sign. | instruction | 0 | 88,052 | 24 | 176,104 |
Tags: data structures, dp, greedy
Correct Solution:
```
n=int(input())
st=[0]*n
top=-1
curr_speed=0
ans=0
c=0
while(n>0):
n-=1
a=list(map(int,input().split()))
if(a[0]==1):
curr_speed=a[1]
if(top>=0 and curr_speed>st[top]):
while(curr_speed>st[top] and top>=0):
top-=1
ans+=1
if(a[0]==4):
c=0
elif(a[0]==6):
c+=1
if(a[0]==5):
top=-1
if(a[0]==2):
ans+=c
c=0
if(a[0]==3):
if(curr_speed>a[1]):
ans+=1
else:
st[top+1]=a[1]
top+=1
print(ans)
``` | output | 1 | 88,052 | 24 | 176,105 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Polycarp has just attempted to pass the driving test. He ran over the straight road with the signs of four types.
* speed limit: this sign comes with a positive integer number β maximal speed of the car after the sign (cancel the action of the previous sign of this type);
* overtake is allowed: this sign means that after some car meets it, it can overtake any other car;
* no speed limit: this sign cancels speed limit if any (car can move with arbitrary speed after this sign);
* no overtake allowed: some car can't overtake any other car after this sign.
Polycarp goes past the signs consequentially, each new sign cancels the action of all the previous signs of it's kind (speed limit/overtake). It is possible that two or more "no overtake allowed" signs go one after another with zero "overtake is allowed" signs between them. It works with "no speed limit" and "overtake is allowed" signs as well.
In the beginning of the ride overtake is allowed and there is no speed limit.
You are given the sequence of events in chronological order β events which happened to Polycarp during the ride. There are events of following types:
1. Polycarp changes the speed of his car to specified (this event comes with a positive integer number);
2. Polycarp's car overtakes the other car;
3. Polycarp's car goes past the "speed limit" sign (this sign comes with a positive integer);
4. Polycarp's car goes past the "overtake is allowed" sign;
5. Polycarp's car goes past the "no speed limit";
6. Polycarp's car goes past the "no overtake allowed";
It is guaranteed that the first event in chronological order is the event of type 1 (Polycarp changed the speed of his car to specified).
After the exam Polycarp can justify his rule violations by telling the driving instructor that he just didn't notice some of the signs. What is the minimal number of signs Polycarp should say he didn't notice, so that he would make no rule violations from his point of view?
Input
The first line contains one integer number n (1 β€ n β€ 2Β·105) β number of events.
Each of the next n lines starts with integer t (1 β€ t β€ 6) β the type of the event.
An integer s (1 β€ s β€ 300) follows in the query of the first and the third type (if it is the query of first type, then it's new speed of Polycarp's car, if it is the query of third type, then it's new speed limit).
It is guaranteed that the first event in chronological order is the event of type 1 (Polycarp changed the speed of his car to specified).
Output
Print the minimal number of road signs Polycarp should say he didn't notice, so that he would make no rule violations from his point of view.
Examples
Input
11
1 100
3 70
4
2
3 120
5
3 120
6
1 150
4
3 300
Output
2
Input
5
1 100
3 200
2
4
5
Output
0
Input
7
1 20
2
6
4
6
6
2
Output
2
Note
In the first example Polycarp should say he didn't notice the "speed limit" sign with the limit of 70 and the second "speed limit" sign with the limit of 120.
In the second example Polycarp didn't make any rule violation.
In the third example Polycarp should say he didn't notice both "no overtake allowed" that came after "overtake is allowed" sign. | instruction | 0 | 88,053 | 24 | 176,106 |
Tags: data structures, dp, greedy
Correct Solution:
```
n = int(input())
no_overtake = 0
speedlimit = [float("inf")]
speed = 0
vio = 0
ot_ignored = False
for _ in range(n):
cmd = input().split()
if cmd[0] == '1':
speed = int(cmd[1])
while speed > speedlimit[-1]:
vio += 1
speedlimit.pop(-1)
elif cmd[0] == '2':
if no_overtake and not ot_ignored:
vio += no_overtake
ot_ignored = True
elif cmd[0] == '3':
speedlimit.append(int(cmd[1]))
if speed > speedlimit[-1]:
vio += 1
speedlimit.pop(-1)
elif cmd[0] == '4':
no_overtake = 0
ot_ignored = False
elif cmd[0] == '5':
speedlimit = [float('inf')]
elif cmd[0] == '6':
if ot_ignored == 1:
no_overtake = 0
no_overtake += 1
ot_ignored = False
print(vio)
``` | output | 1 | 88,053 | 24 | 176,107 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Polycarp has just attempted to pass the driving test. He ran over the straight road with the signs of four types.
* speed limit: this sign comes with a positive integer number β maximal speed of the car after the sign (cancel the action of the previous sign of this type);
* overtake is allowed: this sign means that after some car meets it, it can overtake any other car;
* no speed limit: this sign cancels speed limit if any (car can move with arbitrary speed after this sign);
* no overtake allowed: some car can't overtake any other car after this sign.
Polycarp goes past the signs consequentially, each new sign cancels the action of all the previous signs of it's kind (speed limit/overtake). It is possible that two or more "no overtake allowed" signs go one after another with zero "overtake is allowed" signs between them. It works with "no speed limit" and "overtake is allowed" signs as well.
In the beginning of the ride overtake is allowed and there is no speed limit.
You are given the sequence of events in chronological order β events which happened to Polycarp during the ride. There are events of following types:
1. Polycarp changes the speed of his car to specified (this event comes with a positive integer number);
2. Polycarp's car overtakes the other car;
3. Polycarp's car goes past the "speed limit" sign (this sign comes with a positive integer);
4. Polycarp's car goes past the "overtake is allowed" sign;
5. Polycarp's car goes past the "no speed limit";
6. Polycarp's car goes past the "no overtake allowed";
It is guaranteed that the first event in chronological order is the event of type 1 (Polycarp changed the speed of his car to specified).
After the exam Polycarp can justify his rule violations by telling the driving instructor that he just didn't notice some of the signs. What is the minimal number of signs Polycarp should say he didn't notice, so that he would make no rule violations from his point of view?
Input
The first line contains one integer number n (1 β€ n β€ 2Β·105) β number of events.
Each of the next n lines starts with integer t (1 β€ t β€ 6) β the type of the event.
An integer s (1 β€ s β€ 300) follows in the query of the first and the third type (if it is the query of first type, then it's new speed of Polycarp's car, if it is the query of third type, then it's new speed limit).
It is guaranteed that the first event in chronological order is the event of type 1 (Polycarp changed the speed of his car to specified).
Output
Print the minimal number of road signs Polycarp should say he didn't notice, so that he would make no rule violations from his point of view.
Examples
Input
11
1 100
3 70
4
2
3 120
5
3 120
6
1 150
4
3 300
Output
2
Input
5
1 100
3 200
2
4
5
Output
0
Input
7
1 20
2
6
4
6
6
2
Output
2
Note
In the first example Polycarp should say he didn't notice the "speed limit" sign with the limit of 70 and the second "speed limit" sign with the limit of 120.
In the second example Polycarp didn't make any rule violation.
In the third example Polycarp should say he didn't notice both "no overtake allowed" that came after "overtake is allowed" sign. | instruction | 0 | 88,054 | 24 | 176,108 |
Tags: data structures, dp, greedy
Correct Solution:
```
#!/usr/bin/env python3
from sys import stdin, stdout
from math import inf
def rint():
return map(int, stdin.readline().split())
#lines = stdin.readlines()
csp = 0
ov = 1
sign = []
ans = 0
spst = [inf]
ovst = [1]
n = int(input())
for i in range(n):
sign = list(rint())
if sign[0] == 1:
csp = sign[1]
while csp > spst[-1]:
spst.pop()
ans += 1
if sign[0] == 2:
while ovst[-1] == 0:
ovst.pop()
ans += 1
if sign[0] == 3:
if sign[1] >= csp:
spst.append(sign[1])
else:
ans += 1
if sign[0] == 4:
ovst.append(1)
if sign[0] == 5:
spst.append(inf)
if sign[0] == 6:
ovst.append(0)
print(ans)
``` | output | 1 | 88,054 | 24 | 176,109 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Polycarp has just attempted to pass the driving test. He ran over the straight road with the signs of four types.
* speed limit: this sign comes with a positive integer number β maximal speed of the car after the sign (cancel the action of the previous sign of this type);
* overtake is allowed: this sign means that after some car meets it, it can overtake any other car;
* no speed limit: this sign cancels speed limit if any (car can move with arbitrary speed after this sign);
* no overtake allowed: some car can't overtake any other car after this sign.
Polycarp goes past the signs consequentially, each new sign cancels the action of all the previous signs of it's kind (speed limit/overtake). It is possible that two or more "no overtake allowed" signs go one after another with zero "overtake is allowed" signs between them. It works with "no speed limit" and "overtake is allowed" signs as well.
In the beginning of the ride overtake is allowed and there is no speed limit.
You are given the sequence of events in chronological order β events which happened to Polycarp during the ride. There are events of following types:
1. Polycarp changes the speed of his car to specified (this event comes with a positive integer number);
2. Polycarp's car overtakes the other car;
3. Polycarp's car goes past the "speed limit" sign (this sign comes with a positive integer);
4. Polycarp's car goes past the "overtake is allowed" sign;
5. Polycarp's car goes past the "no speed limit";
6. Polycarp's car goes past the "no overtake allowed";
It is guaranteed that the first event in chronological order is the event of type 1 (Polycarp changed the speed of his car to specified).
After the exam Polycarp can justify his rule violations by telling the driving instructor that he just didn't notice some of the signs. What is the minimal number of signs Polycarp should say he didn't notice, so that he would make no rule violations from his point of view?
Input
The first line contains one integer number n (1 β€ n β€ 2Β·105) β number of events.
Each of the next n lines starts with integer t (1 β€ t β€ 6) β the type of the event.
An integer s (1 β€ s β€ 300) follows in the query of the first and the third type (if it is the query of first type, then it's new speed of Polycarp's car, if it is the query of third type, then it's new speed limit).
It is guaranteed that the first event in chronological order is the event of type 1 (Polycarp changed the speed of his car to specified).
Output
Print the minimal number of road signs Polycarp should say he didn't notice, so that he would make no rule violations from his point of view.
Examples
Input
11
1 100
3 70
4
2
3 120
5
3 120
6
1 150
4
3 300
Output
2
Input
5
1 100
3 200
2
4
5
Output
0
Input
7
1 20
2
6
4
6
6
2
Output
2
Note
In the first example Polycarp should say he didn't notice the "speed limit" sign with the limit of 70 and the second "speed limit" sign with the limit of 120.
In the second example Polycarp didn't make any rule violation.
In the third example Polycarp should say he didn't notice both "no overtake allowed" that came after "overtake is allowed" sign. | instruction | 0 | 88,055 | 24 | 176,110 |
Tags: data structures, dp, greedy
Correct Solution:
```
import sys
n = int(input())
a = [list(map(int, input().split())) for i in range(n)]
c2 = 0
speed = 0
c = 0
st = []
for i in a:
if i[0] == 1:
speed = i[1]
while len(st) and st[-1] < speed:
c += 1
st.pop()
elif i[0] == 2 and c2 > 0:
c += c2
c2 = 0
elif i[0] == 3:
st.append(i[1])
while len(st) and st[-1] < speed:
c += 1
st.pop()
elif i[0] == 4:
c2 = 0
elif i[0] == 5:
st = []
elif i[0] == 6:
c2 += 1
print(c)
``` | output | 1 | 88,055 | 24 | 176,111 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Polycarp has just attempted to pass the driving test. He ran over the straight road with the signs of four types.
* speed limit: this sign comes with a positive integer number β maximal speed of the car after the sign (cancel the action of the previous sign of this type);
* overtake is allowed: this sign means that after some car meets it, it can overtake any other car;
* no speed limit: this sign cancels speed limit if any (car can move with arbitrary speed after this sign);
* no overtake allowed: some car can't overtake any other car after this sign.
Polycarp goes past the signs consequentially, each new sign cancels the action of all the previous signs of it's kind (speed limit/overtake). It is possible that two or more "no overtake allowed" signs go one after another with zero "overtake is allowed" signs between them. It works with "no speed limit" and "overtake is allowed" signs as well.
In the beginning of the ride overtake is allowed and there is no speed limit.
You are given the sequence of events in chronological order β events which happened to Polycarp during the ride. There are events of following types:
1. Polycarp changes the speed of his car to specified (this event comes with a positive integer number);
2. Polycarp's car overtakes the other car;
3. Polycarp's car goes past the "speed limit" sign (this sign comes with a positive integer);
4. Polycarp's car goes past the "overtake is allowed" sign;
5. Polycarp's car goes past the "no speed limit";
6. Polycarp's car goes past the "no overtake allowed";
It is guaranteed that the first event in chronological order is the event of type 1 (Polycarp changed the speed of his car to specified).
After the exam Polycarp can justify his rule violations by telling the driving instructor that he just didn't notice some of the signs. What is the minimal number of signs Polycarp should say he didn't notice, so that he would make no rule violations from his point of view?
Input
The first line contains one integer number n (1 β€ n β€ 2Β·105) β number of events.
Each of the next n lines starts with integer t (1 β€ t β€ 6) β the type of the event.
An integer s (1 β€ s β€ 300) follows in the query of the first and the third type (if it is the query of first type, then it's new speed of Polycarp's car, if it is the query of third type, then it's new speed limit).
It is guaranteed that the first event in chronological order is the event of type 1 (Polycarp changed the speed of his car to specified).
Output
Print the minimal number of road signs Polycarp should say he didn't notice, so that he would make no rule violations from his point of view.
Examples
Input
11
1 100
3 70
4
2
3 120
5
3 120
6
1 150
4
3 300
Output
2
Input
5
1 100
3 200
2
4
5
Output
0
Input
7
1 20
2
6
4
6
6
2
Output
2
Note
In the first example Polycarp should say he didn't notice the "speed limit" sign with the limit of 70 and the second "speed limit" sign with the limit of 120.
In the second example Polycarp didn't make any rule violation.
In the third example Polycarp should say he didn't notice both "no overtake allowed" that came after "overtake is allowed" sign. | instruction | 0 | 88,056 | 24 | 176,112 |
Tags: data structures, dp, greedy
Correct Solution:
```
n = int(input())
speed = 0
overtake_allowed = True
just_overtake_violation = False
speed_signs = []
violations = 0
overtake_passed = 0
for i in range(n):
arr = [int(a) for a in input().split(' ')]
if arr[0] == 1:
if arr[1] > speed:
speed = arr[1]
for j in range(len(speed_signs) - 1, -1, -1):
if speed > speed_signs[j]:
violations += 1
del speed_signs[j]
else:
break
else:
speed = arr[1]
if arr[0] == 2:
violations += overtake_passed
overtake_passed = 0
if arr[0] == 3:
if speed > arr[1]:
violations += 1
else:
speed_signs.append(arr[1])
if arr[0] == 4:
overtake_passed = 0
if arr[0] == 5:
speed_signs = []
if arr[0] == 6:
overtake_passed += 1
# print(speed_signs)
# print(violated_speed)
# print(overtake_signs)
# print(violated_overtake)
print(violations)
``` | output | 1 | 88,056 | 24 | 176,113 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Polycarp has just attempted to pass the driving test. He ran over the straight road with the signs of four types.
* speed limit: this sign comes with a positive integer number β maximal speed of the car after the sign (cancel the action of the previous sign of this type);
* overtake is allowed: this sign means that after some car meets it, it can overtake any other car;
* no speed limit: this sign cancels speed limit if any (car can move with arbitrary speed after this sign);
* no overtake allowed: some car can't overtake any other car after this sign.
Polycarp goes past the signs consequentially, each new sign cancels the action of all the previous signs of it's kind (speed limit/overtake). It is possible that two or more "no overtake allowed" signs go one after another with zero "overtake is allowed" signs between them. It works with "no speed limit" and "overtake is allowed" signs as well.
In the beginning of the ride overtake is allowed and there is no speed limit.
You are given the sequence of events in chronological order β events which happened to Polycarp during the ride. There are events of following types:
1. Polycarp changes the speed of his car to specified (this event comes with a positive integer number);
2. Polycarp's car overtakes the other car;
3. Polycarp's car goes past the "speed limit" sign (this sign comes with a positive integer);
4. Polycarp's car goes past the "overtake is allowed" sign;
5. Polycarp's car goes past the "no speed limit";
6. Polycarp's car goes past the "no overtake allowed";
It is guaranteed that the first event in chronological order is the event of type 1 (Polycarp changed the speed of his car to specified).
After the exam Polycarp can justify his rule violations by telling the driving instructor that he just didn't notice some of the signs. What is the minimal number of signs Polycarp should say he didn't notice, so that he would make no rule violations from his point of view?
Input
The first line contains one integer number n (1 β€ n β€ 2Β·105) β number of events.
Each of the next n lines starts with integer t (1 β€ t β€ 6) β the type of the event.
An integer s (1 β€ s β€ 300) follows in the query of the first and the third type (if it is the query of first type, then it's new speed of Polycarp's car, if it is the query of third type, then it's new speed limit).
It is guaranteed that the first event in chronological order is the event of type 1 (Polycarp changed the speed of his car to specified).
Output
Print the minimal number of road signs Polycarp should say he didn't notice, so that he would make no rule violations from his point of view.
Examples
Input
11
1 100
3 70
4
2
3 120
5
3 120
6
1 150
4
3 300
Output
2
Input
5
1 100
3 200
2
4
5
Output
0
Input
7
1 20
2
6
4
6
6
2
Output
2
Note
In the first example Polycarp should say he didn't notice the "speed limit" sign with the limit of 70 and the second "speed limit" sign with the limit of 120.
In the second example Polycarp didn't make any rule violation.
In the third example Polycarp should say he didn't notice both "no overtake allowed" that came after "overtake is allowed" sign. | instruction | 0 | 88,057 | 24 | 176,114 |
Tags: data structures, dp, greedy
Correct Solution:
```
speeds = [1000000]
overtakes = [True]
count = 0
speed = 0
n = int(input())
for e in range(n):
inp = list(map(int, input().split()))
# print(inp)
if inp[0] == 4:
overtakes.append(True)
elif inp[0] == 6:
overtakes.append(False)
elif inp[0] == 5:
speeds.append(1000000)
elif inp[0] == 3:
speeds.append(inp[1])
while speed > speeds[-1]:
count += 1
speeds.pop()
elif inp[0] == 2:
while not overtakes[-1]:
count += 1
overtakes.pop()
else:
while inp[1] > speeds[-1]:
count += 1
speeds.pop()
speed = inp[1]
print(count)
"""
Polycarp changes the speed of his car to specified (this event comes with a positive integer number);
Polycarp's car overtakes the other car;
Polycarp's car goes past the "speed limit" sign (this sign comes with a positive integer);
Polycarp's car goes past the "overtake is allowed" sign;
Polycarp's car goes past the "no speed limit";
Polycarp's car goes past the "no overtake allowed";
"""
``` | output | 1 | 88,057 | 24 | 176,115 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Polycarp has just attempted to pass the driving test. He ran over the straight road with the signs of four types.
* speed limit: this sign comes with a positive integer number β maximal speed of the car after the sign (cancel the action of the previous sign of this type);
* overtake is allowed: this sign means that after some car meets it, it can overtake any other car;
* no speed limit: this sign cancels speed limit if any (car can move with arbitrary speed after this sign);
* no overtake allowed: some car can't overtake any other car after this sign.
Polycarp goes past the signs consequentially, each new sign cancels the action of all the previous signs of it's kind (speed limit/overtake). It is possible that two or more "no overtake allowed" signs go one after another with zero "overtake is allowed" signs between them. It works with "no speed limit" and "overtake is allowed" signs as well.
In the beginning of the ride overtake is allowed and there is no speed limit.
You are given the sequence of events in chronological order β events which happened to Polycarp during the ride. There are events of following types:
1. Polycarp changes the speed of his car to specified (this event comes with a positive integer number);
2. Polycarp's car overtakes the other car;
3. Polycarp's car goes past the "speed limit" sign (this sign comes with a positive integer);
4. Polycarp's car goes past the "overtake is allowed" sign;
5. Polycarp's car goes past the "no speed limit";
6. Polycarp's car goes past the "no overtake allowed";
It is guaranteed that the first event in chronological order is the event of type 1 (Polycarp changed the speed of his car to specified).
After the exam Polycarp can justify his rule violations by telling the driving instructor that he just didn't notice some of the signs. What is the minimal number of signs Polycarp should say he didn't notice, so that he would make no rule violations from his point of view?
Input
The first line contains one integer number n (1 β€ n β€ 2Β·105) β number of events.
Each of the next n lines starts with integer t (1 β€ t β€ 6) β the type of the event.
An integer s (1 β€ s β€ 300) follows in the query of the first and the third type (if it is the query of first type, then it's new speed of Polycarp's car, if it is the query of third type, then it's new speed limit).
It is guaranteed that the first event in chronological order is the event of type 1 (Polycarp changed the speed of his car to specified).
Output
Print the minimal number of road signs Polycarp should say he didn't notice, so that he would make no rule violations from his point of view.
Examples
Input
11
1 100
3 70
4
2
3 120
5
3 120
6
1 150
4
3 300
Output
2
Input
5
1 100
3 200
2
4
5
Output
0
Input
7
1 20
2
6
4
6
6
2
Output
2
Note
In the first example Polycarp should say he didn't notice the "speed limit" sign with the limit of 70 and the second "speed limit" sign with the limit of 120.
In the second example Polycarp didn't make any rule violation.
In the third example Polycarp should say he didn't notice both "no overtake allowed" that came after "overtake is allowed" sign. | instruction | 0 | 88,058 | 24 | 176,116 |
Tags: data structures, dp, greedy
Correct Solution:
```
class DrivingTest:
car_speed = 0
speed_limit = [0] # no speed limit
overtake_allowed = [True]
missed_signs = 0
def __init__(self, test=False):
if not test:
event_count = int(input())
for counter in range(event_count):
event = input()
self.handle_event(event)
# print(f"Speed: {self.car_speed}, Limit: {self.speed_limit}, Overtake allowed: {self.overtake_allowed}, Missed signs:{self.missed_signs}")
print(self.missed_signs)
def handle_event(self, event):
event = list(map(int, event.split()))
event_type = event[0]
if event_type == 1:
self.set_car_speed(event[1])
if event_type == 2:
self.overtake_car()
if event_type == 3:
self.set_speed_limit(event[1])
if event_type == 4:
self.set_overtake_allowed(True)
if event_type == 5:
self.set_speed_limit(0)
if event_type == 6:
self.set_overtake_allowed(False)
def set_car_speed(self, car_speed):
self.car_speed = car_speed
self.check_car_speed()
def set_speed_limit(self, speed_limit):
self.speed_limit.append(speed_limit)
self.check_car_speed()
def check_car_speed(self):
latest_speed_limit = self.speed_limit[-1]
while latest_speed_limit != 0 and latest_speed_limit < self.car_speed:
self.missed_signs += 1
self.speed_limit.pop()
latest_speed_limit = self.speed_limit[-1]
def set_overtake_allowed(self, overtake_allowed):
self.overtake_allowed.append(overtake_allowed)
def overtake_car(self):
while not self.overtake_allowed[-1]:
self.missed_signs += 1
self.overtake_allowed.pop()
def get_missed_signs(self):
return self.missed_signs
if __name__ == "__main__":
DrivingTest()
``` | output | 1 | 88,058 | 24 | 176,117 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Polycarp has just attempted to pass the driving test. He ran over the straight road with the signs of four types.
* speed limit: this sign comes with a positive integer number β maximal speed of the car after the sign (cancel the action of the previous sign of this type);
* overtake is allowed: this sign means that after some car meets it, it can overtake any other car;
* no speed limit: this sign cancels speed limit if any (car can move with arbitrary speed after this sign);
* no overtake allowed: some car can't overtake any other car after this sign.
Polycarp goes past the signs consequentially, each new sign cancels the action of all the previous signs of it's kind (speed limit/overtake). It is possible that two or more "no overtake allowed" signs go one after another with zero "overtake is allowed" signs between them. It works with "no speed limit" and "overtake is allowed" signs as well.
In the beginning of the ride overtake is allowed and there is no speed limit.
You are given the sequence of events in chronological order β events which happened to Polycarp during the ride. There are events of following types:
1. Polycarp changes the speed of his car to specified (this event comes with a positive integer number);
2. Polycarp's car overtakes the other car;
3. Polycarp's car goes past the "speed limit" sign (this sign comes with a positive integer);
4. Polycarp's car goes past the "overtake is allowed" sign;
5. Polycarp's car goes past the "no speed limit";
6. Polycarp's car goes past the "no overtake allowed";
It is guaranteed that the first event in chronological order is the event of type 1 (Polycarp changed the speed of his car to specified).
After the exam Polycarp can justify his rule violations by telling the driving instructor that he just didn't notice some of the signs. What is the minimal number of signs Polycarp should say he didn't notice, so that he would make no rule violations from his point of view?
Input
The first line contains one integer number n (1 β€ n β€ 2Β·105) β number of events.
Each of the next n lines starts with integer t (1 β€ t β€ 6) β the type of the event.
An integer s (1 β€ s β€ 300) follows in the query of the first and the third type (if it is the query of first type, then it's new speed of Polycarp's car, if it is the query of third type, then it's new speed limit).
It is guaranteed that the first event in chronological order is the event of type 1 (Polycarp changed the speed of his car to specified).
Output
Print the minimal number of road signs Polycarp should say he didn't notice, so that he would make no rule violations from his point of view.
Examples
Input
11
1 100
3 70
4
2
3 120
5
3 120
6
1 150
4
3 300
Output
2
Input
5
1 100
3 200
2
4
5
Output
0
Input
7
1 20
2
6
4
6
6
2
Output
2
Note
In the first example Polycarp should say he didn't notice the "speed limit" sign with the limit of 70 and the second "speed limit" sign with the limit of 120.
In the second example Polycarp didn't make any rule violation.
In the third example Polycarp should say he didn't notice both "no overtake allowed" that came after "overtake is allowed" sign.
Submitted Solution:
```
MAX_SPEED = 300
n = int(input())
actions = [list(map(int, input().split())) for _ in range(n)]
speed = [0 for i in range(n)]
for i in range(n):
if actions[i][0] == 1:
lastSpeed = actions[i][1]
speed[i] = lastSpeed
ignored = 0
overtook = False
maxSpeed = -1
for i in range(n-1,-1,-1):
maxSpeed = max(maxSpeed, speed[i])
if actions[i][0] == 1:
pass
elif actions[i][0] == 2:
overtook = True
elif actions[i][0] == 3:
if maxSpeed > actions[i][1]:
ignored += 1
else:
maxSpeed = speed[i-1]
elif actions[i][0] == 4:
overtook = False
elif actions[i][0] == 5:
maxSpeed = speed[i-1]
elif actions[i][0] == 6:
if overtook:
ignored += 1
print(ignored)
``` | instruction | 0 | 88,059 | 24 | 176,118 |
Yes | output | 1 | 88,059 | 24 | 176,119 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Polycarp has just attempted to pass the driving test. He ran over the straight road with the signs of four types.
* speed limit: this sign comes with a positive integer number β maximal speed of the car after the sign (cancel the action of the previous sign of this type);
* overtake is allowed: this sign means that after some car meets it, it can overtake any other car;
* no speed limit: this sign cancels speed limit if any (car can move with arbitrary speed after this sign);
* no overtake allowed: some car can't overtake any other car after this sign.
Polycarp goes past the signs consequentially, each new sign cancels the action of all the previous signs of it's kind (speed limit/overtake). It is possible that two or more "no overtake allowed" signs go one after another with zero "overtake is allowed" signs between them. It works with "no speed limit" and "overtake is allowed" signs as well.
In the beginning of the ride overtake is allowed and there is no speed limit.
You are given the sequence of events in chronological order β events which happened to Polycarp during the ride. There are events of following types:
1. Polycarp changes the speed of his car to specified (this event comes with a positive integer number);
2. Polycarp's car overtakes the other car;
3. Polycarp's car goes past the "speed limit" sign (this sign comes with a positive integer);
4. Polycarp's car goes past the "overtake is allowed" sign;
5. Polycarp's car goes past the "no speed limit";
6. Polycarp's car goes past the "no overtake allowed";
It is guaranteed that the first event in chronological order is the event of type 1 (Polycarp changed the speed of his car to specified).
After the exam Polycarp can justify his rule violations by telling the driving instructor that he just didn't notice some of the signs. What is the minimal number of signs Polycarp should say he didn't notice, so that he would make no rule violations from his point of view?
Input
The first line contains one integer number n (1 β€ n β€ 2Β·105) β number of events.
Each of the next n lines starts with integer t (1 β€ t β€ 6) β the type of the event.
An integer s (1 β€ s β€ 300) follows in the query of the first and the third type (if it is the query of first type, then it's new speed of Polycarp's car, if it is the query of third type, then it's new speed limit).
It is guaranteed that the first event in chronological order is the event of type 1 (Polycarp changed the speed of his car to specified).
Output
Print the minimal number of road signs Polycarp should say he didn't notice, so that he would make no rule violations from his point of view.
Examples
Input
11
1 100
3 70
4
2
3 120
5
3 120
6
1 150
4
3 300
Output
2
Input
5
1 100
3 200
2
4
5
Output
0
Input
7
1 20
2
6
4
6
6
2
Output
2
Note
In the first example Polycarp should say he didn't notice the "speed limit" sign with the limit of 70 and the second "speed limit" sign with the limit of 120.
In the second example Polycarp didn't make any rule violation.
In the third example Polycarp should say he didn't notice both "no overtake allowed" that came after "overtake is allowed" sign.
Submitted Solution:
```
n = int(input())
v = int(input()[2:])
p = [1e9]
d = k = 0
for i in range(n - 1):
s = input()
t = int(s[0])
if t == 1:
v = int(s[2:])
while p[-1] < v:
p.pop()
k += 1
if t == 2:
k += d
d = 0
if t == 3:
u = int(s[2:])
if v > u: k += 1
else: p.append(u)
if t == 4: d = 0
if t == 5: p = [1e9]
if t == 6: d += 1
print(k)
``` | instruction | 0 | 88,060 | 24 | 176,120 |
Yes | output | 1 | 88,060 | 24 | 176,121 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Polycarp has just attempted to pass the driving test. He ran over the straight road with the signs of four types.
* speed limit: this sign comes with a positive integer number β maximal speed of the car after the sign (cancel the action of the previous sign of this type);
* overtake is allowed: this sign means that after some car meets it, it can overtake any other car;
* no speed limit: this sign cancels speed limit if any (car can move with arbitrary speed after this sign);
* no overtake allowed: some car can't overtake any other car after this sign.
Polycarp goes past the signs consequentially, each new sign cancels the action of all the previous signs of it's kind (speed limit/overtake). It is possible that two or more "no overtake allowed" signs go one after another with zero "overtake is allowed" signs between them. It works with "no speed limit" and "overtake is allowed" signs as well.
In the beginning of the ride overtake is allowed and there is no speed limit.
You are given the sequence of events in chronological order β events which happened to Polycarp during the ride. There are events of following types:
1. Polycarp changes the speed of his car to specified (this event comes with a positive integer number);
2. Polycarp's car overtakes the other car;
3. Polycarp's car goes past the "speed limit" sign (this sign comes with a positive integer);
4. Polycarp's car goes past the "overtake is allowed" sign;
5. Polycarp's car goes past the "no speed limit";
6. Polycarp's car goes past the "no overtake allowed";
It is guaranteed that the first event in chronological order is the event of type 1 (Polycarp changed the speed of his car to specified).
After the exam Polycarp can justify his rule violations by telling the driving instructor that he just didn't notice some of the signs. What is the minimal number of signs Polycarp should say he didn't notice, so that he would make no rule violations from his point of view?
Input
The first line contains one integer number n (1 β€ n β€ 2Β·105) β number of events.
Each of the next n lines starts with integer t (1 β€ t β€ 6) β the type of the event.
An integer s (1 β€ s β€ 300) follows in the query of the first and the third type (if it is the query of first type, then it's new speed of Polycarp's car, if it is the query of third type, then it's new speed limit).
It is guaranteed that the first event in chronological order is the event of type 1 (Polycarp changed the speed of his car to specified).
Output
Print the minimal number of road signs Polycarp should say he didn't notice, so that he would make no rule violations from his point of view.
Examples
Input
11
1 100
3 70
4
2
3 120
5
3 120
6
1 150
4
3 300
Output
2
Input
5
1 100
3 200
2
4
5
Output
0
Input
7
1 20
2
6
4
6
6
2
Output
2
Note
In the first example Polycarp should say he didn't notice the "speed limit" sign with the limit of 70 and the second "speed limit" sign with the limit of 120.
In the second example Polycarp didn't make any rule violation.
In the third example Polycarp should say he didn't notice both "no overtake allowed" that came after "overtake is allowed" sign.
Submitted Solution:
```
# D. Driving Test
n = int(input())
ps = None
seen_sl = [float('inf')]
seen_ot = [True]
answer = 0
for i in range(n):
line = list(map(int, input().split()))
t = line[0]
if t == 1:
ps = line[1]
while ps > seen_sl[-1]:
answer += 1
seen_sl.pop(-1)
elif t == 2:
while not seen_ot[-1]:
answer += 1
seen_ot.pop(-1)
elif t == 3:
seen_sl.append(line[1])
while ps > seen_sl[-1]:
answer += 1
seen_sl.pop(-1)
elif t == 4:
seen_ot.append(True)
elif t == 5:
seen_sl.append(float('inf'))
elif t == 6:
seen_ot.append(False)
print(answer)
``` | instruction | 0 | 88,061 | 24 | 176,122 |
Yes | output | 1 | 88,061 | 24 | 176,123 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Polycarp has just attempted to pass the driving test. He ran over the straight road with the signs of four types.
* speed limit: this sign comes with a positive integer number β maximal speed of the car after the sign (cancel the action of the previous sign of this type);
* overtake is allowed: this sign means that after some car meets it, it can overtake any other car;
* no speed limit: this sign cancels speed limit if any (car can move with arbitrary speed after this sign);
* no overtake allowed: some car can't overtake any other car after this sign.
Polycarp goes past the signs consequentially, each new sign cancels the action of all the previous signs of it's kind (speed limit/overtake). It is possible that two or more "no overtake allowed" signs go one after another with zero "overtake is allowed" signs between them. It works with "no speed limit" and "overtake is allowed" signs as well.
In the beginning of the ride overtake is allowed and there is no speed limit.
You are given the sequence of events in chronological order β events which happened to Polycarp during the ride. There are events of following types:
1. Polycarp changes the speed of his car to specified (this event comes with a positive integer number);
2. Polycarp's car overtakes the other car;
3. Polycarp's car goes past the "speed limit" sign (this sign comes with a positive integer);
4. Polycarp's car goes past the "overtake is allowed" sign;
5. Polycarp's car goes past the "no speed limit";
6. Polycarp's car goes past the "no overtake allowed";
It is guaranteed that the first event in chronological order is the event of type 1 (Polycarp changed the speed of his car to specified).
After the exam Polycarp can justify his rule violations by telling the driving instructor that he just didn't notice some of the signs. What is the minimal number of signs Polycarp should say he didn't notice, so that he would make no rule violations from his point of view?
Input
The first line contains one integer number n (1 β€ n β€ 2Β·105) β number of events.
Each of the next n lines starts with integer t (1 β€ t β€ 6) β the type of the event.
An integer s (1 β€ s β€ 300) follows in the query of the first and the third type (if it is the query of first type, then it's new speed of Polycarp's car, if it is the query of third type, then it's new speed limit).
It is guaranteed that the first event in chronological order is the event of type 1 (Polycarp changed the speed of his car to specified).
Output
Print the minimal number of road signs Polycarp should say he didn't notice, so that he would make no rule violations from his point of view.
Examples
Input
11
1 100
3 70
4
2
3 120
5
3 120
6
1 150
4
3 300
Output
2
Input
5
1 100
3 200
2
4
5
Output
0
Input
7
1 20
2
6
4
6
6
2
Output
2
Note
In the first example Polycarp should say he didn't notice the "speed limit" sign with the limit of 70 and the second "speed limit" sign with the limit of 120.
In the second example Polycarp didn't make any rule violation.
In the third example Polycarp should say he didn't notice both "no overtake allowed" that came after "overtake is allowed" sign.
Submitted Solution:
```
# ---------------------------iye ha aam zindegi---------------------------------------------
import math
import heapq, bisect
import sys
from collections import deque, defaultdict
from fractions import Fraction
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
avl=AvlTree()
#-----------------------------------------------binary seacrh tree---------------------------------------
class SegmentTree1:
def __init__(self, data, default='z', func=lambda a, b: min(a ,b)):
"""initialize the segment tree with data"""
self._default = default
self._func = func
self._len = len(data)
self._size = _size = 1 << (self._len - 1).bit_length()
self.data = [default] * (2 * _size)
self.data[_size:_size + self._len] = data
for i in reversed(range(_size)):
self.data[i] = func(self.data[i + i], self.data[i + i + 1])
def __delitem__(self, idx):
self[idx] = self._default
def __getitem__(self, idx):
return self.data[idx + self._size]
def __setitem__(self, idx, value):
idx += self._size
self.data[idx] = value
idx >>= 1
while idx:
self.data[idx] = self._func(self.data[2 * idx], self.data[2 * idx + 1])
idx >>= 1
def __len__(self):
return self._len
def query(self, start, stop):
if start == stop:
return self.__getitem__(start)
stop += 1
start += self._size
stop += self._size
res = self._default
while start < stop:
if start & 1:
res = self._func(res, self.data[start])
start += 1
if stop & 1:
stop -= 1
res = self._func(res, self.data[stop])
start >>= 1
stop >>= 1
return res
def __repr__(self):
return "SegmentTree({0})".format(self.data)
# -------------------game starts now----------------------------------------------------import math
class SegmentTree:
def __init__(self, data, default=0, func=lambda a, b: a + b):
"""initialize the segment tree with data"""
self._default = default
self._func = func
self._len = len(data)
self._size = _size = 1 << (self._len - 1).bit_length()
self.data = [default] * (2 * _size)
self.data[_size:_size + self._len] = data
for i in reversed(range(_size)):
self.data[i] = func(self.data[i + i], self.data[i + i + 1])
def __delitem__(self, idx):
self[idx] = self._default
def __getitem__(self, idx):
return self.data[idx + self._size]
def __setitem__(self, idx, value):
idx += self._size
self.data[idx] = value
idx >>= 1
while idx:
self.data[idx] = self._func(self.data[2 * idx], self.data[2 * idx + 1])
idx >>= 1
def __len__(self):
return self._len
def query(self, start, stop):
if start == stop:
return self.__getitem__(start)
stop += 1
start += self._size
stop += self._size
res = self._default
while start < stop:
if start & 1:
res = self._func(res, self.data[start])
start += 1
if stop & 1:
stop -= 1
res = self._func(res, self.data[stop])
start >>= 1
stop >>= 1
return res
def __repr__(self):
return "SegmentTree({0})".format(self.data)
# -------------------------------iye ha chutiya zindegi-------------------------------------
class Factorial:
def __init__(self, MOD):
self.MOD = MOD
self.factorials = [1, 1]
self.invModulos = [0, 1]
self.invFactorial_ = [1, 1]
def calc(self, n):
if n <= -1:
print("Invalid argument to calculate n!")
print("n must be non-negative value. But the argument was " + str(n))
exit()
if n < len(self.factorials):
return self.factorials[n]
nextArr = [0] * (n + 1 - len(self.factorials))
initialI = len(self.factorials)
prev = self.factorials[-1]
m = self.MOD
for i in range(initialI, n + 1):
prev = nextArr[i - initialI] = prev * i % m
self.factorials += nextArr
return self.factorials[n]
def inv(self, n):
if n <= -1:
print("Invalid argument to calculate n^(-1)")
print("n must be non-negative value. But the argument was " + str(n))
exit()
p = self.MOD
pi = n % p
if pi < len(self.invModulos):
return self.invModulos[pi]
nextArr = [0] * (n + 1 - len(self.invModulos))
initialI = len(self.invModulos)
for i in range(initialI, min(p, n + 1)):
next = -self.invModulos[p % i] * (p // i) % p
self.invModulos.append(next)
return self.invModulos[pi]
def invFactorial(self, n):
if n <= -1:
print("Invalid argument to calculate (n^(-1))!")
print("n must be non-negative value. But the argument was " + str(n))
exit()
if n < len(self.invFactorial_):
return self.invFactorial_[n]
self.inv(n) # To make sure already calculated n^-1
nextArr = [0] * (n + 1 - len(self.invFactorial_))
initialI = len(self.invFactorial_)
prev = self.invFactorial_[-1]
p = self.MOD
for i in range(initialI, n + 1):
prev = nextArr[i - initialI] = (prev * self.invModulos[i % p]) % p
self.invFactorial_ += nextArr
return self.invFactorial_[n]
class Combination:
def __init__(self, MOD):
self.MOD = MOD
self.factorial = Factorial(MOD)
def ncr(self, n, k):
if k < 0 or n < k:
return 0
k = min(k, n - k)
f = self.factorial
return f.calc(n) * f.invFactorial(max(n - k, k)) * f.invFactorial(min(k, n - k)) % self.MOD
# --------------------------------------iye ha combinations ka zindegi---------------------------------
def powm(a, n, m):
if a == 1 or n == 0:
return 1
if n % 2 == 0:
s = powm(a, n // 2, m)
return s * s % m
else:
return a * powm(a, n - 1, m) % m
# --------------------------------------iye ha power ka zindegi---------------------------------
def sort_list(list1, list2):
zipped_pairs = zip(list2, list1)
z = [x for _, x in sorted(zipped_pairs)]
return z
# --------------------------------------------------product----------------------------------------
def product(l):
por = 1
for i in range(len(l)):
por *= l[i]
return por
# --------------------------------------------------binary----------------------------------------
def binarySearchCount(arr, n, key):
left = 0
right = n - 1
count = 0
while (left <= right):
mid = int((right + left)/ 2)
# Check if middle element is
# less than or equal to key
if (arr[mid]<=key):
count = mid+1
left = mid + 1
# If key is smaller, ignore right half
else:
right = mid - 1
return count
# --------------------------------------------------binary----------------------------------------
def countdig(n):
c = 0
while (n > 0):
n //= 10
c += 1
return c
def 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------------------------------------
spe=400
curspe=0
w=[400]
over=0
ans=0
for ik in range(int(input())):
a=list(map(int,input().split()))
if a[0]==4:
over=0
elif a[0]==6:
over+=1
elif a[0]==2:
if over>=1:
ans+=over
over=0
elif a[0]==1:
if a[1]>spe:
while(True):
e=w.pop()
spe=e
if a[1]<=e:
w.append(e)
break
else:
ans+=1
curspe=a[1]
elif a[0]==5:
spe=400
w=[400]
elif a[0]==3:
w.append(a[1])
while(True):
#print(w)
e=w.pop()
spe=e
if curspe<=e:
w.append(e)
break
else:
ans+=1
#print(ans)
print(ans)
``` | instruction | 0 | 88,062 | 24 | 176,124 |
Yes | output | 1 | 88,062 | 24 | 176,125 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Polycarp has just attempted to pass the driving test. He ran over the straight road with the signs of four types.
* speed limit: this sign comes with a positive integer number β maximal speed of the car after the sign (cancel the action of the previous sign of this type);
* overtake is allowed: this sign means that after some car meets it, it can overtake any other car;
* no speed limit: this sign cancels speed limit if any (car can move with arbitrary speed after this sign);
* no overtake allowed: some car can't overtake any other car after this sign.
Polycarp goes past the signs consequentially, each new sign cancels the action of all the previous signs of it's kind (speed limit/overtake). It is possible that two or more "no overtake allowed" signs go one after another with zero "overtake is allowed" signs between them. It works with "no speed limit" and "overtake is allowed" signs as well.
In the beginning of the ride overtake is allowed and there is no speed limit.
You are given the sequence of events in chronological order β events which happened to Polycarp during the ride. There are events of following types:
1. Polycarp changes the speed of his car to specified (this event comes with a positive integer number);
2. Polycarp's car overtakes the other car;
3. Polycarp's car goes past the "speed limit" sign (this sign comes with a positive integer);
4. Polycarp's car goes past the "overtake is allowed" sign;
5. Polycarp's car goes past the "no speed limit";
6. Polycarp's car goes past the "no overtake allowed";
It is guaranteed that the first event in chronological order is the event of type 1 (Polycarp changed the speed of his car to specified).
After the exam Polycarp can justify his rule violations by telling the driving instructor that he just didn't notice some of the signs. What is the minimal number of signs Polycarp should say he didn't notice, so that he would make no rule violations from his point of view?
Input
The first line contains one integer number n (1 β€ n β€ 2Β·105) β number of events.
Each of the next n lines starts with integer t (1 β€ t β€ 6) β the type of the event.
An integer s (1 β€ s β€ 300) follows in the query of the first and the third type (if it is the query of first type, then it's new speed of Polycarp's car, if it is the query of third type, then it's new speed limit).
It is guaranteed that the first event in chronological order is the event of type 1 (Polycarp changed the speed of his car to specified).
Output
Print the minimal number of road signs Polycarp should say he didn't notice, so that he would make no rule violations from his point of view.
Examples
Input
11
1 100
3 70
4
2
3 120
5
3 120
6
1 150
4
3 300
Output
2
Input
5
1 100
3 200
2
4
5
Output
0
Input
7
1 20
2
6
4
6
6
2
Output
2
Note
In the first example Polycarp should say he didn't notice the "speed limit" sign with the limit of 70 and the second "speed limit" sign with the limit of 120.
In the second example Polycarp didn't make any rule violation.
In the third example Polycarp should say he didn't notice both "no overtake allowed" that came after "overtake is allowed" sign.
Submitted Solution:
```
events = int(input())
speed = -1
limitSigns = []
overtake = True
noOvertakeSigns = 0
signs = 0
for i in range(events):
l = input().split(" ")
e_type = int(l[0])
if e_type == 1:
speed = int(l[1])
newLimSigns = []
for i in limitSigns:
if speed > i:
signs += 1
else:
newLimSigns.append(i)
break
limitSigns = newLimSigns
if e_type == 2:
if not overtake:
signs += noOvertakeSigns
noOvertakeSigns = 0
if e_type == 3:
limit = int(l[1])
if speed > limit:
signs += 1
else:
limitSigns = [limit] + limitSigns
if e_type == 4:
overtake = True
noOvertakeSigns = 0
if e_type == 5:
limitSigns = []
if e_type == 6:
overtake = False
noOvertakeSigns += 1
print(signs)
``` | instruction | 0 | 88,063 | 24 | 176,126 |
No | output | 1 | 88,063 | 24 | 176,127 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Polycarp has just attempted to pass the driving test. He ran over the straight road with the signs of four types.
* speed limit: this sign comes with a positive integer number β maximal speed of the car after the sign (cancel the action of the previous sign of this type);
* overtake is allowed: this sign means that after some car meets it, it can overtake any other car;
* no speed limit: this sign cancels speed limit if any (car can move with arbitrary speed after this sign);
* no overtake allowed: some car can't overtake any other car after this sign.
Polycarp goes past the signs consequentially, each new sign cancels the action of all the previous signs of it's kind (speed limit/overtake). It is possible that two or more "no overtake allowed" signs go one after another with zero "overtake is allowed" signs between them. It works with "no speed limit" and "overtake is allowed" signs as well.
In the beginning of the ride overtake is allowed and there is no speed limit.
You are given the sequence of events in chronological order β events which happened to Polycarp during the ride. There are events of following types:
1. Polycarp changes the speed of his car to specified (this event comes with a positive integer number);
2. Polycarp's car overtakes the other car;
3. Polycarp's car goes past the "speed limit" sign (this sign comes with a positive integer);
4. Polycarp's car goes past the "overtake is allowed" sign;
5. Polycarp's car goes past the "no speed limit";
6. Polycarp's car goes past the "no overtake allowed";
It is guaranteed that the first event in chronological order is the event of type 1 (Polycarp changed the speed of his car to specified).
After the exam Polycarp can justify his rule violations by telling the driving instructor that he just didn't notice some of the signs. What is the minimal number of signs Polycarp should say he didn't notice, so that he would make no rule violations from his point of view?
Input
The first line contains one integer number n (1 β€ n β€ 2Β·105) β number of events.
Each of the next n lines starts with integer t (1 β€ t β€ 6) β the type of the event.
An integer s (1 β€ s β€ 300) follows in the query of the first and the third type (if it is the query of first type, then it's new speed of Polycarp's car, if it is the query of third type, then it's new speed limit).
It is guaranteed that the first event in chronological order is the event of type 1 (Polycarp changed the speed of his car to specified).
Output
Print the minimal number of road signs Polycarp should say he didn't notice, so that he would make no rule violations from his point of view.
Examples
Input
11
1 100
3 70
4
2
3 120
5
3 120
6
1 150
4
3 300
Output
2
Input
5
1 100
3 200
2
4
5
Output
0
Input
7
1 20
2
6
4
6
6
2
Output
2
Note
In the first example Polycarp should say he didn't notice the "speed limit" sign with the limit of 70 and the second "speed limit" sign with the limit of 120.
In the second example Polycarp didn't make any rule violation.
In the third example Polycarp should say he didn't notice both "no overtake allowed" that came after "overtake is allowed" sign.
Submitted Solution:
```
n=int(input())
s=0
ms=-1
o=1
z=0
q=0
for _ in range(n):
a=list(map(int,input().split()))
if a[0]==1:
s=a[1]
if ms>0 and ms<s:
z+=1
ms=-1
elif a[0]==2:
if o!=1:
z+=(1-o)
o=1
elif a[0]==3:
ms=a[1]
if s>ms:
z+=1
ms=-1
elif a[0]==4:
o=1
elif a[0]==5:
ms=-1
elif a[0]==6:
o-=1
#print(z)
print(z)
#print(' '.join([str(i) for i in a]))
``` | instruction | 0 | 88,064 | 24 | 176,128 |
No | output | 1 | 88,064 | 24 | 176,129 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Polycarp has just attempted to pass the driving test. He ran over the straight road with the signs of four types.
* speed limit: this sign comes with a positive integer number β maximal speed of the car after the sign (cancel the action of the previous sign of this type);
* overtake is allowed: this sign means that after some car meets it, it can overtake any other car;
* no speed limit: this sign cancels speed limit if any (car can move with arbitrary speed after this sign);
* no overtake allowed: some car can't overtake any other car after this sign.
Polycarp goes past the signs consequentially, each new sign cancels the action of all the previous signs of it's kind (speed limit/overtake). It is possible that two or more "no overtake allowed" signs go one after another with zero "overtake is allowed" signs between them. It works with "no speed limit" and "overtake is allowed" signs as well.
In the beginning of the ride overtake is allowed and there is no speed limit.
You are given the sequence of events in chronological order β events which happened to Polycarp during the ride. There are events of following types:
1. Polycarp changes the speed of his car to specified (this event comes with a positive integer number);
2. Polycarp's car overtakes the other car;
3. Polycarp's car goes past the "speed limit" sign (this sign comes with a positive integer);
4. Polycarp's car goes past the "overtake is allowed" sign;
5. Polycarp's car goes past the "no speed limit";
6. Polycarp's car goes past the "no overtake allowed";
It is guaranteed that the first event in chronological order is the event of type 1 (Polycarp changed the speed of his car to specified).
After the exam Polycarp can justify his rule violations by telling the driving instructor that he just didn't notice some of the signs. What is the minimal number of signs Polycarp should say he didn't notice, so that he would make no rule violations from his point of view?
Input
The first line contains one integer number n (1 β€ n β€ 2Β·105) β number of events.
Each of the next n lines starts with integer t (1 β€ t β€ 6) β the type of the event.
An integer s (1 β€ s β€ 300) follows in the query of the first and the third type (if it is the query of first type, then it's new speed of Polycarp's car, if it is the query of third type, then it's new speed limit).
It is guaranteed that the first event in chronological order is the event of type 1 (Polycarp changed the speed of his car to specified).
Output
Print the minimal number of road signs Polycarp should say he didn't notice, so that he would make no rule violations from his point of view.
Examples
Input
11
1 100
3 70
4
2
3 120
5
3 120
6
1 150
4
3 300
Output
2
Input
5
1 100
3 200
2
4
5
Output
0
Input
7
1 20
2
6
4
6
6
2
Output
2
Note
In the first example Polycarp should say he didn't notice the "speed limit" sign with the limit of 70 and the second "speed limit" sign with the limit of 120.
In the second example Polycarp didn't make any rule violation.
In the third example Polycarp should say he didn't notice both "no overtake allowed" that came after "overtake is allowed" sign.
Submitted Solution:
```
import sys, os
n = int(input())
k = 0
res = 0
has = [305]
for i in range(n):
x = input()
if x == "4":
k = 0
continue
if x == "2":
res += k
k = 0
continue
if x == "6":
k += 1
continue
if x == "5":
has = [305]
continue
if x[0] == "3":
d = int(x[2:])
has.append(haste)
if d < haste:
res += 1
has.pop()
continue
if x[0] == "1":
d = int(x[2:])
haste = d
if has[-1] < d:
res += 1
has.pop()
print(res)
``` | instruction | 0 | 88,065 | 24 | 176,130 |
No | output | 1 | 88,065 | 24 | 176,131 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Polycarp has just attempted to pass the driving test. He ran over the straight road with the signs of four types.
* speed limit: this sign comes with a positive integer number β maximal speed of the car after the sign (cancel the action of the previous sign of this type);
* overtake is allowed: this sign means that after some car meets it, it can overtake any other car;
* no speed limit: this sign cancels speed limit if any (car can move with arbitrary speed after this sign);
* no overtake allowed: some car can't overtake any other car after this sign.
Polycarp goes past the signs consequentially, each new sign cancels the action of all the previous signs of it's kind (speed limit/overtake). It is possible that two or more "no overtake allowed" signs go one after another with zero "overtake is allowed" signs between them. It works with "no speed limit" and "overtake is allowed" signs as well.
In the beginning of the ride overtake is allowed and there is no speed limit.
You are given the sequence of events in chronological order β events which happened to Polycarp during the ride. There are events of following types:
1. Polycarp changes the speed of his car to specified (this event comes with a positive integer number);
2. Polycarp's car overtakes the other car;
3. Polycarp's car goes past the "speed limit" sign (this sign comes with a positive integer);
4. Polycarp's car goes past the "overtake is allowed" sign;
5. Polycarp's car goes past the "no speed limit";
6. Polycarp's car goes past the "no overtake allowed";
It is guaranteed that the first event in chronological order is the event of type 1 (Polycarp changed the speed of his car to specified).
After the exam Polycarp can justify his rule violations by telling the driving instructor that he just didn't notice some of the signs. What is the minimal number of signs Polycarp should say he didn't notice, so that he would make no rule violations from his point of view?
Input
The first line contains one integer number n (1 β€ n β€ 2Β·105) β number of events.
Each of the next n lines starts with integer t (1 β€ t β€ 6) β the type of the event.
An integer s (1 β€ s β€ 300) follows in the query of the first and the third type (if it is the query of first type, then it's new speed of Polycarp's car, if it is the query of third type, then it's new speed limit).
It is guaranteed that the first event in chronological order is the event of type 1 (Polycarp changed the speed of his car to specified).
Output
Print the minimal number of road signs Polycarp should say he didn't notice, so that he would make no rule violations from his point of view.
Examples
Input
11
1 100
3 70
4
2
3 120
5
3 120
6
1 150
4
3 300
Output
2
Input
5
1 100
3 200
2
4
5
Output
0
Input
7
1 20
2
6
4
6
6
2
Output
2
Note
In the first example Polycarp should say he didn't notice the "speed limit" sign with the limit of 70 and the second "speed limit" sign with the limit of 120.
In the second example Polycarp didn't make any rule violation.
In the third example Polycarp should say he didn't notice both "no overtake allowed" that came after "overtake is allowed" sign.
Submitted Solution:
```
import collections
n=int(input())
x,v=map(int,input().split())
o=v
k,t=0,0
f=False
q=collections.deque()
for i in range(1,n):
s=input()
if s[0]=='1':
x,v=map(int,s.split())
if v>o:
k+=1
if s[0]=='2':
if len(q)!=0 and not f:
k+=len(q)
elif len(q)!=0:
k+=t
f=True
t=0
if s[0]=='3':
x,o=map(int,s.split())
if v>o:
k+=1
if s[0]=='4':
q.clear()
f=False
t=0
if s[0]=='5':
o=v
if s[0]=='6':
q.append(1)
t+=1
print(k)
``` | instruction | 0 | 88,066 | 24 | 176,132 |
No | output | 1 | 88,066 | 24 | 176,133 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Polycarp has created his own training plan to prepare for the programming contests. He will train for n days, all days are numbered from 1 to n, beginning from the first.
On the i-th day Polycarp will necessarily solve a_i problems. One evening Polycarp plans to celebrate the equator. He will celebrate it on the first evening of such a day that from the beginning of the training and to this day inclusive he will solve half or more of all the problems.
Determine the index of day when Polycarp will celebrate the equator.
Input
The first line contains a single integer n (1 β€ n β€ 200 000) β the number of days to prepare for the programming contests.
The second line contains a sequence a_1, a_2, ..., a_n (1 β€ a_i β€ 10 000), where a_i equals to the number of problems, which Polycarp will solve on the i-th day.
Output
Print the index of the day when Polycarp will celebrate the equator.
Examples
Input
4
1 3 2 1
Output
2
Input
6
2 2 2 2 2 2
Output
3
Note
In the first example Polycarp will celebrate the equator on the evening of the second day, because up to this day (inclusive) he will solve 4 out of 7 scheduled problems on four days of the training.
In the second example Polycarp will celebrate the equator on the evening of the third day, because up to this day (inclusive) he will solve 6 out of 12 scheduled problems on six days of the training. | instruction | 0 | 88,115 | 24 | 176,230 |
Tags: implementation
Correct Solution:
```
x = int(input())
y = list(map(int, input().split()))
sum = 0
for i in y:
sum+=i
ind = -1
i = 0
if (sum%2!=0):
sumo = (sum//2)+1
else:
sumo = sum/2
while i<sumo:
ind+=1
i+=y[ind]
print (ind+1)
``` | output | 1 | 88,115 | 24 | 176,231 |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.