message stringlengths 2 22.7k | message_type stringclasses 2 values | message_id int64 0 1 | conversation_id int64 145 109k | cluster float64 9 9 | __index_level_0__ int64 290 217k |
|---|---|---|---|---|---|
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
You are given a rectangular cake, represented as an r Γ c grid. Each cell either has an evil strawberry, or is empty. For example, a 3 Γ 4 cake may look as follows:
<image>
The cakeminator is going to eat the cake! Each time he eats, he chooses a row or a column that does not contain any evil strawberries and contains at least one cake cell that has not been eaten before, and eats all the cake cells there. He may decide to eat any number of times.
Please output the maximum number of cake cells that the cakeminator can eat.
Input
The first line contains two integers r and c (2 β€ r, c β€ 10), denoting the number of rows and the number of columns of the cake. The next r lines each contains c characters β the j-th character of the i-th line denotes the content of the cell at row i and column j, and is either one of these:
* '.' character denotes a cake cell with no evil strawberry;
* 'S' character denotes a cake cell with an evil strawberry.
Output
Output the maximum number of cake cells that the cakeminator can eat.
Examples
Input
3 4
S...
....
..S.
Output
8
Note
For the first example, one possible way to eat the maximum number of cake cells is as follows (perform 3 eats).
<image> <image> <image>
Submitted Solution:
```
'''n=int(input())
if n==1:
print(1)
elif n==2:
print(2)
elif n==3:
print(6)
elif n==4:
print(20)
elif n==5:
print(70)
elif n==6:
print(252)
elif n==7:
print(924)
elif n==8:
print(3432)
elif n==9:
print(12870)
else:
print(48620)
n = int(input())
a = [[1] * n for i in range(n)]
for i in range(1,n):
for z in range(1,n):
a[i][z]=a[i-1][z]+a[i][z-1]
print(a[-1][-1])
s=input().split()
n = int(s[0])
m=int(s[1])
a = [['#'] * m for i in range(n)]
for i in range(n):
for z in range(m):
if (i+1)%4==0:
if z!=0:
a[i][z]='.'
elif (i+1)%4==2:
if z!=m-1:
a[i][z]='.'
for i in a:
print(*i,sep='')'''
s=input().split()
r=int(s[0])
c=int(s[1])
a=[]
e=0
f=0
for i in range(r):
d=input()
list(d)
a.append(d)
for i in a:
if i.find('S')==-1:
e+=1
for i in range(c):
z=0
for d in range(r):
if a[d][i]=='S':
z=1
if z==0:
f+=1
print(e*c+f*(r-e))
``` | instruction | 0 | 82,055 | 9 | 164,110 |
Yes | output | 1 | 82,055 | 9 | 164,111 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
You are given a rectangular cake, represented as an r Γ c grid. Each cell either has an evil strawberry, or is empty. For example, a 3 Γ 4 cake may look as follows:
<image>
The cakeminator is going to eat the cake! Each time he eats, he chooses a row or a column that does not contain any evil strawberries and contains at least one cake cell that has not been eaten before, and eats all the cake cells there. He may decide to eat any number of times.
Please output the maximum number of cake cells that the cakeminator can eat.
Input
The first line contains two integers r and c (2 β€ r, c β€ 10), denoting the number of rows and the number of columns of the cake. The next r lines each contains c characters β the j-th character of the i-th line denotes the content of the cell at row i and column j, and is either one of these:
* '.' character denotes a cake cell with no evil strawberry;
* 'S' character denotes a cake cell with an evil strawberry.
Output
Output the maximum number of cake cells that the cakeminator can eat.
Examples
Input
3 4
S...
....
..S.
Output
8
Note
For the first example, one possible way to eat the maximum number of cake cells is as follows (perform 3 eats).
<image> <image> <image>
Submitted Solution:
```
r,c=map(int,input().split())
n=[0]*r
m=[0]*c
d=r*c
for i in range(r):
l=list(map(str,input()))
for j in range(c):
if(l[j]=="S"):
n[i]=1
m[j]=1
for i in range(r):
for j in range(c):
if(n[i]==1 and m[j]==1):
d=d-1
print(d)
``` | instruction | 0 | 82,056 | 9 | 164,112 |
Yes | output | 1 | 82,056 | 9 | 164,113 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
You are given a rectangular cake, represented as an r Γ c grid. Each cell either has an evil strawberry, or is empty. For example, a 3 Γ 4 cake may look as follows:
<image>
The cakeminator is going to eat the cake! Each time he eats, he chooses a row or a column that does not contain any evil strawberries and contains at least one cake cell that has not been eaten before, and eats all the cake cells there. He may decide to eat any number of times.
Please output the maximum number of cake cells that the cakeminator can eat.
Input
The first line contains two integers r and c (2 β€ r, c β€ 10), denoting the number of rows and the number of columns of the cake. The next r lines each contains c characters β the j-th character of the i-th line denotes the content of the cell at row i and column j, and is either one of these:
* '.' character denotes a cake cell with no evil strawberry;
* 'S' character denotes a cake cell with an evil strawberry.
Output
Output the maximum number of cake cells that the cakeminator can eat.
Examples
Input
3 4
S...
....
..S.
Output
8
Note
For the first example, one possible way to eat the maximum number of cake cells is as follows (perform 3 eats).
<image> <image> <image>
Submitted Solution:
```
l=lambda :map(int,input().split())
r,c=l()
k=[input() for _ in " "*r]
n=0
p,q=r,c
for i in range(p):
a=k[i].count('.')
if a==c:
r-=1
n+=c
k[i]='*'*c
t=list(zip(*k))
for i in range(q):
a = t[i].count('.')
if a==r:
n+=r
print(n)
``` | instruction | 0 | 82,057 | 9 | 164,114 |
Yes | output | 1 | 82,057 | 9 | 164,115 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
You are given a rectangular cake, represented as an r Γ c grid. Each cell either has an evil strawberry, or is empty. For example, a 3 Γ 4 cake may look as follows:
<image>
The cakeminator is going to eat the cake! Each time he eats, he chooses a row or a column that does not contain any evil strawberries and contains at least one cake cell that has not been eaten before, and eats all the cake cells there. He may decide to eat any number of times.
Please output the maximum number of cake cells that the cakeminator can eat.
Input
The first line contains two integers r and c (2 β€ r, c β€ 10), denoting the number of rows and the number of columns of the cake. The next r lines each contains c characters β the j-th character of the i-th line denotes the content of the cell at row i and column j, and is either one of these:
* '.' character denotes a cake cell with no evil strawberry;
* 'S' character denotes a cake cell with an evil strawberry.
Output
Output the maximum number of cake cells that the cakeminator can eat.
Examples
Input
3 4
S...
....
..S.
Output
8
Note
For the first example, one possible way to eat the maximum number of cake cells is as follows (perform 3 eats).
<image> <image> <image>
Submitted Solution:
```
X = list(map(int, input().split()))
Rows = list()
for i in range(X[0]):
Rows.append(input())
Columns = list()
for i in range(X[1]):
TempStr = str()
for j in range(X[0]):
TempStr += Rows[j][i]
Columns.append(TempStr)
intRow = 0
intColumn = 0
for i in (Rows):
if 'S' not in i:
intRow += 1
for i in (Columns):
if 'S' not in i:
intColumn += 1
print(str(intRow * X[1] + intColumn * (X[0] - intRow)))
``` | instruction | 0 | 82,058 | 9 | 164,116 |
Yes | output | 1 | 82,058 | 9 | 164,117 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
You are given a rectangular cake, represented as an r Γ c grid. Each cell either has an evil strawberry, or is empty. For example, a 3 Γ 4 cake may look as follows:
<image>
The cakeminator is going to eat the cake! Each time he eats, he chooses a row or a column that does not contain any evil strawberries and contains at least one cake cell that has not been eaten before, and eats all the cake cells there. He may decide to eat any number of times.
Please output the maximum number of cake cells that the cakeminator can eat.
Input
The first line contains two integers r and c (2 β€ r, c β€ 10), denoting the number of rows and the number of columns of the cake. The next r lines each contains c characters β the j-th character of the i-th line denotes the content of the cell at row i and column j, and is either one of these:
* '.' character denotes a cake cell with no evil strawberry;
* 'S' character denotes a cake cell with an evil strawberry.
Output
Output the maximum number of cake cells that the cakeminator can eat.
Examples
Input
3 4
S...
....
..S.
Output
8
Note
For the first example, one possible way to eat the maximum number of cake cells is as follows (perform 3 eats).
<image> <image> <image>
Submitted Solution:
```
import sys
def data():
return sys.stdin.readline().strip()
def sp(): return map(int, data().split())
def l(): return list(sp())
temp=l()
r=temp[0]
c=temp[1]
t=[]
nr=[]
nc=[]
for i in range(r):
t.append(list(data()))
for i in range(r):
for j in range(c):
if t[i][j]=='S':
nr.append(i)
nc.append(j)
common=(r-len(nr))*(c-len(nc))
eat=(r-len(nr))*c+(c-len(nc))*r-common
if eat<=0:
print(0)
else:
print(eat+1)
``` | instruction | 0 | 82,059 | 9 | 164,118 |
No | output | 1 | 82,059 | 9 | 164,119 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
You are given a rectangular cake, represented as an r Γ c grid. Each cell either has an evil strawberry, or is empty. For example, a 3 Γ 4 cake may look as follows:
<image>
The cakeminator is going to eat the cake! Each time he eats, he chooses a row or a column that does not contain any evil strawberries and contains at least one cake cell that has not been eaten before, and eats all the cake cells there. He may decide to eat any number of times.
Please output the maximum number of cake cells that the cakeminator can eat.
Input
The first line contains two integers r and c (2 β€ r, c β€ 10), denoting the number of rows and the number of columns of the cake. The next r lines each contains c characters β the j-th character of the i-th line denotes the content of the cell at row i and column j, and is either one of these:
* '.' character denotes a cake cell with no evil strawberry;
* 'S' character denotes a cake cell with an evil strawberry.
Output
Output the maximum number of cake cells that the cakeminator can eat.
Examples
Input
3 4
S...
....
..S.
Output
8
Note
For the first example, one possible way to eat the maximum number of cake cells is as follows (perform 3 eats).
<image> <image> <image>
Submitted Solution:
```
r, c = map(int, input().split())
def herota():
net = {}
for i in range(r):
l = input()
for j in range(c):
net[i, j] = l[j]
#print(l[j], end='')
#print()
#print(net)
strawbery = [x for x in net if net[x]=='S']
#print(strawbery)
if len(strawbery) == 1:
result = r * c - 1
if len(strawbery) == 0:
result = r * c
hor = {x for x, y in strawbery}
vert = {x for y, x in strawbery}
#print(hor)
#print(vert)
a = ((c - len(hor)) * r )
b = ((r - len(vert)) * c )
print(a+b-len(strawbery))
herota()
``` | instruction | 0 | 82,060 | 9 | 164,120 |
No | output | 1 | 82,060 | 9 | 164,121 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
You are given a rectangular cake, represented as an r Γ c grid. Each cell either has an evil strawberry, or is empty. For example, a 3 Γ 4 cake may look as follows:
<image>
The cakeminator is going to eat the cake! Each time he eats, he chooses a row or a column that does not contain any evil strawberries and contains at least one cake cell that has not been eaten before, and eats all the cake cells there. He may decide to eat any number of times.
Please output the maximum number of cake cells that the cakeminator can eat.
Input
The first line contains two integers r and c (2 β€ r, c β€ 10), denoting the number of rows and the number of columns of the cake. The next r lines each contains c characters β the j-th character of the i-th line denotes the content of the cell at row i and column j, and is either one of these:
* '.' character denotes a cake cell with no evil strawberry;
* 'S' character denotes a cake cell with an evil strawberry.
Output
Output the maximum number of cake cells that the cakeminator can eat.
Examples
Input
3 4
S...
....
..S.
Output
8
Note
For the first example, one possible way to eat the maximum number of cake cells is as follows (perform 3 eats).
<image> <image> <image>
Submitted Solution:
```
r,c=map(int,input().split())
A,B=[],[]
for i in range(r):
R=list(input())
while('S'in R):
I=R.index('S')
B+=[I]
A+=[i]
R[I]='.'
print((r*c)-sum(set(A))*sum(set(B)))
``` | instruction | 0 | 82,061 | 9 | 164,122 |
No | output | 1 | 82,061 | 9 | 164,123 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
You are given a rectangular cake, represented as an r Γ c grid. Each cell either has an evil strawberry, or is empty. For example, a 3 Γ 4 cake may look as follows:
<image>
The cakeminator is going to eat the cake! Each time he eats, he chooses a row or a column that does not contain any evil strawberries and contains at least one cake cell that has not been eaten before, and eats all the cake cells there. He may decide to eat any number of times.
Please output the maximum number of cake cells that the cakeminator can eat.
Input
The first line contains two integers r and c (2 β€ r, c β€ 10), denoting the number of rows and the number of columns of the cake. The next r lines each contains c characters β the j-th character of the i-th line denotes the content of the cell at row i and column j, and is either one of these:
* '.' character denotes a cake cell with no evil strawberry;
* 'S' character denotes a cake cell with an evil strawberry.
Output
Output the maximum number of cake cells that the cakeminator can eat.
Examples
Input
3 4
S...
....
..S.
Output
8
Note
For the first example, one possible way to eat the maximum number of cake cells is as follows (perform 3 eats).
<image> <image> <image>
Submitted Solution:
```
r, c = map(int, input().split())
a = [input() for i in range(r)]
count = 0
pos = []
z = 0
w = 0
for i in range(r):
if 'S' not in a[i]:
count += c
for i in range(r):
if 'S' in a[i]:
z = 0
for j in range(c):
if a[i][j] == '.':
pos.append(z)
z += 1
else:
z += 1
if 'S' in a[i] and a[i].count('S') == len(a[i]):
w = 1
else:
z = 0
e = 0
if w == 1:
print(0)
else:
if len(pos) == 0:
print(count)
else:
e = [pos.count(i) for i in pos]
if e.count(e[0]) == len(e):
if 0 in pos:
print(count + (max(pos)+1)*max(e))
else:
print(count + (max(pos)) * max(e))
else:
q = [pos.count(i) for i in pos]
print(count + max(q)*2)
q = [pos.count(i) for i in pos]
``` | instruction | 0 | 82,062 | 9 | 164,124 |
No | output | 1 | 82,062 | 9 | 164,125 |
Provide tags and a correct Python 3 solution for this coding contest problem.
There are n children numbered from 1 to n in a kindergarten. Kindergarten teacher gave a_i (1 β€ a_i β€ n) candies to the i-th child. Children were seated in a row in order from 1 to n from left to right and started eating candies.
While the i-th child was eating candies, he calculated two numbers l_i and r_i β the number of children seating to the left of him that got more candies than he and the number of children seating to the right of him that got more candies than he, respectively.
Formally, l_i is the number of indices j (1 β€ j < i), such that a_i < a_j and r_i is the number of indices j (i < j β€ n), such that a_i < a_j.
Each child told to the kindergarten teacher the numbers l_i and r_i that he calculated. Unfortunately, she forgot how many candies she has given to each child. So, she asks you for help: given the arrays l and r determine whether she could have given the candies to the children such that all children correctly calculated their values l_i and r_i, or some of them have definitely made a mistake. If it was possible, find any way how she could have done it.
Input
On the first line there is a single integer n (1 β€ n β€ 1000) β the number of children in the kindergarten.
On the next line there are n integers l_1, l_2, β¦, l_n (0 β€ l_i β€ n), separated by spaces.
On the next line, there are n integer numbers r_1, r_2, β¦, r_n (0 β€ r_i β€ n), separated by spaces.
Output
If there is no way to distribute the candies to the children so that all of them calculated their numbers correctly, print Β«NOΒ» (without quotes).
Otherwise, print Β«YESΒ» (without quotes) on the first line. On the next line, print n integers a_1, a_2, β¦, a_n, separated by spaces β the numbers of candies the children 1, 2, β¦, n received, respectively. Note that some of these numbers can be equal, but all numbers should satisfy the condition 1 β€ a_i β€ n. The number of children seating to the left of the i-th child that got more candies than he should be equal to l_i and the number of children seating to the right of the i-th child that got more candies than he should be equal to r_i. If there is more than one solution, find any of them.
Examples
Input
5
0 0 1 1 2
2 0 1 0 0
Output
YES
1 3 1 2 1
Input
4
0 0 2 0
1 1 1 1
Output
NO
Input
3
0 0 0
0 0 0
Output
YES
1 1 1
Note
In the first example, if the teacher distributed 1, 3, 1, 2, 1 candies to 1-st, 2-nd, 3-rd, 4-th, 5-th child, respectively, then all the values calculated by the children are correct. For example, the 5-th child was given 1 candy, to the left of him 2 children were given 1 candy, 1 child was given 2 candies and 1 child β 3 candies, so there are 2 children to the left of him that were given more candies than him.
In the second example it is impossible to distribute the candies, because the 4-th child made a mistake in calculating the value of r_4, because there are no children to the right of him, so r_4 should be equal to 0.
In the last example all children may have got the same number of candies, that's why all the numbers are 0. Note that each child should receive at least one candy. | instruction | 0 | 82,580 | 9 | 165,160 |
Tags: constructive algorithms, implementation
Correct Solution:
```
n = int(input())
l = tuple(map(int,input().split()))
r = tuple(map(int,input().split()))
s = [ (i,sum(v)) for i,(v) in enumerate(zip(l,r)) ]
ss = sorted(s, key= lambda a:a[1] )
candies = [0]*n
for p in ss:
candies[p[0]] = n-p[1]
ll = [0]
for i in range(1,n):
ll.append(sum([1 for c in candies[:i] if c > candies[i]]))
rr = [0]
for i in range(n-2,-1,-1):
rr.append(sum([1 for c in candies[i:] if c > candies[i]]))
for i in range(n):
if ll[i] != l[i]:
print("NO")
break
if rr[n-1-i] != r[i]:
print("NO")
break
if i == n-1:
print("YES")
print(' '.join(map(str,candies)))
``` | output | 1 | 82,580 | 9 | 165,161 |
Provide tags and a correct Python 3 solution for this coding contest problem.
There are n children numbered from 1 to n in a kindergarten. Kindergarten teacher gave a_i (1 β€ a_i β€ n) candies to the i-th child. Children were seated in a row in order from 1 to n from left to right and started eating candies.
While the i-th child was eating candies, he calculated two numbers l_i and r_i β the number of children seating to the left of him that got more candies than he and the number of children seating to the right of him that got more candies than he, respectively.
Formally, l_i is the number of indices j (1 β€ j < i), such that a_i < a_j and r_i is the number of indices j (i < j β€ n), such that a_i < a_j.
Each child told to the kindergarten teacher the numbers l_i and r_i that he calculated. Unfortunately, she forgot how many candies she has given to each child. So, she asks you for help: given the arrays l and r determine whether she could have given the candies to the children such that all children correctly calculated their values l_i and r_i, or some of them have definitely made a mistake. If it was possible, find any way how she could have done it.
Input
On the first line there is a single integer n (1 β€ n β€ 1000) β the number of children in the kindergarten.
On the next line there are n integers l_1, l_2, β¦, l_n (0 β€ l_i β€ n), separated by spaces.
On the next line, there are n integer numbers r_1, r_2, β¦, r_n (0 β€ r_i β€ n), separated by spaces.
Output
If there is no way to distribute the candies to the children so that all of them calculated their numbers correctly, print Β«NOΒ» (without quotes).
Otherwise, print Β«YESΒ» (without quotes) on the first line. On the next line, print n integers a_1, a_2, β¦, a_n, separated by spaces β the numbers of candies the children 1, 2, β¦, n received, respectively. Note that some of these numbers can be equal, but all numbers should satisfy the condition 1 β€ a_i β€ n. The number of children seating to the left of the i-th child that got more candies than he should be equal to l_i and the number of children seating to the right of the i-th child that got more candies than he should be equal to r_i. If there is more than one solution, find any of them.
Examples
Input
5
0 0 1 1 2
2 0 1 0 0
Output
YES
1 3 1 2 1
Input
4
0 0 2 0
1 1 1 1
Output
NO
Input
3
0 0 0
0 0 0
Output
YES
1 1 1
Note
In the first example, if the teacher distributed 1, 3, 1, 2, 1 candies to 1-st, 2-nd, 3-rd, 4-th, 5-th child, respectively, then all the values calculated by the children are correct. For example, the 5-th child was given 1 candy, to the left of him 2 children were given 1 candy, 1 child was given 2 candies and 1 child β 3 candies, so there are 2 children to the left of him that were given more candies than him.
In the second example it is impossible to distribute the candies, because the 4-th child made a mistake in calculating the value of r_4, because there are no children to the right of him, so r_4 should be equal to 0.
In the last example all children may have got the same number of candies, that's why all the numbers are 0. Note that each child should receive at least one candy. | instruction | 0 | 82,581 | 9 | 165,162 |
Tags: constructive algorithms, implementation
Correct Solution:
```
import sys
amount = int(input())
first_inv = [int(s) for s in input().split()]
second_inv = [int(s) for s in input().split()]
"""for i in range(len(first_inv)):
if first_inv[i] > i:
print('NO')
sys.exit(0)
for i in range(len(second_inv)):
if second_inv[i] > len(second_inv) - 1 - i:
print('NO')
sys.exit(0)"""
array = [0]*len(second_inv)
for i in range(len(second_inv)):
array[i] = second_inv[i] + first_inv[i]
max_ = max(array)
array = [max_ + 1]*len(second_inv)
for i in range(len(second_inv)):
array[i] -= second_inv[i] + first_inv[i]
for i in range(len(second_inv)):
counter = 0
for j in range(len(array) - 1, i - 1, -1):
if array[i] < array[j]:
counter += 1
if counter != second_inv[i]:
print('NO')
sys.exit(0)
for i in range(len(first_inv)):
counter = 0
for j in range(i):
if array[i] < array[j]:
counter += 1
if counter != first_inv[i]:
print('NO')
sys.exit(0)
print('YES')
print(' '.join([str(s) for s in array]))
``` | output | 1 | 82,581 | 9 | 165,163 |
Provide tags and a correct Python 3 solution for this coding contest problem.
There are n children numbered from 1 to n in a kindergarten. Kindergarten teacher gave a_i (1 β€ a_i β€ n) candies to the i-th child. Children were seated in a row in order from 1 to n from left to right and started eating candies.
While the i-th child was eating candies, he calculated two numbers l_i and r_i β the number of children seating to the left of him that got more candies than he and the number of children seating to the right of him that got more candies than he, respectively.
Formally, l_i is the number of indices j (1 β€ j < i), such that a_i < a_j and r_i is the number of indices j (i < j β€ n), such that a_i < a_j.
Each child told to the kindergarten teacher the numbers l_i and r_i that he calculated. Unfortunately, she forgot how many candies she has given to each child. So, she asks you for help: given the arrays l and r determine whether she could have given the candies to the children such that all children correctly calculated their values l_i and r_i, or some of them have definitely made a mistake. If it was possible, find any way how she could have done it.
Input
On the first line there is a single integer n (1 β€ n β€ 1000) β the number of children in the kindergarten.
On the next line there are n integers l_1, l_2, β¦, l_n (0 β€ l_i β€ n), separated by spaces.
On the next line, there are n integer numbers r_1, r_2, β¦, r_n (0 β€ r_i β€ n), separated by spaces.
Output
If there is no way to distribute the candies to the children so that all of them calculated their numbers correctly, print Β«NOΒ» (without quotes).
Otherwise, print Β«YESΒ» (without quotes) on the first line. On the next line, print n integers a_1, a_2, β¦, a_n, separated by spaces β the numbers of candies the children 1, 2, β¦, n received, respectively. Note that some of these numbers can be equal, but all numbers should satisfy the condition 1 β€ a_i β€ n. The number of children seating to the left of the i-th child that got more candies than he should be equal to l_i and the number of children seating to the right of the i-th child that got more candies than he should be equal to r_i. If there is more than one solution, find any of them.
Examples
Input
5
0 0 1 1 2
2 0 1 0 0
Output
YES
1 3 1 2 1
Input
4
0 0 2 0
1 1 1 1
Output
NO
Input
3
0 0 0
0 0 0
Output
YES
1 1 1
Note
In the first example, if the teacher distributed 1, 3, 1, 2, 1 candies to 1-st, 2-nd, 3-rd, 4-th, 5-th child, respectively, then all the values calculated by the children are correct. For example, the 5-th child was given 1 candy, to the left of him 2 children were given 1 candy, 1 child was given 2 candies and 1 child β 3 candies, so there are 2 children to the left of him that were given more candies than him.
In the second example it is impossible to distribute the candies, because the 4-th child made a mistake in calculating the value of r_4, because there are no children to the right of him, so r_4 should be equal to 0.
In the last example all children may have got the same number of candies, that's why all the numbers are 0. Note that each child should receive at least one candy. | instruction | 0 | 82,582 | 9 | 165,164 |
Tags: constructive algorithms, implementation
Correct Solution:
```
n=int(input())
l=[int(x) for x in input().split()]
r =[int(x) for x in input().split()]
flag=1
a=[n-l[i]-r[i] for i in range(n)]
for i in range(n):
cl=0
cr=0
for j in range(i):
if a[j]>a[i]:
cl+=1
for k in range(i+1,n):
if a[k]>a[i]:
cr+=1
if cl!=l[i] or cr!=r[i]:
print('NO')
flag=0
break
if flag:
print('YES')
print(*a)
``` | output | 1 | 82,582 | 9 | 165,165 |
Provide tags and a correct Python 3 solution for this coding contest problem.
There are n children numbered from 1 to n in a kindergarten. Kindergarten teacher gave a_i (1 β€ a_i β€ n) candies to the i-th child. Children were seated in a row in order from 1 to n from left to right and started eating candies.
While the i-th child was eating candies, he calculated two numbers l_i and r_i β the number of children seating to the left of him that got more candies than he and the number of children seating to the right of him that got more candies than he, respectively.
Formally, l_i is the number of indices j (1 β€ j < i), such that a_i < a_j and r_i is the number of indices j (i < j β€ n), such that a_i < a_j.
Each child told to the kindergarten teacher the numbers l_i and r_i that he calculated. Unfortunately, she forgot how many candies she has given to each child. So, she asks you for help: given the arrays l and r determine whether she could have given the candies to the children such that all children correctly calculated their values l_i and r_i, or some of them have definitely made a mistake. If it was possible, find any way how she could have done it.
Input
On the first line there is a single integer n (1 β€ n β€ 1000) β the number of children in the kindergarten.
On the next line there are n integers l_1, l_2, β¦, l_n (0 β€ l_i β€ n), separated by spaces.
On the next line, there are n integer numbers r_1, r_2, β¦, r_n (0 β€ r_i β€ n), separated by spaces.
Output
If there is no way to distribute the candies to the children so that all of them calculated their numbers correctly, print Β«NOΒ» (without quotes).
Otherwise, print Β«YESΒ» (without quotes) on the first line. On the next line, print n integers a_1, a_2, β¦, a_n, separated by spaces β the numbers of candies the children 1, 2, β¦, n received, respectively. Note that some of these numbers can be equal, but all numbers should satisfy the condition 1 β€ a_i β€ n. The number of children seating to the left of the i-th child that got more candies than he should be equal to l_i and the number of children seating to the right of the i-th child that got more candies than he should be equal to r_i. If there is more than one solution, find any of them.
Examples
Input
5
0 0 1 1 2
2 0 1 0 0
Output
YES
1 3 1 2 1
Input
4
0 0 2 0
1 1 1 1
Output
NO
Input
3
0 0 0
0 0 0
Output
YES
1 1 1
Note
In the first example, if the teacher distributed 1, 3, 1, 2, 1 candies to 1-st, 2-nd, 3-rd, 4-th, 5-th child, respectively, then all the values calculated by the children are correct. For example, the 5-th child was given 1 candy, to the left of him 2 children were given 1 candy, 1 child was given 2 candies and 1 child β 3 candies, so there are 2 children to the left of him that were given more candies than him.
In the second example it is impossible to distribute the candies, because the 4-th child made a mistake in calculating the value of r_4, because there are no children to the right of him, so r_4 should be equal to 0.
In the last example all children may have got the same number of candies, that's why all the numbers are 0. Note that each child should receive at least one candy. | instruction | 0 | 82,583 | 9 | 165,166 |
Tags: constructive algorithms, implementation
Correct Solution:
```
n = int(input())
l = [int(t) for t in input().split(' ')]
r = [int(t) for t in input().split(' ')]
a = [None] * n
maxcandy = n
while True:
maxcount = 0
for i in range(n):
if a[i] is None and l[i] == 0 and r[i] == 0:
a[i] = maxcandy
maxcount += 1
if maxcount == 0: break
restcount = maxcount
for i in range(n):
if a[i] is None:
r[i] -= restcount
l[i] -= maxcount - restcount
elif a[i] == maxcandy:
restcount -= 1
maxcandy -= 1
if a.count(None) > 0:
print('NO')
else:
print('YES')
print(' '.join(str(t) for t in a))
``` | output | 1 | 82,583 | 9 | 165,167 |
Provide tags and a correct Python 3 solution for this coding contest problem.
There are n children numbered from 1 to n in a kindergarten. Kindergarten teacher gave a_i (1 β€ a_i β€ n) candies to the i-th child. Children were seated in a row in order from 1 to n from left to right and started eating candies.
While the i-th child was eating candies, he calculated two numbers l_i and r_i β the number of children seating to the left of him that got more candies than he and the number of children seating to the right of him that got more candies than he, respectively.
Formally, l_i is the number of indices j (1 β€ j < i), such that a_i < a_j and r_i is the number of indices j (i < j β€ n), such that a_i < a_j.
Each child told to the kindergarten teacher the numbers l_i and r_i that he calculated. Unfortunately, she forgot how many candies she has given to each child. So, she asks you for help: given the arrays l and r determine whether she could have given the candies to the children such that all children correctly calculated their values l_i and r_i, or some of them have definitely made a mistake. If it was possible, find any way how she could have done it.
Input
On the first line there is a single integer n (1 β€ n β€ 1000) β the number of children in the kindergarten.
On the next line there are n integers l_1, l_2, β¦, l_n (0 β€ l_i β€ n), separated by spaces.
On the next line, there are n integer numbers r_1, r_2, β¦, r_n (0 β€ r_i β€ n), separated by spaces.
Output
If there is no way to distribute the candies to the children so that all of them calculated their numbers correctly, print Β«NOΒ» (without quotes).
Otherwise, print Β«YESΒ» (without quotes) on the first line. On the next line, print n integers a_1, a_2, β¦, a_n, separated by spaces β the numbers of candies the children 1, 2, β¦, n received, respectively. Note that some of these numbers can be equal, but all numbers should satisfy the condition 1 β€ a_i β€ n. The number of children seating to the left of the i-th child that got more candies than he should be equal to l_i and the number of children seating to the right of the i-th child that got more candies than he should be equal to r_i. If there is more than one solution, find any of them.
Examples
Input
5
0 0 1 1 2
2 0 1 0 0
Output
YES
1 3 1 2 1
Input
4
0 0 2 0
1 1 1 1
Output
NO
Input
3
0 0 0
0 0 0
Output
YES
1 1 1
Note
In the first example, if the teacher distributed 1, 3, 1, 2, 1 candies to 1-st, 2-nd, 3-rd, 4-th, 5-th child, respectively, then all the values calculated by the children are correct. For example, the 5-th child was given 1 candy, to the left of him 2 children were given 1 candy, 1 child was given 2 candies and 1 child β 3 candies, so there are 2 children to the left of him that were given more candies than him.
In the second example it is impossible to distribute the candies, because the 4-th child made a mistake in calculating the value of r_4, because there are no children to the right of him, so r_4 should be equal to 0.
In the last example all children may have got the same number of candies, that's why all the numbers are 0. Note that each child should receive at least one candy. | instruction | 0 | 82,584 | 9 | 165,168 |
Tags: constructive algorithms, implementation
Correct Solution:
```
def get_input_list():
return list(map(int, input().split()))
n = int(input())
l = get_input_list()
r = get_input_list()
a = [0 for _ in range(n)]
m = []
m_ = []
for i in range(n):
m.append(l[i] + r[i])
m_.append(l[i] + r[i])
m.sort()
ma = m[-1] + 1
for i in range(n):
a[i] = ma - m_[i]
l_ = []
r_ = []
for i in range(n):
c = 0
d = 0
for j in range(i+1):
if a[j] > a[i]:
c += 1
for j in range(i,n):
if a[j] > a[i]:
d += 1
l_.append(c)
r_.append(d)
res = True
for i in range(n):
if l[i] != l_[i] or r[i] != r_[i]:
res = False
break
if res:
print("YES")
for i in range(n):
a[i] = str(a[i])
print(" ".join(a))
else:
print("NO")
``` | output | 1 | 82,584 | 9 | 165,169 |
Provide tags and a correct Python 3 solution for this coding contest problem.
There are n children numbered from 1 to n in a kindergarten. Kindergarten teacher gave a_i (1 β€ a_i β€ n) candies to the i-th child. Children were seated in a row in order from 1 to n from left to right and started eating candies.
While the i-th child was eating candies, he calculated two numbers l_i and r_i β the number of children seating to the left of him that got more candies than he and the number of children seating to the right of him that got more candies than he, respectively.
Formally, l_i is the number of indices j (1 β€ j < i), such that a_i < a_j and r_i is the number of indices j (i < j β€ n), such that a_i < a_j.
Each child told to the kindergarten teacher the numbers l_i and r_i that he calculated. Unfortunately, she forgot how many candies she has given to each child. So, she asks you for help: given the arrays l and r determine whether she could have given the candies to the children such that all children correctly calculated their values l_i and r_i, or some of them have definitely made a mistake. If it was possible, find any way how she could have done it.
Input
On the first line there is a single integer n (1 β€ n β€ 1000) β the number of children in the kindergarten.
On the next line there are n integers l_1, l_2, β¦, l_n (0 β€ l_i β€ n), separated by spaces.
On the next line, there are n integer numbers r_1, r_2, β¦, r_n (0 β€ r_i β€ n), separated by spaces.
Output
If there is no way to distribute the candies to the children so that all of them calculated their numbers correctly, print Β«NOΒ» (without quotes).
Otherwise, print Β«YESΒ» (without quotes) on the first line. On the next line, print n integers a_1, a_2, β¦, a_n, separated by spaces β the numbers of candies the children 1, 2, β¦, n received, respectively. Note that some of these numbers can be equal, but all numbers should satisfy the condition 1 β€ a_i β€ n. The number of children seating to the left of the i-th child that got more candies than he should be equal to l_i and the number of children seating to the right of the i-th child that got more candies than he should be equal to r_i. If there is more than one solution, find any of them.
Examples
Input
5
0 0 1 1 2
2 0 1 0 0
Output
YES
1 3 1 2 1
Input
4
0 0 2 0
1 1 1 1
Output
NO
Input
3
0 0 0
0 0 0
Output
YES
1 1 1
Note
In the first example, if the teacher distributed 1, 3, 1, 2, 1 candies to 1-st, 2-nd, 3-rd, 4-th, 5-th child, respectively, then all the values calculated by the children are correct. For example, the 5-th child was given 1 candy, to the left of him 2 children were given 1 candy, 1 child was given 2 candies and 1 child β 3 candies, so there are 2 children to the left of him that were given more candies than him.
In the second example it is impossible to distribute the candies, because the 4-th child made a mistake in calculating the value of r_4, because there are no children to the right of him, so r_4 should be equal to 0.
In the last example all children may have got the same number of candies, that's why all the numbers are 0. Note that each child should receive at least one candy. | instruction | 0 | 82,585 | 9 | 165,170 |
Tags: constructive algorithms, implementation
Correct Solution:
```
# -*- coding: utf-8 -*-
import sys, string
from collections import deque, defaultdict
from math import sqrt, factorial, gcd, ceil, atan, pi, log2
# def input(): return sys.stdin.readline()[:-1] # warning not \n
# def input(): return sys.stdin.buffer.readline().strip() # warning bytes
def input(): return sys.stdin.buffer.readline().decode('utf-8')
# string.ascii_lowercase
from bisect import bisect_left, bisect_right
from operator import add
MOD = int(1e9)+7
INF = float('inf')
# sys.setrecursionlimit(int(1e6))
def solve():
n = int(input())
l = [int(x) for x in input().split()]
r = [int(x) for x in input().split()]
ans = [0] * n
for cur in range(n, 0, -1):
lp = l[:]
cnt = 0
for i in range(n):
if ans[i]: continue
if not l[i] and not r[i]:
cnt += 1
else:
l[i] -= cnt
cnt = 0
for i in range(n-1,-1,-1):
if ans[i]: continue
if not lp[i] and not r[i]:
cnt += 1
ans[i] = cur
else:
r[i] -= cnt
if 0 in ans or (set(r) != set(l) != set([0])):
print("NO")
else:
print("YES")
print(*ans)
T = 1
# T = int(input())
for case in range(1,T+1):
# try:
ans = solve()
# except:
# import traceback
# print(traceback.format_exc())
"""
5
1 1
1 1 1
2 2 2 2
0 0 1 1 2
2 0 1 0 0
1
2
"""
``` | output | 1 | 82,585 | 9 | 165,171 |
Provide tags and a correct Python 3 solution for this coding contest problem.
There are n children numbered from 1 to n in a kindergarten. Kindergarten teacher gave a_i (1 β€ a_i β€ n) candies to the i-th child. Children were seated in a row in order from 1 to n from left to right and started eating candies.
While the i-th child was eating candies, he calculated two numbers l_i and r_i β the number of children seating to the left of him that got more candies than he and the number of children seating to the right of him that got more candies than he, respectively.
Formally, l_i is the number of indices j (1 β€ j < i), such that a_i < a_j and r_i is the number of indices j (i < j β€ n), such that a_i < a_j.
Each child told to the kindergarten teacher the numbers l_i and r_i that he calculated. Unfortunately, she forgot how many candies she has given to each child. So, she asks you for help: given the arrays l and r determine whether she could have given the candies to the children such that all children correctly calculated their values l_i and r_i, or some of them have definitely made a mistake. If it was possible, find any way how she could have done it.
Input
On the first line there is a single integer n (1 β€ n β€ 1000) β the number of children in the kindergarten.
On the next line there are n integers l_1, l_2, β¦, l_n (0 β€ l_i β€ n), separated by spaces.
On the next line, there are n integer numbers r_1, r_2, β¦, r_n (0 β€ r_i β€ n), separated by spaces.
Output
If there is no way to distribute the candies to the children so that all of them calculated their numbers correctly, print Β«NOΒ» (without quotes).
Otherwise, print Β«YESΒ» (without quotes) on the first line. On the next line, print n integers a_1, a_2, β¦, a_n, separated by spaces β the numbers of candies the children 1, 2, β¦, n received, respectively. Note that some of these numbers can be equal, but all numbers should satisfy the condition 1 β€ a_i β€ n. The number of children seating to the left of the i-th child that got more candies than he should be equal to l_i and the number of children seating to the right of the i-th child that got more candies than he should be equal to r_i. If there is more than one solution, find any of them.
Examples
Input
5
0 0 1 1 2
2 0 1 0 0
Output
YES
1 3 1 2 1
Input
4
0 0 2 0
1 1 1 1
Output
NO
Input
3
0 0 0
0 0 0
Output
YES
1 1 1
Note
In the first example, if the teacher distributed 1, 3, 1, 2, 1 candies to 1-st, 2-nd, 3-rd, 4-th, 5-th child, respectively, then all the values calculated by the children are correct. For example, the 5-th child was given 1 candy, to the left of him 2 children were given 1 candy, 1 child was given 2 candies and 1 child β 3 candies, so there are 2 children to the left of him that were given more candies than him.
In the second example it is impossible to distribute the candies, because the 4-th child made a mistake in calculating the value of r_4, because there are no children to the right of him, so r_4 should be equal to 0.
In the last example all children may have got the same number of candies, that's why all the numbers are 0. Note that each child should receive at least one candy. | instruction | 0 | 82,586 | 9 | 165,172 |
Tags: constructive algorithms, implementation
Correct Solution:
```
import itertools
def find(r_list, l_list): # O(N)
result_list = [-(r + l) for r, l in zip(r_list, l_list)]
min_value = - min(result_list)
return [result + min_value + 1 for result in result_list]
def validate(r_list, l_list, result_list): # O(N^2)
for i, (r, l, item) in enumerate(zip(r_list, l_list, result_list)):
if len(tuple(itertools.islice((e for e in itertools.islice(result_list, 0, i) if e > item), l + 1))) != l:
return False
if len(tuple(itertools.islice((e for e in itertools.islice(result_list, i + 1, None) if e > item), r + 1))) != r:
return False
return True
def run():
n = int(input())
l = list(map(int, input().split()))
r = list(map(int, input().split()))
result = find(r, l)
is_ok = validate(r, l, result)
if is_ok:
print('YES')
print(*result)
else:
print('NO')
run()
``` | output | 1 | 82,586 | 9 | 165,173 |
Provide tags and a correct Python 3 solution for this coding contest problem.
There are n children numbered from 1 to n in a kindergarten. Kindergarten teacher gave a_i (1 β€ a_i β€ n) candies to the i-th child. Children were seated in a row in order from 1 to n from left to right and started eating candies.
While the i-th child was eating candies, he calculated two numbers l_i and r_i β the number of children seating to the left of him that got more candies than he and the number of children seating to the right of him that got more candies than he, respectively.
Formally, l_i is the number of indices j (1 β€ j < i), such that a_i < a_j and r_i is the number of indices j (i < j β€ n), such that a_i < a_j.
Each child told to the kindergarten teacher the numbers l_i and r_i that he calculated. Unfortunately, she forgot how many candies she has given to each child. So, she asks you for help: given the arrays l and r determine whether she could have given the candies to the children such that all children correctly calculated their values l_i and r_i, or some of them have definitely made a mistake. If it was possible, find any way how she could have done it.
Input
On the first line there is a single integer n (1 β€ n β€ 1000) β the number of children in the kindergarten.
On the next line there are n integers l_1, l_2, β¦, l_n (0 β€ l_i β€ n), separated by spaces.
On the next line, there are n integer numbers r_1, r_2, β¦, r_n (0 β€ r_i β€ n), separated by spaces.
Output
If there is no way to distribute the candies to the children so that all of them calculated their numbers correctly, print Β«NOΒ» (without quotes).
Otherwise, print Β«YESΒ» (without quotes) on the first line. On the next line, print n integers a_1, a_2, β¦, a_n, separated by spaces β the numbers of candies the children 1, 2, β¦, n received, respectively. Note that some of these numbers can be equal, but all numbers should satisfy the condition 1 β€ a_i β€ n. The number of children seating to the left of the i-th child that got more candies than he should be equal to l_i and the number of children seating to the right of the i-th child that got more candies than he should be equal to r_i. If there is more than one solution, find any of them.
Examples
Input
5
0 0 1 1 2
2 0 1 0 0
Output
YES
1 3 1 2 1
Input
4
0 0 2 0
1 1 1 1
Output
NO
Input
3
0 0 0
0 0 0
Output
YES
1 1 1
Note
In the first example, if the teacher distributed 1, 3, 1, 2, 1 candies to 1-st, 2-nd, 3-rd, 4-th, 5-th child, respectively, then all the values calculated by the children are correct. For example, the 5-th child was given 1 candy, to the left of him 2 children were given 1 candy, 1 child was given 2 candies and 1 child β 3 candies, so there are 2 children to the left of him that were given more candies than him.
In the second example it is impossible to distribute the candies, because the 4-th child made a mistake in calculating the value of r_4, because there are no children to the right of him, so r_4 should be equal to 0.
In the last example all children may have got the same number of candies, that's why all the numbers are 0. Note that each child should receive at least one candy. | instruction | 0 | 82,587 | 9 | 165,174 |
Tags: constructive algorithms, implementation
Correct Solution:
```
def lr(a):
l = [0] * len(a)
r = [0] * len(a)
for i in range(len(a)):
for j in range(i+1, len(a)):
if a[j] > a[i]:
r[i] += 1
if a[i] > a[j]:
l[j] += 1
return l, r
n = int(input())
l = [int(i) for i in input().split()]
r = [int(i) for i in input().split()]
a = [0] * n
for i in range(n):
for j in range(n):
if l[j] + r[j] == i:
a[j] = n-i
l1, r1 = lr(a)
if l1 != l or r1 != r:
print("NO")
else:
print("YES")
print(' '.join([str(i) for i in a]))
``` | output | 1 | 82,587 | 9 | 165,175 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
There are n children numbered from 1 to n in a kindergarten. Kindergarten teacher gave a_i (1 β€ a_i β€ n) candies to the i-th child. Children were seated in a row in order from 1 to n from left to right and started eating candies.
While the i-th child was eating candies, he calculated two numbers l_i and r_i β the number of children seating to the left of him that got more candies than he and the number of children seating to the right of him that got more candies than he, respectively.
Formally, l_i is the number of indices j (1 β€ j < i), such that a_i < a_j and r_i is the number of indices j (i < j β€ n), such that a_i < a_j.
Each child told to the kindergarten teacher the numbers l_i and r_i that he calculated. Unfortunately, she forgot how many candies she has given to each child. So, she asks you for help: given the arrays l and r determine whether she could have given the candies to the children such that all children correctly calculated their values l_i and r_i, or some of them have definitely made a mistake. If it was possible, find any way how she could have done it.
Input
On the first line there is a single integer n (1 β€ n β€ 1000) β the number of children in the kindergarten.
On the next line there are n integers l_1, l_2, β¦, l_n (0 β€ l_i β€ n), separated by spaces.
On the next line, there are n integer numbers r_1, r_2, β¦, r_n (0 β€ r_i β€ n), separated by spaces.
Output
If there is no way to distribute the candies to the children so that all of them calculated their numbers correctly, print Β«NOΒ» (without quotes).
Otherwise, print Β«YESΒ» (without quotes) on the first line. On the next line, print n integers a_1, a_2, β¦, a_n, separated by spaces β the numbers of candies the children 1, 2, β¦, n received, respectively. Note that some of these numbers can be equal, but all numbers should satisfy the condition 1 β€ a_i β€ n. The number of children seating to the left of the i-th child that got more candies than he should be equal to l_i and the number of children seating to the right of the i-th child that got more candies than he should be equal to r_i. If there is more than one solution, find any of them.
Examples
Input
5
0 0 1 1 2
2 0 1 0 0
Output
YES
1 3 1 2 1
Input
4
0 0 2 0
1 1 1 1
Output
NO
Input
3
0 0 0
0 0 0
Output
YES
1 1 1
Note
In the first example, if the teacher distributed 1, 3, 1, 2, 1 candies to 1-st, 2-nd, 3-rd, 4-th, 5-th child, respectively, then all the values calculated by the children are correct. For example, the 5-th child was given 1 candy, to the left of him 2 children were given 1 candy, 1 child was given 2 candies and 1 child β 3 candies, so there are 2 children to the left of him that were given more candies than him.
In the second example it is impossible to distribute the candies, because the 4-th child made a mistake in calculating the value of r_4, because there are no children to the right of him, so r_4 should be equal to 0.
In the last example all children may have got the same number of candies, that's why all the numbers are 0. Note that each child should receive at least one candy.
Submitted Solution:
```
n=int(input())
l=list(map(int,input().split()))
r=list(map(int,input().split()))
if l[0]!=0 or r[n-1]!=0:
print("NO")
exit(0)
s=[(l[i]+r[i]) for i in range(n)]
m=max(s)+1
k=[]
for i in s:
k.append(m-i)
l1=[]
r1=[]
for i in range(n):
c=0
d=0
for j in range(0,i):
if k[j]>k[i]:
c+=1
l1.append(c)
for j in range(i+1,n):
if k[j]>k[i]:
d+=1
r1.append(d)
if l1!=l or r1!=r:
print("NO")
else:
print("YES")
print(*k)
``` | instruction | 0 | 82,588 | 9 | 165,176 |
Yes | output | 1 | 82,588 | 9 | 165,177 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
There are n children numbered from 1 to n in a kindergarten. Kindergarten teacher gave a_i (1 β€ a_i β€ n) candies to the i-th child. Children were seated in a row in order from 1 to n from left to right and started eating candies.
While the i-th child was eating candies, he calculated two numbers l_i and r_i β the number of children seating to the left of him that got more candies than he and the number of children seating to the right of him that got more candies than he, respectively.
Formally, l_i is the number of indices j (1 β€ j < i), such that a_i < a_j and r_i is the number of indices j (i < j β€ n), such that a_i < a_j.
Each child told to the kindergarten teacher the numbers l_i and r_i that he calculated. Unfortunately, she forgot how many candies she has given to each child. So, she asks you for help: given the arrays l and r determine whether she could have given the candies to the children such that all children correctly calculated their values l_i and r_i, or some of them have definitely made a mistake. If it was possible, find any way how she could have done it.
Input
On the first line there is a single integer n (1 β€ n β€ 1000) β the number of children in the kindergarten.
On the next line there are n integers l_1, l_2, β¦, l_n (0 β€ l_i β€ n), separated by spaces.
On the next line, there are n integer numbers r_1, r_2, β¦, r_n (0 β€ r_i β€ n), separated by spaces.
Output
If there is no way to distribute the candies to the children so that all of them calculated their numbers correctly, print Β«NOΒ» (without quotes).
Otherwise, print Β«YESΒ» (without quotes) on the first line. On the next line, print n integers a_1, a_2, β¦, a_n, separated by spaces β the numbers of candies the children 1, 2, β¦, n received, respectively. Note that some of these numbers can be equal, but all numbers should satisfy the condition 1 β€ a_i β€ n. The number of children seating to the left of the i-th child that got more candies than he should be equal to l_i and the number of children seating to the right of the i-th child that got more candies than he should be equal to r_i. If there is more than one solution, find any of them.
Examples
Input
5
0 0 1 1 2
2 0 1 0 0
Output
YES
1 3 1 2 1
Input
4
0 0 2 0
1 1 1 1
Output
NO
Input
3
0 0 0
0 0 0
Output
YES
1 1 1
Note
In the first example, if the teacher distributed 1, 3, 1, 2, 1 candies to 1-st, 2-nd, 3-rd, 4-th, 5-th child, respectively, then all the values calculated by the children are correct. For example, the 5-th child was given 1 candy, to the left of him 2 children were given 1 candy, 1 child was given 2 candies and 1 child β 3 candies, so there are 2 children to the left of him that were given more candies than him.
In the second example it is impossible to distribute the candies, because the 4-th child made a mistake in calculating the value of r_4, because there are no children to the right of him, so r_4 should be equal to 0.
In the last example all children may have got the same number of candies, that's why all the numbers are 0. Note that each child should receive at least one candy.
Submitted Solution:
```
n=int(input())
a=list(map(int,input().split()))
b=list(map(int,input().split()))
c=[0]*n
for i in range(n):
c[i]=a[i]+b[i]
c=list(set(c))
c.sort()
d=dict()
for i in range(len(c)):
d[c[i]]=0
k=1
for i in range(len(c)-1,-1,-1):
d[c[i]]=k
k+=1
ans=[0]*n
for i in range(n):
ans[i]=d[a[i]+b[i]]
#print(*ans)
for i in range(n):
r=a[i]
l=b[i]
num=0
for j in range(i+1,n):
if ans[j]>ans[i]:
num+=1
num2=0
for j in range(0,i):
if ans[j]>ans[i]:
num2+=1
if num!=l or num2!=r:
print("NO")
exit()
print("YES")
print(*ans)
``` | instruction | 0 | 82,589 | 9 | 165,178 |
Yes | output | 1 | 82,589 | 9 | 165,179 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
There are n children numbered from 1 to n in a kindergarten. Kindergarten teacher gave a_i (1 β€ a_i β€ n) candies to the i-th child. Children were seated in a row in order from 1 to n from left to right and started eating candies.
While the i-th child was eating candies, he calculated two numbers l_i and r_i β the number of children seating to the left of him that got more candies than he and the number of children seating to the right of him that got more candies than he, respectively.
Formally, l_i is the number of indices j (1 β€ j < i), such that a_i < a_j and r_i is the number of indices j (i < j β€ n), such that a_i < a_j.
Each child told to the kindergarten teacher the numbers l_i and r_i that he calculated. Unfortunately, she forgot how many candies she has given to each child. So, she asks you for help: given the arrays l and r determine whether she could have given the candies to the children such that all children correctly calculated their values l_i and r_i, or some of them have definitely made a mistake. If it was possible, find any way how she could have done it.
Input
On the first line there is a single integer n (1 β€ n β€ 1000) β the number of children in the kindergarten.
On the next line there are n integers l_1, l_2, β¦, l_n (0 β€ l_i β€ n), separated by spaces.
On the next line, there are n integer numbers r_1, r_2, β¦, r_n (0 β€ r_i β€ n), separated by spaces.
Output
If there is no way to distribute the candies to the children so that all of them calculated their numbers correctly, print Β«NOΒ» (without quotes).
Otherwise, print Β«YESΒ» (without quotes) on the first line. On the next line, print n integers a_1, a_2, β¦, a_n, separated by spaces β the numbers of candies the children 1, 2, β¦, n received, respectively. Note that some of these numbers can be equal, but all numbers should satisfy the condition 1 β€ a_i β€ n. The number of children seating to the left of the i-th child that got more candies than he should be equal to l_i and the number of children seating to the right of the i-th child that got more candies than he should be equal to r_i. If there is more than one solution, find any of them.
Examples
Input
5
0 0 1 1 2
2 0 1 0 0
Output
YES
1 3 1 2 1
Input
4
0 0 2 0
1 1 1 1
Output
NO
Input
3
0 0 0
0 0 0
Output
YES
1 1 1
Note
In the first example, if the teacher distributed 1, 3, 1, 2, 1 candies to 1-st, 2-nd, 3-rd, 4-th, 5-th child, respectively, then all the values calculated by the children are correct. For example, the 5-th child was given 1 candy, to the left of him 2 children were given 1 candy, 1 child was given 2 candies and 1 child β 3 candies, so there are 2 children to the left of him that were given more candies than him.
In the second example it is impossible to distribute the candies, because the 4-th child made a mistake in calculating the value of r_4, because there are no children to the right of him, so r_4 should be equal to 0.
In the last example all children may have got the same number of candies, that's why all the numbers are 0. Note that each child should receive at least one candy.
Submitted Solution:
```
import math as ma
import sys
from sys import exit
from decimal import Decimal as dec
from itertools import permutations
def li():
return list(map(int , input().split()))
def num():
return map(int , input().split())
def nu():
return int(input())
def find_gcd(x , y):
while (y):
x , y = y , x % y
return x
n=nu()
a=li()
b=li()
z=[]
for i in range(n):
z.append((a[i]+b[i],i))
z.sort()
fl=True
x=[]
cc=0
xp=0
mp={}
np=[]
for i in range(n):
if(a[i]>i):
fl=False
if(b[i]>(n-i-1)):
fl=False
if((n-a[i]-b[i])<=0):
fl=False
if(fl==False):
print("NO")
else:
zz=[0]*n
for i in range(n):
zz[i]=(n-a[i]-b[i])
for i in range(n):
xl = 0
xr = 0
for j in range(i + 1 , n):
if (zz[j] > zz[i]):
xr += 1
for j in range(i - 1 , -1 , -1):
if (zz[j] > zz[i]):
xl += 1
if (xl != a[i] or xr != b[i]):
fl = False
break
if (fl == True):
print("YES")
print(*zz)
else:
print("NO")
``` | instruction | 0 | 82,590 | 9 | 165,180 |
Yes | output | 1 | 82,590 | 9 | 165,181 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
There are n children numbered from 1 to n in a kindergarten. Kindergarten teacher gave a_i (1 β€ a_i β€ n) candies to the i-th child. Children were seated in a row in order from 1 to n from left to right and started eating candies.
While the i-th child was eating candies, he calculated two numbers l_i and r_i β the number of children seating to the left of him that got more candies than he and the number of children seating to the right of him that got more candies than he, respectively.
Formally, l_i is the number of indices j (1 β€ j < i), such that a_i < a_j and r_i is the number of indices j (i < j β€ n), such that a_i < a_j.
Each child told to the kindergarten teacher the numbers l_i and r_i that he calculated. Unfortunately, she forgot how many candies she has given to each child. So, she asks you for help: given the arrays l and r determine whether she could have given the candies to the children such that all children correctly calculated their values l_i and r_i, or some of them have definitely made a mistake. If it was possible, find any way how she could have done it.
Input
On the first line there is a single integer n (1 β€ n β€ 1000) β the number of children in the kindergarten.
On the next line there are n integers l_1, l_2, β¦, l_n (0 β€ l_i β€ n), separated by spaces.
On the next line, there are n integer numbers r_1, r_2, β¦, r_n (0 β€ r_i β€ n), separated by spaces.
Output
If there is no way to distribute the candies to the children so that all of them calculated their numbers correctly, print Β«NOΒ» (without quotes).
Otherwise, print Β«YESΒ» (without quotes) on the first line. On the next line, print n integers a_1, a_2, β¦, a_n, separated by spaces β the numbers of candies the children 1, 2, β¦, n received, respectively. Note that some of these numbers can be equal, but all numbers should satisfy the condition 1 β€ a_i β€ n. The number of children seating to the left of the i-th child that got more candies than he should be equal to l_i and the number of children seating to the right of the i-th child that got more candies than he should be equal to r_i. If there is more than one solution, find any of them.
Examples
Input
5
0 0 1 1 2
2 0 1 0 0
Output
YES
1 3 1 2 1
Input
4
0 0 2 0
1 1 1 1
Output
NO
Input
3
0 0 0
0 0 0
Output
YES
1 1 1
Note
In the first example, if the teacher distributed 1, 3, 1, 2, 1 candies to 1-st, 2-nd, 3-rd, 4-th, 5-th child, respectively, then all the values calculated by the children are correct. For example, the 5-th child was given 1 candy, to the left of him 2 children were given 1 candy, 1 child was given 2 candies and 1 child β 3 candies, so there are 2 children to the left of him that were given more candies than him.
In the second example it is impossible to distribute the candies, because the 4-th child made a mistake in calculating the value of r_4, because there are no children to the right of him, so r_4 should be equal to 0.
In the last example all children may have got the same number of candies, that's why all the numbers are 0. Note that each child should receive at least one candy.
Submitted Solution:
```
#####################################
import atexit, io, sys, collections, math, heapq, fractions,copy, os, functools
from io import BytesIO, IOBase
##################################### python 3 START
BUFSIZE = 8192
class FastIO(IOBase):
newlines = 0
def __init__(self, file):
self._fd = file.fileno()
self.buffer = BytesIO()
self.writable = "x" in file.mode or "r" not in file.mode
self.write = self.buffer.write if self.writable else None
def read(self):
while True:
b = os.read(self._fd, max(os.fstat(self._fd).st_size, BUFSIZE))
if not b:
break
ptr = self.buffer.tell()
self.buffer.seek(0, 2), self.buffer.write(b), self.buffer.seek(ptr)
self.newlines = 0
return self.buffer.read()
def readline(self):
while self.newlines == 0:
b = os.read(self._fd, max(os.fstat(self._fd).st_size, BUFSIZE))
self.newlines = b.count(b"\n") + (not b)
ptr = self.buffer.tell()
self.buffer.seek(0, 2), self.buffer.write(b), self.buffer.seek(ptr)
self.newlines -= 1
return self.buffer.readline()
def flush(self):
if self.writable:
os.write(self._fd, self.buffer.getvalue())
self.buffer.truncate(0), self.buffer.seek(0)
class IOWrapper(IOBase):
def __init__(self, file):
self.buffer = FastIO(file)
self.flush = self.buffer.flush
self.writable = self.buffer.writable
self.write = lambda s: self.buffer.write(s.encode("ascii"))
self.read = lambda: self.buffer.read().decode("ascii")
self.readline = lambda: self.buffer.readline().decode("ascii")
sys.stdin, sys.stdout = IOWrapper(sys.stdin), IOWrapper(sys.stdout)
input = lambda: sys.stdin.readline().rstrip("\r\n")
##################################### python 3 END
def f(left,right, n):
r = [-1 for _ in range(n)]
seen = set([])
elem = n
while(len(seen) < n):
cur = set([])
for i in range(n):
if i not in seen:
if left[i] == right[i] == 0:
cur.add(i)
seen.add(i)
count = 0
for i in range(n):
if i in seen:
if i in cur:
count +=1
else:
left[i] -= count
if left[i] < 0:
print ('NO')
return
count = 0
for i in range(n)[::-1]:
if i in seen:
if i in cur:
count +=1
else:
right[i] -= count
if right[i] < 0:
print ('NO')
return
for i in cur:
r[i] = elem
elem -= 1
if len(cur) == 0:
break
if min(r) < 0:
print ('NO')
return
print ('YES')
print (' '.join(map(str, r)))
n = int(input())
left = list(map(int, input().split()))
right = list(map(int, input().split()))
f(left, right, n)
``` | instruction | 0 | 82,591 | 9 | 165,182 |
Yes | output | 1 | 82,591 | 9 | 165,183 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
There are n children numbered from 1 to n in a kindergarten. Kindergarten teacher gave a_i (1 β€ a_i β€ n) candies to the i-th child. Children were seated in a row in order from 1 to n from left to right and started eating candies.
While the i-th child was eating candies, he calculated two numbers l_i and r_i β the number of children seating to the left of him that got more candies than he and the number of children seating to the right of him that got more candies than he, respectively.
Formally, l_i is the number of indices j (1 β€ j < i), such that a_i < a_j and r_i is the number of indices j (i < j β€ n), such that a_i < a_j.
Each child told to the kindergarten teacher the numbers l_i and r_i that he calculated. Unfortunately, she forgot how many candies she has given to each child. So, she asks you for help: given the arrays l and r determine whether she could have given the candies to the children such that all children correctly calculated their values l_i and r_i, or some of them have definitely made a mistake. If it was possible, find any way how she could have done it.
Input
On the first line there is a single integer n (1 β€ n β€ 1000) β the number of children in the kindergarten.
On the next line there are n integers l_1, l_2, β¦, l_n (0 β€ l_i β€ n), separated by spaces.
On the next line, there are n integer numbers r_1, r_2, β¦, r_n (0 β€ r_i β€ n), separated by spaces.
Output
If there is no way to distribute the candies to the children so that all of them calculated their numbers correctly, print Β«NOΒ» (without quotes).
Otherwise, print Β«YESΒ» (without quotes) on the first line. On the next line, print n integers a_1, a_2, β¦, a_n, separated by spaces β the numbers of candies the children 1, 2, β¦, n received, respectively. Note that some of these numbers can be equal, but all numbers should satisfy the condition 1 β€ a_i β€ n. The number of children seating to the left of the i-th child that got more candies than he should be equal to l_i and the number of children seating to the right of the i-th child that got more candies than he should be equal to r_i. If there is more than one solution, find any of them.
Examples
Input
5
0 0 1 1 2
2 0 1 0 0
Output
YES
1 3 1 2 1
Input
4
0 0 2 0
1 1 1 1
Output
NO
Input
3
0 0 0
0 0 0
Output
YES
1 1 1
Note
In the first example, if the teacher distributed 1, 3, 1, 2, 1 candies to 1-st, 2-nd, 3-rd, 4-th, 5-th child, respectively, then all the values calculated by the children are correct. For example, the 5-th child was given 1 candy, to the left of him 2 children were given 1 candy, 1 child was given 2 candies and 1 child β 3 candies, so there are 2 children to the left of him that were given more candies than him.
In the second example it is impossible to distribute the candies, because the 4-th child made a mistake in calculating the value of r_4, because there are no children to the right of him, so r_4 should be equal to 0.
In the last example all children may have got the same number of candies, that's why all the numbers are 0. Note that each child should receive at least one candy.
Submitted Solution:
```
import collections
def main():
# # n = int(input())
# x, y, z, t1, t2, t3 = list(map(int, input().split()))
# stair = t1 * abs(y - x)
# ele = t2 * (abs(y - x) + abs(z - x)) + 3 * t3
# # print(stair, ele)
# print("YES" if ele <= stair else "NO")
# n = int(input())
# num = list(map(int, input().split()))
# prevMax, totMax = -1, float('-inf')
# for i, v in enumerate(num):
# totMax = max(totMax, v)
# if totMax - prevMax in [0, 1]:
# prevMax = totMax
# else:
# print(i + 1)
# return
# print(-1)
n = int(input())
left = list(map(int, input().split()))
right = list(map(int, input().split()))
res = [0] * n
val = n
if all(not left[i] and not right[i] for i in range(n)):
print("YES")
print(' '.join(['1'] * n))
return
while not all(i == 0 for i in left):
zeroSet = set()
for i in range(n):
if not left[i] and not right[i] and res[i] == 0:
zeroSet.add(i)
res[i] = val
for v in zeroSet:
for i in range(v + 1, n):
if i not in zeroSet and res[i] == 0:
left[i] -= 1
for i in range(v):
if i not in zeroSet and res[i] == 0:
right[i] -= 1
val -= 1
# print(zeroSet, left, right)
if not zeroSet:
print("NO")
return
for i in range(n):
if not res[i]:
res[i] = str(val)
else:
res[i] = str(res[i])
if any(i == '0' for i in res):
print("NO")
return
print("YES")
print(' '.join(res))
main()
``` | instruction | 0 | 82,592 | 9 | 165,184 |
No | output | 1 | 82,592 | 9 | 165,185 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
There are n children numbered from 1 to n in a kindergarten. Kindergarten teacher gave a_i (1 β€ a_i β€ n) candies to the i-th child. Children were seated in a row in order from 1 to n from left to right and started eating candies.
While the i-th child was eating candies, he calculated two numbers l_i and r_i β the number of children seating to the left of him that got more candies than he and the number of children seating to the right of him that got more candies than he, respectively.
Formally, l_i is the number of indices j (1 β€ j < i), such that a_i < a_j and r_i is the number of indices j (i < j β€ n), such that a_i < a_j.
Each child told to the kindergarten teacher the numbers l_i and r_i that he calculated. Unfortunately, she forgot how many candies she has given to each child. So, she asks you for help: given the arrays l and r determine whether she could have given the candies to the children such that all children correctly calculated their values l_i and r_i, or some of them have definitely made a mistake. If it was possible, find any way how she could have done it.
Input
On the first line there is a single integer n (1 β€ n β€ 1000) β the number of children in the kindergarten.
On the next line there are n integers l_1, l_2, β¦, l_n (0 β€ l_i β€ n), separated by spaces.
On the next line, there are n integer numbers r_1, r_2, β¦, r_n (0 β€ r_i β€ n), separated by spaces.
Output
If there is no way to distribute the candies to the children so that all of them calculated their numbers correctly, print Β«NOΒ» (without quotes).
Otherwise, print Β«YESΒ» (without quotes) on the first line. On the next line, print n integers a_1, a_2, β¦, a_n, separated by spaces β the numbers of candies the children 1, 2, β¦, n received, respectively. Note that some of these numbers can be equal, but all numbers should satisfy the condition 1 β€ a_i β€ n. The number of children seating to the left of the i-th child that got more candies than he should be equal to l_i and the number of children seating to the right of the i-th child that got more candies than he should be equal to r_i. If there is more than one solution, find any of them.
Examples
Input
5
0 0 1 1 2
2 0 1 0 0
Output
YES
1 3 1 2 1
Input
4
0 0 2 0
1 1 1 1
Output
NO
Input
3
0 0 0
0 0 0
Output
YES
1 1 1
Note
In the first example, if the teacher distributed 1, 3, 1, 2, 1 candies to 1-st, 2-nd, 3-rd, 4-th, 5-th child, respectively, then all the values calculated by the children are correct. For example, the 5-th child was given 1 candy, to the left of him 2 children were given 1 candy, 1 child was given 2 candies and 1 child β 3 candies, so there are 2 children to the left of him that were given more candies than him.
In the second example it is impossible to distribute the candies, because the 4-th child made a mistake in calculating the value of r_4, because there are no children to the right of him, so r_4 should be equal to 0.
In the last example all children may have got the same number of candies, that's why all the numbers are 0. Note that each child should receive at least one candy.
Submitted Solution:
```
from sys import stdin
YES = "YES"
NO = "NO"
nbr_kids= int(stdin.readline().strip())
l = tuple(map(int, stdin.readline().strip().split()))
r = tuple(map(int, stdin.readline().strip().split()))
def non_increasing(L):
return all(x>=y for x, y in zip(L, L[1:]))
def non_decreasing(L):
return all(x<=y for x, y in zip(L, L[1:]))
def solve():
# obvious mistakes (first and last child)
if l[0] != 0 or r[-1] != 0:
return NO
# l must be increasing, r must be decreasing
if not non_decreasing(l) or not non_increasing(r):
return NO
# no obvious mistakes: try to find a solution
together = [a+b for a, b in zip(l, r)]
if sum(together) == 0:
# all got the same amount
return YES, [1]*len(r)
max_ = max(together)+1
sol = [max_ - a for a in together]
return YES, sol
yn, answ = solve()
# print(yn, answ)
if yn == YES:
print(YES)
print(' '.join(map(str, answ)))
else:
print(NO)
``` | instruction | 0 | 82,593 | 9 | 165,186 |
No | output | 1 | 82,593 | 9 | 165,187 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
There are n children numbered from 1 to n in a kindergarten. Kindergarten teacher gave a_i (1 β€ a_i β€ n) candies to the i-th child. Children were seated in a row in order from 1 to n from left to right and started eating candies.
While the i-th child was eating candies, he calculated two numbers l_i and r_i β the number of children seating to the left of him that got more candies than he and the number of children seating to the right of him that got more candies than he, respectively.
Formally, l_i is the number of indices j (1 β€ j < i), such that a_i < a_j and r_i is the number of indices j (i < j β€ n), such that a_i < a_j.
Each child told to the kindergarten teacher the numbers l_i and r_i that he calculated. Unfortunately, she forgot how many candies she has given to each child. So, she asks you for help: given the arrays l and r determine whether she could have given the candies to the children such that all children correctly calculated their values l_i and r_i, or some of them have definitely made a mistake. If it was possible, find any way how she could have done it.
Input
On the first line there is a single integer n (1 β€ n β€ 1000) β the number of children in the kindergarten.
On the next line there are n integers l_1, l_2, β¦, l_n (0 β€ l_i β€ n), separated by spaces.
On the next line, there are n integer numbers r_1, r_2, β¦, r_n (0 β€ r_i β€ n), separated by spaces.
Output
If there is no way to distribute the candies to the children so that all of them calculated their numbers correctly, print Β«NOΒ» (without quotes).
Otherwise, print Β«YESΒ» (without quotes) on the first line. On the next line, print n integers a_1, a_2, β¦, a_n, separated by spaces β the numbers of candies the children 1, 2, β¦, n received, respectively. Note that some of these numbers can be equal, but all numbers should satisfy the condition 1 β€ a_i β€ n. The number of children seating to the left of the i-th child that got more candies than he should be equal to l_i and the number of children seating to the right of the i-th child that got more candies than he should be equal to r_i. If there is more than one solution, find any of them.
Examples
Input
5
0 0 1 1 2
2 0 1 0 0
Output
YES
1 3 1 2 1
Input
4
0 0 2 0
1 1 1 1
Output
NO
Input
3
0 0 0
0 0 0
Output
YES
1 1 1
Note
In the first example, if the teacher distributed 1, 3, 1, 2, 1 candies to 1-st, 2-nd, 3-rd, 4-th, 5-th child, respectively, then all the values calculated by the children are correct. For example, the 5-th child was given 1 candy, to the left of him 2 children were given 1 candy, 1 child was given 2 candies and 1 child β 3 candies, so there are 2 children to the left of him that were given more candies than him.
In the second example it is impossible to distribute the candies, because the 4-th child made a mistake in calculating the value of r_4, because there are no children to the right of him, so r_4 should be equal to 0.
In the last example all children may have got the same number of candies, that's why all the numbers are 0. Note that each child should receive at least one candy.
Submitted Solution:
```
n = int(input())
l = [int(i) for i in input().split()]
r = [int(i) for i in input().split()]
m = max(max(l), max(r)) + 1
a = [m - l[i] - r[i] for i in range(n)]
b = [0]*1000
if 0 in a:
print("NO")
else:
print("YES")
for i in a:
print(i, end=' ')
``` | instruction | 0 | 82,594 | 9 | 165,188 |
No | output | 1 | 82,594 | 9 | 165,189 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
There are n children numbered from 1 to n in a kindergarten. Kindergarten teacher gave a_i (1 β€ a_i β€ n) candies to the i-th child. Children were seated in a row in order from 1 to n from left to right and started eating candies.
While the i-th child was eating candies, he calculated two numbers l_i and r_i β the number of children seating to the left of him that got more candies than he and the number of children seating to the right of him that got more candies than he, respectively.
Formally, l_i is the number of indices j (1 β€ j < i), such that a_i < a_j and r_i is the number of indices j (i < j β€ n), such that a_i < a_j.
Each child told to the kindergarten teacher the numbers l_i and r_i that he calculated. Unfortunately, she forgot how many candies she has given to each child. So, she asks you for help: given the arrays l and r determine whether she could have given the candies to the children such that all children correctly calculated their values l_i and r_i, or some of them have definitely made a mistake. If it was possible, find any way how she could have done it.
Input
On the first line there is a single integer n (1 β€ n β€ 1000) β the number of children in the kindergarten.
On the next line there are n integers l_1, l_2, β¦, l_n (0 β€ l_i β€ n), separated by spaces.
On the next line, there are n integer numbers r_1, r_2, β¦, r_n (0 β€ r_i β€ n), separated by spaces.
Output
If there is no way to distribute the candies to the children so that all of them calculated their numbers correctly, print Β«NOΒ» (without quotes).
Otherwise, print Β«YESΒ» (without quotes) on the first line. On the next line, print n integers a_1, a_2, β¦, a_n, separated by spaces β the numbers of candies the children 1, 2, β¦, n received, respectively. Note that some of these numbers can be equal, but all numbers should satisfy the condition 1 β€ a_i β€ n. The number of children seating to the left of the i-th child that got more candies than he should be equal to l_i and the number of children seating to the right of the i-th child that got more candies than he should be equal to r_i. If there is more than one solution, find any of them.
Examples
Input
5
0 0 1 1 2
2 0 1 0 0
Output
YES
1 3 1 2 1
Input
4
0 0 2 0
1 1 1 1
Output
NO
Input
3
0 0 0
0 0 0
Output
YES
1 1 1
Note
In the first example, if the teacher distributed 1, 3, 1, 2, 1 candies to 1-st, 2-nd, 3-rd, 4-th, 5-th child, respectively, then all the values calculated by the children are correct. For example, the 5-th child was given 1 candy, to the left of him 2 children were given 1 candy, 1 child was given 2 candies and 1 child β 3 candies, so there are 2 children to the left of him that were given more candies than him.
In the second example it is impossible to distribute the candies, because the 4-th child made a mistake in calculating the value of r_4, because there are no children to the right of him, so r_4 should be equal to 0.
In the last example all children may have got the same number of candies, that's why all the numbers are 0. Note that each child should receive at least one candy.
Submitted Solution:
```
import itertools
def find(r_list, l_list): # O(N)
result_list = [-(r + l) for r, l in zip(r_list, l_list)]
min_value = - min(result_list)
return [result + min_value + 1 for result in result_list]
def validate(r_list, l_list, result_list): # O(N^2)
for i, (r, l, item) in enumerate(zip(r_list, l_list, result_list)):
if len(list(itertools.islice((e for e in itertools.islice(result_list, 0, i) if e > item), l))) != l:
return False
if len(list(itertools.islice((e for e in itertools.islice(result_list, i + 1, None) if e > item), r))) != r:
return False
return True
n = int(input())
l = list(map(int, input().split()))
r = list(map(int, input().split()))
result = find(r, l)
is_ok = validate(r, l, result)
if is_ok:
print('YES')
print(*result)
else:
print('NO')
``` | instruction | 0 | 82,595 | 9 | 165,190 |
No | output | 1 | 82,595 | 9 | 165,191 |
Provide tags and a correct Python 3 solution for this coding contest problem.
<image>
One morning the Cereal Guy found out that all his cereal flakes were gone. He found a note instead of them. It turned out that his smart roommate hid the flakes in one of n boxes. The boxes stand in one row, they are numbered from 1 to n from the left to the right. The roommate left hints like "Hidden to the left of the i-th box" ("To the left of i"), "Hidden to the right of the i-th box" ("To the right of i"). Such hints mean that there are no flakes in the i-th box as well. The Cereal Guy wants to know the minimal number of boxes he necessarily needs to check to find the flakes considering all the hints. Or he wants to find out that the hints are contradictory and the roommate lied to him, that is, no box has the flakes.
Input
The first line contains two integers n and m (1 β€ n β€ 1000, 0 β€ m β€ 1000) which represent the number of boxes and the number of hints correspondingly. Next m lines contain hints like "To the left of i" and "To the right of i", where i is integer (1 β€ i β€ n). The hints may coincide.
Output
The answer should contain exactly one integer β the number of boxes that should necessarily be checked or "-1" if the hints are contradictory.
Examples
Input
2 1
To the left of 2
Output
1
Input
3 2
To the right of 1
To the right of 2
Output
1
Input
3 1
To the left of 3
Output
2
Input
3 2
To the left of 2
To the right of 1
Output
-1 | instruction | 0 | 82,978 | 9 | 165,956 |
Tags: implementation, two pointers
Correct Solution:
```
# n = int(input())
n, q = map(int, input().split())
l = 1
r = n
for ct in range(q):
s = input().split()
k = int(s[-1])
op = s[2]
if op == "left":
r = min(r, k-1)
elif op == "right":
l = max(l, k+1)
if l > r:
print(-1)
else:
print(r-l+1)
``` | output | 1 | 82,978 | 9 | 165,957 |
Provide tags and a correct Python 3 solution for this coding contest problem.
<image>
One morning the Cereal Guy found out that all his cereal flakes were gone. He found a note instead of them. It turned out that his smart roommate hid the flakes in one of n boxes. The boxes stand in one row, they are numbered from 1 to n from the left to the right. The roommate left hints like "Hidden to the left of the i-th box" ("To the left of i"), "Hidden to the right of the i-th box" ("To the right of i"). Such hints mean that there are no flakes in the i-th box as well. The Cereal Guy wants to know the minimal number of boxes he necessarily needs to check to find the flakes considering all the hints. Or he wants to find out that the hints are contradictory and the roommate lied to him, that is, no box has the flakes.
Input
The first line contains two integers n and m (1 β€ n β€ 1000, 0 β€ m β€ 1000) which represent the number of boxes and the number of hints correspondingly. Next m lines contain hints like "To the left of i" and "To the right of i", where i is integer (1 β€ i β€ n). The hints may coincide.
Output
The answer should contain exactly one integer β the number of boxes that should necessarily be checked or "-1" if the hints are contradictory.
Examples
Input
2 1
To the left of 2
Output
1
Input
3 2
To the right of 1
To the right of 2
Output
1
Input
3 1
To the left of 3
Output
2
Input
3 2
To the left of 2
To the right of 1
Output
-1 | instruction | 0 | 82,979 | 9 | 165,958 |
Tags: implementation, two pointers
Correct Solution:
```
n, m = map(int, input().split())
left = 1
right = n
for _ in range(m):
s = input().split()
direction = s[2]
pos = int(s[4])
if (direction == 'right'):
left = max(left, pos + 1)
else:
right = min(right, pos - 1)
print(right - left + 1 if right >= left else -1)
``` | output | 1 | 82,979 | 9 | 165,959 |
Provide tags and a correct Python 3 solution for this coding contest problem.
<image>
One morning the Cereal Guy found out that all his cereal flakes were gone. He found a note instead of them. It turned out that his smart roommate hid the flakes in one of n boxes. The boxes stand in one row, they are numbered from 1 to n from the left to the right. The roommate left hints like "Hidden to the left of the i-th box" ("To the left of i"), "Hidden to the right of the i-th box" ("To the right of i"). Such hints mean that there are no flakes in the i-th box as well. The Cereal Guy wants to know the minimal number of boxes he necessarily needs to check to find the flakes considering all the hints. Or he wants to find out that the hints are contradictory and the roommate lied to him, that is, no box has the flakes.
Input
The first line contains two integers n and m (1 β€ n β€ 1000, 0 β€ m β€ 1000) which represent the number of boxes and the number of hints correspondingly. Next m lines contain hints like "To the left of i" and "To the right of i", where i is integer (1 β€ i β€ n). The hints may coincide.
Output
The answer should contain exactly one integer β the number of boxes that should necessarily be checked or "-1" if the hints are contradictory.
Examples
Input
2 1
To the left of 2
Output
1
Input
3 2
To the right of 1
To the right of 2
Output
1
Input
3 1
To the left of 3
Output
2
Input
3 2
To the left of 2
To the right of 1
Output
-1 | instruction | 0 | 82,980 | 9 | 165,960 |
Tags: implementation, two pointers
Correct Solution:
```
n, m = map(int, input().split())
a = [1] * (n + 1)
a[0] = 0
for i in range(m):
t, th, lor, o, num = [i for i in input().split()]
num = int(num)
if lor == 'right':
for j in range(1, num + 1):
a[j] = 0
else:
for j in range(num, n + 1):
a[j] = 0
ans = 0
for i in a:
ans += i
if ans == 0:
print(-1)
else:
print(ans)
``` | output | 1 | 82,980 | 9 | 165,961 |
Provide tags and a correct Python 3 solution for this coding contest problem.
<image>
One morning the Cereal Guy found out that all his cereal flakes were gone. He found a note instead of them. It turned out that his smart roommate hid the flakes in one of n boxes. The boxes stand in one row, they are numbered from 1 to n from the left to the right. The roommate left hints like "Hidden to the left of the i-th box" ("To the left of i"), "Hidden to the right of the i-th box" ("To the right of i"). Such hints mean that there are no flakes in the i-th box as well. The Cereal Guy wants to know the minimal number of boxes he necessarily needs to check to find the flakes considering all the hints. Or he wants to find out that the hints are contradictory and the roommate lied to him, that is, no box has the flakes.
Input
The first line contains two integers n and m (1 β€ n β€ 1000, 0 β€ m β€ 1000) which represent the number of boxes and the number of hints correspondingly. Next m lines contain hints like "To the left of i" and "To the right of i", where i is integer (1 β€ i β€ n). The hints may coincide.
Output
The answer should contain exactly one integer β the number of boxes that should necessarily be checked or "-1" if the hints are contradictory.
Examples
Input
2 1
To the left of 2
Output
1
Input
3 2
To the right of 1
To the right of 2
Output
1
Input
3 1
To the left of 3
Output
2
Input
3 2
To the left of 2
To the right of 1
Output
-1 | instruction | 0 | 82,981 | 9 | 165,962 |
Tags: implementation, two pointers
Correct Solution:
```
# import os,io
# input = io.BytesIO(os.read(0,os.fstat(0).st_size)).readline
n,m = list(map(int,input().split()))
l,h = 1,n
for i in range(m):
s = input().split()
v = int(s[-1])
d = s[2]
if d == 'left':
h = min(h,v-1)
else:
l = max(l,v+1)
output = h-l+1
if output <= 0:
print(-1)
else:
print(output)
``` | output | 1 | 82,981 | 9 | 165,963 |
Provide tags and a correct Python 3 solution for this coding contest problem.
<image>
One morning the Cereal Guy found out that all his cereal flakes were gone. He found a note instead of them. It turned out that his smart roommate hid the flakes in one of n boxes. The boxes stand in one row, they are numbered from 1 to n from the left to the right. The roommate left hints like "Hidden to the left of the i-th box" ("To the left of i"), "Hidden to the right of the i-th box" ("To the right of i"). Such hints mean that there are no flakes in the i-th box as well. The Cereal Guy wants to know the minimal number of boxes he necessarily needs to check to find the flakes considering all the hints. Or he wants to find out that the hints are contradictory and the roommate lied to him, that is, no box has the flakes.
Input
The first line contains two integers n and m (1 β€ n β€ 1000, 0 β€ m β€ 1000) which represent the number of boxes and the number of hints correspondingly. Next m lines contain hints like "To the left of i" and "To the right of i", where i is integer (1 β€ i β€ n). The hints may coincide.
Output
The answer should contain exactly one integer β the number of boxes that should necessarily be checked or "-1" if the hints are contradictory.
Examples
Input
2 1
To the left of 2
Output
1
Input
3 2
To the right of 1
To the right of 2
Output
1
Input
3 1
To the left of 3
Output
2
Input
3 2
To the left of 2
To the right of 1
Output
-1 | instruction | 0 | 82,982 | 9 | 165,964 |
Tags: implementation, two pointers
Correct Solution:
```
n, m = map(int, input().split())
maxl = 0
maxr = 0
i = 0
j = n-1
v = [1 for i in range(n)]
# while(1):
for k in range(m):
s = input().split()
if s[2] == 'right':
r = int(s[-1])
# print(r, i)
# cont = 0
for p in range(i, r):
# cont+=1
v[p] = 0
# i += cont
elif s[2] == 'left':
r = int(s[-1])
# cont = 0
for p in range(r-1, j+1):
# print(r, j)
# cont+=1
v[p] = 0
# j-=cont
# print(v)
if v.count(1) == 0:
print(-1)
else:
print(v.count(1))
``` | output | 1 | 82,982 | 9 | 165,965 |
Provide tags and a correct Python 3 solution for this coding contest problem.
<image>
One morning the Cereal Guy found out that all his cereal flakes were gone. He found a note instead of them. It turned out that his smart roommate hid the flakes in one of n boxes. The boxes stand in one row, they are numbered from 1 to n from the left to the right. The roommate left hints like "Hidden to the left of the i-th box" ("To the left of i"), "Hidden to the right of the i-th box" ("To the right of i"). Such hints mean that there are no flakes in the i-th box as well. The Cereal Guy wants to know the minimal number of boxes he necessarily needs to check to find the flakes considering all the hints. Or he wants to find out that the hints are contradictory and the roommate lied to him, that is, no box has the flakes.
Input
The first line contains two integers n and m (1 β€ n β€ 1000, 0 β€ m β€ 1000) which represent the number of boxes and the number of hints correspondingly. Next m lines contain hints like "To the left of i" and "To the right of i", where i is integer (1 β€ i β€ n). The hints may coincide.
Output
The answer should contain exactly one integer β the number of boxes that should necessarily be checked or "-1" if the hints are contradictory.
Examples
Input
2 1
To the left of 2
Output
1
Input
3 2
To the right of 1
To the right of 2
Output
1
Input
3 1
To the left of 3
Output
2
Input
3 2
To the left of 2
To the right of 1
Output
-1 | instruction | 0 | 82,983 | 9 | 165,966 |
Tags: implementation, two pointers
Correct Solution:
```
from collections import Counter
import os
import sys
from io import BytesIO, IOBase
BUFSIZE = 8192
class FastIO(IOBase):
newlines = 0
def __init__(self, file):
self._fd = file.fileno()
self.buffer = BytesIO()
self.writable = "x" in file.mode or "r" not in file.mode
self.write = self.buffer.write if self.writable else None
def read(self):
while True:
b = os.read(self._fd, max(os.fstat(self._fd).st_size, BUFSIZE))
if not b:
break
ptr = self.buffer.tell()
self.buffer.seek(0, 2), self.buffer.write(b), self.buffer.seek(ptr)
self.newlines = 0
return self.buffer.read()
def readline(self):
while self.newlines == 0:
b = os.read(self._fd, max(os.fstat(self._fd).st_size, BUFSIZE))
self.newlines = b.count(b"\n") + (not b)
ptr = self.buffer.tell()
self.buffer.seek(0, 2), self.buffer.write(b), self.buffer.seek(ptr)
self.newlines -= 1
return self.buffer.readline()
def flush(self):
if self.writable:
os.write(self._fd, self.buffer.getvalue())
self.buffer.truncate(0), self.buffer.seek(0)
class IOWrapper(IOBase):
def __init__(self, file):
self.buffer = FastIO(file)
self.flush = self.buffer.flush
self.writable = self.buffer.writable
self.write = lambda s: self.buffer.write(s.encode("ascii"))
self.read = lambda: self.buffer.read().decode("ascii")
self.readline = lambda: self.buffer.readline().decode("ascii")
sys.stdin, sys.stdout = IOWrapper(sys.stdin), IOWrapper(sys.stdout)
input = lambda: sys.stdin.readline().rstrip("\r\n")
##########################################################
#from collections import Counter
#from fractions import Fraction
#s=iter(input())
# for _ in range(int(input())):
#from collections import deque
# n=int(input())
# n,k=map(int,input().split())
# arr=list(map(int,input().split()))
#ls=list(map(int,input().split()))
#for i in range(m):
import math
#for _ in range(int(input())):
n,m=map(int,input().split())
l=1
r=n
for i in range(m):
t=input().split()
if "right" in t:
l=max(l,int(t[-1])+1)
else:
r=min(r,int(t[-1])-1)
print(r-l+1 if r>=l else -1)
``` | output | 1 | 82,983 | 9 | 165,967 |
Provide tags and a correct Python 3 solution for this coding contest problem.
<image>
One morning the Cereal Guy found out that all his cereal flakes were gone. He found a note instead of them. It turned out that his smart roommate hid the flakes in one of n boxes. The boxes stand in one row, they are numbered from 1 to n from the left to the right. The roommate left hints like "Hidden to the left of the i-th box" ("To the left of i"), "Hidden to the right of the i-th box" ("To the right of i"). Such hints mean that there are no flakes in the i-th box as well. The Cereal Guy wants to know the minimal number of boxes he necessarily needs to check to find the flakes considering all the hints. Or he wants to find out that the hints are contradictory and the roommate lied to him, that is, no box has the flakes.
Input
The first line contains two integers n and m (1 β€ n β€ 1000, 0 β€ m β€ 1000) which represent the number of boxes and the number of hints correspondingly. Next m lines contain hints like "To the left of i" and "To the right of i", where i is integer (1 β€ i β€ n). The hints may coincide.
Output
The answer should contain exactly one integer β the number of boxes that should necessarily be checked or "-1" if the hints are contradictory.
Examples
Input
2 1
To the left of 2
Output
1
Input
3 2
To the right of 1
To the right of 2
Output
1
Input
3 1
To the left of 3
Output
2
Input
3 2
To the left of 2
To the right of 1
Output
-1 | instruction | 0 | 82,984 | 9 | 165,968 |
Tags: implementation, two pointers
Correct Solution:
```
def main():
n, m = map(int, input().split())
lo, hi = 0, n + 1
for _ in range(m):
_, _, d, _, s = input().split()
x = int(s)
if d == "left":
if hi > x:
hi = x
elif lo < x:
lo = x
lo += 1
print(hi - lo if hi > lo else -1)
if __name__ == '__main__':
main()
``` | output | 1 | 82,984 | 9 | 165,969 |
Provide tags and a correct Python 3 solution for this coding contest problem.
<image>
One morning the Cereal Guy found out that all his cereal flakes were gone. He found a note instead of them. It turned out that his smart roommate hid the flakes in one of n boxes. The boxes stand in one row, they are numbered from 1 to n from the left to the right. The roommate left hints like "Hidden to the left of the i-th box" ("To the left of i"), "Hidden to the right of the i-th box" ("To the right of i"). Such hints mean that there are no flakes in the i-th box as well. The Cereal Guy wants to know the minimal number of boxes he necessarily needs to check to find the flakes considering all the hints. Or he wants to find out that the hints are contradictory and the roommate lied to him, that is, no box has the flakes.
Input
The first line contains two integers n and m (1 β€ n β€ 1000, 0 β€ m β€ 1000) which represent the number of boxes and the number of hints correspondingly. Next m lines contain hints like "To the left of i" and "To the right of i", where i is integer (1 β€ i β€ n). The hints may coincide.
Output
The answer should contain exactly one integer β the number of boxes that should necessarily be checked or "-1" if the hints are contradictory.
Examples
Input
2 1
To the left of 2
Output
1
Input
3 2
To the right of 1
To the right of 2
Output
1
Input
3 1
To the left of 3
Output
2
Input
3 2
To the left of 2
To the right of 1
Output
-1 | instruction | 0 | 82,985 | 9 | 165,970 |
Tags: implementation, two pointers
Correct Solution:
```
v = [int(i) for i in input().split()]
n = v[0]
m = v[1]
r = 1
l = n
ans = True
for i in range(m):
hint = input().split()
vt = int(hint[-1])
if hint[2] == 'left':
if(vt-1 < l):
l = vt-1
else:
if(vt+1 > r):
r = vt+1
if l < 0 or r > n:
ans = False
if l - r < 0:
ans = False
if ans:
print(l-r+1)
else:
print(-1)
``` | output | 1 | 82,985 | 9 | 165,971 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
<image>
One morning the Cereal Guy found out that all his cereal flakes were gone. He found a note instead of them. It turned out that his smart roommate hid the flakes in one of n boxes. The boxes stand in one row, they are numbered from 1 to n from the left to the right. The roommate left hints like "Hidden to the left of the i-th box" ("To the left of i"), "Hidden to the right of the i-th box" ("To the right of i"). Such hints mean that there are no flakes in the i-th box as well. The Cereal Guy wants to know the minimal number of boxes he necessarily needs to check to find the flakes considering all the hints. Or he wants to find out that the hints are contradictory and the roommate lied to him, that is, no box has the flakes.
Input
The first line contains two integers n and m (1 β€ n β€ 1000, 0 β€ m β€ 1000) which represent the number of boxes and the number of hints correspondingly. Next m lines contain hints like "To the left of i" and "To the right of i", where i is integer (1 β€ i β€ n). The hints may coincide.
Output
The answer should contain exactly one integer β the number of boxes that should necessarily be checked or "-1" if the hints are contradictory.
Examples
Input
2 1
To the left of 2
Output
1
Input
3 2
To the right of 1
To the right of 2
Output
1
Input
3 1
To the left of 3
Output
2
Input
3 2
To the left of 2
To the right of 1
Output
-1
Submitted Solution:
```
n,m=[int(x) for x in input().split()]
left,right=[],[]
while m>0:
m-=1
x=input().split()
if x[2]=="left":
left.append(int(x[4]))
else:right.append(int(x[4]))
if len(right)!=0:start=max(right)
else :start=0
if len(left)!=0:end=min(left)
else:end=n+1
if end-start<=1:
print(-1)
else:print(end-start-1)
``` | instruction | 0 | 82,986 | 9 | 165,972 |
Yes | output | 1 | 82,986 | 9 | 165,973 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
<image>
One morning the Cereal Guy found out that all his cereal flakes were gone. He found a note instead of them. It turned out that his smart roommate hid the flakes in one of n boxes. The boxes stand in one row, they are numbered from 1 to n from the left to the right. The roommate left hints like "Hidden to the left of the i-th box" ("To the left of i"), "Hidden to the right of the i-th box" ("To the right of i"). Such hints mean that there are no flakes in the i-th box as well. The Cereal Guy wants to know the minimal number of boxes he necessarily needs to check to find the flakes considering all the hints. Or he wants to find out that the hints are contradictory and the roommate lied to him, that is, no box has the flakes.
Input
The first line contains two integers n and m (1 β€ n β€ 1000, 0 β€ m β€ 1000) which represent the number of boxes and the number of hints correspondingly. Next m lines contain hints like "To the left of i" and "To the right of i", where i is integer (1 β€ i β€ n). The hints may coincide.
Output
The answer should contain exactly one integer β the number of boxes that should necessarily be checked or "-1" if the hints are contradictory.
Examples
Input
2 1
To the left of 2
Output
1
Input
3 2
To the right of 1
To the right of 2
Output
1
Input
3 1
To the left of 3
Output
2
Input
3 2
To the left of 2
To the right of 1
Output
-1
Submitted Solution:
```
num_boxes, num_hints = map(int, input().split())
left, right = 1, num_boxes
for i in range(num_hints):
tokens = input().split()
x = int(tokens[4])
if tokens[2] == 'left':
right = min(right, x - 1)
else:
left = max(left, x + 1)
span = right - left + 1
if span < 1:
print(-1)
else:
print(span)
``` | instruction | 0 | 82,987 | 9 | 165,974 |
Yes | output | 1 | 82,987 | 9 | 165,975 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
<image>
One morning the Cereal Guy found out that all his cereal flakes were gone. He found a note instead of them. It turned out that his smart roommate hid the flakes in one of n boxes. The boxes stand in one row, they are numbered from 1 to n from the left to the right. The roommate left hints like "Hidden to the left of the i-th box" ("To the left of i"), "Hidden to the right of the i-th box" ("To the right of i"). Such hints mean that there are no flakes in the i-th box as well. The Cereal Guy wants to know the minimal number of boxes he necessarily needs to check to find the flakes considering all the hints. Or he wants to find out that the hints are contradictory and the roommate lied to him, that is, no box has the flakes.
Input
The first line contains two integers n and m (1 β€ n β€ 1000, 0 β€ m β€ 1000) which represent the number of boxes and the number of hints correspondingly. Next m lines contain hints like "To the left of i" and "To the right of i", where i is integer (1 β€ i β€ n). The hints may coincide.
Output
The answer should contain exactly one integer β the number of boxes that should necessarily be checked or "-1" if the hints are contradictory.
Examples
Input
2 1
To the left of 2
Output
1
Input
3 2
To the right of 1
To the right of 2
Output
1
Input
3 1
To the left of 3
Output
2
Input
3 2
To the left of 2
To the right of 1
Output
-1
Submitted Solution:
```
[n,m]=map(int,(input().split()))
p1=0
p2=n+1
for j in range(m):
hint=input()
ind_val=int(hint.split()[-1])
if hint[7]=='r':
if p1<ind_val:
p1=ind_val
if hint[7]=='l':
if p2>ind_val:
p2=ind_val
if p1>=p2-1:
print(-1)
else:
print(p2-p1-1)
``` | instruction | 0 | 82,988 | 9 | 165,976 |
Yes | output | 1 | 82,988 | 9 | 165,977 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
<image>
One morning the Cereal Guy found out that all his cereal flakes were gone. He found a note instead of them. It turned out that his smart roommate hid the flakes in one of n boxes. The boxes stand in one row, they are numbered from 1 to n from the left to the right. The roommate left hints like "Hidden to the left of the i-th box" ("To the left of i"), "Hidden to the right of the i-th box" ("To the right of i"). Such hints mean that there are no flakes in the i-th box as well. The Cereal Guy wants to know the minimal number of boxes he necessarily needs to check to find the flakes considering all the hints. Or he wants to find out that the hints are contradictory and the roommate lied to him, that is, no box has the flakes.
Input
The first line contains two integers n and m (1 β€ n β€ 1000, 0 β€ m β€ 1000) which represent the number of boxes and the number of hints correspondingly. Next m lines contain hints like "To the left of i" and "To the right of i", where i is integer (1 β€ i β€ n). The hints may coincide.
Output
The answer should contain exactly one integer β the number of boxes that should necessarily be checked or "-1" if the hints are contradictory.
Examples
Input
2 1
To the left of 2
Output
1
Input
3 2
To the right of 1
To the right of 2
Output
1
Input
3 1
To the left of 3
Output
2
Input
3 2
To the left of 2
To the right of 1
Output
-1
Submitted Solution:
```
import sys
# input = lambda: sys.stdin.readline().rstrip()
n, m = map(int, input().split())
mi = 0
ma = n
for i in range(m):
mas = list(map(str, input().split()))
mas[-1] = int(mas[-1])
if mas[2] == "left":
if ma >= mas[-1]:
ma = mas[-1] - 1
else:
if mi < mas[-1]:
mi = mas[-1]
ans = ma - mi
if ans<=0:
print(-1)
else:
print(ans)
``` | instruction | 0 | 82,989 | 9 | 165,978 |
Yes | output | 1 | 82,989 | 9 | 165,979 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
<image>
One morning the Cereal Guy found out that all his cereal flakes were gone. He found a note instead of them. It turned out that his smart roommate hid the flakes in one of n boxes. The boxes stand in one row, they are numbered from 1 to n from the left to the right. The roommate left hints like "Hidden to the left of the i-th box" ("To the left of i"), "Hidden to the right of the i-th box" ("To the right of i"). Such hints mean that there are no flakes in the i-th box as well. The Cereal Guy wants to know the minimal number of boxes he necessarily needs to check to find the flakes considering all the hints. Or he wants to find out that the hints are contradictory and the roommate lied to him, that is, no box has the flakes.
Input
The first line contains two integers n and m (1 β€ n β€ 1000, 0 β€ m β€ 1000) which represent the number of boxes and the number of hints correspondingly. Next m lines contain hints like "To the left of i" and "To the right of i", where i is integer (1 β€ i β€ n). The hints may coincide.
Output
The answer should contain exactly one integer β the number of boxes that should necessarily be checked or "-1" if the hints are contradictory.
Examples
Input
2 1
To the left of 2
Output
1
Input
3 2
To the right of 1
To the right of 2
Output
1
Input
3 1
To the left of 3
Output
2
Input
3 2
To the left of 2
To the right of 1
Output
-1
Submitted Solution:
```
import os,io
input = io.BytesIO(os.read(0,os.fstat(0).st_size)).readline
n,m = list(map(int,input().split()))
l,h = 1,n
for i in range(m):
s = input().split()
v = int(s[-1])
d = s[2]
if d == 'left':
h = min(h,v-1)
else:
l = max(l,v+1)
output = h-l+1
if output <= 0:
print(-1)
else:
print(output)
``` | instruction | 0 | 82,990 | 9 | 165,980 |
No | output | 1 | 82,990 | 9 | 165,981 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
<image>
One morning the Cereal Guy found out that all his cereal flakes were gone. He found a note instead of them. It turned out that his smart roommate hid the flakes in one of n boxes. The boxes stand in one row, they are numbered from 1 to n from the left to the right. The roommate left hints like "Hidden to the left of the i-th box" ("To the left of i"), "Hidden to the right of the i-th box" ("To the right of i"). Such hints mean that there are no flakes in the i-th box as well. The Cereal Guy wants to know the minimal number of boxes he necessarily needs to check to find the flakes considering all the hints. Or he wants to find out that the hints are contradictory and the roommate lied to him, that is, no box has the flakes.
Input
The first line contains two integers n and m (1 β€ n β€ 1000, 0 β€ m β€ 1000) which represent the number of boxes and the number of hints correspondingly. Next m lines contain hints like "To the left of i" and "To the right of i", where i is integer (1 β€ i β€ n). The hints may coincide.
Output
The answer should contain exactly one integer β the number of boxes that should necessarily be checked or "-1" if the hints are contradictory.
Examples
Input
2 1
To the left of 2
Output
1
Input
3 2
To the right of 1
To the right of 2
Output
1
Input
3 1
To the left of 3
Output
2
Input
3 2
To the left of 2
To the right of 1
Output
-1
Submitted Solution:
```
n,m = map(int,input().split())
dum = [i for i in range(1,n+1)]
ans = n
for _ in range(m):
st = input().split()
di = st[2]
num = int(st[-1])
if((di=='left' and num==dum[0]) or (di=='right' and num==dum[-1])):
print(-1)
exit()
if num in dum:
ind = dum.index(num)
else:
print(-1)
exit()
if(di=='left'):
for x in range(ind,n):
dum[x]='**'
else:
for x in range(0,ind+1):
dum[x]='**'
ctr = 0;
for i in range(n):
if(dum[i]!='**'):
ctr+=1
if ctr==0:
print(-1)
else:
print(ctr)
``` | instruction | 0 | 82,991 | 9 | 165,982 |
No | output | 1 | 82,991 | 9 | 165,983 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
<image>
One morning the Cereal Guy found out that all his cereal flakes were gone. He found a note instead of them. It turned out that his smart roommate hid the flakes in one of n boxes. The boxes stand in one row, they are numbered from 1 to n from the left to the right. The roommate left hints like "Hidden to the left of the i-th box" ("To the left of i"), "Hidden to the right of the i-th box" ("To the right of i"). Such hints mean that there are no flakes in the i-th box as well. The Cereal Guy wants to know the minimal number of boxes he necessarily needs to check to find the flakes considering all the hints. Or he wants to find out that the hints are contradictory and the roommate lied to him, that is, no box has the flakes.
Input
The first line contains two integers n and m (1 β€ n β€ 1000, 0 β€ m β€ 1000) which represent the number of boxes and the number of hints correspondingly. Next m lines contain hints like "To the left of i" and "To the right of i", where i is integer (1 β€ i β€ n). The hints may coincide.
Output
The answer should contain exactly one integer β the number of boxes that should necessarily be checked or "-1" if the hints are contradictory.
Examples
Input
2 1
To the left of 2
Output
1
Input
3 2
To the right of 1
To the right of 2
Output
1
Input
3 1
To the left of 3
Output
2
Input
3 2
To the left of 2
To the right of 1
Output
-1
Submitted Solution:
```
import sys
from collections import deque,defaultdict
I=sys.stdin.readline
def ii():
return int(I().strip())
def li():
return list(map(int,I().strip().split()))
def mi():
return map(int,I().strip().split())
def main():
n,m=mi()
left=[]
right=[]
for _ in range(m):
s=I().strip()
ind=int(s[-1])
if s[7]=="l":
left.append(ind)
else:
right.append(ind)
if m==0:
print(n)
elif len(left)>0 and len(right)>0:
r=max(right)
l=min(left)
if r>=l or r+1==l:
print(-1)
else:
print(l-r-1)
else:
if left:
l=min(left)
if l==1:
print(-1)
else:
print(l-1)
else:
r=max(right)
if r==n:
print(-1)
else:
print(n-r)
if __name__ == '__main__':
main()
``` | instruction | 0 | 82,992 | 9 | 165,984 |
No | output | 1 | 82,992 | 9 | 165,985 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
<image>
One morning the Cereal Guy found out that all his cereal flakes were gone. He found a note instead of them. It turned out that his smart roommate hid the flakes in one of n boxes. The boxes stand in one row, they are numbered from 1 to n from the left to the right. The roommate left hints like "Hidden to the left of the i-th box" ("To the left of i"), "Hidden to the right of the i-th box" ("To the right of i"). Such hints mean that there are no flakes in the i-th box as well. The Cereal Guy wants to know the minimal number of boxes he necessarily needs to check to find the flakes considering all the hints. Or he wants to find out that the hints are contradictory and the roommate lied to him, that is, no box has the flakes.
Input
The first line contains two integers n and m (1 β€ n β€ 1000, 0 β€ m β€ 1000) which represent the number of boxes and the number of hints correspondingly. Next m lines contain hints like "To the left of i" and "To the right of i", where i is integer (1 β€ i β€ n). The hints may coincide.
Output
The answer should contain exactly one integer β the number of boxes that should necessarily be checked or "-1" if the hints are contradictory.
Examples
Input
2 1
To the left of 2
Output
1
Input
3 2
To the right of 1
To the right of 2
Output
1
Input
3 1
To the left of 3
Output
2
Input
3 2
To the left of 2
To the right of 1
Output
-1
Submitted Solution:
```
n, m = map(int, input().split())
p = [0, n + 1]
for i in range(m):
t = input()
j = int(t[t.rfind(' '): ])
if t[7] == 'l': p[1] = min(p[1], j)
else: p[0] = max(p[0], j)
p[1] -= 1
print(-1 if p[1] < p[0] else p[1] - p[0])
``` | instruction | 0 | 82,993 | 9 | 165,986 |
No | output | 1 | 82,993 | 9 | 165,987 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Lee bought some food for dinner time, but Lee's friends eat dinner in a deadly way. Lee is so scared, he doesn't want to die, at least not before seeing Online IOI 2020...
There are n different types of food and m Lee's best friends. Lee has w_i plates of the i-th type of food and each friend has two different favorite types of food: the i-th friend's favorite types of food are x_i and y_i (x_i β y_i).
Lee will start calling his friends one by one. Whoever is called will go to the kitchen and will try to eat one plate of each of his favorite food types. Each of the friends will go to the kitchen exactly once.
The only problem is the following: if a friend will eat at least one plate of food (in total) then he will be harmless. But if there is nothing left for him to eat (neither x_i nor y_i), he will eat Lee instead Γ\\_Γ.
Lee can choose the order of friends to call, so he'd like to determine if he can survive dinner or not. Also, he'd like to know the order itself.
Input
The first line contains two integers n and m (2 β€ n β€ 10^5; 1 β€ m β€ 2 β
10^5) β the number of different food types and the number of Lee's friends.
The second line contains n integers w_1, w_2, β¦, w_n (0 β€ w_i β€ 10^6) β the number of plates of each food type.
The i-th line of the next m lines contains two integers x_i and y_i (1 β€ x_i, y_i β€ n; x_i β y_i) β the favorite types of food of the i-th friend.
Output
If Lee can survive the dinner then print ALIVE (case insensitive), otherwise print DEAD (case insensitive).
Also, if he can survive the dinner, print the order Lee should call friends. If there are multiple valid orders, print any of them.
Examples
Input
3 3
1 2 1
1 2
2 3
1 3
Output
ALIVE
3 2 1
Input
3 2
1 1 0
1 2
1 3
Output
ALIVE
2 1
Input
4 4
1 2 0 1
1 3
1 2
2 3
2 4
Output
ALIVE
1 3 2 4
Input
5 5
1 1 1 2 1
3 4
1 2
2 3
4 5
4 5
Output
ALIVE
5 4 1 3 2
Input
4 10
2 4 1 4
3 2
4 2
4 1
3 1
4 1
1 3
3 2
2 1
3 1
2 4
Output
DEAD
Note
In the first example, any of the following orders of friends are correct : [1, 3, 2], [3, 1, 2], [2, 3, 1], [3, 2, 1].
In the second example, Lee should call the second friend first (the friend will eat a plate of food 1) and then call the first friend (the friend will eat a plate of food 2). If he calls the first friend sooner than the second one, then the first friend will eat one plate of food 1 and food 2 and there will be no food left for the second friend to eat. | instruction | 0 | 83,557 | 9 | 167,114 |
Tags: data structures, dfs and similar, greedy, implementation, sortings
Correct Solution:
```
def xmax(x, y):
if x[1] > y[1]:return x
return y
class SegTree:
def __init__(self, init_val, n, ide_ele, seg_func):
self.segfunc = seg_func;self.num = 2**(n-1).bit_length();self.ide_ele = ide_ele;self.seg=[self.ide_ele]*2*self.num
for i in range(n):self.seg[i+self.num-1]=init_val[i]
for i in range(self.num-2,-1,-1) :self.seg[i]=self.segfunc(self.seg[2*i+1],self.seg[2*i+2])
def update(self, k, x):
ll = k;k += self.num-1;self.seg[k] = (ll, self.seg[k][1] + x)
while k+1:k = (k-1)//2;self.seg[k] = self.segfunc(self.seg[k*2+1],self.seg[k*2+2])
def update2(self, k, x):
k += self.num-1;self.seg[k] = x
while k+1:k = (k-1)//2;self.seg[k] = self.segfunc(self.seg[k*2+1],self.seg[k*2+2])
def query(self, p, q):
if q<=p:return self.ide_ele
p += self.num-1;q += self.num-2;res=self.ide_ele
while q-p>1:
if p&1 == 0:res = self.segfunc(res,self.seg[p])
if q&1 == 1:res = self.segfunc(res,self.seg[q]);q -= 1
p = p//2;q = (q-1)//2
return (self.segfunc(res,self.seg[p]) if p == q else self.segfunc(self.segfunc(res,self.seg[p]),self.seg[q]))
import sys;input=sys.stdin.readline
N, M = map(int, input().split())
X = list(map(int, input().split()))
sts = [[] for _ in range(N)]
for i in range(1, M+1):
a, b = map(int, input().split())
sts[a-1].append((i, b-1))
sts[b-1].append((i, a-1))
X[a-1] -= 1
X[b-1] -= 1
minf = -(10 ** 18)-1
ss = SegTree([(i, x) for i, x in enumerate(X)], N, (-1, minf), xmax)
f,R,vs = False,[],set()
while True:
j, mx = ss.query(0, N)
if mx<0:f=True;break
while sts[j]:
i, co = sts[j].pop()
if i in vs:continue
vs.add(i);ss.update(co, 1);R.append(i)
if len(R) == M:break
ss.update2(j, (j, minf))
if f or len(R) != M:print("DEAD")
else:print("ALIVE");print(*R[::-1])
``` | output | 1 | 83,557 | 9 | 167,115 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Lee bought some food for dinner time, but Lee's friends eat dinner in a deadly way. Lee is so scared, he doesn't want to die, at least not before seeing Online IOI 2020...
There are n different types of food and m Lee's best friends. Lee has w_i plates of the i-th type of food and each friend has two different favorite types of food: the i-th friend's favorite types of food are x_i and y_i (x_i β y_i).
Lee will start calling his friends one by one. Whoever is called will go to the kitchen and will try to eat one plate of each of his favorite food types. Each of the friends will go to the kitchen exactly once.
The only problem is the following: if a friend will eat at least one plate of food (in total) then he will be harmless. But if there is nothing left for him to eat (neither x_i nor y_i), he will eat Lee instead Γ\\_Γ.
Lee can choose the order of friends to call, so he'd like to determine if he can survive dinner or not. Also, he'd like to know the order itself.
Input
The first line contains two integers n and m (2 β€ n β€ 10^5; 1 β€ m β€ 2 β
10^5) β the number of different food types and the number of Lee's friends.
The second line contains n integers w_1, w_2, β¦, w_n (0 β€ w_i β€ 10^6) β the number of plates of each food type.
The i-th line of the next m lines contains two integers x_i and y_i (1 β€ x_i, y_i β€ n; x_i β y_i) β the favorite types of food of the i-th friend.
Output
If Lee can survive the dinner then print ALIVE (case insensitive), otherwise print DEAD (case insensitive).
Also, if he can survive the dinner, print the order Lee should call friends. If there are multiple valid orders, print any of them.
Examples
Input
3 3
1 2 1
1 2
2 3
1 3
Output
ALIVE
3 2 1
Input
3 2
1 1 0
1 2
1 3
Output
ALIVE
2 1
Input
4 4
1 2 0 1
1 3
1 2
2 3
2 4
Output
ALIVE
1 3 2 4
Input
5 5
1 1 1 2 1
3 4
1 2
2 3
4 5
4 5
Output
ALIVE
5 4 1 3 2
Input
4 10
2 4 1 4
3 2
4 2
4 1
3 1
4 1
1 3
3 2
2 1
3 1
2 4
Output
DEAD
Note
In the first example, any of the following orders of friends are correct : [1, 3, 2], [3, 1, 2], [2, 3, 1], [3, 2, 1].
In the second example, Lee should call the second friend first (the friend will eat a plate of food 1) and then call the first friend (the friend will eat a plate of food 2). If he calls the first friend sooner than the second one, then the first friend will eat one plate of food 1 and food 2 and there will be no food left for the second friend to eat. | instruction | 0 | 83,558 | 9 | 167,116 |
Tags: data structures, dfs and similar, greedy, implementation, sortings
Correct Solution:
```
from collections import deque
import sys
int1 = lambda x: int(x) - 1
p2D = lambda x: print(*x, sep="\n")
def II(): return int(sys.stdin.readline())
def MI(): return map(int, sys.stdin.readline().split())
def LI(): return list(map(int, sys.stdin.readline().split()))
def LI1(): return list(map(int1, sys.stdin.readline().split()))
def LLI(rows_number): return [LI() for _ in range(rows_number)]
def LLI1(rows_number): return [LI1() for _ in range(rows_number)]
def SI(): return sys.stdin.readline()[:-1]
def main():
n,m=MI()
ww=LI()
xy=LLI1(m)
fav_mem=[[] for _ in range(n)]
fav_cnt=[0]*n
for j,(x,y) in enumerate(xy):
fav_mem[x].append(j)
fav_mem[y].append(j)
fav_cnt[x]+=1
fav_cnt[y]+=1
q=deque()
for i in range(n):
if ww[i]-fav_cnt[i]>=0:q.append(i)
ans=[]
fini=[False]*n
finj=[False]*m
while q:
i=q.popleft()
for j in fav_mem[i]:
if finj[j]:continue
ans.append(j+1)
finj[j]=True
for i0 in xy[j]:
if fini[i0]:continue
fav_cnt[i0]-=1
if ww[i0]-fav_cnt[i0]>=0:
q.append(i0)
fini[i0]=True
if len(ans)==m:
print("ALIVE")
print(*ans[::-1])
else:print("DEAD")
main()
``` | output | 1 | 83,558 | 9 | 167,117 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Lee bought some food for dinner time, but Lee's friends eat dinner in a deadly way. Lee is so scared, he doesn't want to die, at least not before seeing Online IOI 2020...
There are n different types of food and m Lee's best friends. Lee has w_i plates of the i-th type of food and each friend has two different favorite types of food: the i-th friend's favorite types of food are x_i and y_i (x_i β y_i).
Lee will start calling his friends one by one. Whoever is called will go to the kitchen and will try to eat one plate of each of his favorite food types. Each of the friends will go to the kitchen exactly once.
The only problem is the following: if a friend will eat at least one plate of food (in total) then he will be harmless. But if there is nothing left for him to eat (neither x_i nor y_i), he will eat Lee instead Γ\\_Γ.
Lee can choose the order of friends to call, so he'd like to determine if he can survive dinner or not. Also, he'd like to know the order itself.
Input
The first line contains two integers n and m (2 β€ n β€ 10^5; 1 β€ m β€ 2 β
10^5) β the number of different food types and the number of Lee's friends.
The second line contains n integers w_1, w_2, β¦, w_n (0 β€ w_i β€ 10^6) β the number of plates of each food type.
The i-th line of the next m lines contains two integers x_i and y_i (1 β€ x_i, y_i β€ n; x_i β y_i) β the favorite types of food of the i-th friend.
Output
If Lee can survive the dinner then print ALIVE (case insensitive), otherwise print DEAD (case insensitive).
Also, if he can survive the dinner, print the order Lee should call friends. If there are multiple valid orders, print any of them.
Examples
Input
3 3
1 2 1
1 2
2 3
1 3
Output
ALIVE
3 2 1
Input
3 2
1 1 0
1 2
1 3
Output
ALIVE
2 1
Input
4 4
1 2 0 1
1 3
1 2
2 3
2 4
Output
ALIVE
1 3 2 4
Input
5 5
1 1 1 2 1
3 4
1 2
2 3
4 5
4 5
Output
ALIVE
5 4 1 3 2
Input
4 10
2 4 1 4
3 2
4 2
4 1
3 1
4 1
1 3
3 2
2 1
3 1
2 4
Output
DEAD
Note
In the first example, any of the following orders of friends are correct : [1, 3, 2], [3, 1, 2], [2, 3, 1], [3, 2, 1].
In the second example, Lee should call the second friend first (the friend will eat a plate of food 1) and then call the first friend (the friend will eat a plate of food 2). If he calls the first friend sooner than the second one, then the first friend will eat one plate of food 1 and food 2 and there will be no food left for the second friend to eat. | instruction | 0 | 83,559 | 9 | 167,118 |
Tags: data structures, dfs and similar, greedy, implementation, sortings
Correct Solution:
```
#!/usr/bin/env python
import os
import sys
from io import BytesIO, IOBase
import threading
from heapq import heapify,heappush,heappop
def main():
n,m=map(int,input().split())
arr=list(map(int,input().split()))
mat=[[] for i in range(n)]
p=[0]*m
for i in range(m):
p[i]=tuple(map(lambda x:int(x)-1,input().split()))
mat[p[i][0]].append(i)
mat[p[i][1]].append(i)
demand=[0]*n
done=[False]*n
ans=[]
q=[]
for i in range(n):
demand[i]=len(mat[i])
q.append((demand[i] - arr[i] ,i))
heapify(q)
# print(q)
while len(q):
cnt,fd=heappop(q)
if done[fd]:
continue
elif cnt>0:
# print(q,fd,cnt)
print('DEAD')
return
else:
# print(fd)
ans.extend(mat[fd])
for fr in mat[fd]:
for t_f in p[fr]:
demand[t_f]-=1
heappush(q,(demand[t_f]-arr[t_f] , t_f))
done[fd]=True
res=[]
s=set()
for i in reversed(ans):
if i not in s:
res.append(i+1)
s.add(i)
print('ALIVE')
print(*res)
BUFSIZE = 8192
class FastIO(IOBase):
newlines = 0
def __init__(self, file):
self._fd = file.fileno()
self.buffer = BytesIO()
self.writable = "x" in file.mode or "r" not in file.mode
self.write = self.buffer.write if self.writable else None
def read(self):
while True:
b = os.read(self._fd, max(os.fstat(self._fd).st_size, BUFSIZE))
if not b:
break
ptr = self.buffer.tell()
self.buffer.seek(0, 2), self.buffer.write(b), self.buffer.seek(ptr)
self.newlines = 0
return self.buffer.read()
def readline(self):
while self.newlines == 0:
b = os.read(self._fd, max(os.fstat(self._fd).st_size, BUFSIZE))
self.newlines = b.count(b"\n") + (not b)
ptr = self.buffer.tell()
self.buffer.seek(0, 2), self.buffer.write(b), self.buffer.seek(ptr)
self.newlines -= 1
return self.buffer.readline()
def flush(self):
if self.writable:
os.write(self._fd, self.buffer.getvalue())
self.buffer.truncate(0), self.buffer.seek(0)
class IOWrapper(IOBase):
def __init__(self, file):
self.buffer = FastIO(file)
self.flush = self.buffer.flush
self.writable = self.buffer.writable
self.write = lambda s: self.buffer.write(s.encode("ascii"))
self.read = lambda: self.buffer.read().decode("ascii")
self.readline = lambda: self.buffer.readline().decode("ascii")
sys.stdin, sys.stdout = IOWrapper(sys.stdin), IOWrapper(sys.stdout)
input = lambda: sys.stdin.readline().rstrip("\r\n")
# endregion
if __name__ == "__main__":
main()
``` | output | 1 | 83,559 | 9 | 167,119 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Lee bought some food for dinner time, but Lee's friends eat dinner in a deadly way. Lee is so scared, he doesn't want to die, at least not before seeing Online IOI 2020...
There are n different types of food and m Lee's best friends. Lee has w_i plates of the i-th type of food and each friend has two different favorite types of food: the i-th friend's favorite types of food are x_i and y_i (x_i β y_i).
Lee will start calling his friends one by one. Whoever is called will go to the kitchen and will try to eat one plate of each of his favorite food types. Each of the friends will go to the kitchen exactly once.
The only problem is the following: if a friend will eat at least one plate of food (in total) then he will be harmless. But if there is nothing left for him to eat (neither x_i nor y_i), he will eat Lee instead Γ\\_Γ.
Lee can choose the order of friends to call, so he'd like to determine if he can survive dinner or not. Also, he'd like to know the order itself.
Input
The first line contains two integers n and m (2 β€ n β€ 10^5; 1 β€ m β€ 2 β
10^5) β the number of different food types and the number of Lee's friends.
The second line contains n integers w_1, w_2, β¦, w_n (0 β€ w_i β€ 10^6) β the number of plates of each food type.
The i-th line of the next m lines contains two integers x_i and y_i (1 β€ x_i, y_i β€ n; x_i β y_i) β the favorite types of food of the i-th friend.
Output
If Lee can survive the dinner then print ALIVE (case insensitive), otherwise print DEAD (case insensitive).
Also, if he can survive the dinner, print the order Lee should call friends. If there are multiple valid orders, print any of them.
Examples
Input
3 3
1 2 1
1 2
2 3
1 3
Output
ALIVE
3 2 1
Input
3 2
1 1 0
1 2
1 3
Output
ALIVE
2 1
Input
4 4
1 2 0 1
1 3
1 2
2 3
2 4
Output
ALIVE
1 3 2 4
Input
5 5
1 1 1 2 1
3 4
1 2
2 3
4 5
4 5
Output
ALIVE
5 4 1 3 2
Input
4 10
2 4 1 4
3 2
4 2
4 1
3 1
4 1
1 3
3 2
2 1
3 1
2 4
Output
DEAD
Note
In the first example, any of the following orders of friends are correct : [1, 3, 2], [3, 1, 2], [2, 3, 1], [3, 2, 1].
In the second example, Lee should call the second friend first (the friend will eat a plate of food 1) and then call the first friend (the friend will eat a plate of food 2). If he calls the first friend sooner than the second one, then the first friend will eat one plate of food 1 and food 2 and there will be no food left for the second friend to eat. | instruction | 0 | 83,560 | 9 | 167,120 |
Tags: data structures, dfs and similar, greedy, implementation, sortings
Correct Solution:
```
import sys
def input():
return sys.stdin.readline().rstrip()
def input_split():
return [int(i) for i in input().split()]
prefs = []
n, m = input_split()
desired = [0 for i in range(n)]
eaters = [[] for i in range(n)]
w = input_split()
for friend in range(m):
x, y = input_split()
x-=1
y-=1
prefs.append((x,y))
desired[x] += 1
desired[y] += 1
eaters[x].append(friend)
eaters[y].append(friend)
isSafe = [False for i in range(n)]
safes = []
for i in range(n):
#for each dish
# safe[]
if w[i] >= desired[i]:
safes.append(i)
isSafe[i] = True
order = []
included = set()
while(True):
# print(safes)
new_safes = []
for dish in safes:
for friend in eaters[dish]:
if friend not in included:
included.add(friend)
order.append(friend)
p1, p2 = prefs[friend]
if ((not isSafe[p1]) or (not isSafe[p2])):
if (not isSafe[p1]):
desired[p1] -= 1
if w[p1] >= desired[p1]:
isSafe[p1] = True
new_safes.append(p1)
else:
desired[p2] -= 1
if w[p2] >= desired[p2]:
isSafe[p2] = True
new_safes.append(p2)
if len(new_safes) == 0:
break
else:
safes = new_safes
if len(order) == m:
order.reverse()
order = [i+1 for i in order]
print('ALIVE')
print(*order, sep = ' ')
else:
print('DEAD')
# ALIVE = True
# for a in isSafe:
# if not a:
# # print()
# ALIVE = False
# break
# if ALIVE:
# print("ALIVE")
# else:
# print("DEAD")
# testCases = int(input())
# answers = []
# for _ in range(testCases):
#take input
# answers.append(ans)
# print(*answers, sep = '\n')
``` | output | 1 | 83,560 | 9 | 167,121 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Lee bought some food for dinner time, but Lee's friends eat dinner in a deadly way. Lee is so scared, he doesn't want to die, at least not before seeing Online IOI 2020...
There are n different types of food and m Lee's best friends. Lee has w_i plates of the i-th type of food and each friend has two different favorite types of food: the i-th friend's favorite types of food are x_i and y_i (x_i β y_i).
Lee will start calling his friends one by one. Whoever is called will go to the kitchen and will try to eat one plate of each of his favorite food types. Each of the friends will go to the kitchen exactly once.
The only problem is the following: if a friend will eat at least one plate of food (in total) then he will be harmless. But if there is nothing left for him to eat (neither x_i nor y_i), he will eat Lee instead Γ\\_Γ.
Lee can choose the order of friends to call, so he'd like to determine if he can survive dinner or not. Also, he'd like to know the order itself.
Input
The first line contains two integers n and m (2 β€ n β€ 10^5; 1 β€ m β€ 2 β
10^5) β the number of different food types and the number of Lee's friends.
The second line contains n integers w_1, w_2, β¦, w_n (0 β€ w_i β€ 10^6) β the number of plates of each food type.
The i-th line of the next m lines contains two integers x_i and y_i (1 β€ x_i, y_i β€ n; x_i β y_i) β the favorite types of food of the i-th friend.
Output
If Lee can survive the dinner then print ALIVE (case insensitive), otherwise print DEAD (case insensitive).
Also, if he can survive the dinner, print the order Lee should call friends. If there are multiple valid orders, print any of them.
Examples
Input
3 3
1 2 1
1 2
2 3
1 3
Output
ALIVE
3 2 1
Input
3 2
1 1 0
1 2
1 3
Output
ALIVE
2 1
Input
4 4
1 2 0 1
1 3
1 2
2 3
2 4
Output
ALIVE
1 3 2 4
Input
5 5
1 1 1 2 1
3 4
1 2
2 3
4 5
4 5
Output
ALIVE
5 4 1 3 2
Input
4 10
2 4 1 4
3 2
4 2
4 1
3 1
4 1
1 3
3 2
2 1
3 1
2 4
Output
DEAD
Note
In the first example, any of the following orders of friends are correct : [1, 3, 2], [3, 1, 2], [2, 3, 1], [3, 2, 1].
In the second example, Lee should call the second friend first (the friend will eat a plate of food 1) and then call the first friend (the friend will eat a plate of food 2). If he calls the first friend sooner than the second one, then the first friend will eat one plate of food 1 and food 2 and there will be no food left for the second friend to eat. | instruction | 0 | 83,561 | 9 | 167,122 |
Tags: data structures, dfs and similar, greedy, implementation, sortings
Correct Solution:
```
import math
import sys
input = sys.stdin.readline
n, m = map(int, input().split())
w = [int(_) for _ in input().split()]
edges = []
g = [[] for _ in range(n)]
deg = [0] * n
for i in range(m):
u, v = map(int, input().split())
u, v = u - 1, v - 1
g[u].append(v)
g[v].append(u)
edges.append((u, v))
deg[u] += 1
deg[v] += 1
order = [0] * n
done = [False] * n
stack = []
cur = 0
for i in range(n):
if deg[i] <= w[i]:
done[i] = True
order[i] = cur
stack.append(i)
cur += 1
while len(stack) > 0:
x = stack.pop()
for i in g[x]:
deg[i] -= 1
if not done[i] and deg[i] <= w[i]:
order[i] = cur
done[i] = True
stack.append(i)
cur += 1
if sum(done) != n:
print('DEAD')
exit(0)
sortEdges = []
for i in range(m):
u, v = edges[i]
if order[u] < order[v]:
u, v = v, u
sortEdges.append((order[u], order[v], i))
print('ALIVE')
print(' '.join(map(lambda i : str(i[2] + 1), sorted(sortEdges, reverse=True))))
``` | output | 1 | 83,561 | 9 | 167,123 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Lee bought some food for dinner time, but Lee's friends eat dinner in a deadly way. Lee is so scared, he doesn't want to die, at least not before seeing Online IOI 2020...
There are n different types of food and m Lee's best friends. Lee has w_i plates of the i-th type of food and each friend has two different favorite types of food: the i-th friend's favorite types of food are x_i and y_i (x_i β y_i).
Lee will start calling his friends one by one. Whoever is called will go to the kitchen and will try to eat one plate of each of his favorite food types. Each of the friends will go to the kitchen exactly once.
The only problem is the following: if a friend will eat at least one plate of food (in total) then he will be harmless. But if there is nothing left for him to eat (neither x_i nor y_i), he will eat Lee instead Γ\\_Γ.
Lee can choose the order of friends to call, so he'd like to determine if he can survive dinner or not. Also, he'd like to know the order itself.
Input
The first line contains two integers n and m (2 β€ n β€ 10^5; 1 β€ m β€ 2 β
10^5) β the number of different food types and the number of Lee's friends.
The second line contains n integers w_1, w_2, β¦, w_n (0 β€ w_i β€ 10^6) β the number of plates of each food type.
The i-th line of the next m lines contains two integers x_i and y_i (1 β€ x_i, y_i β€ n; x_i β y_i) β the favorite types of food of the i-th friend.
Output
If Lee can survive the dinner then print ALIVE (case insensitive), otherwise print DEAD (case insensitive).
Also, if he can survive the dinner, print the order Lee should call friends. If there are multiple valid orders, print any of them.
Examples
Input
3 3
1 2 1
1 2
2 3
1 3
Output
ALIVE
3 2 1
Input
3 2
1 1 0
1 2
1 3
Output
ALIVE
2 1
Input
4 4
1 2 0 1
1 3
1 2
2 3
2 4
Output
ALIVE
1 3 2 4
Input
5 5
1 1 1 2 1
3 4
1 2
2 3
4 5
4 5
Output
ALIVE
5 4 1 3 2
Input
4 10
2 4 1 4
3 2
4 2
4 1
3 1
4 1
1 3
3 2
2 1
3 1
2 4
Output
DEAD
Note
In the first example, any of the following orders of friends are correct : [1, 3, 2], [3, 1, 2], [2, 3, 1], [3, 2, 1].
In the second example, Lee should call the second friend first (the friend will eat a plate of food 1) and then call the first friend (the friend will eat a plate of food 2). If he calls the first friend sooner than the second one, then the first friend will eat one plate of food 1 and food 2 and there will be no food left for the second friend to eat. | instruction | 0 | 83,562 | 9 | 167,124 |
Tags: data structures, dfs and similar, greedy, implementation, sortings
Correct Solution:
```
import sys
from collections import deque
input = sys.stdin.buffer.readline
n, m = map(int, input().split())
ds = [0] + list(map(int, input().split()))
pp = [[] for _ in range(n+1)]
for p in range(1, m+1):
a, b = map(int, input().split())
pp[a].append((p, b))
pp[b].append((p, a))
order = []
pcc = [len(pl) for pl in pp]
dsvis, moved = [0]*(n+1), [0]*(m+1)
q = deque([i for i in range(1, n+1) if pcc[i] <= ds[i]])
for dn in q: dsvis[dn] = 1
while q:
dn = q.popleft()
for p, nx in pp[dn]:
if moved[p]: continue
order.append(p)
moved[p] = 1
pcc[nx] -= 1
if pcc[nx] <= ds[nx] and not dsvis[nx]:
q.append(nx)
dsvis[nx] = 1
if len(order) == m:
print('ALIVE')
print(*list(reversed(order)))
else:
print('DEAD')
``` | output | 1 | 83,562 | 9 | 167,125 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Lee bought some food for dinner time, but Lee's friends eat dinner in a deadly way. Lee is so scared, he doesn't want to die, at least not before seeing Online IOI 2020...
There are n different types of food and m Lee's best friends. Lee has w_i plates of the i-th type of food and each friend has two different favorite types of food: the i-th friend's favorite types of food are x_i and y_i (x_i β y_i).
Lee will start calling his friends one by one. Whoever is called will go to the kitchen and will try to eat one plate of each of his favorite food types. Each of the friends will go to the kitchen exactly once.
The only problem is the following: if a friend will eat at least one plate of food (in total) then he will be harmless. But if there is nothing left for him to eat (neither x_i nor y_i), he will eat Lee instead Γ\\_Γ.
Lee can choose the order of friends to call, so he'd like to determine if he can survive dinner or not. Also, he'd like to know the order itself.
Input
The first line contains two integers n and m (2 β€ n β€ 10^5; 1 β€ m β€ 2 β
10^5) β the number of different food types and the number of Lee's friends.
The second line contains n integers w_1, w_2, β¦, w_n (0 β€ w_i β€ 10^6) β the number of plates of each food type.
The i-th line of the next m lines contains two integers x_i and y_i (1 β€ x_i, y_i β€ n; x_i β y_i) β the favorite types of food of the i-th friend.
Output
If Lee can survive the dinner then print ALIVE (case insensitive), otherwise print DEAD (case insensitive).
Also, if he can survive the dinner, print the order Lee should call friends. If there are multiple valid orders, print any of them.
Examples
Input
3 3
1 2 1
1 2
2 3
1 3
Output
ALIVE
3 2 1
Input
3 2
1 1 0
1 2
1 3
Output
ALIVE
2 1
Input
4 4
1 2 0 1
1 3
1 2
2 3
2 4
Output
ALIVE
1 3 2 4
Input
5 5
1 1 1 2 1
3 4
1 2
2 3
4 5
4 5
Output
ALIVE
5 4 1 3 2
Input
4 10
2 4 1 4
3 2
4 2
4 1
3 1
4 1
1 3
3 2
2 1
3 1
2 4
Output
DEAD
Note
In the first example, any of the following orders of friends are correct : [1, 3, 2], [3, 1, 2], [2, 3, 1], [3, 2, 1].
In the second example, Lee should call the second friend first (the friend will eat a plate of food 1) and then call the first friend (the friend will eat a plate of food 2). If he calls the first friend sooner than the second one, then the first friend will eat one plate of food 1 and food 2 and there will be no food left for the second friend to eat. | instruction | 0 | 83,563 | 9 | 167,126 |
Tags: data structures, dfs and similar, greedy, implementation, sortings
Correct Solution:
```
import sys
from collections import deque
def input():
return sys.stdin.readline().rstrip()
def input_split():
return [int(i) for i in input().split()]
n,m = input_split()
w = input_split()
num = [0 for i in range(n)]
p = [[] for i in range(n)]
done = [False for i in range(n)]
done_people = [False for i in range(m)]
people = []
for i in range(m):
x,y = map(int, input().split())
x-=1; y-=1
num[x]+= 1; num[y]+= 1
p[x].append(i)
p[y].append(i)
people.append((x,y))
q = deque()
for i in range(n):
if num[i] <= w[i]:
q.append(i)
done[i] = True
ans = []
while (len(q) > 0):
u = q.popleft()
for elem in p[u]:
if people[elem][0] == u:
food = people[elem][1]
else:
food = people[elem][0]
if done_people[elem] == False:
ans.append(elem)
done_people[elem] = True
if done[food] == False:
num[food] -= 1
if (num[food] <= w[food]):
q.append(food)
done[food] = True
for i in done:
if i == False:
print("DEAD")
break
else:
print("ALIVE")
ans.reverse()
ans = [i+1 for i in ans]
print(*ans, sep = " ")
``` | output | 1 | 83,563 | 9 | 167,127 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Lee bought some food for dinner time, but Lee's friends eat dinner in a deadly way. Lee is so scared, he doesn't want to die, at least not before seeing Online IOI 2020...
There are n different types of food and m Lee's best friends. Lee has w_i plates of the i-th type of food and each friend has two different favorite types of food: the i-th friend's favorite types of food are x_i and y_i (x_i β y_i).
Lee will start calling his friends one by one. Whoever is called will go to the kitchen and will try to eat one plate of each of his favorite food types. Each of the friends will go to the kitchen exactly once.
The only problem is the following: if a friend will eat at least one plate of food (in total) then he will be harmless. But if there is nothing left for him to eat (neither x_i nor y_i), he will eat Lee instead Γ\\_Γ.
Lee can choose the order of friends to call, so he'd like to determine if he can survive dinner or not. Also, he'd like to know the order itself.
Input
The first line contains two integers n and m (2 β€ n β€ 10^5; 1 β€ m β€ 2 β
10^5) β the number of different food types and the number of Lee's friends.
The second line contains n integers w_1, w_2, β¦, w_n (0 β€ w_i β€ 10^6) β the number of plates of each food type.
The i-th line of the next m lines contains two integers x_i and y_i (1 β€ x_i, y_i β€ n; x_i β y_i) β the favorite types of food of the i-th friend.
Output
If Lee can survive the dinner then print ALIVE (case insensitive), otherwise print DEAD (case insensitive).
Also, if he can survive the dinner, print the order Lee should call friends. If there are multiple valid orders, print any of them.
Examples
Input
3 3
1 2 1
1 2
2 3
1 3
Output
ALIVE
3 2 1
Input
3 2
1 1 0
1 2
1 3
Output
ALIVE
2 1
Input
4 4
1 2 0 1
1 3
1 2
2 3
2 4
Output
ALIVE
1 3 2 4
Input
5 5
1 1 1 2 1
3 4
1 2
2 3
4 5
4 5
Output
ALIVE
5 4 1 3 2
Input
4 10
2 4 1 4
3 2
4 2
4 1
3 1
4 1
1 3
3 2
2 1
3 1
2 4
Output
DEAD
Note
In the first example, any of the following orders of friends are correct : [1, 3, 2], [3, 1, 2], [2, 3, 1], [3, 2, 1].
In the second example, Lee should call the second friend first (the friend will eat a plate of food 1) and then call the first friend (the friend will eat a plate of food 2). If he calls the first friend sooner than the second one, then the first friend will eat one plate of food 1 and food 2 and there will be no food left for the second friend to eat. | instruction | 0 | 83,564 | 9 | 167,128 |
Tags: data structures, dfs and similar, greedy, implementation, sortings
Correct Solution:
```
import collections
import sys
inpy = [int(x) for x in sys.stdin.read().split()]
n, m = inpy[:2]
w = inpy[2: 2 + n]
memo = [set() for _ in range(n)]
p = [[] for _i in range(m + 1)]
for i in range(1, m + 1):
x, y = inpy[n + 2 * i: 2 + n + 2 * i]
memo[x-1].add((i, y - 1))
memo[y-1].add((i, x - 1))
w[x-1] -= 1
w[y-1] -= 1
que = collections.deque()
for i in range(n):
if w[i] >= 0:
que.append(i)
res = collections.deque()
exist = [False] * (m + 1)
while que and len(res) < m:
x = que.popleft()
for i, o in memo[x]:
if not exist[i]:
res.append(i)
exist[i] = True
w[o] += 1
if w[o] == 0:
que.append(o)
if len(res) != m:
print('DEAD')
else:
print('ALIVE')
for i in reversed(res):
print(i, end=' ')
print()
``` | output | 1 | 83,564 | 9 | 167,129 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Lee bought some food for dinner time, but Lee's friends eat dinner in a deadly way. Lee is so scared, he doesn't want to die, at least not before seeing Online IOI 2020...
There are n different types of food and m Lee's best friends. Lee has w_i plates of the i-th type of food and each friend has two different favorite types of food: the i-th friend's favorite types of food are x_i and y_i (x_i β y_i).
Lee will start calling his friends one by one. Whoever is called will go to the kitchen and will try to eat one plate of each of his favorite food types. Each of the friends will go to the kitchen exactly once.
The only problem is the following: if a friend will eat at least one plate of food (in total) then he will be harmless. But if there is nothing left for him to eat (neither x_i nor y_i), he will eat Lee instead Γ\\_Γ.
Lee can choose the order of friends to call, so he'd like to determine if he can survive dinner or not. Also, he'd like to know the order itself.
Input
The first line contains two integers n and m (2 β€ n β€ 10^5; 1 β€ m β€ 2 β
10^5) β the number of different food types and the number of Lee's friends.
The second line contains n integers w_1, w_2, β¦, w_n (0 β€ w_i β€ 10^6) β the number of plates of each food type.
The i-th line of the next m lines contains two integers x_i and y_i (1 β€ x_i, y_i β€ n; x_i β y_i) β the favorite types of food of the i-th friend.
Output
If Lee can survive the dinner then print ALIVE (case insensitive), otherwise print DEAD (case insensitive).
Also, if he can survive the dinner, print the order Lee should call friends. If there are multiple valid orders, print any of them.
Examples
Input
3 3
1 2 1
1 2
2 3
1 3
Output
ALIVE
3 2 1
Input
3 2
1 1 0
1 2
1 3
Output
ALIVE
2 1
Input
4 4
1 2 0 1
1 3
1 2
2 3
2 4
Output
ALIVE
1 3 2 4
Input
5 5
1 1 1 2 1
3 4
1 2
2 3
4 5
4 5
Output
ALIVE
5 4 1 3 2
Input
4 10
2 4 1 4
3 2
4 2
4 1
3 1
4 1
1 3
3 2
2 1
3 1
2 4
Output
DEAD
Note
In the first example, any of the following orders of friends are correct : [1, 3, 2], [3, 1, 2], [2, 3, 1], [3, 2, 1].
In the second example, Lee should call the second friend first (the friend will eat a plate of food 1) and then call the first friend (the friend will eat a plate of food 2). If he calls the first friend sooner than the second one, then the first friend will eat one plate of food 1 and food 2 and there will be no food left for the second friend to eat.
Submitted Solution:
```
import itertools as it
import collections as cc
import heapq as hp
import sys
I=lambda : list(map(int,input().split()))
import operator as op
from functools import reduce
n,m=I()
w=I()
de=[0]*n
for i in range(n):
de[i]=[0]
pre=[0]*m
visi=[0]*m
for i in range(m):
x,y=I()
x-=1;y-=1
pre[i]=[x,y]
de[x][0]+=1
de[y][0]+=1
de[x].append(i)
de[y].append(i)
an=[]
te=[]
ans=[]
for i in range(n):
if de[i][0]<=w[i]:
te.append(i)
while len(te)>0:
tem=te.pop()
for i in range(1,len(de[tem])):
fr=de[tem][i]
if not visi[fr]:
visi[fr]=1
ans.append(fr+1)
fo=pre[fr][0]+pre[fr][1]-tem
de[fo][0]-=1
if de[fo][0]==w[fo]:
te.append(fo)
if len(ans)==m:
print("ALIVE")
print(*ans[::-1])
else:
print("DEAD")
``` | instruction | 0 | 83,565 | 9 | 167,130 |
Yes | output | 1 | 83,565 | 9 | 167,131 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Lee bought some food for dinner time, but Lee's friends eat dinner in a deadly way. Lee is so scared, he doesn't want to die, at least not before seeing Online IOI 2020...
There are n different types of food and m Lee's best friends. Lee has w_i plates of the i-th type of food and each friend has two different favorite types of food: the i-th friend's favorite types of food are x_i and y_i (x_i β y_i).
Lee will start calling his friends one by one. Whoever is called will go to the kitchen and will try to eat one plate of each of his favorite food types. Each of the friends will go to the kitchen exactly once.
The only problem is the following: if a friend will eat at least one plate of food (in total) then he will be harmless. But if there is nothing left for him to eat (neither x_i nor y_i), he will eat Lee instead Γ\\_Γ.
Lee can choose the order of friends to call, so he'd like to determine if he can survive dinner or not. Also, he'd like to know the order itself.
Input
The first line contains two integers n and m (2 β€ n β€ 10^5; 1 β€ m β€ 2 β
10^5) β the number of different food types and the number of Lee's friends.
The second line contains n integers w_1, w_2, β¦, w_n (0 β€ w_i β€ 10^6) β the number of plates of each food type.
The i-th line of the next m lines contains two integers x_i and y_i (1 β€ x_i, y_i β€ n; x_i β y_i) β the favorite types of food of the i-th friend.
Output
If Lee can survive the dinner then print ALIVE (case insensitive), otherwise print DEAD (case insensitive).
Also, if he can survive the dinner, print the order Lee should call friends. If there are multiple valid orders, print any of them.
Examples
Input
3 3
1 2 1
1 2
2 3
1 3
Output
ALIVE
3 2 1
Input
3 2
1 1 0
1 2
1 3
Output
ALIVE
2 1
Input
4 4
1 2 0 1
1 3
1 2
2 3
2 4
Output
ALIVE
1 3 2 4
Input
5 5
1 1 1 2 1
3 4
1 2
2 3
4 5
4 5
Output
ALIVE
5 4 1 3 2
Input
4 10
2 4 1 4
3 2
4 2
4 1
3 1
4 1
1 3
3 2
2 1
3 1
2 4
Output
DEAD
Note
In the first example, any of the following orders of friends are correct : [1, 3, 2], [3, 1, 2], [2, 3, 1], [3, 2, 1].
In the second example, Lee should call the second friend first (the friend will eat a plate of food 1) and then call the first friend (the friend will eat a plate of food 2). If he calls the first friend sooner than the second one, then the first friend will eat one plate of food 1 and food 2 and there will be no food left for the second friend to eat.
Submitted Solution:
```
from sys import stdin, gettrace#
from operator import sub
from heapq import heappush, heappop, heapify
if gettrace():
inputi = input
else:
def input():
return next(stdin)[:-1]
def inputi():
return stdin.buffer.readline()
def main():
n,m = map(int, inputi().split())
ww = [int(a) for a in inputi().split()]
ff = []
for _ in range(m):
x,y = map(int, inputi().split())
ff.append((x-1,y-1))
ffx = [set() for _ in range(n)]
ss = [0]*n
for i, (x, y) in enumerate(ff):
ffx[x].add(i)
ffx[y].add(i)
ss[x] += 1
ss[y] += 1
short = map(sub, ss, ww)
sh = list(zip(short, range(n)))
heapify(sh)
res = []
used = [False] * n
while sh:
d, i = heappop(sh)
if used[i] or d != ss[i] - ww[i]:
continue
if d > 0:
print("DEAD")
return
res += ffx[i]
used[i] = True
for j in ffx[i]:
x,y = ff[j]
if y == i:
y = x
ffx[y].remove(j)
if not used[y]:
ss[y] -= 1
heappush(sh, (ss[y] - ww[y], y))
print("ALIVE")
print(' '.join(map(lambda x:str(x+1), res[::-1])))
if __name__ == "__main__":
main()
``` | instruction | 0 | 83,566 | 9 | 167,132 |
Yes | output | 1 | 83,566 | 9 | 167,133 |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.