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 |
|---|---|---|---|---|---|
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
The problem uses a simplified TCP/IP address model, please make sure you've read the statement attentively.
Polycarpus has found a job, he is a system administrator. One day he came across n IP addresses. Each IP address is a 32 bit number, represented as a group of four 8-bit numbers (without leading zeroes), separated by dots. For example, the record 0.255.1.123 shows a correct IP address and records 0.256.1.123 and 0.255.1.01 do not. In this problem an arbitrary group of four 8-bit numbers is a correct IP address.
Having worked as an administrator for some time, Polycarpus learned that if you know the IP address, you can use the subnet mask to get the address of the network that has this IP addess.
The subnet mask is an IP address that has the following property: if we write this IP address as a 32 bit string, that it is representable as "11...11000..000". In other words, the subnet mask first has one or more one bits, and then one or more zero bits (overall there are 32 bits). For example, the IP address 2.0.0.0 is not a correct subnet mask as its 32-bit record looks as 00000010000000000000000000000000.
To get the network address of the IP address, you need to perform the operation of the bitwise "and" of the IP address and the subnet mask. For example, if the subnet mask is 255.192.0.0, and the IP address is 192.168.1.2, then the network address equals 192.128.0.0. In the bitwise "and" the result has a bit that equals 1 if and only if both operands have corresponding bits equal to one.
Now Polycarpus wants to find all networks to which his IP addresses belong. Unfortunately, Polycarpus lost subnet mask. Fortunately, Polycarpus remembers that his IP addresses belonged to exactly k distinct networks. Help Polycarpus find the subnet mask, such that his IP addresses will belong to exactly k distinct networks. If there are several such subnet masks, find the one whose bit record contains the least number of ones. If such subnet mask do not exist, say so.
Input
The first line contains two integers, n and k (1 β€ k β€ n β€ 105) β the number of IP addresses and networks. The next n lines contain the IP addresses. It is guaranteed that all IP addresses are distinct.
Output
In a single line print the IP address of the subnet mask in the format that is described in the statement, if the required subnet mask exists. Otherwise, print -1.
Examples
Input
5 3
0.0.0.1
0.1.1.2
0.0.2.1
0.1.1.0
0.0.2.3
Output
255.255.254.0
Input
5 2
0.0.0.1
0.1.1.2
0.0.2.1
0.1.1.0
0.0.2.3
Output
255.255.0.0
Input
2 1
255.0.0.1
0.0.0.2
Output
-1
Submitted Solution:
```
n,k=map(int,input().split())
IP=[]
for i in range(n):
S=input()
Result=[]
Temp=""
for i in S:
if i==".":
Result.append(int(Temp))
Temp=""
else:
Temp+=i
Result.append(int(Temp))
IP.append(Result)
Mask=[0]*4
Mask[0]=128
Result=set()
Answer=""
for c in range(0,4):
for j in range(7,-1,-1):
for i in IP:
A=(i[0] & Mask[0], i[1] & Mask[1], i[2] & Mask[2], i[3] & Mask[3])
Result.add(A)
if len(Result)==k:
print(Mask[0], Mask[1], Mask[2], Mask[3],sep=".")
exit()
if c==0 and j==7:
continue
else:
Mask[c]+=(2**j)
print(-1)
``` | instruction | 0 | 71,064 | 24 | 142,128 |
No | output | 1 | 71,064 | 24 | 142,129 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Polycarp studies at the university in the group which consists of n students (including himself). All they are registrated in the social net "TheContacnt!".
Not all students are equally sociable. About each student you know the value ai β the maximum number of messages which the i-th student is agree to send per day. The student can't send messages to himself.
In early morning Polycarp knew important news that the programming credit will be tomorrow. For this reason it is necessary to urgently inform all groupmates about this news using private messages.
Your task is to make a plan of using private messages, so that:
* the student i sends no more than ai messages (for all i from 1 to n);
* all students knew the news about the credit (initially only Polycarp knew it);
* the student can inform the other student only if he knows it himself.
Let's consider that all students are numerated by distinct numbers from 1 to n, and Polycarp always has the number 1.
In that task you shouldn't minimize the number of messages, the moment of time, when all knew about credit or some other parameters. Find any way how to use private messages which satisfies requirements above.
Input
The first line contains the positive integer n (2 β€ n β€ 100) β the number of students.
The second line contains the sequence a1, a2, ..., an (0 β€ ai β€ 100), where ai equals to the maximum number of messages which can the i-th student agree to send. Consider that Polycarp always has the number 1.
Output
Print -1 to the first line if it is impossible to inform all students about credit.
Otherwise, in the first line print the integer k β the number of messages which will be sent. In each of the next k lines print two distinct integers f and t, meaning that the student number f sent the message with news to the student number t. All messages should be printed in chronological order. It means that the student, who is sending the message, must already know this news. It is assumed that students can receive repeated messages with news of the credit.
If there are several answers, it is acceptable to print any of them.
Examples
Input
4
1 2 1 0
Output
3
1 2
2 4
2 3
Input
6
2 0 1 3 2 0
Output
6
1 3
3 4
1 2
4 5
5 6
4 6
Input
3
0 2 2
Output
-1
Note
In the first test Polycarp (the student number 1) can send the message to the student number 2, who after that can send the message to students number 3 and 4. Thus, all students knew about the credit. | instruction | 0 | 72,185 | 24 | 144,370 |
Tags: *special, greedy, two pointers
Correct Solution:
```
n = int(input())
call = list(map(int, input().split()))
cp = []
ans = []
for i in range(1, n):
x = call[i]
cp.append([x, i + 1])
cp.sort(reverse=True)
l = [[call[0], 1]]
j = 0
while len(cp) > 0 and len(l) > 0 and j < len(cp):
s = l[0]
x = s[0]
p = s[1]
for i in range(j, min(j + x, len(cp))):
ans.append([str(p), str(cp[i][1])])
l.append(cp[i])
j = min(j + x, len(cp))
l.remove(l[0])
if j < len(cp):
print(-1)
else:
print(len(ans))
for i in range(len(ans)):
print(' '.join(ans[i]))
``` | output | 1 | 72,185 | 24 | 144,371 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Polycarp studies at the university in the group which consists of n students (including himself). All they are registrated in the social net "TheContacnt!".
Not all students are equally sociable. About each student you know the value ai β the maximum number of messages which the i-th student is agree to send per day. The student can't send messages to himself.
In early morning Polycarp knew important news that the programming credit will be tomorrow. For this reason it is necessary to urgently inform all groupmates about this news using private messages.
Your task is to make a plan of using private messages, so that:
* the student i sends no more than ai messages (for all i from 1 to n);
* all students knew the news about the credit (initially only Polycarp knew it);
* the student can inform the other student only if he knows it himself.
Let's consider that all students are numerated by distinct numbers from 1 to n, and Polycarp always has the number 1.
In that task you shouldn't minimize the number of messages, the moment of time, when all knew about credit or some other parameters. Find any way how to use private messages which satisfies requirements above.
Input
The first line contains the positive integer n (2 β€ n β€ 100) β the number of students.
The second line contains the sequence a1, a2, ..., an (0 β€ ai β€ 100), where ai equals to the maximum number of messages which can the i-th student agree to send. Consider that Polycarp always has the number 1.
Output
Print -1 to the first line if it is impossible to inform all students about credit.
Otherwise, in the first line print the integer k β the number of messages which will be sent. In each of the next k lines print two distinct integers f and t, meaning that the student number f sent the message with news to the student number t. All messages should be printed in chronological order. It means that the student, who is sending the message, must already know this news. It is assumed that students can receive repeated messages with news of the credit.
If there are several answers, it is acceptable to print any of them.
Examples
Input
4
1 2 1 0
Output
3
1 2
2 4
2 3
Input
6
2 0 1 3 2 0
Output
6
1 3
3 4
1 2
4 5
5 6
4 6
Input
3
0 2 2
Output
-1
Note
In the first test Polycarp (the student number 1) can send the message to the student number 2, who after that can send the message to students number 3 and 4. Thus, all students knew about the credit. | instruction | 0 | 72,186 | 24 | 144,372 |
Tags: *special, greedy, two pointers
Correct Solution:
```
from operator import itemgetter
n = input()
n = int(n)
a = str()
a = input()
a = a.split()
a = list(map(int, a))
asum = sum(a)
if a[0] == 0 or asum < n - 1:
print(-1)
exit(0)
b1 = [0, a[:1][0]]
a2 = a[1:]
b2 = list()
for i in range(0, n - 1):
b2.append([i + 1, a2[i]])
b2 = sorted(b2, key=itemgetter(1), reverse=True)
b = [b1] + b2
c = 1
ai = 0
print(n - 1)
for el in b:
ai += 1
for i in range(0, el[1]):
print(el[0] + 1, ' ', b[c][0] + 1)
c += 1
if c == n:
exit(0)
``` | output | 1 | 72,186 | 24 | 144,373 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Polycarp studies at the university in the group which consists of n students (including himself). All they are registrated in the social net "TheContacnt!".
Not all students are equally sociable. About each student you know the value ai β the maximum number of messages which the i-th student is agree to send per day. The student can't send messages to himself.
In early morning Polycarp knew important news that the programming credit will be tomorrow. For this reason it is necessary to urgently inform all groupmates about this news using private messages.
Your task is to make a plan of using private messages, so that:
* the student i sends no more than ai messages (for all i from 1 to n);
* all students knew the news about the credit (initially only Polycarp knew it);
* the student can inform the other student only if he knows it himself.
Let's consider that all students are numerated by distinct numbers from 1 to n, and Polycarp always has the number 1.
In that task you shouldn't minimize the number of messages, the moment of time, when all knew about credit or some other parameters. Find any way how to use private messages which satisfies requirements above.
Input
The first line contains the positive integer n (2 β€ n β€ 100) β the number of students.
The second line contains the sequence a1, a2, ..., an (0 β€ ai β€ 100), where ai equals to the maximum number of messages which can the i-th student agree to send. Consider that Polycarp always has the number 1.
Output
Print -1 to the first line if it is impossible to inform all students about credit.
Otherwise, in the first line print the integer k β the number of messages which will be sent. In each of the next k lines print two distinct integers f and t, meaning that the student number f sent the message with news to the student number t. All messages should be printed in chronological order. It means that the student, who is sending the message, must already know this news. It is assumed that students can receive repeated messages with news of the credit.
If there are several answers, it is acceptable to print any of them.
Examples
Input
4
1 2 1 0
Output
3
1 2
2 4
2 3
Input
6
2 0 1 3 2 0
Output
6
1 3
3 4
1 2
4 5
5 6
4 6
Input
3
0 2 2
Output
-1
Note
In the first test Polycarp (the student number 1) can send the message to the student number 2, who after that can send the message to students number 3 and 4. Thus, all students knew about the credit. | instruction | 0 | 72,187 | 24 | 144,374 |
Tags: *special, greedy, two pointers
Correct Solution:
```
def solve():
n = int(input())
A = list(map(int, input().split()))
x, A = A[0], A[1:]
A = [(A[i], i + 2) for i in range(len(A))]
A.sort(reverse=True)
cnt = 1
msg = x
total = 1
for a in A:
if not msg:
print(-1)
return
msg += a[0] - 1
total += a[0]
cnt += 1
if total >= n:
break
print(n - 1)
total = x
for j in range(min(x, len(A))):
print(1, A[j][1])
if total >= n - 1:
return
for i in range(len(A)):
for j in range(total, min(total + A[i][0], len(A))):
print(A[i][1], A[j][1])
total += 1
if total >= n - 1:
return
solve()
``` | output | 1 | 72,187 | 24 | 144,375 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Polycarp studies at the university in the group which consists of n students (including himself). All they are registrated in the social net "TheContacnt!".
Not all students are equally sociable. About each student you know the value ai β the maximum number of messages which the i-th student is agree to send per day. The student can't send messages to himself.
In early morning Polycarp knew important news that the programming credit will be tomorrow. For this reason it is necessary to urgently inform all groupmates about this news using private messages.
Your task is to make a plan of using private messages, so that:
* the student i sends no more than ai messages (for all i from 1 to n);
* all students knew the news about the credit (initially only Polycarp knew it);
* the student can inform the other student only if he knows it himself.
Let's consider that all students are numerated by distinct numbers from 1 to n, and Polycarp always has the number 1.
In that task you shouldn't minimize the number of messages, the moment of time, when all knew about credit or some other parameters. Find any way how to use private messages which satisfies requirements above.
Input
The first line contains the positive integer n (2 β€ n β€ 100) β the number of students.
The second line contains the sequence a1, a2, ..., an (0 β€ ai β€ 100), where ai equals to the maximum number of messages which can the i-th student agree to send. Consider that Polycarp always has the number 1.
Output
Print -1 to the first line if it is impossible to inform all students about credit.
Otherwise, in the first line print the integer k β the number of messages which will be sent. In each of the next k lines print two distinct integers f and t, meaning that the student number f sent the message with news to the student number t. All messages should be printed in chronological order. It means that the student, who is sending the message, must already know this news. It is assumed that students can receive repeated messages with news of the credit.
If there are several answers, it is acceptable to print any of them.
Examples
Input
4
1 2 1 0
Output
3
1 2
2 4
2 3
Input
6
2 0 1 3 2 0
Output
6
1 3
3 4
1 2
4 5
5 6
4 6
Input
3
0 2 2
Output
-1
Note
In the first test Polycarp (the student number 1) can send the message to the student number 2, who after that can send the message to students number 3 and 4. Thus, all students knew about the credit. | instruction | 0 | 72,188 | 24 | 144,376 |
Tags: *special, greedy, two pointers
Correct Solution:
```
import sys
import math
studentsNum = int(sys.stdin.readline())
messagesLimit = [int(c) for c in sys.stdin.readline().split()]
firstLimit = messagesLimit[0]
messagesLimit = sorted(enumerate(messagesLimit), key = lambda v: v[1], reverse = True)
messagesLimit.remove((0, firstLimit))
messagesLimit.insert(0, (0, firstLimit))
lastSender = 0
lastReciever = 0
pairs = []
while lastReciever < studentsNum and messagesLimit[lastSender][1] > 0:
for reciever in range(lastReciever+1, min(studentsNum, lastReciever+messagesLimit[lastSender][1]+1)):
pairs.append((messagesLimit[lastSender][0]+1, messagesLimit[reciever][0]+1))
lastReciever += messagesLimit[lastSender][1]
lastSender += 1
if lastReciever+1 < studentsNum:
print(-1)
else:
print(len(pairs))
for p in pairs:
print(p[0], p[1])
``` | output | 1 | 72,188 | 24 | 144,377 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Polycarp studies at the university in the group which consists of n students (including himself). All they are registrated in the social net "TheContacnt!".
Not all students are equally sociable. About each student you know the value ai β the maximum number of messages which the i-th student is agree to send per day. The student can't send messages to himself.
In early morning Polycarp knew important news that the programming credit will be tomorrow. For this reason it is necessary to urgently inform all groupmates about this news using private messages.
Your task is to make a plan of using private messages, so that:
* the student i sends no more than ai messages (for all i from 1 to n);
* all students knew the news about the credit (initially only Polycarp knew it);
* the student can inform the other student only if he knows it himself.
Let's consider that all students are numerated by distinct numbers from 1 to n, and Polycarp always has the number 1.
In that task you shouldn't minimize the number of messages, the moment of time, when all knew about credit or some other parameters. Find any way how to use private messages which satisfies requirements above.
Input
The first line contains the positive integer n (2 β€ n β€ 100) β the number of students.
The second line contains the sequence a1, a2, ..., an (0 β€ ai β€ 100), where ai equals to the maximum number of messages which can the i-th student agree to send. Consider that Polycarp always has the number 1.
Output
Print -1 to the first line if it is impossible to inform all students about credit.
Otherwise, in the first line print the integer k β the number of messages which will be sent. In each of the next k lines print two distinct integers f and t, meaning that the student number f sent the message with news to the student number t. All messages should be printed in chronological order. It means that the student, who is sending the message, must already know this news. It is assumed that students can receive repeated messages with news of the credit.
If there are several answers, it is acceptable to print any of them.
Examples
Input
4
1 2 1 0
Output
3
1 2
2 4
2 3
Input
6
2 0 1 3 2 0
Output
6
1 3
3 4
1 2
4 5
5 6
4 6
Input
3
0 2 2
Output
-1
Note
In the first test Polycarp (the student number 1) can send the message to the student number 2, who after that can send the message to students number 3 and 4. Thus, all students knew about the credit. | instruction | 0 | 72,189 | 24 | 144,378 |
Tags: *special, greedy, two pointers
Correct Solution:
```
if __name__ == "__main__":
n = int(input())
arr = [int(x) for x in input().split()]
users = []
invited_users = []
messages_count = 0
output = ''
for i in range(len(arr)):
users.append([i, arr[i]])
sender = users[0]
users = users[1:]
users.sort(key=lambda row: row[1])
while messages_count != n - 1 and len(users) > 0:
invites_count = sender[1]
person = sender[0]
if invites_count == 0:
break
while invites_count != 0:
invited_user = users[len(users) - 1]
invited_users.append(invited_user)
users = users[:-1]
output += str(person + 1) + ' ' + str(invited_user[0] + 1) + '\n'
invites_count -= 1
messages_count += 1
if messages_count == n - 1:
break
if len(invited_users) > 0:
sender = invited_users[0]
invited_users = invited_users[1:]
if messages_count < n - 1:
print(-1)
else:
print(messages_count)
print(output)
``` | output | 1 | 72,189 | 24 | 144,379 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Polycarp studies at the university in the group which consists of n students (including himself). All they are registrated in the social net "TheContacnt!".
Not all students are equally sociable. About each student you know the value ai β the maximum number of messages which the i-th student is agree to send per day. The student can't send messages to himself.
In early morning Polycarp knew important news that the programming credit will be tomorrow. For this reason it is necessary to urgently inform all groupmates about this news using private messages.
Your task is to make a plan of using private messages, so that:
* the student i sends no more than ai messages (for all i from 1 to n);
* all students knew the news about the credit (initially only Polycarp knew it);
* the student can inform the other student only if he knows it himself.
Let's consider that all students are numerated by distinct numbers from 1 to n, and Polycarp always has the number 1.
In that task you shouldn't minimize the number of messages, the moment of time, when all knew about credit or some other parameters. Find any way how to use private messages which satisfies requirements above.
Input
The first line contains the positive integer n (2 β€ n β€ 100) β the number of students.
The second line contains the sequence a1, a2, ..., an (0 β€ ai β€ 100), where ai equals to the maximum number of messages which can the i-th student agree to send. Consider that Polycarp always has the number 1.
Output
Print -1 to the first line if it is impossible to inform all students about credit.
Otherwise, in the first line print the integer k β the number of messages which will be sent. In each of the next k lines print two distinct integers f and t, meaning that the student number f sent the message with news to the student number t. All messages should be printed in chronological order. It means that the student, who is sending the message, must already know this news. It is assumed that students can receive repeated messages with news of the credit.
If there are several answers, it is acceptable to print any of them.
Examples
Input
4
1 2 1 0
Output
3
1 2
2 4
2 3
Input
6
2 0 1 3 2 0
Output
6
1 3
3 4
1 2
4 5
5 6
4 6
Input
3
0 2 2
Output
-1
Note
In the first test Polycarp (the student number 1) can send the message to the student number 2, who after that can send the message to students number 3 and 4. Thus, all students knew about the credit. | instruction | 0 | 72,190 | 24 | 144,380 |
Tags: *special, greedy, two pointers
Correct Solution:
```
a=int(input());b=list(map(int,input().split()))
if b[0]==0 or sum(b)<a-1:exit(print(-1))
c=sorted([[j,i+1] for i,j in enumerate(b)],reverse=True)
for i in range(a):
if c[i][1]==1:c=[c.pop(i)]+c;break
i=0;j=1;print(a-1)
while(j<a):
print(c[i][1],c[j][1]);j+=1;c[i][0]-=1
if c[i][0]==0:i+=1
``` | output | 1 | 72,190 | 24 | 144,381 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Polycarp studies at the university in the group which consists of n students (including himself). All they are registrated in the social net "TheContacnt!".
Not all students are equally sociable. About each student you know the value ai β the maximum number of messages which the i-th student is agree to send per day. The student can't send messages to himself.
In early morning Polycarp knew important news that the programming credit will be tomorrow. For this reason it is necessary to urgently inform all groupmates about this news using private messages.
Your task is to make a plan of using private messages, so that:
* the student i sends no more than ai messages (for all i from 1 to n);
* all students knew the news about the credit (initially only Polycarp knew it);
* the student can inform the other student only if he knows it himself.
Let's consider that all students are numerated by distinct numbers from 1 to n, and Polycarp always has the number 1.
In that task you shouldn't minimize the number of messages, the moment of time, when all knew about credit or some other parameters. Find any way how to use private messages which satisfies requirements above.
Input
The first line contains the positive integer n (2 β€ n β€ 100) β the number of students.
The second line contains the sequence a1, a2, ..., an (0 β€ ai β€ 100), where ai equals to the maximum number of messages which can the i-th student agree to send. Consider that Polycarp always has the number 1.
Output
Print -1 to the first line if it is impossible to inform all students about credit.
Otherwise, in the first line print the integer k β the number of messages which will be sent. In each of the next k lines print two distinct integers f and t, meaning that the student number f sent the message with news to the student number t. All messages should be printed in chronological order. It means that the student, who is sending the message, must already know this news. It is assumed that students can receive repeated messages with news of the credit.
If there are several answers, it is acceptable to print any of them.
Examples
Input
4
1 2 1 0
Output
3
1 2
2 4
2 3
Input
6
2 0 1 3 2 0
Output
6
1 3
3 4
1 2
4 5
5 6
4 6
Input
3
0 2 2
Output
-1
Note
In the first test Polycarp (the student number 1) can send the message to the student number 2, who after that can send the message to students number 3 and 4. Thus, all students knew about the credit. | instruction | 0 | 72,191 | 24 | 144,382 |
Tags: *special, greedy, two pointers
Correct Solution:
```
n = int(input())
a = list(map(int, input().split()))
if a[0] == 0 or sum(a) < n - 1:
print(-1)
exit(0)
print(n - 1)
m = [[a[i], i + 1] for i in range(1, len(a))]
m.sort(reverse = True)
m = [[a[0], 1]] + m
i, j = 0, 1
while i < n and j < n:
if m[i][0] > 0:
print(m[i][1], m[j][1])
m[i][0] -= 1
j += 1
else:
i += 1
``` | output | 1 | 72,191 | 24 | 144,383 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Polycarp studies at the university in the group which consists of n students (including himself). All they are registrated in the social net "TheContacnt!".
Not all students are equally sociable. About each student you know the value ai β the maximum number of messages which the i-th student is agree to send per day. The student can't send messages to himself.
In early morning Polycarp knew important news that the programming credit will be tomorrow. For this reason it is necessary to urgently inform all groupmates about this news using private messages.
Your task is to make a plan of using private messages, so that:
* the student i sends no more than ai messages (for all i from 1 to n);
* all students knew the news about the credit (initially only Polycarp knew it);
* the student can inform the other student only if he knows it himself.
Let's consider that all students are numerated by distinct numbers from 1 to n, and Polycarp always has the number 1.
In that task you shouldn't minimize the number of messages, the moment of time, when all knew about credit or some other parameters. Find any way how to use private messages which satisfies requirements above.
Input
The first line contains the positive integer n (2 β€ n β€ 100) β the number of students.
The second line contains the sequence a1, a2, ..., an (0 β€ ai β€ 100), where ai equals to the maximum number of messages which can the i-th student agree to send. Consider that Polycarp always has the number 1.
Output
Print -1 to the first line if it is impossible to inform all students about credit.
Otherwise, in the first line print the integer k β the number of messages which will be sent. In each of the next k lines print two distinct integers f and t, meaning that the student number f sent the message with news to the student number t. All messages should be printed in chronological order. It means that the student, who is sending the message, must already know this news. It is assumed that students can receive repeated messages with news of the credit.
If there are several answers, it is acceptable to print any of them.
Examples
Input
4
1 2 1 0
Output
3
1 2
2 4
2 3
Input
6
2 0 1 3 2 0
Output
6
1 3
3 4
1 2
4 5
5 6
4 6
Input
3
0 2 2
Output
-1
Note
In the first test Polycarp (the student number 1) can send the message to the student number 2, who after that can send the message to students number 3 and 4. Thus, all students knew about the credit. | instruction | 0 | 72,192 | 24 | 144,384 |
Tags: *special, greedy, two pointers
Correct Solution:
```
import sys
data = sys.stdin.read().split()
data_ptr = 0
def data_next():
global data_ptr, data
data_ptr += 1
return data[data_ptr - 1]
N = int(data_next())
arr = list(zip(map(int, data[2:]), range(2, N + 1)))
arr.sort()
arr.append((int(data[1]), 1))
arr.reverse()
j = 1
good = True
ans = []
for i in range(0, N):
if j > i:
for k in range(arr[i][0]):
if j >= N:
break
ans.append((arr[i][1], arr[j][1]))
j += 1
else:
good = False
break
if good:
print(len(ans))
for x in ans:
print(x[0], x[1])
else:
print(-1)
``` | output | 1 | 72,192 | 24 | 144,385 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Polycarp studies at the university in the group which consists of n students (including himself). All they are registrated in the social net "TheContacnt!".
Not all students are equally sociable. About each student you know the value ai β the maximum number of messages which the i-th student is agree to send per day. The student can't send messages to himself.
In early morning Polycarp knew important news that the programming credit will be tomorrow. For this reason it is necessary to urgently inform all groupmates about this news using private messages.
Your task is to make a plan of using private messages, so that:
* the student i sends no more than ai messages (for all i from 1 to n);
* all students knew the news about the credit (initially only Polycarp knew it);
* the student can inform the other student only if he knows it himself.
Let's consider that all students are numerated by distinct numbers from 1 to n, and Polycarp always has the number 1.
In that task you shouldn't minimize the number of messages, the moment of time, when all knew about credit or some other parameters. Find any way how to use private messages which satisfies requirements above.
Input
The first line contains the positive integer n (2 β€ n β€ 100) β the number of students.
The second line contains the sequence a1, a2, ..., an (0 β€ ai β€ 100), where ai equals to the maximum number of messages which can the i-th student agree to send. Consider that Polycarp always has the number 1.
Output
Print -1 to the first line if it is impossible to inform all students about credit.
Otherwise, in the first line print the integer k β the number of messages which will be sent. In each of the next k lines print two distinct integers f and t, meaning that the student number f sent the message with news to the student number t. All messages should be printed in chronological order. It means that the student, who is sending the message, must already know this news. It is assumed that students can receive repeated messages with news of the credit.
If there are several answers, it is acceptable to print any of them.
Examples
Input
4
1 2 1 0
Output
3
1 2
2 4
2 3
Input
6
2 0 1 3 2 0
Output
6
1 3
3 4
1 2
4 5
5 6
4 6
Input
3
0 2 2
Output
-1
Note
In the first test Polycarp (the student number 1) can send the message to the student number 2, who after that can send the message to students number 3 and 4. Thus, all students knew about the credit.
Submitted Solution:
```
n = int(input())
line = list(map(int, input().split()))
person = []
for i in range(1, n):
person.append([line[i], i])
person.sort(reverse=True)
person = [[line[0], 0]] + person
send = 0
recv = 1
if line[0] == 0 or sum(line) < n - 1:
print(-1)
else:
answer = []
while recv != n:
answer.append([person[send][1] + 1, person[recv][1] + 1])
recv += 1
person[send][0] -= 1
if person[send][0] == 0:
send += 1
print(len(answer))
for elem in answer:
print(*elem)
``` | instruction | 0 | 72,193 | 24 | 144,386 |
Yes | output | 1 | 72,193 | 24 | 144,387 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Polycarp studies at the university in the group which consists of n students (including himself). All they are registrated in the social net "TheContacnt!".
Not all students are equally sociable. About each student you know the value ai β the maximum number of messages which the i-th student is agree to send per day. The student can't send messages to himself.
In early morning Polycarp knew important news that the programming credit will be tomorrow. For this reason it is necessary to urgently inform all groupmates about this news using private messages.
Your task is to make a plan of using private messages, so that:
* the student i sends no more than ai messages (for all i from 1 to n);
* all students knew the news about the credit (initially only Polycarp knew it);
* the student can inform the other student only if he knows it himself.
Let's consider that all students are numerated by distinct numbers from 1 to n, and Polycarp always has the number 1.
In that task you shouldn't minimize the number of messages, the moment of time, when all knew about credit or some other parameters. Find any way how to use private messages which satisfies requirements above.
Input
The first line contains the positive integer n (2 β€ n β€ 100) β the number of students.
The second line contains the sequence a1, a2, ..., an (0 β€ ai β€ 100), where ai equals to the maximum number of messages which can the i-th student agree to send. Consider that Polycarp always has the number 1.
Output
Print -1 to the first line if it is impossible to inform all students about credit.
Otherwise, in the first line print the integer k β the number of messages which will be sent. In each of the next k lines print two distinct integers f and t, meaning that the student number f sent the message with news to the student number t. All messages should be printed in chronological order. It means that the student, who is sending the message, must already know this news. It is assumed that students can receive repeated messages with news of the credit.
If there are several answers, it is acceptable to print any of them.
Examples
Input
4
1 2 1 0
Output
3
1 2
2 4
2 3
Input
6
2 0 1 3 2 0
Output
6
1 3
3 4
1 2
4 5
5 6
4 6
Input
3
0 2 2
Output
-1
Note
In the first test Polycarp (the student number 1) can send the message to the student number 2, who after that can send the message to students number 3 and 4. Thus, all students knew about the credit.
Submitted Solution:
```
n = int(input())
l = [[int(i)] for i in input().split()]
for i in range(len(l)): l[i].append(i + 1)
zn = []
ansst = []
if l[0][0] == 0:
print("-1")
else:
zn.append(l[0])
del l[0]
l.sort(key=lambda x: x[0], reverse=True)
while len(zn) > 0 and len(l) > 0:
for i in range(min(zn[0][0], len(l))):
ansst.append([zn[0][1], l[0][1]])
zn.append(l[0])
del l[0]
del zn[0]
if len(l) == 0:
print(len(ansst))
print('\n'.join([' '.join([str(w) for w in q]) for q in ansst]))
else:
print(-1)
``` | instruction | 0 | 72,194 | 24 | 144,388 |
Yes | output | 1 | 72,194 | 24 | 144,389 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Polycarp studies at the university in the group which consists of n students (including himself). All they are registrated in the social net "TheContacnt!".
Not all students are equally sociable. About each student you know the value ai β the maximum number of messages which the i-th student is agree to send per day. The student can't send messages to himself.
In early morning Polycarp knew important news that the programming credit will be tomorrow. For this reason it is necessary to urgently inform all groupmates about this news using private messages.
Your task is to make a plan of using private messages, so that:
* the student i sends no more than ai messages (for all i from 1 to n);
* all students knew the news about the credit (initially only Polycarp knew it);
* the student can inform the other student only if he knows it himself.
Let's consider that all students are numerated by distinct numbers from 1 to n, and Polycarp always has the number 1.
In that task you shouldn't minimize the number of messages, the moment of time, when all knew about credit or some other parameters. Find any way how to use private messages which satisfies requirements above.
Input
The first line contains the positive integer n (2 β€ n β€ 100) β the number of students.
The second line contains the sequence a1, a2, ..., an (0 β€ ai β€ 100), where ai equals to the maximum number of messages which can the i-th student agree to send. Consider that Polycarp always has the number 1.
Output
Print -1 to the first line if it is impossible to inform all students about credit.
Otherwise, in the first line print the integer k β the number of messages which will be sent. In each of the next k lines print two distinct integers f and t, meaning that the student number f sent the message with news to the student number t. All messages should be printed in chronological order. It means that the student, who is sending the message, must already know this news. It is assumed that students can receive repeated messages with news of the credit.
If there are several answers, it is acceptable to print any of them.
Examples
Input
4
1 2 1 0
Output
3
1 2
2 4
2 3
Input
6
2 0 1 3 2 0
Output
6
1 3
3 4
1 2
4 5
5 6
4 6
Input
3
0 2 2
Output
-1
Note
In the first test Polycarp (the student number 1) can send the message to the student number 2, who after that can send the message to students number 3 and 4. Thus, all students knew about the credit.
Submitted Solution:
```
n = int(input())
a = list(map(int, input().split()))
en_a = list(enumerate(a))
l = [en_a[0]] + sorted(en_a[1:], key=lambda x:-x[1])
res = []
s = 0
r = 1
correct = True
k = l[s][1]
if k == 0:
correct = False
while correct and r < n:
while k > 0 and r < n:
res.append([l[s][0] + 1, l[r][0] + 1])
r += 1
k -= 1
s += 1
k = l[s][1]
if k == 0 and r < n:
correct = False
break
if correct:
print(len(res))
for res_i in res:
print(*res_i)
else:
print(-1)
``` | instruction | 0 | 72,195 | 24 | 144,390 |
Yes | output | 1 | 72,195 | 24 | 144,391 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Polycarp studies at the university in the group which consists of n students (including himself). All they are registrated in the social net "TheContacnt!".
Not all students are equally sociable. About each student you know the value ai β the maximum number of messages which the i-th student is agree to send per day. The student can't send messages to himself.
In early morning Polycarp knew important news that the programming credit will be tomorrow. For this reason it is necessary to urgently inform all groupmates about this news using private messages.
Your task is to make a plan of using private messages, so that:
* the student i sends no more than ai messages (for all i from 1 to n);
* all students knew the news about the credit (initially only Polycarp knew it);
* the student can inform the other student only if he knows it himself.
Let's consider that all students are numerated by distinct numbers from 1 to n, and Polycarp always has the number 1.
In that task you shouldn't minimize the number of messages, the moment of time, when all knew about credit or some other parameters. Find any way how to use private messages which satisfies requirements above.
Input
The first line contains the positive integer n (2 β€ n β€ 100) β the number of students.
The second line contains the sequence a1, a2, ..., an (0 β€ ai β€ 100), where ai equals to the maximum number of messages which can the i-th student agree to send. Consider that Polycarp always has the number 1.
Output
Print -1 to the first line if it is impossible to inform all students about credit.
Otherwise, in the first line print the integer k β the number of messages which will be sent. In each of the next k lines print two distinct integers f and t, meaning that the student number f sent the message with news to the student number t. All messages should be printed in chronological order. It means that the student, who is sending the message, must already know this news. It is assumed that students can receive repeated messages with news of the credit.
If there are several answers, it is acceptable to print any of them.
Examples
Input
4
1 2 1 0
Output
3
1 2
2 4
2 3
Input
6
2 0 1 3 2 0
Output
6
1 3
3 4
1 2
4 5
5 6
4 6
Input
3
0 2 2
Output
-1
Note
In the first test Polycarp (the student number 1) can send the message to the student number 2, who after that can send the message to students number 3 and 4. Thus, all students knew about the credit.
Submitted Solution:
```
def send(id):
while a[id] > 0:
if len(g) < n:
li = a.copy()
li[id] = -1
while True:
k = li.index(max(li))
if k + 1 in g:
li[k] = -1
else:
break
g.append(k + 1)
actions.append('{} {}'.format(id + 1, g[-1]))
send(k)
a[id] -= 1
else:
break
n = int(input())
a = list(map(int, input().split()))
actions = []
g = [1]
send(0)
if len(g) < n:
print(-1)
else:
print(len(actions))
for line in actions:
print(line)
``` | instruction | 0 | 72,196 | 24 | 144,392 |
Yes | output | 1 | 72,196 | 24 | 144,393 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Polycarp studies at the university in the group which consists of n students (including himself). All they are registrated in the social net "TheContacnt!".
Not all students are equally sociable. About each student you know the value ai β the maximum number of messages which the i-th student is agree to send per day. The student can't send messages to himself.
In early morning Polycarp knew important news that the programming credit will be tomorrow. For this reason it is necessary to urgently inform all groupmates about this news using private messages.
Your task is to make a plan of using private messages, so that:
* the student i sends no more than ai messages (for all i from 1 to n);
* all students knew the news about the credit (initially only Polycarp knew it);
* the student can inform the other student only if he knows it himself.
Let's consider that all students are numerated by distinct numbers from 1 to n, and Polycarp always has the number 1.
In that task you shouldn't minimize the number of messages, the moment of time, when all knew about credit or some other parameters. Find any way how to use private messages which satisfies requirements above.
Input
The first line contains the positive integer n (2 β€ n β€ 100) β the number of students.
The second line contains the sequence a1, a2, ..., an (0 β€ ai β€ 100), where ai equals to the maximum number of messages which can the i-th student agree to send. Consider that Polycarp always has the number 1.
Output
Print -1 to the first line if it is impossible to inform all students about credit.
Otherwise, in the first line print the integer k β the number of messages which will be sent. In each of the next k lines print two distinct integers f and t, meaning that the student number f sent the message with news to the student number t. All messages should be printed in chronological order. It means that the student, who is sending the message, must already know this news. It is assumed that students can receive repeated messages with news of the credit.
If there are several answers, it is acceptable to print any of them.
Examples
Input
4
1 2 1 0
Output
3
1 2
2 4
2 3
Input
6
2 0 1 3 2 0
Output
6
1 3
3 4
1 2
4 5
5 6
4 6
Input
3
0 2 2
Output
-1
Note
In the first test Polycarp (the student number 1) can send the message to the student number 2, who after that can send the message to students number 3 and 4. Thus, all students knew about the credit.
Submitted Solution:
```
studnum = input()
arr = list(map(int, input().split()))
index = 0
bla = list(enumerate(arr))
p = bla[0]
sortedA = sorted(bla[1:], key=lambda x: x[1], reverse=True)
sortedA.insert(0, p)
left = 0
right = 1
result = []
while left < len(sortedA) and right< len(sortedA):
val = sortedA[left][1]
if val == 0:
result.append(-1)
print(-1)
break
for i in range(val):
# print(sortedA[left][0] + 1, sortedA[right][0] + 1)
result.append((sortedA[left][0] + 1, sortedA[right][0] + 1))
right += 1
left += 1
for i in result:
print(i[0], i[1])
``` | instruction | 0 | 72,197 | 24 | 144,394 |
No | output | 1 | 72,197 | 24 | 144,395 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Polycarp studies at the university in the group which consists of n students (including himself). All they are registrated in the social net "TheContacnt!".
Not all students are equally sociable. About each student you know the value ai β the maximum number of messages which the i-th student is agree to send per day. The student can't send messages to himself.
In early morning Polycarp knew important news that the programming credit will be tomorrow. For this reason it is necessary to urgently inform all groupmates about this news using private messages.
Your task is to make a plan of using private messages, so that:
* the student i sends no more than ai messages (for all i from 1 to n);
* all students knew the news about the credit (initially only Polycarp knew it);
* the student can inform the other student only if he knows it himself.
Let's consider that all students are numerated by distinct numbers from 1 to n, and Polycarp always has the number 1.
In that task you shouldn't minimize the number of messages, the moment of time, when all knew about credit or some other parameters. Find any way how to use private messages which satisfies requirements above.
Input
The first line contains the positive integer n (2 β€ n β€ 100) β the number of students.
The second line contains the sequence a1, a2, ..., an (0 β€ ai β€ 100), where ai equals to the maximum number of messages which can the i-th student agree to send. Consider that Polycarp always has the number 1.
Output
Print -1 to the first line if it is impossible to inform all students about credit.
Otherwise, in the first line print the integer k β the number of messages which will be sent. In each of the next k lines print two distinct integers f and t, meaning that the student number f sent the message with news to the student number t. All messages should be printed in chronological order. It means that the student, who is sending the message, must already know this news. It is assumed that students can receive repeated messages with news of the credit.
If there are several answers, it is acceptable to print any of them.
Examples
Input
4
1 2 1 0
Output
3
1 2
2 4
2 3
Input
6
2 0 1 3 2 0
Output
6
1 3
3 4
1 2
4 5
5 6
4 6
Input
3
0 2 2
Output
-1
Note
In the first test Polycarp (the student number 1) can send the message to the student number 2, who after that can send the message to students number 3 and 4. Thus, all students knew about the credit.
Submitted Solution:
```
n = int(input())
vals = list(map(int, input().split()))
vals = [(i, vals[i]) for i in range(n)]
vals = [vals[0]]+sorted(vals[1:], key=lambda x: x[1], reverse=True)
most_left_idx = 0
count = 0
output = ''
for i in range(n):
if(most_left_idx>=i):
most_left_idx += vals[i][1]
for j in range(vals[i][1]):
count+=1
output += '{} {} \n'.format(vals[i][0]+1, vals[j][0]+1)
if(most_left_idx>=n-1):
print(count)
print(output)
else:
print(-1)
``` | instruction | 0 | 72,198 | 24 | 144,396 |
No | output | 1 | 72,198 | 24 | 144,397 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Polycarp studies at the university in the group which consists of n students (including himself). All they are registrated in the social net "TheContacnt!".
Not all students are equally sociable. About each student you know the value ai β the maximum number of messages which the i-th student is agree to send per day. The student can't send messages to himself.
In early morning Polycarp knew important news that the programming credit will be tomorrow. For this reason it is necessary to urgently inform all groupmates about this news using private messages.
Your task is to make a plan of using private messages, so that:
* the student i sends no more than ai messages (for all i from 1 to n);
* all students knew the news about the credit (initially only Polycarp knew it);
* the student can inform the other student only if he knows it himself.
Let's consider that all students are numerated by distinct numbers from 1 to n, and Polycarp always has the number 1.
In that task you shouldn't minimize the number of messages, the moment of time, when all knew about credit or some other parameters. Find any way how to use private messages which satisfies requirements above.
Input
The first line contains the positive integer n (2 β€ n β€ 100) β the number of students.
The second line contains the sequence a1, a2, ..., an (0 β€ ai β€ 100), where ai equals to the maximum number of messages which can the i-th student agree to send. Consider that Polycarp always has the number 1.
Output
Print -1 to the first line if it is impossible to inform all students about credit.
Otherwise, in the first line print the integer k β the number of messages which will be sent. In each of the next k lines print two distinct integers f and t, meaning that the student number f sent the message with news to the student number t. All messages should be printed in chronological order. It means that the student, who is sending the message, must already know this news. It is assumed that students can receive repeated messages with news of the credit.
If there are several answers, it is acceptable to print any of them.
Examples
Input
4
1 2 1 0
Output
3
1 2
2 4
2 3
Input
6
2 0 1 3 2 0
Output
6
1 3
3 4
1 2
4 5
5 6
4 6
Input
3
0 2 2
Output
-1
Note
In the first test Polycarp (the student number 1) can send the message to the student number 2, who after that can send the message to students number 3 and 4. Thus, all students knew about the credit.
Submitted Solution:
```
n=int(input())
A=input().split()
for i in range(len(A)):
A[i]=int(A[i])
isch=[]
for i in range(len(A)):
isch.append(A[i])
otv=[]
o=0
k=0
l=len(A)-1
while l>0:
if isch[k]!=0:
isch[k]=-10**3
ma=isch.index(max(isch))
row=[k+1, ma+1]
otv.append(row)
l-=1
for i in range(A[k]-1):
mi=isch.index(min(isch, key=abs))
row=[k+1, mi+1]
otv.append(row)
isch[mi]=-10**3
l-=1
k=ma
else:
o=-1
break
if o==-1:
print(o)
else:
for i in range(len(otv)):
print(otv[i][0], otv[i][1])
``` | instruction | 0 | 72,199 | 24 | 144,398 |
No | output | 1 | 72,199 | 24 | 144,399 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Polycarp studies at the university in the group which consists of n students (including himself). All they are registrated in the social net "TheContacnt!".
Not all students are equally sociable. About each student you know the value ai β the maximum number of messages which the i-th student is agree to send per day. The student can't send messages to himself.
In early morning Polycarp knew important news that the programming credit will be tomorrow. For this reason it is necessary to urgently inform all groupmates about this news using private messages.
Your task is to make a plan of using private messages, so that:
* the student i sends no more than ai messages (for all i from 1 to n);
* all students knew the news about the credit (initially only Polycarp knew it);
* the student can inform the other student only if he knows it himself.
Let's consider that all students are numerated by distinct numbers from 1 to n, and Polycarp always has the number 1.
In that task you shouldn't minimize the number of messages, the moment of time, when all knew about credit or some other parameters. Find any way how to use private messages which satisfies requirements above.
Input
The first line contains the positive integer n (2 β€ n β€ 100) β the number of students.
The second line contains the sequence a1, a2, ..., an (0 β€ ai β€ 100), where ai equals to the maximum number of messages which can the i-th student agree to send. Consider that Polycarp always has the number 1.
Output
Print -1 to the first line if it is impossible to inform all students about credit.
Otherwise, in the first line print the integer k β the number of messages which will be sent. In each of the next k lines print two distinct integers f and t, meaning that the student number f sent the message with news to the student number t. All messages should be printed in chronological order. It means that the student, who is sending the message, must already know this news. It is assumed that students can receive repeated messages with news of the credit.
If there are several answers, it is acceptable to print any of them.
Examples
Input
4
1 2 1 0
Output
3
1 2
2 4
2 3
Input
6
2 0 1 3 2 0
Output
6
1 3
3 4
1 2
4 5
5 6
4 6
Input
3
0 2 2
Output
-1
Note
In the first test Polycarp (the student number 1) can send the message to the student number 2, who after that can send the message to students number 3 and 4. Thus, all students knew about the credit.
Submitted Solution:
```
import sys
import math
studentsNum = int(sys.stdin.readline())
messagesLimit = [int(c) for c in sys.stdin.readline().split()]
firstLimit = messagesLimit[0]
messagesLimit = sorted(enumerate(messagesLimit), key = lambda v: v[1], reverse = True)
messagesLimit.remove((0, firstLimit))
messagesLimit.insert(0, (0, firstLimit))
lastSender = 0
lastReciever = 0
pairs = []
while lastReciever < studentsNum and messagesLimit[lastReciever][1] > 0:
for reciever in range(lastReciever+1, min(studentsNum, lastReciever+messagesLimit[lastSender][1]+1)):
pairs.append((messagesLimit[lastSender][0]+1, messagesLimit[reciever][0]+1))
lastReciever += messagesLimit[lastSender][1]
lastSender += 1
if lastReciever+1 < studentsNum:
print(-1)
else:
print(len(pairs))
for p in pairs:
print(p[0], p[1])
``` | instruction | 0 | 72,200 | 24 | 144,400 |
No | output | 1 | 72,200 | 24 | 144,401 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Polycarp has recently created a new level in this cool new game Berlio Maker 85 and uploaded it online. Now players from all over the world can try his level.
All levels in this game have two stats to them: the number of plays and the number of clears. So when a player attempts the level, the number of plays increases by 1. If he manages to finish the level successfully then the number of clears increases by 1 as well. Note that both of the statistics update at the same time (so if the player finishes the level successfully then the number of plays will increase at the same time as the number of clears).
Polycarp is very excited about his level, so he keeps peeking at the stats to know how hard his level turns out to be.
So he peeked at the stats n times and wrote down n pairs of integers β (p_1, c_1), (p_2, c_2), ..., (p_n, c_n), where p_i is the number of plays at the i-th moment of time and c_i is the number of clears at the same moment of time. The stats are given in chronological order (i.e. the order of given pairs is exactly the same as Polycarp has written down).
Between two consecutive moments of time Polycarp peeked at the stats many players (but possibly zero) could attempt the level.
Finally, Polycarp wonders if he hasn't messed up any records and all the pairs are correct. If there could exist such a sequence of plays (and clears, respectively) that the stats were exactly as Polycarp has written down, then he considers his records correct.
Help him to check the correctness of his records.
For your convenience you have to answer multiple independent test cases.
Input
The first line contains a single integer T (1 β€ T β€ 500) β the number of test cases.
The first line of each test case contains a single integer n (1 β€ n β€ 100) β the number of moments of time Polycarp peeked at the stats.
Each of the next n lines contains two integers p_i and c_i (0 β€ p_i, c_i β€ 1000) β the number of plays and the number of clears of the level at the i-th moment of time.
Note that the stats are given in chronological order.
Output
For each test case print a single line.
If there could exist such a sequence of plays (and clears, respectively) that the stats were exactly as Polycarp has written down, then print "YES".
Otherwise, print "NO".
You can print each letter in any case (upper or lower).
Example
Input
6
3
0 0
1 1
1 2
2
1 0
1000 3
4
10 1
15 2
10 2
15 2
1
765 432
2
4 4
4 3
5
0 0
1 0
1 0
1 0
1 0
Output
NO
YES
NO
YES
NO
YES
Note
In the first test case at the third moment of time the number of clears increased but the number of plays did not, that couldn't have happened.
The second test case is a nice example of a Super Expert level.
In the third test case the number of plays decreased, which is impossible.
The fourth test case is probably an auto level with a single jump over the spike.
In the fifth test case the number of clears decreased, which is also impossible.
Nobody wanted to play the sixth test case; Polycarp's mom attempted it to make him feel better, however, she couldn't clear it. | instruction | 0 | 72,656 | 24 | 145,312 |
Tags: implementation, math
Correct Solution:
```
for _ in range(int(input())):
p_current = c_current = 0
incomplete = True
for _ in range(int(input())):
p_next, c_next = (int(i) for i in input().split())
if incomplete and (c_next - c_current > p_next - p_current or c_next < c_current or p_next < p_current):
print("NO")
incomplete = False
else:
p_current, c_current = p_next, c_next
if incomplete:
print("YES")
``` | output | 1 | 72,656 | 24 | 145,313 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Polycarp has recently created a new level in this cool new game Berlio Maker 85 and uploaded it online. Now players from all over the world can try his level.
All levels in this game have two stats to them: the number of plays and the number of clears. So when a player attempts the level, the number of plays increases by 1. If he manages to finish the level successfully then the number of clears increases by 1 as well. Note that both of the statistics update at the same time (so if the player finishes the level successfully then the number of plays will increase at the same time as the number of clears).
Polycarp is very excited about his level, so he keeps peeking at the stats to know how hard his level turns out to be.
So he peeked at the stats n times and wrote down n pairs of integers β (p_1, c_1), (p_2, c_2), ..., (p_n, c_n), where p_i is the number of plays at the i-th moment of time and c_i is the number of clears at the same moment of time. The stats are given in chronological order (i.e. the order of given pairs is exactly the same as Polycarp has written down).
Between two consecutive moments of time Polycarp peeked at the stats many players (but possibly zero) could attempt the level.
Finally, Polycarp wonders if he hasn't messed up any records and all the pairs are correct. If there could exist such a sequence of plays (and clears, respectively) that the stats were exactly as Polycarp has written down, then he considers his records correct.
Help him to check the correctness of his records.
For your convenience you have to answer multiple independent test cases.
Input
The first line contains a single integer T (1 β€ T β€ 500) β the number of test cases.
The first line of each test case contains a single integer n (1 β€ n β€ 100) β the number of moments of time Polycarp peeked at the stats.
Each of the next n lines contains two integers p_i and c_i (0 β€ p_i, c_i β€ 1000) β the number of plays and the number of clears of the level at the i-th moment of time.
Note that the stats are given in chronological order.
Output
For each test case print a single line.
If there could exist such a sequence of plays (and clears, respectively) that the stats were exactly as Polycarp has written down, then print "YES".
Otherwise, print "NO".
You can print each letter in any case (upper or lower).
Example
Input
6
3
0 0
1 1
1 2
2
1 0
1000 3
4
10 1
15 2
10 2
15 2
1
765 432
2
4 4
4 3
5
0 0
1 0
1 0
1 0
1 0
Output
NO
YES
NO
YES
NO
YES
Note
In the first test case at the third moment of time the number of clears increased but the number of plays did not, that couldn't have happened.
The second test case is a nice example of a Super Expert level.
In the third test case the number of plays decreased, which is impossible.
The fourth test case is probably an auto level with a single jump over the spike.
In the fifth test case the number of clears decreased, which is also impossible.
Nobody wanted to play the sixth test case; Polycarp's mom attempted it to make him feel better, however, she couldn't clear it. | instruction | 0 | 72,657 | 24 | 145,314 |
Tags: implementation, math
Correct Solution:
```
t=int(input())
for _ in range(t):
valid=True
n=int(input())
lasta,lastb=[int(x) for x in input().split()]
if lasta<lastb:
valid = False
for __ in range(n-1):
a,b=[int(x) for x in input().split()]
if a<b or a<lasta or b<lastb or a-lasta<b-lastb:
valid=False
lasta,lastb=a,b
if valid:
print("YES")
else:
print("NO")
``` | output | 1 | 72,657 | 24 | 145,315 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Polycarp has recently created a new level in this cool new game Berlio Maker 85 and uploaded it online. Now players from all over the world can try his level.
All levels in this game have two stats to them: the number of plays and the number of clears. So when a player attempts the level, the number of plays increases by 1. If he manages to finish the level successfully then the number of clears increases by 1 as well. Note that both of the statistics update at the same time (so if the player finishes the level successfully then the number of plays will increase at the same time as the number of clears).
Polycarp is very excited about his level, so he keeps peeking at the stats to know how hard his level turns out to be.
So he peeked at the stats n times and wrote down n pairs of integers β (p_1, c_1), (p_2, c_2), ..., (p_n, c_n), where p_i is the number of plays at the i-th moment of time and c_i is the number of clears at the same moment of time. The stats are given in chronological order (i.e. the order of given pairs is exactly the same as Polycarp has written down).
Between two consecutive moments of time Polycarp peeked at the stats many players (but possibly zero) could attempt the level.
Finally, Polycarp wonders if he hasn't messed up any records and all the pairs are correct. If there could exist such a sequence of plays (and clears, respectively) that the stats were exactly as Polycarp has written down, then he considers his records correct.
Help him to check the correctness of his records.
For your convenience you have to answer multiple independent test cases.
Input
The first line contains a single integer T (1 β€ T β€ 500) β the number of test cases.
The first line of each test case contains a single integer n (1 β€ n β€ 100) β the number of moments of time Polycarp peeked at the stats.
Each of the next n lines contains two integers p_i and c_i (0 β€ p_i, c_i β€ 1000) β the number of plays and the number of clears of the level at the i-th moment of time.
Note that the stats are given in chronological order.
Output
For each test case print a single line.
If there could exist such a sequence of plays (and clears, respectively) that the stats were exactly as Polycarp has written down, then print "YES".
Otherwise, print "NO".
You can print each letter in any case (upper or lower).
Example
Input
6
3
0 0
1 1
1 2
2
1 0
1000 3
4
10 1
15 2
10 2
15 2
1
765 432
2
4 4
4 3
5
0 0
1 0
1 0
1 0
1 0
Output
NO
YES
NO
YES
NO
YES
Note
In the first test case at the third moment of time the number of clears increased but the number of plays did not, that couldn't have happened.
The second test case is a nice example of a Super Expert level.
In the third test case the number of plays decreased, which is impossible.
The fourth test case is probably an auto level with a single jump over the spike.
In the fifth test case the number of clears decreased, which is also impossible.
Nobody wanted to play the sixth test case; Polycarp's mom attempted it to make him feel better, however, she couldn't clear it. | instruction | 0 | 72,658 | 24 | 145,316 |
Tags: implementation, math
Correct Solution:
```
"""
arr = list(map(int, input().split()))
n,k=map(int, input().split())
"""
cases = int(input())
for _ in range(cases):
size = int(input())
lst = []
for __ in range(size):
arr = tuple(map(int, input().split()))
lst.append(arr)
if lst[0][0] < lst[0][1]:
print('NO')
else:
flag = True
for i in range(1, size):
clear_diff = lst[i][1] - lst[i-1][1]
if lst[i][0] - lst[i-1][0] < 0 or clear_diff < 0:
print('NO')
flag = False
break
elif lst[i][0] - lst[i-1][0] < clear_diff:
print('NO')
flag = False
break
else:
continue
if flag:
print('YES')
``` | output | 1 | 72,658 | 24 | 145,317 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Polycarp has recently created a new level in this cool new game Berlio Maker 85 and uploaded it online. Now players from all over the world can try his level.
All levels in this game have two stats to them: the number of plays and the number of clears. So when a player attempts the level, the number of plays increases by 1. If he manages to finish the level successfully then the number of clears increases by 1 as well. Note that both of the statistics update at the same time (so if the player finishes the level successfully then the number of plays will increase at the same time as the number of clears).
Polycarp is very excited about his level, so he keeps peeking at the stats to know how hard his level turns out to be.
So he peeked at the stats n times and wrote down n pairs of integers β (p_1, c_1), (p_2, c_2), ..., (p_n, c_n), where p_i is the number of plays at the i-th moment of time and c_i is the number of clears at the same moment of time. The stats are given in chronological order (i.e. the order of given pairs is exactly the same as Polycarp has written down).
Between two consecutive moments of time Polycarp peeked at the stats many players (but possibly zero) could attempt the level.
Finally, Polycarp wonders if he hasn't messed up any records and all the pairs are correct. If there could exist such a sequence of plays (and clears, respectively) that the stats were exactly as Polycarp has written down, then he considers his records correct.
Help him to check the correctness of his records.
For your convenience you have to answer multiple independent test cases.
Input
The first line contains a single integer T (1 β€ T β€ 500) β the number of test cases.
The first line of each test case contains a single integer n (1 β€ n β€ 100) β the number of moments of time Polycarp peeked at the stats.
Each of the next n lines contains two integers p_i and c_i (0 β€ p_i, c_i β€ 1000) β the number of plays and the number of clears of the level at the i-th moment of time.
Note that the stats are given in chronological order.
Output
For each test case print a single line.
If there could exist such a sequence of plays (and clears, respectively) that the stats were exactly as Polycarp has written down, then print "YES".
Otherwise, print "NO".
You can print each letter in any case (upper or lower).
Example
Input
6
3
0 0
1 1
1 2
2
1 0
1000 3
4
10 1
15 2
10 2
15 2
1
765 432
2
4 4
4 3
5
0 0
1 0
1 0
1 0
1 0
Output
NO
YES
NO
YES
NO
YES
Note
In the first test case at the third moment of time the number of clears increased but the number of plays did not, that couldn't have happened.
The second test case is a nice example of a Super Expert level.
In the third test case the number of plays decreased, which is impossible.
The fourth test case is probably an auto level with a single jump over the spike.
In the fifth test case the number of clears decreased, which is also impossible.
Nobody wanted to play the sixth test case; Polycarp's mom attempted it to make him feel better, however, she couldn't clear it. | instruction | 0 | 72,659 | 24 | 145,318 |
Tags: implementation, math
Correct Solution:
```
t = int(input())
e = []
for i in range(t):
n = int(input())
p0 = 0
c0 = 0
d = 'YES'
for j in range(n):
p1, c1 = input().split(' ')
p1 = int(p1)
c1 = int(c1)
#print((p1 >= c1), (p1 > p0), (c1 > c0), (p1-p0 >= c1-c0))
if (d == 'YES'):
if (p1 >= c1) and (p1 >= p0) and (c1 >= c0) and (p1-p0 >= c1-c0):
pass
else:
d = 'NO'
p0 = p1
c0 = c1
e.append(d)
for i in e:
print(i)
``` | output | 1 | 72,659 | 24 | 145,319 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Polycarp has recently created a new level in this cool new game Berlio Maker 85 and uploaded it online. Now players from all over the world can try his level.
All levels in this game have two stats to them: the number of plays and the number of clears. So when a player attempts the level, the number of plays increases by 1. If he manages to finish the level successfully then the number of clears increases by 1 as well. Note that both of the statistics update at the same time (so if the player finishes the level successfully then the number of plays will increase at the same time as the number of clears).
Polycarp is very excited about his level, so he keeps peeking at the stats to know how hard his level turns out to be.
So he peeked at the stats n times and wrote down n pairs of integers β (p_1, c_1), (p_2, c_2), ..., (p_n, c_n), where p_i is the number of plays at the i-th moment of time and c_i is the number of clears at the same moment of time. The stats are given in chronological order (i.e. the order of given pairs is exactly the same as Polycarp has written down).
Between two consecutive moments of time Polycarp peeked at the stats many players (but possibly zero) could attempt the level.
Finally, Polycarp wonders if he hasn't messed up any records and all the pairs are correct. If there could exist such a sequence of plays (and clears, respectively) that the stats were exactly as Polycarp has written down, then he considers his records correct.
Help him to check the correctness of his records.
For your convenience you have to answer multiple independent test cases.
Input
The first line contains a single integer T (1 β€ T β€ 500) β the number of test cases.
The first line of each test case contains a single integer n (1 β€ n β€ 100) β the number of moments of time Polycarp peeked at the stats.
Each of the next n lines contains two integers p_i and c_i (0 β€ p_i, c_i β€ 1000) β the number of plays and the number of clears of the level at the i-th moment of time.
Note that the stats are given in chronological order.
Output
For each test case print a single line.
If there could exist such a sequence of plays (and clears, respectively) that the stats were exactly as Polycarp has written down, then print "YES".
Otherwise, print "NO".
You can print each letter in any case (upper or lower).
Example
Input
6
3
0 0
1 1
1 2
2
1 0
1000 3
4
10 1
15 2
10 2
15 2
1
765 432
2
4 4
4 3
5
0 0
1 0
1 0
1 0
1 0
Output
NO
YES
NO
YES
NO
YES
Note
In the first test case at the third moment of time the number of clears increased but the number of plays did not, that couldn't have happened.
The second test case is a nice example of a Super Expert level.
In the third test case the number of plays decreased, which is impossible.
The fourth test case is probably an auto level with a single jump over the spike.
In the fifth test case the number of clears decreased, which is also impossible.
Nobody wanted to play the sixth test case; Polycarp's mom attempted it to make him feel better, however, she couldn't clear it. | instruction | 0 | 72,660 | 24 | 145,320 |
Tags: implementation, math
Correct Solution:
```
no_test = int(input())
for i in range(0, no_test):
moment = int(input())
preplays, preclear = -1, -1
result = 'Yes'
for j in range(0, moment):
plays, clears = input().split(' ')
plays = int(plays)
clears = int(clears)
if plays >= clears and ((plays > preplays and (clears in range(preclear, preclear+plays-preplays+1))) or (plays==preplays and clears==preclear)):
preplays, preclear = plays, clears
else:
result = 'No'
print(result)
``` | output | 1 | 72,660 | 24 | 145,321 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Polycarp has recently created a new level in this cool new game Berlio Maker 85 and uploaded it online. Now players from all over the world can try his level.
All levels in this game have two stats to them: the number of plays and the number of clears. So when a player attempts the level, the number of plays increases by 1. If he manages to finish the level successfully then the number of clears increases by 1 as well. Note that both of the statistics update at the same time (so if the player finishes the level successfully then the number of plays will increase at the same time as the number of clears).
Polycarp is very excited about his level, so he keeps peeking at the stats to know how hard his level turns out to be.
So he peeked at the stats n times and wrote down n pairs of integers β (p_1, c_1), (p_2, c_2), ..., (p_n, c_n), where p_i is the number of plays at the i-th moment of time and c_i is the number of clears at the same moment of time. The stats are given in chronological order (i.e. the order of given pairs is exactly the same as Polycarp has written down).
Between two consecutive moments of time Polycarp peeked at the stats many players (but possibly zero) could attempt the level.
Finally, Polycarp wonders if he hasn't messed up any records and all the pairs are correct. If there could exist such a sequence of plays (and clears, respectively) that the stats were exactly as Polycarp has written down, then he considers his records correct.
Help him to check the correctness of his records.
For your convenience you have to answer multiple independent test cases.
Input
The first line contains a single integer T (1 β€ T β€ 500) β the number of test cases.
The first line of each test case contains a single integer n (1 β€ n β€ 100) β the number of moments of time Polycarp peeked at the stats.
Each of the next n lines contains two integers p_i and c_i (0 β€ p_i, c_i β€ 1000) β the number of plays and the number of clears of the level at the i-th moment of time.
Note that the stats are given in chronological order.
Output
For each test case print a single line.
If there could exist such a sequence of plays (and clears, respectively) that the stats were exactly as Polycarp has written down, then print "YES".
Otherwise, print "NO".
You can print each letter in any case (upper or lower).
Example
Input
6
3
0 0
1 1
1 2
2
1 0
1000 3
4
10 1
15 2
10 2
15 2
1
765 432
2
4 4
4 3
5
0 0
1 0
1 0
1 0
1 0
Output
NO
YES
NO
YES
NO
YES
Note
In the first test case at the third moment of time the number of clears increased but the number of plays did not, that couldn't have happened.
The second test case is a nice example of a Super Expert level.
In the third test case the number of plays decreased, which is impossible.
The fourth test case is probably an auto level with a single jump over the spike.
In the fifth test case the number of clears decreased, which is also impossible.
Nobody wanted to play the sixth test case; Polycarp's mom attempted it to make him feel better, however, she couldn't clear it. | instruction | 0 | 72,661 | 24 | 145,322 |
Tags: implementation, math
Correct Solution:
```
t = int(input())
for k in range(t):
a = int(input())
flag = True
vet = []
for r in range(a):
x, y = list(map(int,input().split()))
vet.append([x,y])
if vet[0][1] > vet[0][0]:
flag = False
for i in range(1,len(vet)):
pA = vet[i][0]
pAA = vet[i-1][0]
cA = vet[i][1]
cAA = vet[i-1][1]
if pA < pAA:
flag = False
break
if cA < cAA:
flag = False
break
if pA-pAA < cA-cAA:
flag = False
break
if cA > pA:
flag = False
break
if flag:
print("YES")
else:
print("NO")
``` | output | 1 | 72,661 | 24 | 145,323 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Polycarp has recently created a new level in this cool new game Berlio Maker 85 and uploaded it online. Now players from all over the world can try his level.
All levels in this game have two stats to them: the number of plays and the number of clears. So when a player attempts the level, the number of plays increases by 1. If he manages to finish the level successfully then the number of clears increases by 1 as well. Note that both of the statistics update at the same time (so if the player finishes the level successfully then the number of plays will increase at the same time as the number of clears).
Polycarp is very excited about his level, so he keeps peeking at the stats to know how hard his level turns out to be.
So he peeked at the stats n times and wrote down n pairs of integers β (p_1, c_1), (p_2, c_2), ..., (p_n, c_n), where p_i is the number of plays at the i-th moment of time and c_i is the number of clears at the same moment of time. The stats are given in chronological order (i.e. the order of given pairs is exactly the same as Polycarp has written down).
Between two consecutive moments of time Polycarp peeked at the stats many players (but possibly zero) could attempt the level.
Finally, Polycarp wonders if he hasn't messed up any records and all the pairs are correct. If there could exist such a sequence of plays (and clears, respectively) that the stats were exactly as Polycarp has written down, then he considers his records correct.
Help him to check the correctness of his records.
For your convenience you have to answer multiple independent test cases.
Input
The first line contains a single integer T (1 β€ T β€ 500) β the number of test cases.
The first line of each test case contains a single integer n (1 β€ n β€ 100) β the number of moments of time Polycarp peeked at the stats.
Each of the next n lines contains two integers p_i and c_i (0 β€ p_i, c_i β€ 1000) β the number of plays and the number of clears of the level at the i-th moment of time.
Note that the stats are given in chronological order.
Output
For each test case print a single line.
If there could exist such a sequence of plays (and clears, respectively) that the stats were exactly as Polycarp has written down, then print "YES".
Otherwise, print "NO".
You can print each letter in any case (upper or lower).
Example
Input
6
3
0 0
1 1
1 2
2
1 0
1000 3
4
10 1
15 2
10 2
15 2
1
765 432
2
4 4
4 3
5
0 0
1 0
1 0
1 0
1 0
Output
NO
YES
NO
YES
NO
YES
Note
In the first test case at the third moment of time the number of clears increased but the number of plays did not, that couldn't have happened.
The second test case is a nice example of a Super Expert level.
In the third test case the number of plays decreased, which is impossible.
The fourth test case is probably an auto level with a single jump over the spike.
In the fifth test case the number of clears decreased, which is also impossible.
Nobody wanted to play the sixth test case; Polycarp's mom attempted it to make him feel better, however, she couldn't clear it. | instruction | 0 | 72,662 | 24 | 145,324 |
Tags: implementation, math
Correct Solution:
```
for _ in range(int(input())):
n=int(input())
a,b=map(int,input().split())
f=0
if(a<b):
f=1
for i in range(n-1):
p,c=map(int,input().split())
if(f==0):
if(p<a or c<b):
f=1
#break
elif(p-a<c-b):
f=1
#break
elif(p<c):
f=1
else:
a=p
b=c
if(f==1):
print("NO")
else:
print("YES")
``` | output | 1 | 72,662 | 24 | 145,325 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Polycarp has recently created a new level in this cool new game Berlio Maker 85 and uploaded it online. Now players from all over the world can try his level.
All levels in this game have two stats to them: the number of plays and the number of clears. So when a player attempts the level, the number of plays increases by 1. If he manages to finish the level successfully then the number of clears increases by 1 as well. Note that both of the statistics update at the same time (so if the player finishes the level successfully then the number of plays will increase at the same time as the number of clears).
Polycarp is very excited about his level, so he keeps peeking at the stats to know how hard his level turns out to be.
So he peeked at the stats n times and wrote down n pairs of integers β (p_1, c_1), (p_2, c_2), ..., (p_n, c_n), where p_i is the number of plays at the i-th moment of time and c_i is the number of clears at the same moment of time. The stats are given in chronological order (i.e. the order of given pairs is exactly the same as Polycarp has written down).
Between two consecutive moments of time Polycarp peeked at the stats many players (but possibly zero) could attempt the level.
Finally, Polycarp wonders if he hasn't messed up any records and all the pairs are correct. If there could exist such a sequence of plays (and clears, respectively) that the stats were exactly as Polycarp has written down, then he considers his records correct.
Help him to check the correctness of his records.
For your convenience you have to answer multiple independent test cases.
Input
The first line contains a single integer T (1 β€ T β€ 500) β the number of test cases.
The first line of each test case contains a single integer n (1 β€ n β€ 100) β the number of moments of time Polycarp peeked at the stats.
Each of the next n lines contains two integers p_i and c_i (0 β€ p_i, c_i β€ 1000) β the number of plays and the number of clears of the level at the i-th moment of time.
Note that the stats are given in chronological order.
Output
For each test case print a single line.
If there could exist such a sequence of plays (and clears, respectively) that the stats were exactly as Polycarp has written down, then print "YES".
Otherwise, print "NO".
You can print each letter in any case (upper or lower).
Example
Input
6
3
0 0
1 1
1 2
2
1 0
1000 3
4
10 1
15 2
10 2
15 2
1
765 432
2
4 4
4 3
5
0 0
1 0
1 0
1 0
1 0
Output
NO
YES
NO
YES
NO
YES
Note
In the first test case at the third moment of time the number of clears increased but the number of plays did not, that couldn't have happened.
The second test case is a nice example of a Super Expert level.
In the third test case the number of plays decreased, which is impossible.
The fourth test case is probably an auto level with a single jump over the spike.
In the fifth test case the number of clears decreased, which is also impossible.
Nobody wanted to play the sixth test case; Polycarp's mom attempted it to make him feel better, however, she couldn't clear it. | instruction | 0 | 72,663 | 24 | 145,326 |
Tags: implementation, math
Correct Solution:
```
testNumb = input ()
answers = []
for _ in range (int(testNumb)):
inputsNumb = input()
isCorrect = True
previousInput = [0, 0]
for i in range (int (inputsNumb)):
newInput = input().split()
newP = int(newInput[0])
newC = int(newInput[1])
if newC > newP:
isCorrect = False
if (i == 0):
previousInput[0] = newP
previousInput[1] = newC
else:
if newP < previousInput[0] or newC < previousInput[1] or (newC - previousInput[1]) > (newP - previousInput[0]):
isCorrect = False
previousInput[0] = newP
previousInput[1] = newC
answers.append(isCorrect)
for i in range (len (answers)):
if answers[i] == True:
print ("YES")
else:
print ("NO")
``` | output | 1 | 72,663 | 24 | 145,327 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Polycarp has recently created a new level in this cool new game Berlio Maker 85 and uploaded it online. Now players from all over the world can try his level.
All levels in this game have two stats to them: the number of plays and the number of clears. So when a player attempts the level, the number of plays increases by 1. If he manages to finish the level successfully then the number of clears increases by 1 as well. Note that both of the statistics update at the same time (so if the player finishes the level successfully then the number of plays will increase at the same time as the number of clears).
Polycarp is very excited about his level, so he keeps peeking at the stats to know how hard his level turns out to be.
So he peeked at the stats n times and wrote down n pairs of integers β (p_1, c_1), (p_2, c_2), ..., (p_n, c_n), where p_i is the number of plays at the i-th moment of time and c_i is the number of clears at the same moment of time. The stats are given in chronological order (i.e. the order of given pairs is exactly the same as Polycarp has written down).
Between two consecutive moments of time Polycarp peeked at the stats many players (but possibly zero) could attempt the level.
Finally, Polycarp wonders if he hasn't messed up any records and all the pairs are correct. If there could exist such a sequence of plays (and clears, respectively) that the stats were exactly as Polycarp has written down, then he considers his records correct.
Help him to check the correctness of his records.
For your convenience you have to answer multiple independent test cases.
Input
The first line contains a single integer T (1 β€ T β€ 500) β the number of test cases.
The first line of each test case contains a single integer n (1 β€ n β€ 100) β the number of moments of time Polycarp peeked at the stats.
Each of the next n lines contains two integers p_i and c_i (0 β€ p_i, c_i β€ 1000) β the number of plays and the number of clears of the level at the i-th moment of time.
Note that the stats are given in chronological order.
Output
For each test case print a single line.
If there could exist such a sequence of plays (and clears, respectively) that the stats were exactly as Polycarp has written down, then print "YES".
Otherwise, print "NO".
You can print each letter in any case (upper or lower).
Example
Input
6
3
0 0
1 1
1 2
2
1 0
1000 3
4
10 1
15 2
10 2
15 2
1
765 432
2
4 4
4 3
5
0 0
1 0
1 0
1 0
1 0
Output
NO
YES
NO
YES
NO
YES
Note
In the first test case at the third moment of time the number of clears increased but the number of plays did not, that couldn't have happened.
The second test case is a nice example of a Super Expert level.
In the third test case the number of plays decreased, which is impossible.
The fourth test case is probably an auto level with a single jump over the spike.
In the fifth test case the number of clears decreased, which is also impossible.
Nobody wanted to play the sixth test case; Polycarp's mom attempted it to make him feel better, however, she couldn't clear it.
Submitted Solution:
```
itr=int(input())
for _ in range(itr):
n=int(input())
prev=[0,0]
stats=[]
for i in range(n):
stats.append(list(map(int,input().split())))
for j in stats:
if j[0]<prev[0] or j[1] <prev[1] or j[0]<j[1] or j[1]-prev[1] > j[0]-prev[0]:
ans='NO'
break
prev=j
else :
ans='YES'
print(ans)
``` | instruction | 0 | 72,664 | 24 | 145,328 |
Yes | output | 1 | 72,664 | 24 | 145,329 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Polycarp has recently created a new level in this cool new game Berlio Maker 85 and uploaded it online. Now players from all over the world can try his level.
All levels in this game have two stats to them: the number of plays and the number of clears. So when a player attempts the level, the number of plays increases by 1. If he manages to finish the level successfully then the number of clears increases by 1 as well. Note that both of the statistics update at the same time (so if the player finishes the level successfully then the number of plays will increase at the same time as the number of clears).
Polycarp is very excited about his level, so he keeps peeking at the stats to know how hard his level turns out to be.
So he peeked at the stats n times and wrote down n pairs of integers β (p_1, c_1), (p_2, c_2), ..., (p_n, c_n), where p_i is the number of plays at the i-th moment of time and c_i is the number of clears at the same moment of time. The stats are given in chronological order (i.e. the order of given pairs is exactly the same as Polycarp has written down).
Between two consecutive moments of time Polycarp peeked at the stats many players (but possibly zero) could attempt the level.
Finally, Polycarp wonders if he hasn't messed up any records and all the pairs are correct. If there could exist such a sequence of plays (and clears, respectively) that the stats were exactly as Polycarp has written down, then he considers his records correct.
Help him to check the correctness of his records.
For your convenience you have to answer multiple independent test cases.
Input
The first line contains a single integer T (1 β€ T β€ 500) β the number of test cases.
The first line of each test case contains a single integer n (1 β€ n β€ 100) β the number of moments of time Polycarp peeked at the stats.
Each of the next n lines contains two integers p_i and c_i (0 β€ p_i, c_i β€ 1000) β the number of plays and the number of clears of the level at the i-th moment of time.
Note that the stats are given in chronological order.
Output
For each test case print a single line.
If there could exist such a sequence of plays (and clears, respectively) that the stats were exactly as Polycarp has written down, then print "YES".
Otherwise, print "NO".
You can print each letter in any case (upper or lower).
Example
Input
6
3
0 0
1 1
1 2
2
1 0
1000 3
4
10 1
15 2
10 2
15 2
1
765 432
2
4 4
4 3
5
0 0
1 0
1 0
1 0
1 0
Output
NO
YES
NO
YES
NO
YES
Note
In the first test case at the third moment of time the number of clears increased but the number of plays did not, that couldn't have happened.
The second test case is a nice example of a Super Expert level.
In the third test case the number of plays decreased, which is impossible.
The fourth test case is probably an auto level with a single jump over the spike.
In the fifth test case the number of clears decreased, which is also impossible.
Nobody wanted to play the sixth test case; Polycarp's mom attempted it to make him feel better, however, she couldn't clear it.
Submitted Solution:
```
import sys
input = sys.stdin.readline
T = int(input())
for _ in range(T):
n = int(input())
a = []
f = True
for i in range(n):
p,c = map(int,input().split())
if c>p:
f = False
for x,y in a:
if p<x:
f = False
if p==x and y!=c:
f = False
if c<y:
f = False
if c-y > p-x:
f = False
a.append((p,c))
print('YES' if f else 'NO')
``` | instruction | 0 | 72,665 | 24 | 145,330 |
Yes | output | 1 | 72,665 | 24 | 145,331 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Polycarp has recently created a new level in this cool new game Berlio Maker 85 and uploaded it online. Now players from all over the world can try his level.
All levels in this game have two stats to them: the number of plays and the number of clears. So when a player attempts the level, the number of plays increases by 1. If he manages to finish the level successfully then the number of clears increases by 1 as well. Note that both of the statistics update at the same time (so if the player finishes the level successfully then the number of plays will increase at the same time as the number of clears).
Polycarp is very excited about his level, so he keeps peeking at the stats to know how hard his level turns out to be.
So he peeked at the stats n times and wrote down n pairs of integers β (p_1, c_1), (p_2, c_2), ..., (p_n, c_n), where p_i is the number of plays at the i-th moment of time and c_i is the number of clears at the same moment of time. The stats are given in chronological order (i.e. the order of given pairs is exactly the same as Polycarp has written down).
Between two consecutive moments of time Polycarp peeked at the stats many players (but possibly zero) could attempt the level.
Finally, Polycarp wonders if he hasn't messed up any records and all the pairs are correct. If there could exist such a sequence of plays (and clears, respectively) that the stats were exactly as Polycarp has written down, then he considers his records correct.
Help him to check the correctness of his records.
For your convenience you have to answer multiple independent test cases.
Input
The first line contains a single integer T (1 β€ T β€ 500) β the number of test cases.
The first line of each test case contains a single integer n (1 β€ n β€ 100) β the number of moments of time Polycarp peeked at the stats.
Each of the next n lines contains two integers p_i and c_i (0 β€ p_i, c_i β€ 1000) β the number of plays and the number of clears of the level at the i-th moment of time.
Note that the stats are given in chronological order.
Output
For each test case print a single line.
If there could exist such a sequence of plays (and clears, respectively) that the stats were exactly as Polycarp has written down, then print "YES".
Otherwise, print "NO".
You can print each letter in any case (upper or lower).
Example
Input
6
3
0 0
1 1
1 2
2
1 0
1000 3
4
10 1
15 2
10 2
15 2
1
765 432
2
4 4
4 3
5
0 0
1 0
1 0
1 0
1 0
Output
NO
YES
NO
YES
NO
YES
Note
In the first test case at the third moment of time the number of clears increased but the number of plays did not, that couldn't have happened.
The second test case is a nice example of a Super Expert level.
In the third test case the number of plays decreased, which is impossible.
The fourth test case is probably an auto level with a single jump over the spike.
In the fifth test case the number of clears decreased, which is also impossible.
Nobody wanted to play the sixth test case; Polycarp's mom attempted it to make him feel better, however, she couldn't clear it.
Submitted Solution:
```
# 1334A
t = int(input())
while t:
n = int(input())
a = []
b = []
d = 0
z = 0
x = 0
for i in range(n):
q,w = map(int,input().split())
a.append(q)
b.append(w)
for i in range(n):
if (a[i] < z or b[i] < x) or (b[i] - x > a[i] - z):
print('NO')
d += 1
break
else:
z = a[i]
x = b[i]
if d == 0:
print("YES")
t -= 1
``` | instruction | 0 | 72,666 | 24 | 145,332 |
Yes | output | 1 | 72,666 | 24 | 145,333 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Polycarp has recently created a new level in this cool new game Berlio Maker 85 and uploaded it online. Now players from all over the world can try his level.
All levels in this game have two stats to them: the number of plays and the number of clears. So when a player attempts the level, the number of plays increases by 1. If he manages to finish the level successfully then the number of clears increases by 1 as well. Note that both of the statistics update at the same time (so if the player finishes the level successfully then the number of plays will increase at the same time as the number of clears).
Polycarp is very excited about his level, so he keeps peeking at the stats to know how hard his level turns out to be.
So he peeked at the stats n times and wrote down n pairs of integers β (p_1, c_1), (p_2, c_2), ..., (p_n, c_n), where p_i is the number of plays at the i-th moment of time and c_i is the number of clears at the same moment of time. The stats are given in chronological order (i.e. the order of given pairs is exactly the same as Polycarp has written down).
Between two consecutive moments of time Polycarp peeked at the stats many players (but possibly zero) could attempt the level.
Finally, Polycarp wonders if he hasn't messed up any records and all the pairs are correct. If there could exist such a sequence of plays (and clears, respectively) that the stats were exactly as Polycarp has written down, then he considers his records correct.
Help him to check the correctness of his records.
For your convenience you have to answer multiple independent test cases.
Input
The first line contains a single integer T (1 β€ T β€ 500) β the number of test cases.
The first line of each test case contains a single integer n (1 β€ n β€ 100) β the number of moments of time Polycarp peeked at the stats.
Each of the next n lines contains two integers p_i and c_i (0 β€ p_i, c_i β€ 1000) β the number of plays and the number of clears of the level at the i-th moment of time.
Note that the stats are given in chronological order.
Output
For each test case print a single line.
If there could exist such a sequence of plays (and clears, respectively) that the stats were exactly as Polycarp has written down, then print "YES".
Otherwise, print "NO".
You can print each letter in any case (upper or lower).
Example
Input
6
3
0 0
1 1
1 2
2
1 0
1000 3
4
10 1
15 2
10 2
15 2
1
765 432
2
4 4
4 3
5
0 0
1 0
1 0
1 0
1 0
Output
NO
YES
NO
YES
NO
YES
Note
In the first test case at the third moment of time the number of clears increased but the number of plays did not, that couldn't have happened.
The second test case is a nice example of a Super Expert level.
In the third test case the number of plays decreased, which is impossible.
The fourth test case is probably an auto level with a single jump over the spike.
In the fifth test case the number of clears decreased, which is also impossible.
Nobody wanted to play the sixth test case; Polycarp's mom attempted it to make him feel better, however, she couldn't clear it.
Submitted Solution:
```
t = int(input())
for _ in range(t):
n = int(input())
pp=[]
cc=[]
for i in range(n):
p,c = input().split()
pp.append(int(p))
cc.append(int(c))
y=0
for i in range(1,n):
if(pp[i]<cc[i] or pp[i]<pp[i-1] or cc[i]<cc[i-1] or pp[i]-pp[i-1]<cc[i]-cc[i-1]):
y=1
break
if(n==1 and cc[0]>pp[0]):
print("NO")
elif(y==1 or cc[0]>pp[0]):
print("NO")
else:
print("YES")
``` | instruction | 0 | 72,667 | 24 | 145,334 |
Yes | output | 1 | 72,667 | 24 | 145,335 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Polycarp has recently created a new level in this cool new game Berlio Maker 85 and uploaded it online. Now players from all over the world can try his level.
All levels in this game have two stats to them: the number of plays and the number of clears. So when a player attempts the level, the number of plays increases by 1. If he manages to finish the level successfully then the number of clears increases by 1 as well. Note that both of the statistics update at the same time (so if the player finishes the level successfully then the number of plays will increase at the same time as the number of clears).
Polycarp is very excited about his level, so he keeps peeking at the stats to know how hard his level turns out to be.
So he peeked at the stats n times and wrote down n pairs of integers β (p_1, c_1), (p_2, c_2), ..., (p_n, c_n), where p_i is the number of plays at the i-th moment of time and c_i is the number of clears at the same moment of time. The stats are given in chronological order (i.e. the order of given pairs is exactly the same as Polycarp has written down).
Between two consecutive moments of time Polycarp peeked at the stats many players (but possibly zero) could attempt the level.
Finally, Polycarp wonders if he hasn't messed up any records and all the pairs are correct. If there could exist such a sequence of plays (and clears, respectively) that the stats were exactly as Polycarp has written down, then he considers his records correct.
Help him to check the correctness of his records.
For your convenience you have to answer multiple independent test cases.
Input
The first line contains a single integer T (1 β€ T β€ 500) β the number of test cases.
The first line of each test case contains a single integer n (1 β€ n β€ 100) β the number of moments of time Polycarp peeked at the stats.
Each of the next n lines contains two integers p_i and c_i (0 β€ p_i, c_i β€ 1000) β the number of plays and the number of clears of the level at the i-th moment of time.
Note that the stats are given in chronological order.
Output
For each test case print a single line.
If there could exist such a sequence of plays (and clears, respectively) that the stats were exactly as Polycarp has written down, then print "YES".
Otherwise, print "NO".
You can print each letter in any case (upper or lower).
Example
Input
6
3
0 0
1 1
1 2
2
1 0
1000 3
4
10 1
15 2
10 2
15 2
1
765 432
2
4 4
4 3
5
0 0
1 0
1 0
1 0
1 0
Output
NO
YES
NO
YES
NO
YES
Note
In the first test case at the third moment of time the number of clears increased but the number of plays did not, that couldn't have happened.
The second test case is a nice example of a Super Expert level.
In the third test case the number of plays decreased, which is impossible.
The fourth test case is probably an auto level with a single jump over the spike.
In the fifth test case the number of clears decreased, which is also impossible.
Nobody wanted to play the sixth test case; Polycarp's mom attempted it to make him feel better, however, she couldn't clear it.
Submitted Solution:
```
from pprint import pprint
import sys
input = sys.stdin.readline
q = int(input())
for _ in range(q):
n = int(input())
d = dict()
f = True
lp = -1
for _ in range(n):
p, c = map(int, input().split())
if lp > p:
f = False
if p in d:
if d[p] != c:
f = False
if p < c:
f = False
d[p] = c
lp = p
k = list(d.keys())
k.sort()
#print(k)
c = 0
for x in k:
if d[x] < c:
f = False
c = d[x]
print("YES" if f else "NO")
``` | instruction | 0 | 72,668 | 24 | 145,336 |
No | output | 1 | 72,668 | 24 | 145,337 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Polycarp has recently created a new level in this cool new game Berlio Maker 85 and uploaded it online. Now players from all over the world can try his level.
All levels in this game have two stats to them: the number of plays and the number of clears. So when a player attempts the level, the number of plays increases by 1. If he manages to finish the level successfully then the number of clears increases by 1 as well. Note that both of the statistics update at the same time (so if the player finishes the level successfully then the number of plays will increase at the same time as the number of clears).
Polycarp is very excited about his level, so he keeps peeking at the stats to know how hard his level turns out to be.
So he peeked at the stats n times and wrote down n pairs of integers β (p_1, c_1), (p_2, c_2), ..., (p_n, c_n), where p_i is the number of plays at the i-th moment of time and c_i is the number of clears at the same moment of time. The stats are given in chronological order (i.e. the order of given pairs is exactly the same as Polycarp has written down).
Between two consecutive moments of time Polycarp peeked at the stats many players (but possibly zero) could attempt the level.
Finally, Polycarp wonders if he hasn't messed up any records and all the pairs are correct. If there could exist such a sequence of plays (and clears, respectively) that the stats were exactly as Polycarp has written down, then he considers his records correct.
Help him to check the correctness of his records.
For your convenience you have to answer multiple independent test cases.
Input
The first line contains a single integer T (1 β€ T β€ 500) β the number of test cases.
The first line of each test case contains a single integer n (1 β€ n β€ 100) β the number of moments of time Polycarp peeked at the stats.
Each of the next n lines contains two integers p_i and c_i (0 β€ p_i, c_i β€ 1000) β the number of plays and the number of clears of the level at the i-th moment of time.
Note that the stats are given in chronological order.
Output
For each test case print a single line.
If there could exist such a sequence of plays (and clears, respectively) that the stats were exactly as Polycarp has written down, then print "YES".
Otherwise, print "NO".
You can print each letter in any case (upper or lower).
Example
Input
6
3
0 0
1 1
1 2
2
1 0
1000 3
4
10 1
15 2
10 2
15 2
1
765 432
2
4 4
4 3
5
0 0
1 0
1 0
1 0
1 0
Output
NO
YES
NO
YES
NO
YES
Note
In the first test case at the third moment of time the number of clears increased but the number of plays did not, that couldn't have happened.
The second test case is a nice example of a Super Expert level.
In the third test case the number of plays decreased, which is impossible.
The fourth test case is probably an auto level with a single jump over the spike.
In the fifth test case the number of clears decreased, which is also impossible.
Nobody wanted to play the sixth test case; Polycarp's mom attempted it to make him feel better, however, she couldn't clear it.
Submitted Solution:
```
t=int(input())
for q in range(t):
n=int(input())
c=[]
d=[]
count=0
for w in range(n):
inp1=str(input())
inp=inp1.split()
a=int(inp[0])
b=int(inp[1])
c.append(a)
d.append(b)
if(a>=b and a>=c[w-1] and b>=d[w-1]):
continue
else:
count+=1
if(count==0):
print("YES")
else:
print("NO")
``` | instruction | 0 | 72,669 | 24 | 145,338 |
No | output | 1 | 72,669 | 24 | 145,339 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Polycarp has recently created a new level in this cool new game Berlio Maker 85 and uploaded it online. Now players from all over the world can try his level.
All levels in this game have two stats to them: the number of plays and the number of clears. So when a player attempts the level, the number of plays increases by 1. If he manages to finish the level successfully then the number of clears increases by 1 as well. Note that both of the statistics update at the same time (so if the player finishes the level successfully then the number of plays will increase at the same time as the number of clears).
Polycarp is very excited about his level, so he keeps peeking at the stats to know how hard his level turns out to be.
So he peeked at the stats n times and wrote down n pairs of integers β (p_1, c_1), (p_2, c_2), ..., (p_n, c_n), where p_i is the number of plays at the i-th moment of time and c_i is the number of clears at the same moment of time. The stats are given in chronological order (i.e. the order of given pairs is exactly the same as Polycarp has written down).
Between two consecutive moments of time Polycarp peeked at the stats many players (but possibly zero) could attempt the level.
Finally, Polycarp wonders if he hasn't messed up any records and all the pairs are correct. If there could exist such a sequence of plays (and clears, respectively) that the stats were exactly as Polycarp has written down, then he considers his records correct.
Help him to check the correctness of his records.
For your convenience you have to answer multiple independent test cases.
Input
The first line contains a single integer T (1 β€ T β€ 500) β the number of test cases.
The first line of each test case contains a single integer n (1 β€ n β€ 100) β the number of moments of time Polycarp peeked at the stats.
Each of the next n lines contains two integers p_i and c_i (0 β€ p_i, c_i β€ 1000) β the number of plays and the number of clears of the level at the i-th moment of time.
Note that the stats are given in chronological order.
Output
For each test case print a single line.
If there could exist such a sequence of plays (and clears, respectively) that the stats were exactly as Polycarp has written down, then print "YES".
Otherwise, print "NO".
You can print each letter in any case (upper or lower).
Example
Input
6
3
0 0
1 1
1 2
2
1 0
1000 3
4
10 1
15 2
10 2
15 2
1
765 432
2
4 4
4 3
5
0 0
1 0
1 0
1 0
1 0
Output
NO
YES
NO
YES
NO
YES
Note
In the first test case at the third moment of time the number of clears increased but the number of plays did not, that couldn't have happened.
The second test case is a nice example of a Super Expert level.
In the third test case the number of plays decreased, which is impossible.
The fourth test case is probably an auto level with a single jump over the spike.
In the fifth test case the number of clears decreased, which is also impossible.
Nobody wanted to play the sixth test case; Polycarp's mom attempted it to make him feel better, however, she couldn't clear it.
Submitted Solution:
```
t=int(input())
while t:
n=int(input())
count=1
for i in range(n):
p,c=input().split()
p=int(p)
c=int(c)
if c>p:
pass
else:
if i!=0:
if p<prev_p:
pass
elif c<prev_c:
pass
elif c-prev_c>0 and prev_p==p:
pass
else:
count+=1
prev_p=p
prev_c=c
if count==n:
print("YES")
else:
print("NO")
t-=1
``` | instruction | 0 | 72,670 | 24 | 145,340 |
No | output | 1 | 72,670 | 24 | 145,341 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Polycarp has recently created a new level in this cool new game Berlio Maker 85 and uploaded it online. Now players from all over the world can try his level.
All levels in this game have two stats to them: the number of plays and the number of clears. So when a player attempts the level, the number of plays increases by 1. If he manages to finish the level successfully then the number of clears increases by 1 as well. Note that both of the statistics update at the same time (so if the player finishes the level successfully then the number of plays will increase at the same time as the number of clears).
Polycarp is very excited about his level, so he keeps peeking at the stats to know how hard his level turns out to be.
So he peeked at the stats n times and wrote down n pairs of integers β (p_1, c_1), (p_2, c_2), ..., (p_n, c_n), where p_i is the number of plays at the i-th moment of time and c_i is the number of clears at the same moment of time. The stats are given in chronological order (i.e. the order of given pairs is exactly the same as Polycarp has written down).
Between two consecutive moments of time Polycarp peeked at the stats many players (but possibly zero) could attempt the level.
Finally, Polycarp wonders if he hasn't messed up any records and all the pairs are correct. If there could exist such a sequence of plays (and clears, respectively) that the stats were exactly as Polycarp has written down, then he considers his records correct.
Help him to check the correctness of his records.
For your convenience you have to answer multiple independent test cases.
Input
The first line contains a single integer T (1 β€ T β€ 500) β the number of test cases.
The first line of each test case contains a single integer n (1 β€ n β€ 100) β the number of moments of time Polycarp peeked at the stats.
Each of the next n lines contains two integers p_i and c_i (0 β€ p_i, c_i β€ 1000) β the number of plays and the number of clears of the level at the i-th moment of time.
Note that the stats are given in chronological order.
Output
For each test case print a single line.
If there could exist such a sequence of plays (and clears, respectively) that the stats were exactly as Polycarp has written down, then print "YES".
Otherwise, print "NO".
You can print each letter in any case (upper or lower).
Example
Input
6
3
0 0
1 1
1 2
2
1 0
1000 3
4
10 1
15 2
10 2
15 2
1
765 432
2
4 4
4 3
5
0 0
1 0
1 0
1 0
1 0
Output
NO
YES
NO
YES
NO
YES
Note
In the first test case at the third moment of time the number of clears increased but the number of plays did not, that couldn't have happened.
The second test case is a nice example of a Super Expert level.
In the third test case the number of plays decreased, which is impossible.
The fourth test case is probably an auto level with a single jump over the spike.
In the fifth test case the number of clears decreased, which is also impossible.
Nobody wanted to play the sixth test case; Polycarp's mom attempted it to make him feel better, however, she couldn't clear it.
Submitted Solution:
```
for _ in range(int(input())):
n = int(input())
plays = [0]
wins = [0]
ok = True
for i in range(n):
p, w = map(int, input().split())
if(p < max(plays) or (w > max(plays) and w > p) or w < max(wins) or w > p):
ok = False
plays.append(p)
wins.append(w)
if(ok):
print('YES')
else:
print('NO')
``` | instruction | 0 | 72,671 | 24 | 145,342 |
No | output | 1 | 72,671 | 24 | 145,343 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Polycarpus is sure that his life fits the description: "first there is a white stripe, then a black one, then a white one again". So, Polycarpus is sure that this rule is going to fulfill during the next n days. Polycarpus knows that he is in for w good events and b not-so-good events. At least one event is going to take place during each day. As each day is unequivocally characterizes as a part of a white or a black stripe, then each day is going to have events of the same type only (ether good or not-so-good).
What is the number of distinct ways this scenario can develop over the next n days if Polycarpus is in for a white stripe (a stripe that has good events only, the stripe's length is at least 1 day), the a black stripe (a stripe that has not-so-good events only, the stripe's length is at least 1 day) and a white stripe again (a stripe that has good events only, the stripe's length is at least 1 day). Each of n days will belong to one of the three stripes only.
Note that even the events of the same type are distinct from each other. Even if some events occur on the same day, they go in some order (there are no simultaneous events).
Write a code that prints the number of possible configurations to sort the events into days. See the samples for clarifications on which scenarios should be considered distinct. Print the answer modulo 1000000009 (109 + 9).
Input
The single line of the input contains integers n, w and b (3 β€ n β€ 4000, 2 β€ w β€ 4000, 1 β€ b β€ 4000) β the number of days, the number of good events and the number of not-so-good events. It is guaranteed that w + b β₯ n.
Output
Print the required number of ways modulo 1000000009 (109 + 9).
Examples
Input
3 2 1
Output
2
Input
4 2 2
Output
4
Input
3 2 2
Output
4
Note
We'll represent the good events by numbers starting from 1 and the not-so-good events β by letters starting from 'a'. Vertical lines separate days.
In the first sample the possible ways are: "1|a|2" and "2|a|1". In the second sample the possible ways are: "1|a|b|2", "2|a|b|1", "1|b|a|2" and "2|b|a|1". In the third sample the possible ways are: "1|ab|2", "2|ab|1", "1|ba|2" and "2|ba|1". | instruction | 0 | 72,823 | 24 | 145,646 |
Tags: combinatorics, number theory
Correct Solution:
```
import sys
MOD = int(1e9) + 9
def inv(n):
return pow(n, MOD - 2, MOD)
def combo(n):
rv = [0 for __ in range(n + 1)]
rv[0] = 1
for k in range(n):
rv[k + 1] = rv[k] * (n - k) % MOD * inv(k + 1) % MOD
return rv
with sys.stdin as fin, sys.stdout as fout:
n, w, b = map(int, next(fin).split())
combw = combo(w - 1)
combb = combo(b - 1)
ans = 0
for black in range(max(1, n - w), min(n - 2, b) + 1):
ans = (ans + (n - 1 - black) * combw[n - black - 1] % MOD * combb[black - 1]) % MOD
for f in w, b:
for k in range(1, f + 1):
ans = k * ans % MOD
print(ans, file=fout)
``` | output | 1 | 72,823 | 24 | 145,647 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Polycarpus is sure that his life fits the description: "first there is a white stripe, then a black one, then a white one again". So, Polycarpus is sure that this rule is going to fulfill during the next n days. Polycarpus knows that he is in for w good events and b not-so-good events. At least one event is going to take place during each day. As each day is unequivocally characterizes as a part of a white or a black stripe, then each day is going to have events of the same type only (ether good or not-so-good).
What is the number of distinct ways this scenario can develop over the next n days if Polycarpus is in for a white stripe (a stripe that has good events only, the stripe's length is at least 1 day), the a black stripe (a stripe that has not-so-good events only, the stripe's length is at least 1 day) and a white stripe again (a stripe that has good events only, the stripe's length is at least 1 day). Each of n days will belong to one of the three stripes only.
Note that even the events of the same type are distinct from each other. Even if some events occur on the same day, they go in some order (there are no simultaneous events).
Write a code that prints the number of possible configurations to sort the events into days. See the samples for clarifications on which scenarios should be considered distinct. Print the answer modulo 1000000009 (109 + 9).
Input
The single line of the input contains integers n, w and b (3 β€ n β€ 4000, 2 β€ w β€ 4000, 1 β€ b β€ 4000) β the number of days, the number of good events and the number of not-so-good events. It is guaranteed that w + b β₯ n.
Output
Print the required number of ways modulo 1000000009 (109 + 9).
Examples
Input
3 2 1
Output
2
Input
4 2 2
Output
4
Input
3 2 2
Output
4
Note
We'll represent the good events by numbers starting from 1 and the not-so-good events β by letters starting from 'a'. Vertical lines separate days.
In the first sample the possible ways are: "1|a|2" and "2|a|1". In the second sample the possible ways are: "1|a|b|2", "2|a|b|1", "1|b|a|2" and "2|b|a|1". In the third sample the possible ways are: "1|ab|2", "2|ab|1", "1|ba|2" and "2|ba|1".
Submitted Solution:
```
def fact(x):
fn=1
while x>0:
fn*=x
x-=1
return fn
n,w,b=list(map(int,input().split()))
F=0
if b>n-2: d=n-2
else: d=b
for i in range (1,d+1):
if n-i<=w:
F+=((n-i-1)*(w-1)*fact(w)*fact(b))
if b>1: F*=(b-1)
print(F%1000000009)
``` | instruction | 0 | 72,824 | 24 | 145,648 |
No | output | 1 | 72,824 | 24 | 145,649 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Polycarpus is sure that his life fits the description: "first there is a white stripe, then a black one, then a white one again". So, Polycarpus is sure that this rule is going to fulfill during the next n days. Polycarpus knows that he is in for w good events and b not-so-good events. At least one event is going to take place during each day. As each day is unequivocally characterizes as a part of a white or a black stripe, then each day is going to have events of the same type only (ether good or not-so-good).
What is the number of distinct ways this scenario can develop over the next n days if Polycarpus is in for a white stripe (a stripe that has good events only, the stripe's length is at least 1 day), the a black stripe (a stripe that has not-so-good events only, the stripe's length is at least 1 day) and a white stripe again (a stripe that has good events only, the stripe's length is at least 1 day). Each of n days will belong to one of the three stripes only.
Note that even the events of the same type are distinct from each other. Even if some events occur on the same day, they go in some order (there are no simultaneous events).
Write a code that prints the number of possible configurations to sort the events into days. See the samples for clarifications on which scenarios should be considered distinct. Print the answer modulo 1000000009 (109 + 9).
Input
The single line of the input contains integers n, w and b (3 β€ n β€ 4000, 2 β€ w β€ 4000, 1 β€ b β€ 4000) β the number of days, the number of good events and the number of not-so-good events. It is guaranteed that w + b β₯ n.
Output
Print the required number of ways modulo 1000000009 (109 + 9).
Examples
Input
3 2 1
Output
2
Input
4 2 2
Output
4
Input
3 2 2
Output
4
Note
We'll represent the good events by numbers starting from 1 and the not-so-good events β by letters starting from 'a'. Vertical lines separate days.
In the first sample the possible ways are: "1|a|2" and "2|a|1". In the second sample the possible ways are: "1|a|b|2", "2|a|b|1", "1|b|a|2" and "2|b|a|1". In the third sample the possible ways are: "1|ab|2", "2|ab|1", "1|ba|2" and "2|ba|1".
Submitted Solution:
```
def fact(x):
fn=1
while x>0:
fn*=x
x-=1
return fn
n,w,b=list(map(int,input().split()))
F=0
if b>n-2: d=n-2
else: d=b
for i in range (1,d+1):
if n-i<=w:
F+=((n-i-1)*(w-1)*fact(w)*fact(b))
if w>1: F*=(w-1)
print(F%1000000009)
``` | instruction | 0 | 72,825 | 24 | 145,650 |
No | output | 1 | 72,825 | 24 | 145,651 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Polycarpus is sure that his life fits the description: "first there is a white stripe, then a black one, then a white one again". So, Polycarpus is sure that this rule is going to fulfill during the next n days. Polycarpus knows that he is in for w good events and b not-so-good events. At least one event is going to take place during each day. As each day is unequivocally characterizes as a part of a white or a black stripe, then each day is going to have events of the same type only (ether good or not-so-good).
What is the number of distinct ways this scenario can develop over the next n days if Polycarpus is in for a white stripe (a stripe that has good events only, the stripe's length is at least 1 day), the a black stripe (a stripe that has not-so-good events only, the stripe's length is at least 1 day) and a white stripe again (a stripe that has good events only, the stripe's length is at least 1 day). Each of n days will belong to one of the three stripes only.
Note that even the events of the same type are distinct from each other. Even if some events occur on the same day, they go in some order (there are no simultaneous events).
Write a code that prints the number of possible configurations to sort the events into days. See the samples for clarifications on which scenarios should be considered distinct. Print the answer modulo 1000000009 (109 + 9).
Input
The single line of the input contains integers n, w and b (3 β€ n β€ 4000, 2 β€ w β€ 4000, 1 β€ b β€ 4000) β the number of days, the number of good events and the number of not-so-good events. It is guaranteed that w + b β₯ n.
Output
Print the required number of ways modulo 1000000009 (109 + 9).
Examples
Input
3 2 1
Output
2
Input
4 2 2
Output
4
Input
3 2 2
Output
4
Note
We'll represent the good events by numbers starting from 1 and the not-so-good events β by letters starting from 'a'. Vertical lines separate days.
In the first sample the possible ways are: "1|a|2" and "2|a|1". In the second sample the possible ways are: "1|a|b|2", "2|a|b|1", "1|b|a|2" and "2|b|a|1". In the third sample the possible ways are: "1|ab|2", "2|ab|1", "1|ba|2" and "2|ba|1".
Submitted Solution:
```
def fact(x):
fn=1
while x>0:
fn*=x
x-=1
return fn
n,w,b=list(map(int,input().split()))
F=0
if b>n-2: d=n-2
else: d=b
for i in range (1,d+1):
if n-i<=w:
F+=((n-i-1)*(w-1)*fact(w)*fact(b))
print(F)
``` | instruction | 0 | 72,826 | 24 | 145,652 |
No | output | 1 | 72,826 | 24 | 145,653 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Polycarp starts his own business. Tomorrow will be the first working day of his car repair shop. For now the car repair shop is very small and only one car can be repaired at a given time.
Polycarp is good at marketing, so he has already collected n requests from clients. The requests are numbered from 1 to n in order they came.
The i-th request is characterized by two values: si β the day when a client wants to start the repair of his car, di β duration (in days) to repair the car. The days are enumerated from 1, the first day is tomorrow, the second day is the day after tomorrow and so on.
Polycarp is making schedule by processing requests in the order from the first to the n-th request. He schedules the i-th request as follows:
* If the car repair shop is idle for di days starting from si (si, si + 1, ..., si + di - 1), then these days are used to repair a car of the i-th client.
* Otherwise, Polycarp finds the first day x (from 1 and further) that there are di subsequent days when no repair is scheduled starting from x. In other words he chooses the smallest positive x that all days x, x + 1, ..., x + di - 1 are not scheduled for repair of any car. So, the car of the i-th client will be repaired in the range [x, x + di - 1]. It is possible that the day x when repair is scheduled to start will be less than si.
Given n requests, you are asked to help Polycarp schedule all of them according to the rules above.
Input
The first line contains integer n (1 β€ n β€ 200) β the number of requests from clients.
The following n lines contain requests, one request per line. The i-th request is given as the pair of integers si, di (1 β€ si β€ 109, 1 β€ di β€ 5Β·106), where si is the preferred time to start repairing the i-th car, di is the number of days to repair the i-th car.
The requests should be processed in the order they are given in the input.
Output
Print n lines. The i-th line should contain two integers β the start day to repair the i-th car and the finish day to repair the i-th car.
Examples
Input
3
9 2
7 3
2 4
Output
9 10
1 3
4 7
Input
4
1000000000 1000000
1000000000 1000000
100000000 1000000
1000000000 1000000
Output
1000000000 1000999999
1 1000000
100000000 100999999
1000001 2000000 | instruction | 0 | 72,952 | 24 | 145,904 |
Tags: implementation
Correct Solution:
```
t = 1
p = []
for i in range(int(input())):
s, d = map(int, input().split())
if t > s:
for i, q in enumerate(p):
if q[0] <= s <= q[0] + q[1] - d:
print(s, s + d - 1)
p.insert(i + 1, [s + d, q[1] - d - s + q[0]])
q[1] = s - q[0]
break
else:
for q in p:
if q[1] >= d:
print(q[0], q[0] + d - 1)
q[0] += d
q[1] -= d
break
else:
print(t, t + d - 1)
t += d
else:
p.append([t, s - t])
print(s, s + d - 1)
t = s + d
``` | output | 1 | 72,952 | 24 | 145,905 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Polycarp starts his own business. Tomorrow will be the first working day of his car repair shop. For now the car repair shop is very small and only one car can be repaired at a given time.
Polycarp is good at marketing, so he has already collected n requests from clients. The requests are numbered from 1 to n in order they came.
The i-th request is characterized by two values: si β the day when a client wants to start the repair of his car, di β duration (in days) to repair the car. The days are enumerated from 1, the first day is tomorrow, the second day is the day after tomorrow and so on.
Polycarp is making schedule by processing requests in the order from the first to the n-th request. He schedules the i-th request as follows:
* If the car repair shop is idle for di days starting from si (si, si + 1, ..., si + di - 1), then these days are used to repair a car of the i-th client.
* Otherwise, Polycarp finds the first day x (from 1 and further) that there are di subsequent days when no repair is scheduled starting from x. In other words he chooses the smallest positive x that all days x, x + 1, ..., x + di - 1 are not scheduled for repair of any car. So, the car of the i-th client will be repaired in the range [x, x + di - 1]. It is possible that the day x when repair is scheduled to start will be less than si.
Given n requests, you are asked to help Polycarp schedule all of them according to the rules above.
Input
The first line contains integer n (1 β€ n β€ 200) β the number of requests from clients.
The following n lines contain requests, one request per line. The i-th request is given as the pair of integers si, di (1 β€ si β€ 109, 1 β€ di β€ 5Β·106), where si is the preferred time to start repairing the i-th car, di is the number of days to repair the i-th car.
The requests should be processed in the order they are given in the input.
Output
Print n lines. The i-th line should contain two integers β the start day to repair the i-th car and the finish day to repair the i-th car.
Examples
Input
3
9 2
7 3
2 4
Output
9 10
1 3
4 7
Input
4
1000000000 1000000
1000000000 1000000
100000000 1000000
1000000000 1000000
Output
1000000000 1000999999
1 1000000
100000000 100999999
1000001 2000000 | instruction | 0 | 72,953 | 24 | 145,906 |
Tags: implementation
Correct Solution:
```
t, p = 1, []
for i in range(int(input())):
l, d = map(int, input().split())
if t > l:
for i, q in enumerate(p, 1):
if q[0] <= l <= q[1] - d:
p.insert(i, [l + d, q[1]])
q[1] = l
break
else:
for q in p:
if q[0] <= q[1] - d:
l = q[0]
q[0] += d
break
else:
l = t
t += d
else:
p.append([t, l])
t = l + d
print(l, l + d - 1)
``` | output | 1 | 72,953 | 24 | 145,907 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Polycarp starts his own business. Tomorrow will be the first working day of his car repair shop. For now the car repair shop is very small and only one car can be repaired at a given time.
Polycarp is good at marketing, so he has already collected n requests from clients. The requests are numbered from 1 to n in order they came.
The i-th request is characterized by two values: si β the day when a client wants to start the repair of his car, di β duration (in days) to repair the car. The days are enumerated from 1, the first day is tomorrow, the second day is the day after tomorrow and so on.
Polycarp is making schedule by processing requests in the order from the first to the n-th request. He schedules the i-th request as follows:
* If the car repair shop is idle for di days starting from si (si, si + 1, ..., si + di - 1), then these days are used to repair a car of the i-th client.
* Otherwise, Polycarp finds the first day x (from 1 and further) that there are di subsequent days when no repair is scheduled starting from x. In other words he chooses the smallest positive x that all days x, x + 1, ..., x + di - 1 are not scheduled for repair of any car. So, the car of the i-th client will be repaired in the range [x, x + di - 1]. It is possible that the day x when repair is scheduled to start will be less than si.
Given n requests, you are asked to help Polycarp schedule all of them according to the rules above.
Input
The first line contains integer n (1 β€ n β€ 200) β the number of requests from clients.
The following n lines contain requests, one request per line. The i-th request is given as the pair of integers si, di (1 β€ si β€ 109, 1 β€ di β€ 5Β·106), where si is the preferred time to start repairing the i-th car, di is the number of days to repair the i-th car.
The requests should be processed in the order they are given in the input.
Output
Print n lines. The i-th line should contain two integers β the start day to repair the i-th car and the finish day to repair the i-th car.
Examples
Input
3
9 2
7 3
2 4
Output
9 10
1 3
4 7
Input
4
1000000000 1000000
1000000000 1000000
100000000 1000000
1000000000 1000000
Output
1000000000 1000999999
1 1000000
100000000 100999999
1000001 2000000 | instruction | 0 | 72,954 | 24 | 145,908 |
Tags: implementation
Correct Solution:
```
import sys
lines = iter(sys.stdin.read().splitlines())
next(lines)
s,d = map(int,next(lines).split())
dates = [[0,0],[s, s + d -1],[10000000001,10000000001]]
res = [[s, s + d -1]]
for line in lines:
s,d = map(int,line.split())
nhueco = True
for i in range(len(dates)):
if s > dates[i][1] and s+d-1 < dates[i+1][0]:
dates.insert(i+1,[s, s + d -1])
res.append([s, s + d -1])
break
elif nhueco and -dates[i][1] +dates[i+1][0] -1 >= d:
nhueco = False
ld = dates[i][1] + 1
li = i+1
else:
dates.insert(li,[ld, ld + d -1])
res.append([ld, ld + d -1])
for date in res:
print(" ".join(map(str,date)))
``` | output | 1 | 72,954 | 24 | 145,909 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Polycarp starts his own business. Tomorrow will be the first working day of his car repair shop. For now the car repair shop is very small and only one car can be repaired at a given time.
Polycarp is good at marketing, so he has already collected n requests from clients. The requests are numbered from 1 to n in order they came.
The i-th request is characterized by two values: si β the day when a client wants to start the repair of his car, di β duration (in days) to repair the car. The days are enumerated from 1, the first day is tomorrow, the second day is the day after tomorrow and so on.
Polycarp is making schedule by processing requests in the order from the first to the n-th request. He schedules the i-th request as follows:
* If the car repair shop is idle for di days starting from si (si, si + 1, ..., si + di - 1), then these days are used to repair a car of the i-th client.
* Otherwise, Polycarp finds the first day x (from 1 and further) that there are di subsequent days when no repair is scheduled starting from x. In other words he chooses the smallest positive x that all days x, x + 1, ..., x + di - 1 are not scheduled for repair of any car. So, the car of the i-th client will be repaired in the range [x, x + di - 1]. It is possible that the day x when repair is scheduled to start will be less than si.
Given n requests, you are asked to help Polycarp schedule all of them according to the rules above.
Input
The first line contains integer n (1 β€ n β€ 200) β the number of requests from clients.
The following n lines contain requests, one request per line. The i-th request is given as the pair of integers si, di (1 β€ si β€ 109, 1 β€ di β€ 5Β·106), where si is the preferred time to start repairing the i-th car, di is the number of days to repair the i-th car.
The requests should be processed in the order they are given in the input.
Output
Print n lines. The i-th line should contain two integers β the start day to repair the i-th car and the finish day to repair the i-th car.
Examples
Input
3
9 2
7 3
2 4
Output
9 10
1 3
4 7
Input
4
1000000000 1000000
1000000000 1000000
100000000 1000000
1000000000 1000000
Output
1000000000 1000999999
1 1000000
100000000 100999999
1000001 2000000 | instruction | 0 | 72,955 | 24 | 145,910 |
Tags: implementation
Correct Solution:
```
n=int(input())
L=[]
for j in range(n):
ch=input().split()
s,d=int(ch[0]),int(ch[1])
if j==0:
print(s,d+s-1)
L.append([s,s+d-1])
L.sort()
else:
B=True
C=True
for i in range(len(L)):
if i<(len(L)-1) and s>L[i][1] and s+d-1<L[i+1][0]:
print(s,s+d-1)
L.append([s,s+d-1])
L.sort()
C=False
break
if L[i][1]>=s>=L[i][0] or L[i][0]<=(s+d-1)<=L[i][1] or (s<=L[i][0] and (s+d-1)>=L[i][1]):
B=False
break
if B and C:
print(s,s+d-1)
L.append([s,s+d-1])
L.sort()
C=False
if C:
if d<L[0][0]:
print(1,d)
L.append([1,d])
L.sort()
C=False
else:
for i in range(len(L)):
if i<(len(L)-1) and (L[i][1]+d)<L[i+1][0]:
print(L[i][1]+1,L[i][1]+d)
L.append([L[i][1]+1,L[i][1]+d])
L.sort()
C=False
break
if not B and C:
print(L[len(L)-1][1]+1,L[len(L)-1][1]+d)
L.append([L[len(L)-1][1]+1,L[len(L)-1][1]+d])
L.sort()
``` | output | 1 | 72,955 | 24 | 145,911 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Polycarp starts his own business. Tomorrow will be the first working day of his car repair shop. For now the car repair shop is very small and only one car can be repaired at a given time.
Polycarp is good at marketing, so he has already collected n requests from clients. The requests are numbered from 1 to n in order they came.
The i-th request is characterized by two values: si β the day when a client wants to start the repair of his car, di β duration (in days) to repair the car. The days are enumerated from 1, the first day is tomorrow, the second day is the day after tomorrow and so on.
Polycarp is making schedule by processing requests in the order from the first to the n-th request. He schedules the i-th request as follows:
* If the car repair shop is idle for di days starting from si (si, si + 1, ..., si + di - 1), then these days are used to repair a car of the i-th client.
* Otherwise, Polycarp finds the first day x (from 1 and further) that there are di subsequent days when no repair is scheduled starting from x. In other words he chooses the smallest positive x that all days x, x + 1, ..., x + di - 1 are not scheduled for repair of any car. So, the car of the i-th client will be repaired in the range [x, x + di - 1]. It is possible that the day x when repair is scheduled to start will be less than si.
Given n requests, you are asked to help Polycarp schedule all of them according to the rules above.
Input
The first line contains integer n (1 β€ n β€ 200) β the number of requests from clients.
The following n lines contain requests, one request per line. The i-th request is given as the pair of integers si, di (1 β€ si β€ 109, 1 β€ di β€ 5Β·106), where si is the preferred time to start repairing the i-th car, di is the number of days to repair the i-th car.
The requests should be processed in the order they are given in the input.
Output
Print n lines. The i-th line should contain two integers β the start day to repair the i-th car and the finish day to repair the i-th car.
Examples
Input
3
9 2
7 3
2 4
Output
9 10
1 3
4 7
Input
4
1000000000 1000000
1000000000 1000000
100000000 1000000
1000000000 1000000
Output
1000000000 1000999999
1 1000000
100000000 100999999
1000001 2000000 | instruction | 0 | 72,956 | 24 | 145,912 |
Tags: implementation
Correct Solution:
```
# ---------------------------iye ha aam zindegi---------------------------------------------
import math
import heapq, bisect
import sys
from collections import deque, defaultdict
from fractions import Fraction
import sys
mod = 10 ** 9 + 7
mod1 = 998244353
# sys.setrecursionlimit(300000)
# ------------------------------warmup----------------------------
import os
import sys
from io import BytesIO, IOBase
BUFSIZE = 8192
# sys.setrecursionlimit(300000)
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
# -----------------------------------------------binary seacrh tree---------------------------------------
# -------------------game starts now----------------------------------------------------import math
class SegmentTree:
def __init__(self, data, default=0, func=lambda a, b: a + b):
"""initialize the segment tree with data"""
self._default = default
self._func = func
self._len = len(data)
self._size = _size = 1 << (self._len - 1).bit_length()
self.data = [default] * (2 * _size)
self.data[_size:_size + self._len] = data
for i in reversed(range(_size)):
self.data[i] = func(self.data[i + i], self.data[i + i + 1])
def __delitem__(self, idx):
self[idx] = self._default
def __getitem__(self, idx):
return self.data[idx + self._size]
def __setitem__(self, idx, value):
idx += self._size
self.data[idx] = value
idx >>= 1
while idx:
self.data[idx] = self._func(self.data[2 * idx], self.data[2 * idx + 1])
idx >>= 1
def __len__(self):
return self._len
def query(self, start, stop):
if start == stop:
return self.__getitem__(start)
stop += 1
start += self._size
stop += self._size
res = self._default
while start < stop:
if start & 1:
res = self._func(res, self.data[start])
start += 1
if stop & 1:
stop -= 1
res = self._func(res, self.data[stop])
start >>= 1
stop >>= 1
return res
def __repr__(self):
return "SegmentTree({0})".format(self.data)
# -------------------------------iye ha chutiya zindegi-------------------------------------
class Factorial:
def __init__(self, MOD):
self.MOD = MOD
self.factorials = [1, 1]
self.invModulos = [0, 1]
self.invFactorial_ = [1, 1]
def calc(self, n):
if n <= -1:
print("Invalid argument to calculate n!")
print("n must be non-negative value. But the argument was " + str(n))
exit()
if n < len(self.factorials):
return self.factorials[n]
nextArr = [0] * (n + 1 - len(self.factorials))
initialI = len(self.factorials)
prev = self.factorials[-1]
m = self.MOD
for i in range(initialI, n + 1):
prev = nextArr[i - initialI] = prev * i % m
self.factorials += nextArr
return self.factorials[n]
def inv(self, n):
if n <= -1:
print("Invalid argument to calculate n^(-1)")
print("n must be non-negative value. But the argument was " + str(n))
exit()
p = self.MOD
pi = n % p
if pi < len(self.invModulos):
return self.invModulos[pi]
nextArr = [0] * (n + 1 - len(self.invModulos))
initialI = len(self.invModulos)
for i in range(initialI, min(p, n + 1)):
next = -self.invModulos[p % i] * (p // i) % p
self.invModulos.append(next)
return self.invModulos[pi]
def invFactorial(self, n):
if n <= -1:
print("Invalid argument to calculate (n^(-1))!")
print("n must be non-negative value. But the argument was " + str(n))
exit()
if n < len(self.invFactorial_):
return self.invFactorial_[n]
self.inv(n) # To make sure already calculated n^-1
nextArr = [0] * (n + 1 - len(self.invFactorial_))
initialI = len(self.invFactorial_)
prev = self.invFactorial_[-1]
p = self.MOD
for i in range(initialI, n + 1):
prev = nextArr[i - initialI] = (prev * self.invModulos[i % p]) % p
self.invFactorial_ += nextArr
return self.invFactorial_[n]
class Combination:
def __init__(self, MOD):
self.MOD = MOD
self.factorial = Factorial(MOD)
def ncr(self, n, k):
if k < 0 or n < k:
return 0
k = min(k, n - k)
f = self.factorial
return f.calc(n) * f.invFactorial(max(n - k, k)) * f.invFactorial(min(k, n - k)) % self.MOD
# --------------------------------------iye ha combinations ka zindegi---------------------------------
def powm(a, n, m):
if a == 1 or n == 0:
return 1
if n % 2 == 0:
s = powm(a, n // 2, m)
return s * s % m
else:
return a * powm(a, n - 1, m) % m
# --------------------------------------iye ha power ka zindegi---------------------------------
def sort_list(list1, list2):
zipped_pairs = zip(list2, list1)
z = [x for _, x in sorted(zipped_pairs)]
return z
# --------------------------------------------------product----------------------------------------
def product(l):
por = 1
for i in range(len(l)):
por *= l[i]
return por
# --------------------------------------------------binary----------------------------------------
def binarySearchCount(arr, n, key):
left = 0
right = n - 1
count = 0
while (left <= right):
mid = int((right + left) / 2)
# Check if middle element is
# less than or equal to key
if (arr[mid] < key):
count = mid + 1
left = mid + 1
# If key is smaller, ignore right half
else:
right = mid - 1
return count
# --------------------------------------------------binary----------------------------------------
def countdig(n):
c = 0
while (n > 0):
n //= 10
c += 1
return c
def binary(x, length):
y = bin(x)[2:]
return y if len(y) >= length else "0" * (length - len(y)) + y
def countGreater(arr, n, k):
l = 0
r = n - 1
# Stores the index of the left most element
# from the array which is greater than k
leftGreater = n
# Finds number of elements greater than k
while (l <= r):
m = int(l + (r - l) / 2)
if (arr[m] >= k):
leftGreater = m
r = m - 1
# If mid element is less than
# or equal to k update l
else:
l = m + 1
# Return the count of elements
# greater than k
return (n - leftGreater)
# --------------------------------------------------binary------------------------------------
n = int(input())
l=[]
for i in range(n):
s,d=map(int,input().split())
l.append((s,d))
ans=[]
heapq.heapify(ans)
for i in range(n):
s,d=l[i]
f=0
#print(ans)
for j in range(len(ans)):
if s>ans[j][1] or s+d-1<ans[j][0]:
continue
else:
f=1
break
if f==0:
print(s,s+d-1)
heapq.heappush(ans,(s,s+d-1))
continue
res=[]
e=heapq.heappop(ans)
#print(ans,e)
if d<e[0]:
print(1,d)
heapq.heappush(ans,e)
heapq.heappush(ans,(1,d))
continue
heapq.heappush(ans,e)
#print(ans,l[i])
while(len(ans)>0):
e=heapq.heappop(ans)
e1=(9999999999999999999,9999999999999999999)
if len(ans)>0:
e1=heapq.heappop(ans)
#print(e,e1,ans)
if e[1]+1+d-1<e1[0]:
print(e[1]+1,e[1]+1+d-1)
heapq.heappush(ans,(e[1]+1,e[1]+1+d-1))
res.append(e)
if e1[0] != 9999999999999999999:
heapq.heappush(ans, e1)
break
res.append(e)
if e1[0]!=9999999999999999999:
heapq.heappush(ans,e1)
for i in res:
heapq.heappush(ans,i)
``` | output | 1 | 72,956 | 24 | 145,913 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Polycarp starts his own business. Tomorrow will be the first working day of his car repair shop. For now the car repair shop is very small and only one car can be repaired at a given time.
Polycarp is good at marketing, so he has already collected n requests from clients. The requests are numbered from 1 to n in order they came.
The i-th request is characterized by two values: si β the day when a client wants to start the repair of his car, di β duration (in days) to repair the car. The days are enumerated from 1, the first day is tomorrow, the second day is the day after tomorrow and so on.
Polycarp is making schedule by processing requests in the order from the first to the n-th request. He schedules the i-th request as follows:
* If the car repair shop is idle for di days starting from si (si, si + 1, ..., si + di - 1), then these days are used to repair a car of the i-th client.
* Otherwise, Polycarp finds the first day x (from 1 and further) that there are di subsequent days when no repair is scheduled starting from x. In other words he chooses the smallest positive x that all days x, x + 1, ..., x + di - 1 are not scheduled for repair of any car. So, the car of the i-th client will be repaired in the range [x, x + di - 1]. It is possible that the day x when repair is scheduled to start will be less than si.
Given n requests, you are asked to help Polycarp schedule all of them according to the rules above.
Input
The first line contains integer n (1 β€ n β€ 200) β the number of requests from clients.
The following n lines contain requests, one request per line. The i-th request is given as the pair of integers si, di (1 β€ si β€ 109, 1 β€ di β€ 5Β·106), where si is the preferred time to start repairing the i-th car, di is the number of days to repair the i-th car.
The requests should be processed in the order they are given in the input.
Output
Print n lines. The i-th line should contain two integers β the start day to repair the i-th car and the finish day to repair the i-th car.
Examples
Input
3
9 2
7 3
2 4
Output
9 10
1 3
4 7
Input
4
1000000000 1000000
1000000000 1000000
100000000 1000000
1000000000 1000000
Output
1000000000 1000999999
1 1000000
100000000 100999999
1000001 2000000 | instruction | 0 | 72,957 | 24 | 145,914 |
Tags: implementation
Correct Solution:
```
n = int(input())
cur = []
def good(s, e):
if s < 1:
return False
assert s <= e
for l, r in cur:
if max(l, s) <= min(r, e):
return False
return True
for i in range(n):
s, d = map(int, input().split())
e = s+d-1
if not good(s, e):
s = int(2e9)
if good(1, d):
s = 1
for l, r in cur:
if good(l-d, l-1):
s = min(s, l-d)
if good(r+1, r+d):
s = min(s, r+1)
cur.append((s, s+d-1))
cur.sort()
print(s, s+d-1)
``` | output | 1 | 72,957 | 24 | 145,915 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Polycarp starts his own business. Tomorrow will be the first working day of his car repair shop. For now the car repair shop is very small and only one car can be repaired at a given time.
Polycarp is good at marketing, so he has already collected n requests from clients. The requests are numbered from 1 to n in order they came.
The i-th request is characterized by two values: si β the day when a client wants to start the repair of his car, di β duration (in days) to repair the car. The days are enumerated from 1, the first day is tomorrow, the second day is the day after tomorrow and so on.
Polycarp is making schedule by processing requests in the order from the first to the n-th request. He schedules the i-th request as follows:
* If the car repair shop is idle for di days starting from si (si, si + 1, ..., si + di - 1), then these days are used to repair a car of the i-th client.
* Otherwise, Polycarp finds the first day x (from 1 and further) that there are di subsequent days when no repair is scheduled starting from x. In other words he chooses the smallest positive x that all days x, x + 1, ..., x + di - 1 are not scheduled for repair of any car. So, the car of the i-th client will be repaired in the range [x, x + di - 1]. It is possible that the day x when repair is scheduled to start will be less than si.
Given n requests, you are asked to help Polycarp schedule all of them according to the rules above.
Input
The first line contains integer n (1 β€ n β€ 200) β the number of requests from clients.
The following n lines contain requests, one request per line. The i-th request is given as the pair of integers si, di (1 β€ si β€ 109, 1 β€ di β€ 5Β·106), where si is the preferred time to start repairing the i-th car, di is the number of days to repair the i-th car.
The requests should be processed in the order they are given in the input.
Output
Print n lines. The i-th line should contain two integers β the start day to repair the i-th car and the finish day to repair the i-th car.
Examples
Input
3
9 2
7 3
2 4
Output
9 10
1 3
4 7
Input
4
1000000000 1000000
1000000000 1000000
100000000 1000000
1000000000 1000000
Output
1000000000 1000999999
1 1000000
100000000 100999999
1000001 2000000 | instruction | 0 | 72,958 | 24 | 145,916 |
Tags: implementation
Correct Solution:
```
#!/usr/bin/env python3
def main():
try:
while True:
n = int(input())
req = [tuple(map(int, input().split())) for i in range(n)]
used = [(req[0][0], req[0][0] + req[0][1])]
print(used[0][0], used[0][1] - 1)
for start, dur in req[1:]:
last = 1
for a, b in used:
if last <= start and start + dur <= a:
used.append((start, start + dur))
used.sort()
print(start, start + dur - 1)
break
last = b
else:
if start >= used[-1][1]:
used.append((start, start + dur))
used.sort()
print(start, start + dur - 1)
else:
last = 1
for a, b in used:
if a - last >= dur:
used.append((last, last + dur))
used.sort()
break
last = b
else:
used.append((last, last + dur))
# used.sort()
print(last, last + dur - 1)
except EOFError:
pass
main()
``` | output | 1 | 72,958 | 24 | 145,917 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Polycarp starts his own business. Tomorrow will be the first working day of his car repair shop. For now the car repair shop is very small and only one car can be repaired at a given time.
Polycarp is good at marketing, so he has already collected n requests from clients. The requests are numbered from 1 to n in order they came.
The i-th request is characterized by two values: si β the day when a client wants to start the repair of his car, di β duration (in days) to repair the car. The days are enumerated from 1, the first day is tomorrow, the second day is the day after tomorrow and so on.
Polycarp is making schedule by processing requests in the order from the first to the n-th request. He schedules the i-th request as follows:
* If the car repair shop is idle for di days starting from si (si, si + 1, ..., si + di - 1), then these days are used to repair a car of the i-th client.
* Otherwise, Polycarp finds the first day x (from 1 and further) that there are di subsequent days when no repair is scheduled starting from x. In other words he chooses the smallest positive x that all days x, x + 1, ..., x + di - 1 are not scheduled for repair of any car. So, the car of the i-th client will be repaired in the range [x, x + di - 1]. It is possible that the day x when repair is scheduled to start will be less than si.
Given n requests, you are asked to help Polycarp schedule all of them according to the rules above.
Input
The first line contains integer n (1 β€ n β€ 200) β the number of requests from clients.
The following n lines contain requests, one request per line. The i-th request is given as the pair of integers si, di (1 β€ si β€ 109, 1 β€ di β€ 5Β·106), where si is the preferred time to start repairing the i-th car, di is the number of days to repair the i-th car.
The requests should be processed in the order they are given in the input.
Output
Print n lines. The i-th line should contain two integers β the start day to repair the i-th car and the finish day to repair the i-th car.
Examples
Input
3
9 2
7 3
2 4
Output
9 10
1 3
4 7
Input
4
1000000000 1000000
1000000000 1000000
100000000 1000000
1000000000 1000000
Output
1000000000 1000999999
1 1000000
100000000 100999999
1000001 2000000 | instruction | 0 | 72,959 | 24 | 145,918 |
Tags: implementation
Correct Solution:
```
n = int(input())
l, r = [0] * n, [0] * n
f = lambda x, y: all(x > r[j] or y < l[j] for j in range(i))
for i in range(n):
x, d = map(int, input().split())
y = x + d - 1
if not f(x, y):
k = min(r[j] for j in range(i + 1) if f(r[j] + 1, r[j] + d))
x, y = k + 1, k + d
l[i], r[i] = x, y
print(x, y)
``` | output | 1 | 72,959 | 24 | 145,919 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Polycarp starts his own business. Tomorrow will be the first working day of his car repair shop. For now the car repair shop is very small and only one car can be repaired at a given time.
Polycarp is good at marketing, so he has already collected n requests from clients. The requests are numbered from 1 to n in order they came.
The i-th request is characterized by two values: si β the day when a client wants to start the repair of his car, di β duration (in days) to repair the car. The days are enumerated from 1, the first day is tomorrow, the second day is the day after tomorrow and so on.
Polycarp is making schedule by processing requests in the order from the first to the n-th request. He schedules the i-th request as follows:
* If the car repair shop is idle for di days starting from si (si, si + 1, ..., si + di - 1), then these days are used to repair a car of the i-th client.
* Otherwise, Polycarp finds the first day x (from 1 and further) that there are di subsequent days when no repair is scheduled starting from x. In other words he chooses the smallest positive x that all days x, x + 1, ..., x + di - 1 are not scheduled for repair of any car. So, the car of the i-th client will be repaired in the range [x, x + di - 1]. It is possible that the day x when repair is scheduled to start will be less than si.
Given n requests, you are asked to help Polycarp schedule all of them according to the rules above.
Input
The first line contains integer n (1 β€ n β€ 200) β the number of requests from clients.
The following n lines contain requests, one request per line. The i-th request is given as the pair of integers si, di (1 β€ si β€ 109, 1 β€ di β€ 5Β·106), where si is the preferred time to start repairing the i-th car, di is the number of days to repair the i-th car.
The requests should be processed in the order they are given in the input.
Output
Print n lines. The i-th line should contain two integers β the start day to repair the i-th car and the finish day to repair the i-th car.
Examples
Input
3
9 2
7 3
2 4
Output
9 10
1 3
4 7
Input
4
1000000000 1000000
1000000000 1000000
100000000 1000000
1000000000 1000000
Output
1000000000 1000999999
1 1000000
100000000 100999999
1000001 2000000
Submitted Solution:
```
from bisect import bisect_left, insort_left
a = []
n = int(input())
for _ in range(n):
#print(a)
s, d = map(int, input().split())
if len(a) == 0:
print(s, s+d - 1)
a.append((s, s + d - 1))
continue
p = bisect_left(a, (s, s + d - 1))
#print('p', p)
ok = True
if p > 0 and a[p-1][1] >= s:
ok = False
if p < len(a) and a[p][0] <= s + d - 1:
ok = False
if ok:
insort_left(a, (s, s + d - 1))
print(s, s + d - 1)
else:
ok = False
for i in range(len(a)):
if i == 0:
if a[0][0] > d:
print(1,d)
a = [(1, d)] + a
ok = True
break
else:
if a[i - 1][1] + d < a[i][0]:
print(a[i - 1][1] + 1, a[i - 1][1] + d)
insort_left(a, (a[i - 1][1] + 1, a[i - 1][1] + d))
ok = True
break
if not ok:
print(a[-1][1] + 1, a[-1][1] + d)
insort_left(a, (a[-1][1] + 1, a[-1][1] + d))
``` | instruction | 0 | 72,960 | 24 | 145,920 |
Yes | output | 1 | 72,960 | 24 | 145,921 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Polycarp starts his own business. Tomorrow will be the first working day of his car repair shop. For now the car repair shop is very small and only one car can be repaired at a given time.
Polycarp is good at marketing, so he has already collected n requests from clients. The requests are numbered from 1 to n in order they came.
The i-th request is characterized by two values: si β the day when a client wants to start the repair of his car, di β duration (in days) to repair the car. The days are enumerated from 1, the first day is tomorrow, the second day is the day after tomorrow and so on.
Polycarp is making schedule by processing requests in the order from the first to the n-th request. He schedules the i-th request as follows:
* If the car repair shop is idle for di days starting from si (si, si + 1, ..., si + di - 1), then these days are used to repair a car of the i-th client.
* Otherwise, Polycarp finds the first day x (from 1 and further) that there are di subsequent days when no repair is scheduled starting from x. In other words he chooses the smallest positive x that all days x, x + 1, ..., x + di - 1 are not scheduled for repair of any car. So, the car of the i-th client will be repaired in the range [x, x + di - 1]. It is possible that the day x when repair is scheduled to start will be less than si.
Given n requests, you are asked to help Polycarp schedule all of them according to the rules above.
Input
The first line contains integer n (1 β€ n β€ 200) β the number of requests from clients.
The following n lines contain requests, one request per line. The i-th request is given as the pair of integers si, di (1 β€ si β€ 109, 1 β€ di β€ 5Β·106), where si is the preferred time to start repairing the i-th car, di is the number of days to repair the i-th car.
The requests should be processed in the order they are given in the input.
Output
Print n lines. The i-th line should contain two integers β the start day to repair the i-th car and the finish day to repair the i-th car.
Examples
Input
3
9 2
7 3
2 4
Output
9 10
1 3
4 7
Input
4
1000000000 1000000
1000000000 1000000
100000000 1000000
1000000000 1000000
Output
1000000000 1000999999
1 1000000
100000000 100999999
1000001 2000000
Submitted Solution:
```
def dotwointervals(l1,r1,l2,r2):
if(l1<l2 and r1<l2):
return 0
elif(l1>r2 and r1>r2):
return 0
return 1
n=int(input())
lofdays=[]
for you in range(n):
l=input().split()
si=int(l[0])
di=int(l[1])
if(you==0):
lofdays.append((si,si+di-1))
print(si,si+di-1)
else:
nowint=(si,si+di-1)
done=1
for i in lofdays:
if(dotwointervals(nowint[0],nowint[1],i[0],i[1])):
done=0
break
if(done==1):
lofdays.append(nowint)
print(si,si+di-1)
else:
mina=min(lofdays)
if(mina[0]-di>0):
print(1,di)
lofdays.append((1,di))
else:
lofdays.sort()
done=0
for i in range(1,len(lofdays)):
if(lofdays[i][0]-lofdays[i-1][1]-1>=di):
done=1
print(lofdays[i-1][1]+1,lofdays[i-1][1]+di)
lofdays.append((lofdays[i-1][1]+1,lofdays[i-1][1]+di))
break
if(done==0):
print(lofdays[-1][1]+1,lofdays[-1][1]+di)
lofdays.append((lofdays[-1][1]+1,lofdays[-1][1]+di))
``` | instruction | 0 | 72,961 | 24 | 145,922 |
Yes | output | 1 | 72,961 | 24 | 145,923 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Polycarp starts his own business. Tomorrow will be the first working day of his car repair shop. For now the car repair shop is very small and only one car can be repaired at a given time.
Polycarp is good at marketing, so he has already collected n requests from clients. The requests are numbered from 1 to n in order they came.
The i-th request is characterized by two values: si β the day when a client wants to start the repair of his car, di β duration (in days) to repair the car. The days are enumerated from 1, the first day is tomorrow, the second day is the day after tomorrow and so on.
Polycarp is making schedule by processing requests in the order from the first to the n-th request. He schedules the i-th request as follows:
* If the car repair shop is idle for di days starting from si (si, si + 1, ..., si + di - 1), then these days are used to repair a car of the i-th client.
* Otherwise, Polycarp finds the first day x (from 1 and further) that there are di subsequent days when no repair is scheduled starting from x. In other words he chooses the smallest positive x that all days x, x + 1, ..., x + di - 1 are not scheduled for repair of any car. So, the car of the i-th client will be repaired in the range [x, x + di - 1]. It is possible that the day x when repair is scheduled to start will be less than si.
Given n requests, you are asked to help Polycarp schedule all of them according to the rules above.
Input
The first line contains integer n (1 β€ n β€ 200) β the number of requests from clients.
The following n lines contain requests, one request per line. The i-th request is given as the pair of integers si, di (1 β€ si β€ 109, 1 β€ di β€ 5Β·106), where si is the preferred time to start repairing the i-th car, di is the number of days to repair the i-th car.
The requests should be processed in the order they are given in the input.
Output
Print n lines. The i-th line should contain two integers β the start day to repair the i-th car and the finish day to repair the i-th car.
Examples
Input
3
9 2
7 3
2 4
Output
9 10
1 3
4 7
Input
4
1000000000 1000000
1000000000 1000000
100000000 1000000
1000000000 1000000
Output
1000000000 1000999999
1 1000000
100000000 100999999
1000001 2000000
Submitted Solution:
```
# ---------------------------iye ha aam zindegi---------------------------------------------
import math
import heapq, bisect
import sys
from collections import deque, defaultdict
from fractions import Fraction
import sys
mod = 10 ** 9 + 7
mod1 = 998244353
# sys.setrecursionlimit(300000)
# ------------------------------warmup----------------------------
import os
import sys
from io import BytesIO, IOBase
BUFSIZE = 8192
# sys.setrecursionlimit(300000)
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
# -----------------------------------------------binary seacrh tree---------------------------------------
# -------------------game starts now----------------------------------------------------import math
class SegmentTree:
def __init__(self, data, default=0, func=lambda a, b: a + b):
"""initialize the segment tree with data"""
self._default = default
self._func = func
self._len = len(data)
self._size = _size = 1 << (self._len - 1).bit_length()
self.data = [default] * (2 * _size)
self.data[_size:_size + self._len] = data
for i in reversed(range(_size)):
self.data[i] = func(self.data[i + i], self.data[i + i + 1])
def __delitem__(self, idx):
self[idx] = self._default
def __getitem__(self, idx):
return self.data[idx + self._size]
def __setitem__(self, idx, value):
idx += self._size
self.data[idx] = value
idx >>= 1
while idx:
self.data[idx] = self._func(self.data[2 * idx], self.data[2 * idx + 1])
idx >>= 1
def __len__(self):
return self._len
def query(self, start, stop):
if start == stop:
return self.__getitem__(start)
stop += 1
start += self._size
stop += self._size
res = self._default
while start < stop:
if start & 1:
res = self._func(res, self.data[start])
start += 1
if stop & 1:
stop -= 1
res = self._func(res, self.data[stop])
start >>= 1
stop >>= 1
return res
def __repr__(self):
return "SegmentTree({0})".format(self.data)
# -------------------------------iye ha chutiya zindegi-------------------------------------
class Factorial:
def __init__(self, MOD):
self.MOD = MOD
self.factorials = [1, 1]
self.invModulos = [0, 1]
self.invFactorial_ = [1, 1]
def calc(self, n):
if n <= -1:
print("Invalid argument to calculate n!")
print("n must be non-negative value. But the argument was " + str(n))
exit()
if n < len(self.factorials):
return self.factorials[n]
nextArr = [0] * (n + 1 - len(self.factorials))
initialI = len(self.factorials)
prev = self.factorials[-1]
m = self.MOD
for i in range(initialI, n + 1):
prev = nextArr[i - initialI] = prev * i % m
self.factorials += nextArr
return self.factorials[n]
def inv(self, n):
if n <= -1:
print("Invalid argument to calculate n^(-1)")
print("n must be non-negative value. But the argument was " + str(n))
exit()
p = self.MOD
pi = n % p
if pi < len(self.invModulos):
return self.invModulos[pi]
nextArr = [0] * (n + 1 - len(self.invModulos))
initialI = len(self.invModulos)
for i in range(initialI, min(p, n + 1)):
next = -self.invModulos[p % i] * (p // i) % p
self.invModulos.append(next)
return self.invModulos[pi]
def invFactorial(self, n):
if n <= -1:
print("Invalid argument to calculate (n^(-1))!")
print("n must be non-negative value. But the argument was " + str(n))
exit()
if n < len(self.invFactorial_):
return self.invFactorial_[n]
self.inv(n) # To make sure already calculated n^-1
nextArr = [0] * (n + 1 - len(self.invFactorial_))
initialI = len(self.invFactorial_)
prev = self.invFactorial_[-1]
p = self.MOD
for i in range(initialI, n + 1):
prev = nextArr[i - initialI] = (prev * self.invModulos[i % p]) % p
self.invFactorial_ += nextArr
return self.invFactorial_[n]
class Combination:
def __init__(self, MOD):
self.MOD = MOD
self.factorial = Factorial(MOD)
def ncr(self, n, k):
if k < 0 or n < k:
return 0
k = min(k, n - k)
f = self.factorial
return f.calc(n) * f.invFactorial(max(n - k, k)) * f.invFactorial(min(k, n - k)) % self.MOD
# --------------------------------------iye ha combinations ka zindegi---------------------------------
def powm(a, n, m):
if a == 1 or n == 0:
return 1
if n % 2 == 0:
s = powm(a, n // 2, m)
return s * s % m
else:
return a * powm(a, n - 1, m) % m
# --------------------------------------iye ha power ka zindegi---------------------------------
def sort_list(list1, list2):
zipped_pairs = zip(list2, list1)
z = [x for _, x in sorted(zipped_pairs)]
return z
# --------------------------------------------------product----------------------------------------
def product(l):
por = 1
for i in range(len(l)):
por *= l[i]
return por
# --------------------------------------------------binary----------------------------------------
def binarySearchCount(arr, n, key):
left = 0
right = n - 1
count = 0
while (left <= right):
mid = int((right + left) / 2)
# Check if middle element is
# less than or equal to key
if (arr[mid] < key):
count = mid + 1
left = mid + 1
# If key is smaller, ignore right half
else:
right = mid - 1
return count
# --------------------------------------------------binary----------------------------------------
def countdig(n):
c = 0
while (n > 0):
n //= 10
c += 1
return c
def binary(x, length):
y = bin(x)[2:]
return y if len(y) >= length else "0" * (length - len(y)) + y
def countGreater(arr, n, k):
l = 0
r = n - 1
# Stores the index of the left most element
# from the array which is greater than k
leftGreater = n
# Finds number of elements greater than k
while (l <= r):
m = int(l + (r - l) / 2)
if (arr[m] >= k):
leftGreater = m
r = m - 1
# If mid element is less than
# or equal to k update l
else:
l = m + 1
# Return the count of elements
# greater than k
return (n - leftGreater)
# --------------------------------------------------binary------------------------------------
n = int(input())
l=[]
for i in range(n):
s,d=map(int,input().split())
l.append((s,d))
ans=[]
heapq.heapify(ans)
for i in range(n):
s,d=l[i]
f=0
for j in range(len(ans)):
if s>ans[j][1] or s+d-1<ans[j][0]:
continue
else:
f=1
break
if f==0:
print(s,s+d-1)
heapq.heappush(ans,(s,s+d-1))
continue
res=[]
e=heapq.heappop(ans)
#print(ans,e)
if d<e[0]:
print(1,d)
heapq.heappush(ans,e)
heapq.heappush(ans,(1,d))
continue
heapq.heappush(ans, e)
#print(ans,l[i])
while(len(ans)>0):
e=heapq.heappop(ans)
e1=(9999999999999999,9999999999999999)
if len(ans)>0:
e1=heapq.heappop(ans)
#print(e,e1,ans)
if e[1]+1+d-1<e1[0]:
print(e[1]+1,e[1]+1+d-1)
heapq.heappush(ans,(e[1]+1,e[1]+1+d-1))
break
res.append(e)
heapq.heappush(ans,e1)
for i in res:
heapq.heappush(ans,i)
``` | instruction | 0 | 72,962 | 24 | 145,924 |
No | output | 1 | 72,962 | 24 | 145,925 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Polycarp starts his own business. Tomorrow will be the first working day of his car repair shop. For now the car repair shop is very small and only one car can be repaired at a given time.
Polycarp is good at marketing, so he has already collected n requests from clients. The requests are numbered from 1 to n in order they came.
The i-th request is characterized by two values: si β the day when a client wants to start the repair of his car, di β duration (in days) to repair the car. The days are enumerated from 1, the first day is tomorrow, the second day is the day after tomorrow and so on.
Polycarp is making schedule by processing requests in the order from the first to the n-th request. He schedules the i-th request as follows:
* If the car repair shop is idle for di days starting from si (si, si + 1, ..., si + di - 1), then these days are used to repair a car of the i-th client.
* Otherwise, Polycarp finds the first day x (from 1 and further) that there are di subsequent days when no repair is scheduled starting from x. In other words he chooses the smallest positive x that all days x, x + 1, ..., x + di - 1 are not scheduled for repair of any car. So, the car of the i-th client will be repaired in the range [x, x + di - 1]. It is possible that the day x when repair is scheduled to start will be less than si.
Given n requests, you are asked to help Polycarp schedule all of them according to the rules above.
Input
The first line contains integer n (1 β€ n β€ 200) β the number of requests from clients.
The following n lines contain requests, one request per line. The i-th request is given as the pair of integers si, di (1 β€ si β€ 109, 1 β€ di β€ 5Β·106), where si is the preferred time to start repairing the i-th car, di is the number of days to repair the i-th car.
The requests should be processed in the order they are given in the input.
Output
Print n lines. The i-th line should contain two integers β the start day to repair the i-th car and the finish day to repair the i-th car.
Examples
Input
3
9 2
7 3
2 4
Output
9 10
1 3
4 7
Input
4
1000000000 1000000
1000000000 1000000
100000000 1000000
1000000000 1000000
Output
1000000000 1000999999
1 1000000
100000000 100999999
1000001 2000000
Submitted Solution:
```
n=int(input())
L=[]
for j in range(n):
ch=input().split()
s,d=int(ch[0]),int(ch[1])
if j==0:
print(s,d+s-1)
L.append([s,s+d-1])
L.sort()
else:
B=True
C=True
for i in range(len(L)):
if i<(len(L)-1) and s>L[i][1] and s+d-1<L[i+1][0]:
print(s,s+d-1)
L.append([s,s+d-1])
L.sort()
C=False
break
if L[i][1]>=s>=L[i][0] or L[i][0]<=(s+d-1)<=L[i][1] or (s<=L[i][0] and (s+d-1)>=L[i][1]):
B=False
break
if C:
if d<L[0][0]:
print(1,d)
L.append([1,d])
L.sort()
C=False
else:
for i in range(len(L)):
if i<(len(L)-1) and (L[i][1]+d)<L[i+1][0]:
print(L[i][1]+1,L[i][1]+d)
L.append([L[i][1]+1,L[i][1]+d])
L.sort()
C=False
break
if B and C:
print(s,s+d-1)
L.append([s,s+d-1])
L.sort()
elif not B and C:
print(L[len(L)-1][1]+1,L[len(L)-1][1]+d)
L.append([L[len(L)-1][1]+1,L[len(L)-1][1]+d])
L.sort()
``` | instruction | 0 | 72,963 | 24 | 145,926 |
No | output | 1 | 72,963 | 24 | 145,927 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Polycarp starts his own business. Tomorrow will be the first working day of his car repair shop. For now the car repair shop is very small and only one car can be repaired at a given time.
Polycarp is good at marketing, so he has already collected n requests from clients. The requests are numbered from 1 to n in order they came.
The i-th request is characterized by two values: si β the day when a client wants to start the repair of his car, di β duration (in days) to repair the car. The days are enumerated from 1, the first day is tomorrow, the second day is the day after tomorrow and so on.
Polycarp is making schedule by processing requests in the order from the first to the n-th request. He schedules the i-th request as follows:
* If the car repair shop is idle for di days starting from si (si, si + 1, ..., si + di - 1), then these days are used to repair a car of the i-th client.
* Otherwise, Polycarp finds the first day x (from 1 and further) that there are di subsequent days when no repair is scheduled starting from x. In other words he chooses the smallest positive x that all days x, x + 1, ..., x + di - 1 are not scheduled for repair of any car. So, the car of the i-th client will be repaired in the range [x, x + di - 1]. It is possible that the day x when repair is scheduled to start will be less than si.
Given n requests, you are asked to help Polycarp schedule all of them according to the rules above.
Input
The first line contains integer n (1 β€ n β€ 200) β the number of requests from clients.
The following n lines contain requests, one request per line. The i-th request is given as the pair of integers si, di (1 β€ si β€ 109, 1 β€ di β€ 5Β·106), where si is the preferred time to start repairing the i-th car, di is the number of days to repair the i-th car.
The requests should be processed in the order they are given in the input.
Output
Print n lines. The i-th line should contain two integers β the start day to repair the i-th car and the finish day to repair the i-th car.
Examples
Input
3
9 2
7 3
2 4
Output
9 10
1 3
4 7
Input
4
1000000000 1000000
1000000000 1000000
100000000 1000000
1000000000 1000000
Output
1000000000 1000999999
1 1000000
100000000 100999999
1000001 2000000
Submitted Solution:
```
t, p = 1, []
for i in range(int(input())):
l, d = map(int, input().split())
r = l + d
if t > l:
for i, q in enumerate(p, 1):
if q[0] <= l <= q[1] - d:
p.insert(i, [r, q[1]])
q[1] = l
break
else:
for q in p:
if q[0] <= q[1] - d:
l = q[0]
q[0] += d
break
else:
l = t
t += d
else:
p.append([t, l])
t = r
print(l, r - 1)
``` | instruction | 0 | 72,964 | 24 | 145,928 |
No | output | 1 | 72,964 | 24 | 145,929 |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.