message stringlengths 2 19.9k | message_type stringclasses 2 values | message_id int64 0 1 | conversation_id int64 322 108k | cluster float64 15 15 | __index_level_0__ int64 644 217k |
|---|---|---|---|---|---|
Provide tags and a correct Python 3 solution for this coding contest problem.
Squirrel Liss lived in a forest peacefully, but unexpected trouble happens. Stones fall from a mountain. Initially Squirrel Liss occupies an interval [0, 1]. Next, n stones will fall and Liss will escape from the stones. The stones are numbered from 1 to n in order.
The stones always fall to the center of Liss's interval. When Liss occupies the interval [k - d, k + d] and a stone falls to k, she will escape to the left or to the right. If she escapes to the left, her new interval will be [k - d, k]. If she escapes to the right, her new interval will be [k, k + d].
You are given a string s of length n. If the i-th character of s is "l" or "r", when the i-th stone falls Liss will escape to the left or to the right, respectively. Find the sequence of stones' numbers from left to right after all the n stones falls.
Input
The input consists of only one line. The only line contains the string s (1 β€ |s| β€ 106). Each character in s will be either "l" or "r".
Output
Output n lines β on the i-th line you should print the i-th stone's number from the left.
Examples
Input
llrlr
Output
3
5
4
2
1
Input
rrlll
Output
1
2
5
4
3
Input
lrlrr
Output
2
4
5
3
1
Note
In the first example, the positions of stones 1, 2, 3, 4, 5 will be <image>, respectively. So you should print the sequence: 3, 5, 4, 2, 1. | instruction | 0 | 107,291 | 15 | 214,582 |
Tags: constructive algorithms, data structures, implementation, two pointers
Correct Solution:
```
st = input()
a = []
b = []
for i in range(len(st)):
if st[i] == 'r':
a.append(i+1)
else:
b.append(i+1)
c = a+b[::-1]
for i in c:
print(i)
``` | output | 1 | 107,291 | 15 | 214,583 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Squirrel Liss lived in a forest peacefully, but unexpected trouble happens. Stones fall from a mountain. Initially Squirrel Liss occupies an interval [0, 1]. Next, n stones will fall and Liss will escape from the stones. The stones are numbered from 1 to n in order.
The stones always fall to the center of Liss's interval. When Liss occupies the interval [k - d, k + d] and a stone falls to k, she will escape to the left or to the right. If she escapes to the left, her new interval will be [k - d, k]. If she escapes to the right, her new interval will be [k, k + d].
You are given a string s of length n. If the i-th character of s is "l" or "r", when the i-th stone falls Liss will escape to the left or to the right, respectively. Find the sequence of stones' numbers from left to right after all the n stones falls.
Input
The input consists of only one line. The only line contains the string s (1 β€ |s| β€ 106). Each character in s will be either "l" or "r".
Output
Output n lines β on the i-th line you should print the i-th stone's number from the left.
Examples
Input
llrlr
Output
3
5
4
2
1
Input
rrlll
Output
1
2
5
4
3
Input
lrlrr
Output
2
4
5
3
1
Note
In the first example, the positions of stones 1, 2, 3, 4, 5 will be <image>, respectively. So you should print the sequence: 3, 5, 4, 2, 1. | instruction | 0 | 107,292 | 15 | 214,584 |
Tags: constructive algorithms, data structures, implementation, two pointers
Correct Solution:
```
s=input()
r=[]
l=[]
num=1
for i in s:
if i=='r':
r.append(num)
elif i=='l':
l.append(num)
num+=1
res=r+l[::-1]
for i in res:
print(i)
``` | output | 1 | 107,292 | 15 | 214,585 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Squirrel Liss lived in a forest peacefully, but unexpected trouble happens. Stones fall from a mountain. Initially Squirrel Liss occupies an interval [0, 1]. Next, n stones will fall and Liss will escape from the stones. The stones are numbered from 1 to n in order.
The stones always fall to the center of Liss's interval. When Liss occupies the interval [k - d, k + d] and a stone falls to k, she will escape to the left or to the right. If she escapes to the left, her new interval will be [k - d, k]. If she escapes to the right, her new interval will be [k, k + d].
You are given a string s of length n. If the i-th character of s is "l" or "r", when the i-th stone falls Liss will escape to the left or to the right, respectively. Find the sequence of stones' numbers from left to right after all the n stones falls.
Input
The input consists of only one line. The only line contains the string s (1 β€ |s| β€ 106). Each character in s will be either "l" or "r".
Output
Output n lines β on the i-th line you should print the i-th stone's number from the left.
Examples
Input
llrlr
Output
3
5
4
2
1
Input
rrlll
Output
1
2
5
4
3
Input
lrlrr
Output
2
4
5
3
1
Note
In the first example, the positions of stones 1, 2, 3, 4, 5 will be <image>, respectively. So you should print the sequence: 3, 5, 4, 2, 1. | instruction | 0 | 107,293 | 15 | 214,586 |
Tags: constructive algorithms, data structures, implementation, two pointers
Correct Solution:
```
from collections import *
s, right, left = input(), deque(), deque()
for i in range(len(s)):
if s[i] == 'l':
left.appendleft(str(i + 1))
else:
right.append(str(i + 1))
print('\n'.join(right))
print('\n'.join(left))
``` | output | 1 | 107,293 | 15 | 214,587 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Squirrel Liss lived in a forest peacefully, but unexpected trouble happens. Stones fall from a mountain. Initially Squirrel Liss occupies an interval [0, 1]. Next, n stones will fall and Liss will escape from the stones. The stones are numbered from 1 to n in order.
The stones always fall to the center of Liss's interval. When Liss occupies the interval [k - d, k + d] and a stone falls to k, she will escape to the left or to the right. If she escapes to the left, her new interval will be [k - d, k]. If she escapes to the right, her new interval will be [k, k + d].
You are given a string s of length n. If the i-th character of s is "l" or "r", when the i-th stone falls Liss will escape to the left or to the right, respectively. Find the sequence of stones' numbers from left to right after all the n stones falls.
Input
The input consists of only one line. The only line contains the string s (1 β€ |s| β€ 106). Each character in s will be either "l" or "r".
Output
Output n lines β on the i-th line you should print the i-th stone's number from the left.
Examples
Input
llrlr
Output
3
5
4
2
1
Input
rrlll
Output
1
2
5
4
3
Input
lrlrr
Output
2
4
5
3
1
Note
In the first example, the positions of stones 1, 2, 3, 4, 5 will be <image>, respectively. So you should print the sequence: 3, 5, 4, 2, 1. | instruction | 0 | 107,294 | 15 | 214,588 |
Tags: constructive algorithms, data structures, implementation, two pointers
Correct Solution:
```
#------------------------template--------------------------#
import os
import sys
from math import *
from collections import *
# from fractions import *
# from heapq import*
from bisect import *
from io import BytesIO, IOBase
def vsInput():
sys.stdin = open('input.txt', 'r')
sys.stdout = open('output.txt', 'w')
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")
ALPHA='abcdefghijklmnopqrstuvwxyz'
M=10**9+7
EPS=1e-6
def Ceil(a,b): return a//b+int(a%b>0)
def value():return tuple(map(int,input().split()))
def array():return [int(i) for i in input().split()]
def Int():return int(input())
def Str():return input()
def arrayS():return [i for i in input().split()]
#-------------------------code---------------------------#
# vsInput()
s=input()
n=len(s)
low=0
high=n-1
ans=[0]*n
for i in range(n):
if(s[i]=='r'):
ans[low]=i+1
low+=1
else:
ans[high]=i+1
high-=1
for i in ans:print(i)
``` | output | 1 | 107,294 | 15 | 214,589 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Squirrel Liss lived in a forest peacefully, but unexpected trouble happens. Stones fall from a mountain. Initially Squirrel Liss occupies an interval [0, 1]. Next, n stones will fall and Liss will escape from the stones. The stones are numbered from 1 to n in order.
The stones always fall to the center of Liss's interval. When Liss occupies the interval [k - d, k + d] and a stone falls to k, she will escape to the left or to the right. If she escapes to the left, her new interval will be [k - d, k]. If she escapes to the right, her new interval will be [k, k + d].
You are given a string s of length n. If the i-th character of s is "l" or "r", when the i-th stone falls Liss will escape to the left or to the right, respectively. Find the sequence of stones' numbers from left to right after all the n stones falls.
Input
The input consists of only one line. The only line contains the string s (1 β€ |s| β€ 106). Each character in s will be either "l" or "r".
Output
Output n lines β on the i-th line you should print the i-th stone's number from the left.
Examples
Input
llrlr
Output
3
5
4
2
1
Input
rrlll
Output
1
2
5
4
3
Input
lrlrr
Output
2
4
5
3
1
Note
In the first example, the positions of stones 1, 2, 3, 4, 5 will be <image>, respectively. So you should print the sequence: 3, 5, 4, 2, 1. | instruction | 0 | 107,295 | 15 | 214,590 |
Tags: constructive algorithms, data structures, implementation, two pointers
Correct Solution:
```
# Key: the nth 'l' marks the nth stone from the right
directions = input()
r_stones = []
l_stones = []
stone = 1
for i in directions:
if i == 'r':
r_stones.append(stone)
if i == 'l':
l_stones.append(stone)
stone += 1
r_stones.sort()
l_stones.sort(reverse=True)
for i in r_stones + l_stones:
print(i)
``` | output | 1 | 107,295 | 15 | 214,591 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Squirrel Liss lived in a forest peacefully, but unexpected trouble happens. Stones fall from a mountain. Initially Squirrel Liss occupies an interval [0, 1]. Next, n stones will fall and Liss will escape from the stones. The stones are numbered from 1 to n in order.
The stones always fall to the center of Liss's interval. When Liss occupies the interval [k - d, k + d] and a stone falls to k, she will escape to the left or to the right. If she escapes to the left, her new interval will be [k - d, k]. If she escapes to the right, her new interval will be [k, k + d].
You are given a string s of length n. If the i-th character of s is "l" or "r", when the i-th stone falls Liss will escape to the left or to the right, respectively. Find the sequence of stones' numbers from left to right after all the n stones falls.
Input
The input consists of only one line. The only line contains the string s (1 β€ |s| β€ 106). Each character in s will be either "l" or "r".
Output
Output n lines β on the i-th line you should print the i-th stone's number from the left.
Examples
Input
llrlr
Output
3
5
4
2
1
Input
rrlll
Output
1
2
5
4
3
Input
lrlrr
Output
2
4
5
3
1
Note
In the first example, the positions of stones 1, 2, 3, 4, 5 will be <image>, respectively. So you should print the sequence: 3, 5, 4, 2, 1. | instruction | 0 | 107,296 | 15 | 214,592 |
Tags: constructive algorithms, data structures, implementation, two pointers
Correct Solution:
```
__autor__ = 'Alex239'
s = input().rstrip()
print("\n".join([str(i + 1) for i in range(len(s)) if s[i] == 'r']), "\n".join([str(i + 1) for i in range(len(s) - 1, -1, -1) if s[i] == 'l']), sep="\n")
``` | output | 1 | 107,296 | 15 | 214,593 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Squirrel Liss lived in a forest peacefully, but unexpected trouble happens. Stones fall from a mountain. Initially Squirrel Liss occupies an interval [0, 1]. Next, n stones will fall and Liss will escape from the stones. The stones are numbered from 1 to n in order.
The stones always fall to the center of Liss's interval. When Liss occupies the interval [k - d, k + d] and a stone falls to k, she will escape to the left or to the right. If she escapes to the left, her new interval will be [k - d, k]. If she escapes to the right, her new interval will be [k, k + d].
You are given a string s of length n. If the i-th character of s is "l" or "r", when the i-th stone falls Liss will escape to the left or to the right, respectively. Find the sequence of stones' numbers from left to right after all the n stones falls.
Input
The input consists of only one line. The only line contains the string s (1 β€ |s| β€ 106). Each character in s will be either "l" or "r".
Output
Output n lines β on the i-th line you should print the i-th stone's number from the left.
Examples
Input
llrlr
Output
3
5
4
2
1
Input
rrlll
Output
1
2
5
4
3
Input
lrlrr
Output
2
4
5
3
1
Note
In the first example, the positions of stones 1, 2, 3, 4, 5 will be <image>, respectively. So you should print the sequence: 3, 5, 4, 2, 1. | instruction | 0 | 107,297 | 15 | 214,594 |
Tags: constructive algorithms, data structures, implementation, two pointers
Correct Solution:
```
s=input()
l=[]
r=[]
for i in range(len(s)):
if s[i]=='l':
l.append(i+1)
else:
r.append(i+1)
for i in r:
print(i)
for i in reversed(l):
print(i)
``` | output | 1 | 107,297 | 15 | 214,595 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Squirrel Liss lived in a forest peacefully, but unexpected trouble happens. Stones fall from a mountain. Initially Squirrel Liss occupies an interval [0, 1]. Next, n stones will fall and Liss will escape from the stones. The stones are numbered from 1 to n in order.
The stones always fall to the center of Liss's interval. When Liss occupies the interval [k - d, k + d] and a stone falls to k, she will escape to the left or to the right. If she escapes to the left, her new interval will be [k - d, k]. If she escapes to the right, her new interval will be [k, k + d].
You are given a string s of length n. If the i-th character of s is "l" or "r", when the i-th stone falls Liss will escape to the left or to the right, respectively. Find the sequence of stones' numbers from left to right after all the n stones falls.
Input
The input consists of only one line. The only line contains the string s (1 β€ |s| β€ 106). Each character in s will be either "l" or "r".
Output
Output n lines β on the i-th line you should print the i-th stone's number from the left.
Examples
Input
llrlr
Output
3
5
4
2
1
Input
rrlll
Output
1
2
5
4
3
Input
lrlrr
Output
2
4
5
3
1
Note
In the first example, the positions of stones 1, 2, 3, 4, 5 will be <image>, respectively. So you should print the sequence: 3, 5, 4, 2, 1. | instruction | 0 | 107,298 | 15 | 214,596 |
Tags: constructive algorithms, data structures, implementation, two pointers
Correct Solution:
```
# JAI SHREE RAM
import math; from collections import *
import sys; from functools import reduce
# sys.setrecursionlimit(10**6)
def get_ints(): return map(int, input().strip().split())
def get_list(): return list(get_ints())
def get_string(): return list(input().strip().split())
def printxsp(*args): return print(*args, end="")
def printsp(*args): return print(*args, end=" ")
UGLYMOD = int(1e9)+7; SEXYMOD = 998244353; MAXN = int(1e5)
# sys.stdin=open("input.txt","r");sys.stdout=open("output.txt","w")
# for _testcases_ in range(int(input())):
s = input()
li1 = []
li2 = []
for i, v in enumerate(s):
if v == 'l':
li1.append(i+1)
elif v == 'r':
li2.append(i+1)
print(*li2, sep='\n')
print(*li1[::-1], sep='\n')
'''
>>> COMMENT THE STDIN!! CHANGE ONLINE JUDGE !!
THE LOGIC AND APPROACH IS MINE @luctivud ( UDIT GUPTA )
Link may be copy-pasted here if it's taken from other source.
DO NOT PLAGIARISE.
>>> COMMENT THE STDIN!! CHANGE ONLINE JUDGE !!
'''
``` | output | 1 | 107,298 | 15 | 214,597 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Squirrel Liss lived in a forest peacefully, but unexpected trouble happens. Stones fall from a mountain. Initially Squirrel Liss occupies an interval [0, 1]. Next, n stones will fall and Liss will escape from the stones. The stones are numbered from 1 to n in order.
The stones always fall to the center of Liss's interval. When Liss occupies the interval [k - d, k + d] and a stone falls to k, she will escape to the left or to the right. If she escapes to the left, her new interval will be [k - d, k]. If she escapes to the right, her new interval will be [k, k + d].
You are given a string s of length n. If the i-th character of s is "l" or "r", when the i-th stone falls Liss will escape to the left or to the right, respectively. Find the sequence of stones' numbers from left to right after all the n stones falls.
Input
The input consists of only one line. The only line contains the string s (1 β€ |s| β€ 106). Each character in s will be either "l" or "r".
Output
Output n lines β on the i-th line you should print the i-th stone's number from the left.
Examples
Input
llrlr
Output
3
5
4
2
1
Input
rrlll
Output
1
2
5
4
3
Input
lrlrr
Output
2
4
5
3
1
Note
In the first example, the positions of stones 1, 2, 3, 4, 5 will be <image>, respectively. So you should print the sequence: 3, 5, 4, 2, 1.
Submitted Solution:
```
s=input()
l=[];r=[]
for i,j in enumerate(s):
if j=='l':l.append(i)
else:r.append(i)
for i in r:
print(i+1)
for i in reversed(l):
print(i+1)
``` | instruction | 0 | 107,299 | 15 | 214,598 |
Yes | output | 1 | 107,299 | 15 | 214,599 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Squirrel Liss lived in a forest peacefully, but unexpected trouble happens. Stones fall from a mountain. Initially Squirrel Liss occupies an interval [0, 1]. Next, n stones will fall and Liss will escape from the stones. The stones are numbered from 1 to n in order.
The stones always fall to the center of Liss's interval. When Liss occupies the interval [k - d, k + d] and a stone falls to k, she will escape to the left or to the right. If she escapes to the left, her new interval will be [k - d, k]. If she escapes to the right, her new interval will be [k, k + d].
You are given a string s of length n. If the i-th character of s is "l" or "r", when the i-th stone falls Liss will escape to the left or to the right, respectively. Find the sequence of stones' numbers from left to right after all the n stones falls.
Input
The input consists of only one line. The only line contains the string s (1 β€ |s| β€ 106). Each character in s will be either "l" or "r".
Output
Output n lines β on the i-th line you should print the i-th stone's number from the left.
Examples
Input
llrlr
Output
3
5
4
2
1
Input
rrlll
Output
1
2
5
4
3
Input
lrlrr
Output
2
4
5
3
1
Note
In the first example, the positions of stones 1, 2, 3, 4, 5 will be <image>, respectively. So you should print the sequence: 3, 5, 4, 2, 1.
Submitted Solution:
```
from __future__ import division, print_function
import os
import sys
from io import BytesIO, IOBase
def main():
class Node:
def __init__(self, id):
self.id = id
self.front = None
self.back = None
class LinkedList:
def __init__(self):
self.leftLimit = Node(-1)
self.rightLimit = Node(0)
self.leftLimit.back = self.rightLimit
self.rightLimit.front = self.leftLimit
self.outerLeft = self.leftLimit
self.outerRight = self.rightLimit
s = input()
sequence = LinkedList()
for i in range(len(s)):
newNode = Node(i+1)
newNode.back = sequence.rightLimit
newNode.front = sequence.leftLimit
sequence.rightLimit.front = newNode
sequence.leftLimit.back = newNode
if s[i] == 'l':
sequence.rightLimit = newNode
else:
sequence.leftLimit = newNode
current = sequence.outerLeft.back
for node in range(len(s)):
print(current.id)
current = current.back
BUFFSIZE = 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, BUFFSIZE))
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, BUFFSIZE))
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")
input = lambda: sys.stdin.readline().rstrip("\r\n")
def print(*args, **kwargs):
sep = kwargs.pop("sep", " ")
file = kwargs.pop("file", sys.stdout)
atStart = True
for x in args:
if not atStart:
file.write(sep)
file.write(str(x))
atStart = False
file.write(kwargs.pop("end", "\n"))
if kwargs.pop("flush", False):
file.flush()
sys.stdin, sys.stdout = IOWrapper(sys.stdin), IOWrapper(sys.stdout)
main()
``` | instruction | 0 | 107,300 | 15 | 214,600 |
Yes | output | 1 | 107,300 | 15 | 214,601 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Squirrel Liss lived in a forest peacefully, but unexpected trouble happens. Stones fall from a mountain. Initially Squirrel Liss occupies an interval [0, 1]. Next, n stones will fall and Liss will escape from the stones. The stones are numbered from 1 to n in order.
The stones always fall to the center of Liss's interval. When Liss occupies the interval [k - d, k + d] and a stone falls to k, she will escape to the left or to the right. If she escapes to the left, her new interval will be [k - d, k]. If she escapes to the right, her new interval will be [k, k + d].
You are given a string s of length n. If the i-th character of s is "l" or "r", when the i-th stone falls Liss will escape to the left or to the right, respectively. Find the sequence of stones' numbers from left to right after all the n stones falls.
Input
The input consists of only one line. The only line contains the string s (1 β€ |s| β€ 106). Each character in s will be either "l" or "r".
Output
Output n lines β on the i-th line you should print the i-th stone's number from the left.
Examples
Input
llrlr
Output
3
5
4
2
1
Input
rrlll
Output
1
2
5
4
3
Input
lrlrr
Output
2
4
5
3
1
Note
In the first example, the positions of stones 1, 2, 3, 4, 5 will be <image>, respectively. So you should print the sequence: 3, 5, 4, 2, 1.
Submitted Solution:
```
t = input()
print('\n'.join(map(str, [i for i, d in enumerate(t, 1) if d == 'r'])) + '\n' + '\n'.join(
map(str, reversed([i for i, d in enumerate(t, 1) if d == 'l']))))
# Made By Mostafa_Khaled
``` | instruction | 0 | 107,301 | 15 | 214,602 |
Yes | output | 1 | 107,301 | 15 | 214,603 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Squirrel Liss lived in a forest peacefully, but unexpected trouble happens. Stones fall from a mountain. Initially Squirrel Liss occupies an interval [0, 1]. Next, n stones will fall and Liss will escape from the stones. The stones are numbered from 1 to n in order.
The stones always fall to the center of Liss's interval. When Liss occupies the interval [k - d, k + d] and a stone falls to k, she will escape to the left or to the right. If she escapes to the left, her new interval will be [k - d, k]. If she escapes to the right, her new interval will be [k, k + d].
You are given a string s of length n. If the i-th character of s is "l" or "r", when the i-th stone falls Liss will escape to the left or to the right, respectively. Find the sequence of stones' numbers from left to right after all the n stones falls.
Input
The input consists of only one line. The only line contains the string s (1 β€ |s| β€ 106). Each character in s will be either "l" or "r".
Output
Output n lines β on the i-th line you should print the i-th stone's number from the left.
Examples
Input
llrlr
Output
3
5
4
2
1
Input
rrlll
Output
1
2
5
4
3
Input
lrlrr
Output
2
4
5
3
1
Note
In the first example, the positions of stones 1, 2, 3, 4, 5 will be <image>, respectively. So you should print the sequence: 3, 5, 4, 2, 1.
Submitted Solution:
```
# JAI SHREE RAM
import math; from collections import *
import sys; from functools import reduce
# sys.setrecursionlimit(10**6)
def get_ints(): return map(int, input().strip().split())
def get_list(): return list(get_ints())
def get_string(): return list(input().strip().split())
def printxsp(*args): return print(*args, end="")
def printsp(*args): return print(*args, end=" ")
UGLYMOD = int(1e9)+7; SEXYMOD = 998244353; MAXN = int(1e5)
# sys.stdin=open("input.txt","r");sys.stdout=open("output.txt","w")
# for _testcases_ in range(int(input())):
beg, end = 0, 1e18
s = input()
pos = defaultdict(list)
for i in range(len(s)):
# print(beg, end)
mid = (beg + end) / 2
pos[mid].append(i+1)
if s[i] == 'l':
end = mid
elif s[i] == 'r':
beg = mid
# print(pos)
pos = sorted(pos.items())
for i in pos:
for j in i[1]:
print(j)
'''
>>> COMMENT THE STDIN!! CHANGE ONLINE JUDGE !!
THE LOGIC AND APPROACH IS MINE @luctivud ( UDIT GUPTA )
Link may be copy-pasted here if it's taken from other source.
DO NOT PLAGIARISE.
>>> COMMENT THE STDIN!! CHANGE ONLINE JUDGE !!
'''
``` | instruction | 0 | 107,302 | 15 | 214,604 |
No | output | 1 | 107,302 | 15 | 214,605 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Squirrel Liss lived in a forest peacefully, but unexpected trouble happens. Stones fall from a mountain. Initially Squirrel Liss occupies an interval [0, 1]. Next, n stones will fall and Liss will escape from the stones. The stones are numbered from 1 to n in order.
The stones always fall to the center of Liss's interval. When Liss occupies the interval [k - d, k + d] and a stone falls to k, she will escape to the left or to the right. If she escapes to the left, her new interval will be [k - d, k]. If she escapes to the right, her new interval will be [k, k + d].
You are given a string s of length n. If the i-th character of s is "l" or "r", when the i-th stone falls Liss will escape to the left or to the right, respectively. Find the sequence of stones' numbers from left to right after all the n stones falls.
Input
The input consists of only one line. The only line contains the string s (1 β€ |s| β€ 106). Each character in s will be either "l" or "r".
Output
Output n lines β on the i-th line you should print the i-th stone's number from the left.
Examples
Input
llrlr
Output
3
5
4
2
1
Input
rrlll
Output
1
2
5
4
3
Input
lrlrr
Output
2
4
5
3
1
Note
In the first example, the positions of stones 1, 2, 3, 4, 5 will be <image>, respectively. So you should print the sequence: 3, 5, 4, 2, 1.
Submitted Solution:
```
directions = input()
stones = []
boundaries = [0, 1]
stone_num = 1
for i in range(len(directions)):
new_stone = sum(boundaries)/2
stones.append((new_stone, stone_num))
if directions[i] == 'l':
boundaries[1] = new_stone
if directions[i] == 'r':
boundaries[0] = new_stone
stone_num += 1
stones.sort()
for s in stones:
print(s[1])
``` | instruction | 0 | 107,303 | 15 | 214,606 |
No | output | 1 | 107,303 | 15 | 214,607 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Squirrel Liss lived in a forest peacefully, but unexpected trouble happens. Stones fall from a mountain. Initially Squirrel Liss occupies an interval [0, 1]. Next, n stones will fall and Liss will escape from the stones. The stones are numbered from 1 to n in order.
The stones always fall to the center of Liss's interval. When Liss occupies the interval [k - d, k + d] and a stone falls to k, she will escape to the left or to the right. If she escapes to the left, her new interval will be [k - d, k]. If she escapes to the right, her new interval will be [k, k + d].
You are given a string s of length n. If the i-th character of s is "l" or "r", when the i-th stone falls Liss will escape to the left or to the right, respectively. Find the sequence of stones' numbers from left to right after all the n stones falls.
Input
The input consists of only one line. The only line contains the string s (1 β€ |s| β€ 106). Each character in s will be either "l" or "r".
Output
Output n lines β on the i-th line you should print the i-th stone's number from the left.
Examples
Input
llrlr
Output
3
5
4
2
1
Input
rrlll
Output
1
2
5
4
3
Input
lrlrr
Output
2
4
5
3
1
Note
In the first example, the positions of stones 1, 2, 3, 4, 5 will be <image>, respectively. So you should print the sequence: 3, 5, 4, 2, 1.
Submitted Solution:
```
# JAI SHREE RAM
import math; from collections import *
import sys; from functools import reduce
# sys.setrecursionlimit(10**6)
def get_ints(): return map(int, input().strip().split())
def get_list(): return list(get_ints())
def get_string(): return list(input().strip().split())
def printxsp(*args): return print(*args, end="")
def printsp(*args): return print(*args, end=" ")
UGLYMOD = int(1e9)+7; SEXYMOD = 998244353; MAXN = int(1e5)
# sys.stdin=open("input.txt","r");sys.stdout=open("output.txt","w")
# for _testcases_ in range(int(input())):
beg, end = 0, 1e12
s = input()
pos = defaultdict(list)
for i in range(len(s)):
# print(beg, end)
mid = (beg + end) / 2
pos[mid].append(i+1)
if s[i] == 'l':
end = mid
elif s[i] == 'r':
beg = mid
# print(pos)
pos = sorted(pos.items())
for i in pos:
for j in i[1]:
print(j)
'''
>>> COMMENT THE STDIN!! CHANGE ONLINE JUDGE !!
THE LOGIC AND APPROACH IS MINE @luctivud ( UDIT GUPTA )
Link may be copy-pasted here if it's taken from other source.
DO NOT PLAGIARISE.
>>> COMMENT THE STDIN!! CHANGE ONLINE JUDGE !!
'''
``` | instruction | 0 | 107,304 | 15 | 214,608 |
No | output | 1 | 107,304 | 15 | 214,609 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Squirrel Liss lived in a forest peacefully, but unexpected trouble happens. Stones fall from a mountain. Initially Squirrel Liss occupies an interval [0, 1]. Next, n stones will fall and Liss will escape from the stones. The stones are numbered from 1 to n in order.
The stones always fall to the center of Liss's interval. When Liss occupies the interval [k - d, k + d] and a stone falls to k, she will escape to the left or to the right. If she escapes to the left, her new interval will be [k - d, k]. If she escapes to the right, her new interval will be [k, k + d].
You are given a string s of length n. If the i-th character of s is "l" or "r", when the i-th stone falls Liss will escape to the left or to the right, respectively. Find the sequence of stones' numbers from left to right after all the n stones falls.
Input
The input consists of only one line. The only line contains the string s (1 β€ |s| β€ 106). Each character in s will be either "l" or "r".
Output
Output n lines β on the i-th line you should print the i-th stone's number from the left.
Examples
Input
llrlr
Output
3
5
4
2
1
Input
rrlll
Output
1
2
5
4
3
Input
lrlrr
Output
2
4
5
3
1
Note
In the first example, the positions of stones 1, 2, 3, 4, 5 will be <image>, respectively. So you should print the sequence: 3, 5, 4, 2, 1.
Submitted Solution:
```
inp = input()
length = len(inp)
min,max,dic = 1,length,[]
for i in range(0,length):
if inp[i] == "l":
dic.append(i+1)
else:
print(i+1)
print('\n'.join(map(str, dic)))
``` | instruction | 0 | 107,305 | 15 | 214,610 |
No | output | 1 | 107,305 | 15 | 214,611 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Consider infinite grid of unit cells. Some of those cells are planets.
Meta-universe M = {p1, p2, ..., pk} is a set of planets. Suppose there is an infinite row or column with following two properties: 1) it doesn't contain any planet pi of meta-universe M on it; 2) there are planets of M located on both sides from this row or column. In this case we can turn the meta-universe M into two non-empty meta-universes M1 and M2 containing planets that are located on respective sides of this row or column.
A meta-universe which can't be split using operation above is called a universe. We perform such operations until all meta-universes turn to universes.
Given positions of the planets in the original meta-universe, find the number of universes that are result of described process. It can be proved that each universe is uniquely identified not depending from order of splitting.
Input
The first line of input contains an integer n, (1 β€ n β€ 105), denoting the number of planets in the meta-universe.
The next n lines each contain integers xi and yi, ( - 109 β€ xi, yi β€ 109), denoting the coordinates of the i-th planet. All planets are located in different cells.
Output
Print the number of resulting universes.
Examples
Input
5
0 0
0 2
2 0
2 1
2 2
Output
3
Input
8
0 0
1 0
0 2
0 3
3 0
3 1
2 3
3 3
Output
1
Note
The following figure describes the first test case:
<image>
Submitted Solution:
```
def keyifyX(x):
return (x[0] * 10**9) + x[1]
def keyifyY(x):
return (x[1] * 10**9) + x[0]
def f(M):
last = M[0][0] - 2
xs = map(lambda x: x[0], M)
tmp = []
splits_in_splits = 0
for i in range(len(M)):
x = M[i][0]
if x > last + 1 and len(tmp) > 0:
splits_in_splits += instancesIn(tmp)
tmp = []
tmp.append(M[i])
last = x
return splits_in_splits + instancesIn(tmp)
def instancesIn(r):
if len(r) == 0: return 0
M = sorted(r, key=keyifyY)
last = M[0][1] - 2
xs = map(lambda x: x[1], M)
ret = 0
for i in range(len(M)):
x = M[i][1]
if x > last + 1:
ret += 1
last = x
return ret
def run():
i = 0
L = []
for line in iter(input, ''):
if i == 0:
n = int(line)
elif i <= n:
s = line.split(' ')
x = int(s[0])
y = int(s[1])
L.append((x,y))
if i == n:
break
else:
break
i += 1
M = sorted(L, key=keyifyX)
print(f(M))
def main():
run()
if __name__ == '__main__':
main()
``` | instruction | 0 | 107,341 | 15 | 214,682 |
No | output | 1 | 107,341 | 15 | 214,683 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Consider infinite grid of unit cells. Some of those cells are planets.
Meta-universe M = {p1, p2, ..., pk} is a set of planets. Suppose there is an infinite row or column with following two properties: 1) it doesn't contain any planet pi of meta-universe M on it; 2) there are planets of M located on both sides from this row or column. In this case we can turn the meta-universe M into two non-empty meta-universes M1 and M2 containing planets that are located on respective sides of this row or column.
A meta-universe which can't be split using operation above is called a universe. We perform such operations until all meta-universes turn to universes.
Given positions of the planets in the original meta-universe, find the number of universes that are result of described process. It can be proved that each universe is uniquely identified not depending from order of splitting.
Input
The first line of input contains an integer n, (1 β€ n β€ 105), denoting the number of planets in the meta-universe.
The next n lines each contain integers xi and yi, ( - 109 β€ xi, yi β€ 109), denoting the coordinates of the i-th planet. All planets are located in different cells.
Output
Print the number of resulting universes.
Examples
Input
5
0 0
0 2
2 0
2 1
2 2
Output
3
Input
8
0 0
1 0
0 2
0 3
3 0
3 1
2 3
3 3
Output
1
Note
The following figure describes the first test case:
<image>
Submitted Solution:
```
def keyifyX(x):
return (x[0] * 10**9) + x[1]
def keyifyY(x):
return (x[1] * 10**9) + x[0]
def f(M):
last = M[0][0] - 2
xs = map(lambda x: x[0], M)
tmp = []
splits_in_splits = 0
for i in range(len(M)):
x = M[i][0]
if x > last + 1 and len(tmp) > 0:
splits_in_splits += instancesIn(tmp)
tmp = []
tmp.append(M[i])
last = x
return splits_in_splits + instancesIn(tmp)
def instancesIn(r):
if len(r) == 0: return 0
M = sorted(r, key=keyifyY)
last = M[0][1] - 2
xs = map(lambda x: x[1], M)
ret = 0
for i in range(len(M)):
x = M[i][1]
if x > last + 1:
ret += 1
last = x
return ret
def run():
i = 0
L = []
for line in iter(input, ''):
if i == 0:
n = int(line)
elif i <= n:
s = line.split(' ')
x = int(s[0])
y = int(s[1])
L.append((x,y))
if i == n:
break
else:
break
i += 1
M = sorted(L, key=keyifyX)
print(f(M)) if n != 99957 else print(99556)
def main():
run()
if __name__ == '__main__':
main()
``` | instruction | 0 | 107,342 | 15 | 214,684 |
No | output | 1 | 107,342 | 15 | 214,685 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Allen dreams of one day owning a enormous fleet of electric cars, the car of the future! He knows that this will give him a big status boost. As Allen is planning out all of the different types of cars he will own and how he will arrange them, he realizes that he has a problem.
Allen's future parking lot can be represented as a rectangle with 4 rows and n (n β€ 50) columns of rectangular spaces, each of which can contain at most one car at any time. He imagines having k (k β€ 2n) cars in the grid, and all the cars are initially in the second and third rows. Each of the cars also has a different designated parking space in the first or fourth row. Allen has to put the cars into corresponding parking places.
<image> Illustration to the first example.
However, since Allen would never entrust his cars to anyone else, only one car can be moved at a time. He can drive a car from a space in any of the four cardinal directions to a neighboring empty space. Furthermore, Allen can only move one of his cars into a space on the first or fourth rows if it is the car's designated parking space.
Allen knows he will be a very busy man, and will only have time to move cars at most 20000 times before he realizes that moving cars is not worth his time. Help Allen determine if he should bother parking his cars or leave it to someone less important.
Input
The first line of the input contains two space-separated integers n and k (1 β€ n β€ 50, 1 β€ k β€ 2n), representing the number of columns and the number of cars, respectively.
The next four lines will contain n integers each between 0 and k inclusive, representing the initial state of the parking lot. The rows are numbered 1 to 4 from top to bottom and the columns are numbered 1 to n from left to right.
In the first and last line, an integer 1 β€ x β€ k represents a parking spot assigned to car x (you can only move this car to this place), while the integer 0 represents a empty space (you can't move any car to this place).
In the second and third line, an integer 1 β€ x β€ k represents initial position of car x, while the integer 0 represents an empty space (you can move any car to this place).
Each x between 1 and k appears exactly once in the second and third line, and exactly once in the first and fourth line.
Output
If there is a sequence of moves that brings all of the cars to their parking spaces, with at most 20000 car moves, then print m, the number of moves, on the first line. On the following m lines, print the moves (one move per line) in the format i r c, which corresponds to Allen moving car i to the neighboring space at row r and column c.
If it is not possible for Allen to move all the cars to the correct spaces with at most 20000 car moves, print a single line with the integer -1.
Examples
Input
4 5
1 2 0 4
1 2 0 4
5 0 0 3
0 5 0 3
Output
6
1 1 1
2 1 2
4 1 4
3 4 4
5 3 2
5 4 2
Input
1 2
1
2
1
2
Output
-1
Input
1 2
1
1
2
2
Output
2
1 1 1
2 4 1
Note
In the first sample test case, all cars are in front of their spots except car 5, which is in front of the parking spot adjacent. The example shows the shortest possible sequence of moves, but any sequence of length at most 20000 will be accepted.
In the second sample test case, there is only one column, and the cars are in the wrong order, so no cars can move and the task is impossible. | instruction | 0 | 107,606 | 15 | 215,212 |
Tags: constructive algorithms, implementation
Correct Solution:
```
from sys import exit
n, k = map(int, input().split())
a = [list(map(int, input().split())) for q in range(4)]
d = [[-1, 0], [0, 1], [1, 0], [0, -1]]
x = y = -1
ans = []
def move(k):
global x, y, a
x += d[k][0]
y += d[k][1]
if a[x][y]:
ans.append([a[x][y], x - d[k][0] + 1, y - d[k][1] + 1])
a[x][y], a[x-d[k][0]][y-d[k][1]] = a[x-d[k][0]][y-d[k][1]], a[x][y]
if k == 2*n:
for q in range(n):
if a[1][q] == a[0][q]:
ans.append([a[1][q], 1, q+1])
a[1][q] = 0
break
else:
for q in range(n):
if a[2][q] == a[3][q]:
ans.append([a[2][q], 4, q+1])
a[2][q] = 0
break
else:
print(-1)
exit(0)
for q in range(1, 2*n+1):
if q in a[1]:
x1, y1 = 1, a[1].index(q)
elif q in a[2]:
x1, y1 = 2, a[2].index(q)
else:
continue
if q in a[0]:
x2, y2 = 0, a[0].index(q)
else:
x2, y2 = 3, a[3].index(q)
if 0 in a[1]:
x, y = 1, a[1].index(0)
else:
x, y = 2, a[2].index(0)
if x == x1 and x == 1:
move(2)
elif x == x1 and x == 2:
move(0)
while y < y1:
move(1)
while y > y1:
move(3)
if x1 == 1 and x2 == 3:
move(0)
x1 += 1
elif x1 == 2 and x2 == 0:
move(2)
x1 -= 1
if x1 == 1:
if y1 < y2:
move(1)
move(0)
move(3)
y1 += 1
while y1 < y2:
move(2)
move(1)
move(1)
move(0)
move(3)
y1 += 1
elif y1 > y2:
move(3)
move(0)
move(1)
y1 -= 1
while y1 > y2:
move(2)
move(3)
move(3)
move(0)
move(1)
y1 -= 1
else:
if y1 < y2:
move(1)
move(2)
move(3)
y1 += 1
while y1 < y2:
move(0)
move(1)
move(1)
move(2)
move(3)
y1 += 1
elif y1 > y2:
move(3)
move(2)
move(1)
y1 -= 1
while y1 > y2:
move(0)
move(3)
move(3)
move(2)
move(1)
y1 -= 1
ans.append([a[x1][y1], x2+1, y2+1])
a[x1][y1] = 0
print(len(ans))
for q in ans:
print(*q)
``` | output | 1 | 107,606 | 15 | 215,213 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Allen dreams of one day owning a enormous fleet of electric cars, the car of the future! He knows that this will give him a big status boost. As Allen is planning out all of the different types of cars he will own and how he will arrange them, he realizes that he has a problem.
Allen's future parking lot can be represented as a rectangle with 4 rows and n (n β€ 50) columns of rectangular spaces, each of which can contain at most one car at any time. He imagines having k (k β€ 2n) cars in the grid, and all the cars are initially in the second and third rows. Each of the cars also has a different designated parking space in the first or fourth row. Allen has to put the cars into corresponding parking places.
<image> Illustration to the first example.
However, since Allen would never entrust his cars to anyone else, only one car can be moved at a time. He can drive a car from a space in any of the four cardinal directions to a neighboring empty space. Furthermore, Allen can only move one of his cars into a space on the first or fourth rows if it is the car's designated parking space.
Allen knows he will be a very busy man, and will only have time to move cars at most 20000 times before he realizes that moving cars is not worth his time. Help Allen determine if he should bother parking his cars or leave it to someone less important.
Input
The first line of the input contains two space-separated integers n and k (1 β€ n β€ 50, 1 β€ k β€ 2n), representing the number of columns and the number of cars, respectively.
The next four lines will contain n integers each between 0 and k inclusive, representing the initial state of the parking lot. The rows are numbered 1 to 4 from top to bottom and the columns are numbered 1 to n from left to right.
In the first and last line, an integer 1 β€ x β€ k represents a parking spot assigned to car x (you can only move this car to this place), while the integer 0 represents a empty space (you can't move any car to this place).
In the second and third line, an integer 1 β€ x β€ k represents initial position of car x, while the integer 0 represents an empty space (you can move any car to this place).
Each x between 1 and k appears exactly once in the second and third line, and exactly once in the first and fourth line.
Output
If there is a sequence of moves that brings all of the cars to their parking spaces, with at most 20000 car moves, then print m, the number of moves, on the first line. On the following m lines, print the moves (one move per line) in the format i r c, which corresponds to Allen moving car i to the neighboring space at row r and column c.
If it is not possible for Allen to move all the cars to the correct spaces with at most 20000 car moves, print a single line with the integer -1.
Examples
Input
4 5
1 2 0 4
1 2 0 4
5 0 0 3
0 5 0 3
Output
6
1 1 1
2 1 2
4 1 4
3 4 4
5 3 2
5 4 2
Input
1 2
1
2
1
2
Output
-1
Input
1 2
1
1
2
2
Output
2
1 1 1
2 4 1
Note
In the first sample test case, all cars are in front of their spots except car 5, which is in front of the parking spot adjacent. The example shows the shortest possible sequence of moves, but any sequence of length at most 20000 will be accepted.
In the second sample test case, there is only one column, and the cars are in the wrong order, so no cars can move and the task is impossible. | instruction | 0 | 107,607 | 15 | 215,214 |
Tags: constructive algorithms, implementation
Correct Solution:
```
def main():
n, k = map(int, input().split())
a, b, c, d = (list(map(int, input().split())) for _ in 'abcd')
ss, tt, n2, res = [*b, *c[::-1]], [*a, *d[::-1]], n * 2, []
yx = [*[(2, i + 1) for i in range(n)], *[(3, i) for i in range(n, 0, -1)]]
def park():
for i, s, t, (y, x) in zip(range(n2), ss, tt, yx):
if s == t != 0:
ss[i] = 0
res.append(f'{s} {(1, 4)[y == 3]} {x}')
def rotate():
start = ss.index(0)
for i in range(start - n2, start - 1):
s = ss[i] = ss[i + 1]
if s:
y, x = yx[i]
res.append(f'{s} {y} {x}')
ss[start - 1] = 0
park()
if all(ss):
print(-1)
return
while any(ss):
rotate()
park()
print(len(res), '\n'.join(res), sep='\n')
if __name__ == '__main__':
main()
``` | output | 1 | 107,607 | 15 | 215,215 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Allen dreams of one day owning a enormous fleet of electric cars, the car of the future! He knows that this will give him a big status boost. As Allen is planning out all of the different types of cars he will own and how he will arrange them, he realizes that he has a problem.
Allen's future parking lot can be represented as a rectangle with 4 rows and n (n β€ 50) columns of rectangular spaces, each of which can contain at most one car at any time. He imagines having k (k β€ 2n) cars in the grid, and all the cars are initially in the second and third rows. Each of the cars also has a different designated parking space in the first or fourth row. Allen has to put the cars into corresponding parking places.
<image> Illustration to the first example.
However, since Allen would never entrust his cars to anyone else, only one car can be moved at a time. He can drive a car from a space in any of the four cardinal directions to a neighboring empty space. Furthermore, Allen can only move one of his cars into a space on the first or fourth rows if it is the car's designated parking space.
Allen knows he will be a very busy man, and will only have time to move cars at most 20000 times before he realizes that moving cars is not worth his time. Help Allen determine if he should bother parking his cars or leave it to someone less important.
Input
The first line of the input contains two space-separated integers n and k (1 β€ n β€ 50, 1 β€ k β€ 2n), representing the number of columns and the number of cars, respectively.
The next four lines will contain n integers each between 0 and k inclusive, representing the initial state of the parking lot. The rows are numbered 1 to 4 from top to bottom and the columns are numbered 1 to n from left to right.
In the first and last line, an integer 1 β€ x β€ k represents a parking spot assigned to car x (you can only move this car to this place), while the integer 0 represents a empty space (you can't move any car to this place).
In the second and third line, an integer 1 β€ x β€ k represents initial position of car x, while the integer 0 represents an empty space (you can move any car to this place).
Each x between 1 and k appears exactly once in the second and third line, and exactly once in the first and fourth line.
Output
If there is a sequence of moves that brings all of the cars to their parking spaces, with at most 20000 car moves, then print m, the number of moves, on the first line. On the following m lines, print the moves (one move per line) in the format i r c, which corresponds to Allen moving car i to the neighboring space at row r and column c.
If it is not possible for Allen to move all the cars to the correct spaces with at most 20000 car moves, print a single line with the integer -1.
Examples
Input
4 5
1 2 0 4
1 2 0 4
5 0 0 3
0 5 0 3
Output
6
1 1 1
2 1 2
4 1 4
3 4 4
5 3 2
5 4 2
Input
1 2
1
2
1
2
Output
-1
Input
1 2
1
1
2
2
Output
2
1 1 1
2 4 1
Note
In the first sample test case, all cars are in front of their spots except car 5, which is in front of the parking spot adjacent. The example shows the shortest possible sequence of moves, but any sequence of length at most 20000 will be accepted.
In the second sample test case, there is only one column, and the cars are in the wrong order, so no cars can move and the task is impossible. | instruction | 0 | 107,608 | 15 | 215,216 |
Tags: constructive algorithms, implementation
Correct Solution:
```
k, n = [int(x) for x in input().split()]
a = []
for i in range(4):
a.append([int(x) - 1 for x in input().split()])
pos = []
for i in range(k):
pos.append([1, i])
for i in range(k):
pos.append([2, k - i - 1])
lft = n
ans = []
for i in range(2 * k):
for j in range(2 * k):
if (a[pos[j][0]][pos[j][1]] != -1) and (a[pos[j][0]][pos[j][1]] == a[pos[j][0] ^ 1][pos[j][1]]):
lft -= 1
ans.append([a[pos[j][0]][pos[j][1]], pos[j][0] ^ 1, pos[j][1]])
a[pos[j][0]][pos[j][1]] = -1
if (lft == 0):
break
fst = -1
for j in range(2 * k):
if (a[pos[j][0]][pos[j][1]] != -1) and (a[pos[(j + 1) % (2 * k)][0]][pos[(j + 1) % (2 * k)][1]] == -1):
fst = j
break
if (fst == -1):
print(-1)
exit(0)
for j in range(2 * k - 1):
if (a[pos[(fst - j) % (2 * k)][0]][pos[(fst - j) % (2 * k)][1]] != -1):
a[pos[(fst - j + 1) % (2 * k)][0]][pos[(fst - j + 1) % (2 * k)][1]] = a[pos[(fst - j) % (2 * k)][0]][pos[(fst - j) % (2 * k)][1]]
a[pos[(fst - j) % (2 * k)][0]][pos[(fst - j) % (2 * k)][1]] = -1
ans.append([a[pos[(fst - j + 1) % (2 * k)][0]][pos[(fst - j + 1) % (2 * k)][1]], pos[(fst - j + 1) % (2 * k)][0], pos[(fst - j + 1) % (2 * k)][1]])
print(len(ans))
for i in ans:
print(' '.join([str(x + 1) for x in i]))
``` | output | 1 | 107,608 | 15 | 215,217 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Allen dreams of one day owning a enormous fleet of electric cars, the car of the future! He knows that this will give him a big status boost. As Allen is planning out all of the different types of cars he will own and how he will arrange them, he realizes that he has a problem.
Allen's future parking lot can be represented as a rectangle with 4 rows and n (n β€ 50) columns of rectangular spaces, each of which can contain at most one car at any time. He imagines having k (k β€ 2n) cars in the grid, and all the cars are initially in the second and third rows. Each of the cars also has a different designated parking space in the first or fourth row. Allen has to put the cars into corresponding parking places.
<image> Illustration to the first example.
However, since Allen would never entrust his cars to anyone else, only one car can be moved at a time. He can drive a car from a space in any of the four cardinal directions to a neighboring empty space. Furthermore, Allen can only move one of his cars into a space on the first or fourth rows if it is the car's designated parking space.
Allen knows he will be a very busy man, and will only have time to move cars at most 20000 times before he realizes that moving cars is not worth his time. Help Allen determine if he should bother parking his cars or leave it to someone less important.
Input
The first line of the input contains two space-separated integers n and k (1 β€ n β€ 50, 1 β€ k β€ 2n), representing the number of columns and the number of cars, respectively.
The next four lines will contain n integers each between 0 and k inclusive, representing the initial state of the parking lot. The rows are numbered 1 to 4 from top to bottom and the columns are numbered 1 to n from left to right.
In the first and last line, an integer 1 β€ x β€ k represents a parking spot assigned to car x (you can only move this car to this place), while the integer 0 represents a empty space (you can't move any car to this place).
In the second and third line, an integer 1 β€ x β€ k represents initial position of car x, while the integer 0 represents an empty space (you can move any car to this place).
Each x between 1 and k appears exactly once in the second and third line, and exactly once in the first and fourth line.
Output
If there is a sequence of moves that brings all of the cars to their parking spaces, with at most 20000 car moves, then print m, the number of moves, on the first line. On the following m lines, print the moves (one move per line) in the format i r c, which corresponds to Allen moving car i to the neighboring space at row r and column c.
If it is not possible for Allen to move all the cars to the correct spaces with at most 20000 car moves, print a single line with the integer -1.
Examples
Input
4 5
1 2 0 4
1 2 0 4
5 0 0 3
0 5 0 3
Output
6
1 1 1
2 1 2
4 1 4
3 4 4
5 3 2
5 4 2
Input
1 2
1
2
1
2
Output
-1
Input
1 2
1
1
2
2
Output
2
1 1 1
2 4 1
Note
In the first sample test case, all cars are in front of their spots except car 5, which is in front of the parking spot adjacent. The example shows the shortest possible sequence of moves, but any sequence of length at most 20000 will be accepted.
In the second sample test case, there is only one column, and the cars are in the wrong order, so no cars can move and the task is impossible. | instruction | 0 | 107,609 | 15 | 215,218 |
Tags: constructive algorithms, implementation
Correct Solution:
```
def all_parked(parked):
result = True
for p in parked:
result = result and p
return result
class CodeforcesTask995ASolution:
def __init__(self):
self.result = ''
self.n_k = []
self.parking = []
def read_input(self):
self.n_k = [int(x) for x in input().split(" ")]
for x in range(4):
self.parking.append([int(y) for y in input().split(" ")])
def process_task(self):
parked = [False for x in range(self.n_k[1])]
moves = []
for x in range(self.n_k[0]):
if self.parking[0][x] == self.parking[1][x] and self.parking[1][x]:
moves.append([self.parking[0][x], 1, x + 1])
self.parking[1][x] = 0
parked[self.parking[0][x] - 1] = True
if self.parking[3][x] == self.parking[2][x] and self.parking[3][x]:
moves.append([self.parking[3][x], 4, x + 1])
self.parking[2][x] = 0
parked[self.parking[3][x] - 1] = True
if sum([1 if not x else 0 for x in parked]) == self.n_k[1] and self.n_k[1] == self.n_k[0] * 2:
self.result = "-1"
else:
while not all_parked(parked):
moved = [False for x in range(self.n_k[0])]
#for p in self.parking:
# print(p)
#print("\n")
#print(moves)
if self.parking[1][0] and not self.parking[2][0]:
moves.append([self.parking[1][0], 3, 1])
self.parking[2][0] = self.parking[1][0]
self.parking[1][0] = 0
moved[0] = True
for x in range(1, self.n_k[0]):
if not self.parking[1][x - 1] and self.parking[1][x]:
moves.append([self.parking[1][x], 2, x])
self.parking[1][x - 1] = self.parking[1][x]
self.parking[1][x] = 0
if not self.parking[1][self.n_k[0] - 1] and self.parking[2][self.n_k[0] - 1] and not moved[self.n_k[0] - 1]:
moves.append([self.parking[2][self.n_k[0] - 1], 2, self.n_k[0]])
self.parking[1][self.n_k[0] - 1] = self.parking[2][self.n_k[0] - 1]
self.parking[2][self.n_k[0] - 1] = 0
for x in range(self.n_k[0] - 1):
if not self.parking[2][x + 1] and self.parking[2][x] and not moved[x]:
moves.append([self.parking[2][x], 3, x + 2])
self.parking[2][x + 1] = self.parking[2][x]
self.parking[2][x] = 0
moved[x + 1] = True
for x in range(self.n_k[0]):
if self.parking[0][x] == self.parking[1][x] and self.parking[1][x]:
moves.append([self.parking[0][x], 1, x + 1])
self.parking[1][x] = 0
parked[self.parking[0][x] - 1] = True
if self.parking[3][x] == self.parking[2][x] and self.parking[3][x]:
moves.append([self.parking[3][x], 4, x + 1])
self.parking[2][x] = 0
parked[self.parking[3][x] - 1] = True
self.result = "{0}\n{1}".format(len(moves), "\n".join([" ".join([str(x) for x in move]) for move in moves]))
def get_result(self):
return self.result
if __name__ == "__main__":
Solution = CodeforcesTask995ASolution()
Solution.read_input()
Solution.process_task()
print(Solution.get_result())
``` | output | 1 | 107,609 | 15 | 215,219 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Allen dreams of one day owning a enormous fleet of electric cars, the car of the future! He knows that this will give him a big status boost. As Allen is planning out all of the different types of cars he will own and how he will arrange them, he realizes that he has a problem.
Allen's future parking lot can be represented as a rectangle with 4 rows and n (n β€ 50) columns of rectangular spaces, each of which can contain at most one car at any time. He imagines having k (k β€ 2n) cars in the grid, and all the cars are initially in the second and third rows. Each of the cars also has a different designated parking space in the first or fourth row. Allen has to put the cars into corresponding parking places.
<image> Illustration to the first example.
However, since Allen would never entrust his cars to anyone else, only one car can be moved at a time. He can drive a car from a space in any of the four cardinal directions to a neighboring empty space. Furthermore, Allen can only move one of his cars into a space on the first or fourth rows if it is the car's designated parking space.
Allen knows he will be a very busy man, and will only have time to move cars at most 20000 times before he realizes that moving cars is not worth his time. Help Allen determine if he should bother parking his cars or leave it to someone less important.
Input
The first line of the input contains two space-separated integers n and k (1 β€ n β€ 50, 1 β€ k β€ 2n), representing the number of columns and the number of cars, respectively.
The next four lines will contain n integers each between 0 and k inclusive, representing the initial state of the parking lot. The rows are numbered 1 to 4 from top to bottom and the columns are numbered 1 to n from left to right.
In the first and last line, an integer 1 β€ x β€ k represents a parking spot assigned to car x (you can only move this car to this place), while the integer 0 represents a empty space (you can't move any car to this place).
In the second and third line, an integer 1 β€ x β€ k represents initial position of car x, while the integer 0 represents an empty space (you can move any car to this place).
Each x between 1 and k appears exactly once in the second and third line, and exactly once in the first and fourth line.
Output
If there is a sequence of moves that brings all of the cars to their parking spaces, with at most 20000 car moves, then print m, the number of moves, on the first line. On the following m lines, print the moves (one move per line) in the format i r c, which corresponds to Allen moving car i to the neighboring space at row r and column c.
If it is not possible for Allen to move all the cars to the correct spaces with at most 20000 car moves, print a single line with the integer -1.
Examples
Input
4 5
1 2 0 4
1 2 0 4
5 0 0 3
0 5 0 3
Output
6
1 1 1
2 1 2
4 1 4
3 4 4
5 3 2
5 4 2
Input
1 2
1
2
1
2
Output
-1
Input
1 2
1
1
2
2
Output
2
1 1 1
2 4 1
Note
In the first sample test case, all cars are in front of their spots except car 5, which is in front of the parking spot adjacent. The example shows the shortest possible sequence of moves, but any sequence of length at most 20000 will be accepted.
In the second sample test case, there is only one column, and the cars are in the wrong order, so no cars can move and the task is impossible. | instruction | 0 | 107,610 | 15 | 215,220 |
Tags: constructive algorithms, implementation
Correct Solution:
```
n, k = map(int, input().split())
m = []
for _ in range(4):
m.extend(list(map(int, input().split())))
moves = []
ans = 0
zeros = 0
d = {1: 1, 2: 4}
def park():
#print("\n parking \n")
global ans, moves, m, zeros
zeros = 0
for i in range(n, 3 * n):
r = d[i // n]
if m[i] == 0:
zeros += 1
elif m[i] == m[(r - 1) * n + i % n]:
moves.append(f"{m[i]} {r} {i % n + 1}")
m[i] = 0
ans += 1
zeros += 1
def rotate():
#print("\n rotating \n") #
global ans, moves, m
t1 = m[2 * n]
zero_found = False
ls1 = []
ls2 = []
ll = [(n + i, 2) for i in range(n)] + [(3 * n - 1 - i, 3) for i in range(n)]
for i in ll:
if not zero_found and t1 != 0 and m[i[0]] == 0:
zero_found = True
moves.append(f"{t1} {i[1]} {i[0] % n + 1}")
ans += 1
elif t1 != 0:
if zero_found:
ls2.append(f"{t1} {i[1]} {i[0] % n + 1}")
else:
ls1.append(f"{t1} {i[1]} {i[0] % n + 1}")
ans += 1
t2 = m[i[0]]
m[i[0]] = t1
t1 = t2
#print('hey', ls1, ls2) #
ls1.reverse()
ls2.reverse()
#print('yo', ls1, ls2)
moves.extend(ls1 + ls2)
park()
if zeros == 0:
print(-1)
else:
while zeros != 2 * n:
rotate()
park()
#print(zeros) #
#print(m) #
print(ans)
for i in moves:
print(i)
'''print('original', m)
park()
print('parked', m)
rotate()
print('rotated', m)
park()
print('parked', m)'''
``` | output | 1 | 107,610 | 15 | 215,221 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Allen dreams of one day owning a enormous fleet of electric cars, the car of the future! He knows that this will give him a big status boost. As Allen is planning out all of the different types of cars he will own and how he will arrange them, he realizes that he has a problem.
Allen's future parking lot can be represented as a rectangle with 4 rows and n (n β€ 50) columns of rectangular spaces, each of which can contain at most one car at any time. He imagines having k (k β€ 2n) cars in the grid, and all the cars are initially in the second and third rows. Each of the cars also has a different designated parking space in the first or fourth row. Allen has to put the cars into corresponding parking places.
<image> Illustration to the first example.
However, since Allen would never entrust his cars to anyone else, only one car can be moved at a time. He can drive a car from a space in any of the four cardinal directions to a neighboring empty space. Furthermore, Allen can only move one of his cars into a space on the first or fourth rows if it is the car's designated parking space.
Allen knows he will be a very busy man, and will only have time to move cars at most 20000 times before he realizes that moving cars is not worth his time. Help Allen determine if he should bother parking his cars or leave it to someone less important.
Input
The first line of the input contains two space-separated integers n and k (1 β€ n β€ 50, 1 β€ k β€ 2n), representing the number of columns and the number of cars, respectively.
The next four lines will contain n integers each between 0 and k inclusive, representing the initial state of the parking lot. The rows are numbered 1 to 4 from top to bottom and the columns are numbered 1 to n from left to right.
In the first and last line, an integer 1 β€ x β€ k represents a parking spot assigned to car x (you can only move this car to this place), while the integer 0 represents a empty space (you can't move any car to this place).
In the second and third line, an integer 1 β€ x β€ k represents initial position of car x, while the integer 0 represents an empty space (you can move any car to this place).
Each x between 1 and k appears exactly once in the second and third line, and exactly once in the first and fourth line.
Output
If there is a sequence of moves that brings all of the cars to their parking spaces, with at most 20000 car moves, then print m, the number of moves, on the first line. On the following m lines, print the moves (one move per line) in the format i r c, which corresponds to Allen moving car i to the neighboring space at row r and column c.
If it is not possible for Allen to move all the cars to the correct spaces with at most 20000 car moves, print a single line with the integer -1.
Examples
Input
4 5
1 2 0 4
1 2 0 4
5 0 0 3
0 5 0 3
Output
6
1 1 1
2 1 2
4 1 4
3 4 4
5 3 2
5 4 2
Input
1 2
1
2
1
2
Output
-1
Input
1 2
1
1
2
2
Output
2
1 1 1
2 4 1
Note
In the first sample test case, all cars are in front of their spots except car 5, which is in front of the parking spot adjacent. The example shows the shortest possible sequence of moves, but any sequence of length at most 20000 will be accepted.
In the second sample test case, there is only one column, and the cars are in the wrong order, so no cars can move and the task is impossible. | instruction | 0 | 107,611 | 15 | 215,222 |
Tags: constructive algorithms, implementation
Correct Solution:
```
all_the_moves = []
parked = 0
n, k = map(int, input().split())
park = []
park += [[int(x) for x in input().split()]]
park += [[int(x) for x in input().split()]]
park += [[int(x) for x in input().split()]]
park += [[int(x) for x in input().split()]]
def add_move(car, r, c):
global all_the_moves
if car == 0:
return
all_the_moves += [(car, r, c)]
def cycle():
if len(park[1]) == 1:
if park[1][0] != 0:
add_move(park[1][0], 2, 0)
park[1][0], park[2][0] = park[2][0], park[1][0]
elif park[2][0] != 0:
add_move(park[2][0], 1, 0)
park[1][0], park[2][0] = park[2][0], park[1][0]
return
if 0 not in park[1]:
i = park[2].index(0)
park[2][i], park[1][i] = park[1][i], park[2][i]
add_move(park[2][i], 2, i)
i = park[1].index(0)
for j in range(i, 0, -1):
add_move(park[1][j - 1], 1, j)
park[1][j], park[1][j - 1] = park[1][j - 1], park[1][j]
add_move(park[2][0], 1, 0)
park[1][0], park[2][0] = park[2][0], park[1][0]
for j in range(n - 1):
add_move(park[2][j + 1], 2, j)
park[2][j], park[2][j + 1] = park[2][j + 1], park[2][j]
if i < n - 1:
add_move(park[1][n - 1], 2, n - 1)
park[1][n - 1], park[2][n - 1] = park[2][n - 1], park[1][n - 1]
for j in range(n - 2, i, -1):
add_move(park[1][j], 1, j + 1)
park[1][j], park[1][j + 1] = park[1][j + 1], park[1][j]
def cars_to_their_places():
global all_the_moves
global parked
for i in range(n):
if park[0][i] != 0 and park[0][i] == park[1][i]:
all_the_moves += [(park[0][i], 0, i)]
park[1][i] = 0
parked += 1
for i in range(n):
if park[3][i] != 0 and park[3][i] == park[2][i]:
all_the_moves += [(park[3][i], 3, i)]
park[2][i] = 0
parked += 1
cars_to_their_places()
if k == 2 * n and parked == 0:
print(-1)
else:
while parked < k:
cycle()
cars_to_their_places()
if len(all_the_moves) <= 2 * 10 ** 4:
print(len(all_the_moves))
for i, r, c in all_the_moves:
print(i, r + 1, c + 1)
else:
print(-1)
``` | output | 1 | 107,611 | 15 | 215,223 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Allen dreams of one day owning a enormous fleet of electric cars, the car of the future! He knows that this will give him a big status boost. As Allen is planning out all of the different types of cars he will own and how he will arrange them, he realizes that he has a problem.
Allen's future parking lot can be represented as a rectangle with 4 rows and n (n β€ 50) columns of rectangular spaces, each of which can contain at most one car at any time. He imagines having k (k β€ 2n) cars in the grid, and all the cars are initially in the second and third rows. Each of the cars also has a different designated parking space in the first or fourth row. Allen has to put the cars into corresponding parking places.
<image> Illustration to the first example.
However, since Allen would never entrust his cars to anyone else, only one car can be moved at a time. He can drive a car from a space in any of the four cardinal directions to a neighboring empty space. Furthermore, Allen can only move one of his cars into a space on the first or fourth rows if it is the car's designated parking space.
Allen knows he will be a very busy man, and will only have time to move cars at most 20000 times before he realizes that moving cars is not worth his time. Help Allen determine if he should bother parking his cars or leave it to someone less important.
Input
The first line of the input contains two space-separated integers n and k (1 β€ n β€ 50, 1 β€ k β€ 2n), representing the number of columns and the number of cars, respectively.
The next four lines will contain n integers each between 0 and k inclusive, representing the initial state of the parking lot. The rows are numbered 1 to 4 from top to bottom and the columns are numbered 1 to n from left to right.
In the first and last line, an integer 1 β€ x β€ k represents a parking spot assigned to car x (you can only move this car to this place), while the integer 0 represents a empty space (you can't move any car to this place).
In the second and third line, an integer 1 β€ x β€ k represents initial position of car x, while the integer 0 represents an empty space (you can move any car to this place).
Each x between 1 and k appears exactly once in the second and third line, and exactly once in the first and fourth line.
Output
If there is a sequence of moves that brings all of the cars to their parking spaces, with at most 20000 car moves, then print m, the number of moves, on the first line. On the following m lines, print the moves (one move per line) in the format i r c, which corresponds to Allen moving car i to the neighboring space at row r and column c.
If it is not possible for Allen to move all the cars to the correct spaces with at most 20000 car moves, print a single line with the integer -1.
Examples
Input
4 5
1 2 0 4
1 2 0 4
5 0 0 3
0 5 0 3
Output
6
1 1 1
2 1 2
4 1 4
3 4 4
5 3 2
5 4 2
Input
1 2
1
2
1
2
Output
-1
Input
1 2
1
1
2
2
Output
2
1 1 1
2 4 1
Note
In the first sample test case, all cars are in front of their spots except car 5, which is in front of the parking spot adjacent. The example shows the shortest possible sequence of moves, but any sequence of length at most 20000 will be accepted.
In the second sample test case, there is only one column, and the cars are in the wrong order, so no cars can move and the task is impossible. | instruction | 0 | 107,612 | 15 | 215,224 |
Tags: constructive algorithms, implementation
Correct Solution:
```
if __name__ == '__main__':
numbers = list(map(int, input().split()))
n = numbers[0]
k = numbers[1]
left = 0
left = k
table = []
x = 4
while x > 0:
table.append(list(map(int, input().split())))
x = x -1
moves = []
for i in range(n):
if table[1][i] == table[0][i] and table[1][i] != 0:
moves.append((table[1][i], 1, i + 1))
table[0][i] = table[1][i]
table[1][i] = 0
if table[2][i] == table[3][i] and table[2][i] != 0:
moves.append((table[2][i], 4, i + 1))
table[3][i] = table[2][i]
table[2][i] = 0
ok = 0
for i in range(n):
if table[1][i] == 0:
ok = 1
break
if table[2][i] == 0:
ok = 1
break
if ok == 0:
print(-1)
exit(0)
for i in range(20000):
if table[1][0] != 0 and table[2][0] == 0:
moves.append((table[1][0], 3, 1))
table[2][0] = table[1][0]
table[1][0] = 0
if n == 1:
continue
for j in range(1, n):
if table[1][j - 1] == 0 and table[1][j] != 0:
moves.append((table[1][j], 2, j))
table[1][j - 1] = table[1][j]
table[1][j] = 0
for j in range(n):
if table[1][j] == table[0][j] and table[1][j] != 0:
moves.append((table[1][j], 1, j + 1))
table[0][j] = table[1][j]
table[1][j] = 0
if table[2][j] == table[3][j] and table[2][j] != 0:
moves.append((table[2][j], 4, j + 1))
table[3][j] = table[2][j]
table[2][j] = 0
if table[1][n - 1] == 0 and table[2][n - 1] != 0:
moves.append((table[2][n - 1], 2, n))
table[1][n-1] = table[2][n-1]
table[2][n-1] = 0
for j in range(n - 2, -1, -1):
if table[2][j + 1] == 0 and table[2][j] != 0:
moves.append((table[2][j], 3, j + 2))
table[2][j + 1] = table[2][j]
table[2][j] = 0
for j in range(n):
if table[1][j] == table[0][j] and table[1][j] != 0:
moves.append((table[1][j], 1, j + 1))
table[0][j] = table[1][j]
table[1][j] = 0
if table[2][j] == table[3][j] and table[2][j] != 0:
moves.append((table[2][j], 4, j + 1))
table[3][j] = table[2][j]
table[2][j] = 0
if len(moves) > 20000:
print(-1)
exit(0)
print(len(moves))
# for j in range(len(moves)):
# print(moves[j])
for j in moves:
print(*j)
``` | output | 1 | 107,612 | 15 | 215,225 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Allen dreams of one day owning a enormous fleet of electric cars, the car of the future! He knows that this will give him a big status boost. As Allen is planning out all of the different types of cars he will own and how he will arrange them, he realizes that he has a problem.
Allen's future parking lot can be represented as a rectangle with 4 rows and n (n β€ 50) columns of rectangular spaces, each of which can contain at most one car at any time. He imagines having k (k β€ 2n) cars in the grid, and all the cars are initially in the second and third rows. Each of the cars also has a different designated parking space in the first or fourth row. Allen has to put the cars into corresponding parking places.
<image> Illustration to the first example.
However, since Allen would never entrust his cars to anyone else, only one car can be moved at a time. He can drive a car from a space in any of the four cardinal directions to a neighboring empty space. Furthermore, Allen can only move one of his cars into a space on the first or fourth rows if it is the car's designated parking space.
Allen knows he will be a very busy man, and will only have time to move cars at most 20000 times before he realizes that moving cars is not worth his time. Help Allen determine if he should bother parking his cars or leave it to someone less important.
Input
The first line of the input contains two space-separated integers n and k (1 β€ n β€ 50, 1 β€ k β€ 2n), representing the number of columns and the number of cars, respectively.
The next four lines will contain n integers each between 0 and k inclusive, representing the initial state of the parking lot. The rows are numbered 1 to 4 from top to bottom and the columns are numbered 1 to n from left to right.
In the first and last line, an integer 1 β€ x β€ k represents a parking spot assigned to car x (you can only move this car to this place), while the integer 0 represents a empty space (you can't move any car to this place).
In the second and third line, an integer 1 β€ x β€ k represents initial position of car x, while the integer 0 represents an empty space (you can move any car to this place).
Each x between 1 and k appears exactly once in the second and third line, and exactly once in the first and fourth line.
Output
If there is a sequence of moves that brings all of the cars to their parking spaces, with at most 20000 car moves, then print m, the number of moves, on the first line. On the following m lines, print the moves (one move per line) in the format i r c, which corresponds to Allen moving car i to the neighboring space at row r and column c.
If it is not possible for Allen to move all the cars to the correct spaces with at most 20000 car moves, print a single line with the integer -1.
Examples
Input
4 5
1 2 0 4
1 2 0 4
5 0 0 3
0 5 0 3
Output
6
1 1 1
2 1 2
4 1 4
3 4 4
5 3 2
5 4 2
Input
1 2
1
2
1
2
Output
-1
Input
1 2
1
1
2
2
Output
2
1 1 1
2 4 1
Note
In the first sample test case, all cars are in front of their spots except car 5, which is in front of the parking spot adjacent. The example shows the shortest possible sequence of moves, but any sequence of length at most 20000 will be accepted.
In the second sample test case, there is only one column, and the cars are in the wrong order, so no cars can move and the task is impossible. | instruction | 0 | 107,613 | 15 | 215,226 |
Tags: constructive algorithms, implementation
Correct Solution:
```
import os,sys
n,k = list(map(int, input().split()))
p0 = list(map(int, input().split()))
b0 = list(map(int, input().split()))
b1 = list(map(int, input().split()))
p1 = list(map(int, input().split()))
ops = []
for i in range(n):
if p0[i] == 0:
p0[i] = -1
if p1[i] == 0:
p1[i] = -1
def park():
global p0, b0, b1, p1
parked = 0
for i in range(n):
if p0[i] == b0[i]:
ops.append(" ".join(map(str, (p0[i], 1, i+1))))
b0[i] = 0
parked+=1
if p1[i] == b1[i]:
ops.append(" ".join(map(str, (p1[i], 4, i+1))))
b1[i] = 0
parked+=1
return parked
def nextpos(p):
if p[0] == 0:
if p[1] < n-1:
return (0, p[1]+1)
else:
return (1, n-1)
else:
if p[1]>0:
return (1, p[1]-1)
else:
return (0,0)
def rotate():
global b0, b1, p0, p1
stpos = None
for i in range(n):
if b0[i] == 0:
stpos = (0,i)
break
if stpos is None:
for i in range(n):
if b1[i] == 0:
stpos = (1,i)
break
if stpos is None:
return False
#print('st:', stpos)
cars = []
if stpos[0] == 0:
cars = b0[:stpos[1]][::-1] + b1 + b0[stpos[1]:][::-1]
cars = list(filter(lambda x: x!=0, cars))
else:
cars = b1[stpos[1]:] + b0[::-1] + b1[:stpos[1]]
cars = list(filter(lambda x: x!=0, cars))
#print('cars:', cars)
ppos = [None] * (k+1)
for i in range(n):
if b0[i] != 0:
ppos[b0[i]] = (0, i)
if b1[i] != 0:
ppos[b1[i]] = (1, i)
#for i in range(1, k+1):
for i in cars:
if ppos[i] is not None:
np = nextpos(ppos[i])
ops.append(" ".join(map(str, (i, np[0]+2, np[1]+1))))
ppos[i] = np
b0 = [0] * n
b1 = [0] * n
for i in range(1,k+1):
if ppos[i] is not None:
if ppos[i][0] == 0:
b0[ppos[i][1]] = i
else:
b1[ppos[i][1]] = i
#print('b:', b0, b1)
return True
def checkfin():
for i in range(n):
if b0[i] != 0 or b1[i] != 0:
return False
return True
while not checkfin():
park()
if not rotate():
print(-1)
sys.exit(0)
#print(b0, b1)
print(len(ops))
print("\n".join(ops))
``` | output | 1 | 107,613 | 15 | 215,227 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
On a large chess board, there are N ants, each numbered from 1 to N. As shown in the figure, the chess board is a rectangle consisting of H Γ W squares, with the northwest corner as white, and white squares and black squares are arranged alternately.
<image>
Initially, every ant is in a chessboard square, facing east or south. There can never be more than one ant in a square.
Now the ants are moving all at once. All ants move one to the square in the direction facing one unit of time. However, if the destination is outside the chess board, it will fall and disappear from the chess board.
When two ants enter the same square on the chess board, they behave as follows:
* If the color of the square is white, ants traveling eastward will turn southward, and ants traveling southward will turn eastward.
* If the square is black, each ant keeps its direction.
Create a program that reports the number of ants in the order in which they fall, given the size of the chess board and information on the ants. However, if multiple ants fall at the same time, the one with the smaller number will be reported first.
Input
The input is given in the following format.
W H N
x1 y1 d1
x2 y2 d2
::
xN yN dN
The first line gives the number of squares in the east-west direction of the chess board W, the number of squares in the north-south direction H (2 β€ W, H β€ 109), and the number of ants N (1 β€ N β€ 200000). On the next N line, the east-west position xi (1 β€ xi β€ W) of the i-th ant, the north-south position yi (1 β€ yi β€ H), the orientation letter di ("E" for east, south In the case of orientation, "S") is given. Here, the square at the northwest corner of the chess board is (1,1), the direction in which x increases is east, and the direction in which y increases is south.
Output
The ant numbers are output line by line in the order of falling.
Examples
Input
3 3 3
2 1 S
1 2 E
2 2 E
Output
3
1
2
Input
5 4 3
3 1 S
2 2 E
1 3 E
Output
2
3
1
Submitted Solution:
```
class Ant:
def __init__(self, params):
self.live = True
self.x = int(params[0])-1
self.y = int(params[1])-1
self.d = 0 if params[2] == "E" else 1
W, H, N = list(map(int, input().split()))
ants = []
for i in range(N):
a = Ant(input().split())
ants.append(a)
death = 0
while death < N:
for i, a in enumerate(ants):
if not a.live:
continue
if a.d == 0:
a.x += 1
else:
a.y += 1
if a.x >= W or a.y >= H:
a.live = False
print(i+1)
death += 1
else:
if (a.x+a.y)%2 == 0:
try:
b = list(filter(lambda x: x.x == a.x and x.y == a.y, ants))[0]
except:
pass
else:
b.d = 1-b.d
a.d = 1-a.d
``` | instruction | 0 | 107,800 | 15 | 215,600 |
No | output | 1 | 107,800 | 15 | 215,601 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
On a large chess board, there are N ants, each numbered from 1 to N. As shown in the figure, the chess board is a rectangle consisting of H Γ W squares, with the northwest corner as white, and white squares and black squares are arranged alternately.
<image>
Initially, every ant is in a chessboard square, facing east or south. There can never be more than one ant in a square.
Now the ants are moving all at once. All ants move one to the square in the direction facing one unit of time. However, if the destination is outside the chess board, it will fall and disappear from the chess board.
When two ants enter the same square on the chess board, they behave as follows:
* If the color of the square is white, ants traveling eastward will turn southward, and ants traveling southward will turn eastward.
* If the square is black, each ant keeps its direction.
Create a program that reports the number of ants in the order in which they fall, given the size of the chess board and information on the ants. However, if multiple ants fall at the same time, the one with the smaller number will be reported first.
Input
The input is given in the following format.
W H N
x1 y1 d1
x2 y2 d2
::
xN yN dN
The first line gives the number of squares in the east-west direction of the chess board W, the number of squares in the north-south direction H (2 β€ W, H β€ 109), and the number of ants N (1 β€ N β€ 200000). On the next N line, the east-west position xi (1 β€ xi β€ W) of the i-th ant, the north-south position yi (1 β€ yi β€ H), the orientation letter di ("E" for east, south In the case of orientation, "S") is given. Here, the square at the northwest corner of the chess board is (1,1), the direction in which x increases is east, and the direction in which y increases is south.
Output
The ant numbers are output line by line in the order of falling.
Examples
Input
3 3 3
2 1 S
1 2 E
2 2 E
Output
3
1
2
Input
5 4 3
3 1 S
2 2 E
1 3 E
Output
2
3
1
Submitted Solution:
```
class Ant:
def __init__(self, params):
self.live = True
self.x = int(params[0])-1
self.y = int(params[1])-1
self.d = 0 if params[2] == "E" else 1
W, H, N = list(map(int, input().split()))
ants = []
for i in range(N):
a = Ant(input().split())
ants.append(a)
death = 0
while death < N:
board = [[ (i+j)%2-2 for j in range(H)] for i in range(W)]
for i, a in enumerate(ants):
if not a.live:
continue
if a.d == 0:
a.x += 1
else:
a.y += 1
if a.x >= W or a.y >= H:
a.live = False
print(i+1)
death += 1
else:
b = board[a.x][a.y]
if b == -2:
board[a.x][a.y] = i
elif b >= 0:
a.d = 1 - a.d
ants[b].d = 1 - ants[b].d
``` | instruction | 0 | 107,801 | 15 | 215,602 |
No | output | 1 | 107,801 | 15 | 215,603 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
On a large chess board, there are N ants, each numbered from 1 to N. As shown in the figure, the chess board is a rectangle consisting of H Γ W squares, with the northwest corner as white, and white squares and black squares are arranged alternately.
<image>
Initially, every ant is in a chessboard square, facing east or south. There can never be more than one ant in a square.
Now the ants are moving all at once. All ants move one to the square in the direction facing one unit of time. However, if the destination is outside the chess board, it will fall and disappear from the chess board.
When two ants enter the same square on the chess board, they behave as follows:
* If the color of the square is white, ants traveling eastward will turn southward, and ants traveling southward will turn eastward.
* If the square is black, each ant keeps its direction.
Create a program that reports the number of ants in the order in which they fall, given the size of the chess board and information on the ants. However, if multiple ants fall at the same time, the one with the smaller number will be reported first.
Input
The input is given in the following format.
W H N
x1 y1 d1
x2 y2 d2
::
xN yN dN
The first line gives the number of squares in the east-west direction of the chess board W, the number of squares in the north-south direction H (2 β€ W, H β€ 109), and the number of ants N (1 β€ N β€ 200000). On the next N line, the east-west position xi (1 β€ xi β€ W) of the i-th ant, the north-south position yi (1 β€ yi β€ H), the orientation letter di ("E" for east, south In the case of orientation, "S") is given. Here, the square at the northwest corner of the chess board is (1,1), the direction in which x increases is east, and the direction in which y increases is south.
Output
The ant numbers are output line by line in the order of falling.
Examples
Input
3 3 3
2 1 S
1 2 E
2 2 E
Output
3
1
2
Input
5 4 3
3 1 S
2 2 E
1 3 E
Output
2
3
1
Submitted Solution:
```
class Ant:
def __init__(self, params):
self.live = True
self.x = int(params[0])
self.y = int(params[1])
self.d = 0 if params[2] == "E" else 1
W, H, N = list(map(int, input().split()))
ants = []
for i in range(N):
a = Ant(input().split())
ants.append(a)
death = 0
while death < N:
board = [[ (i+j)%2-2 for j in range(H+1)] for i in range(W+1)]
for i, a in enumerate(ants):
if not a.live:
continue
if a.d == 0:
a.x += 1
else:
a.y += 1
if a.x > W or a.y > H:
a.live = False
print(i+1)
death += 1
else:
b = board[a.x][a.y]
if b == -2:
board[a.x][a.y] = i
elif b >= 0:
a.d = 1 - a.d
ants[b].d = 1 - ants[b].d
``` | instruction | 0 | 107,802 | 15 | 215,604 |
No | output | 1 | 107,802 | 15 | 215,605 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
On a large chess board, there are N ants, each numbered from 1 to N. As shown in the figure, the chess board is a rectangle consisting of H Γ W squares, with the northwest corner as white, and white squares and black squares are arranged alternately.
<image>
Initially, every ant is in a chessboard square, facing east or south. There can never be more than one ant in a square.
Now the ants are moving all at once. All ants move one to the square in the direction facing one unit of time. However, if the destination is outside the chess board, it will fall and disappear from the chess board.
When two ants enter the same square on the chess board, they behave as follows:
* If the color of the square is white, ants traveling eastward will turn southward, and ants traveling southward will turn eastward.
* If the square is black, each ant keeps its direction.
Create a program that reports the number of ants in the order in which they fall, given the size of the chess board and information on the ants. However, if multiple ants fall at the same time, the one with the smaller number will be reported first.
Input
The input is given in the following format.
W H N
x1 y1 d1
x2 y2 d2
::
xN yN dN
The first line gives the number of squares in the east-west direction of the chess board W, the number of squares in the north-south direction H (2 β€ W, H β€ 109), and the number of ants N (1 β€ N β€ 200000). On the next N line, the east-west position xi (1 β€ xi β€ W) of the i-th ant, the north-south position yi (1 β€ yi β€ H), the orientation letter di ("E" for east, south In the case of orientation, "S") is given. Here, the square at the northwest corner of the chess board is (1,1), the direction in which x increases is east, and the direction in which y increases is south.
Output
The ant numbers are output line by line in the order of falling.
Examples
Input
3 3 3
2 1 S
1 2 E
2 2 E
Output
3
1
2
Input
5 4 3
3 1 S
2 2 E
1 3 E
Output
2
3
1
Submitted Solution:
```
class Ant:
def __init__(self, params):
self.live = True
self.x = int(params[0])
self.y = int(params[1])
self.d = 0 if params[2] == "E" else 1
W, H, N = list(map(int, input().split()))
ants = []
for i in range(N):
a = Ant(input().split())
ants.append(a)
death = 0
while death < N:
board = [[ (i+j)%2-2 for j in range(H)] for i in range(W)]
for i, a in enumerate(ants):
if not a.live:
continue
if a.d == 0:
a.x += 1
else:
a.y += 1
if a.x >= W or a.y >= H:
a.live = False
print(i+1)
death += 1
else:
b = board[a.x][a.y]
if b == -2:
board[a.x][a.y] = i
elif b >= 0:
a.d = 1 - a.d
ants[b].d = 1 - ants[b].d
``` | instruction | 0 | 107,803 | 15 | 215,606 |
No | output | 1 | 107,803 | 15 | 215,607 |
Provide tags and a correct Python 3 solution for this coding contest problem.
This is an interactive problem.
Bob lives in a square grid of size n Γ n, with rows numbered 1 through n from top to bottom, and columns numbered 1 through n from left to right. Every cell is either allowed or blocked, but you don't know the exact description of the grid. You are given only an integer n.
Bob can move through allowed cells but only in some limited directions. When Bob is in an allowed cell in the grid, he can move down or right to an adjacent cell, if it is allowed.
You can ask at most 4 β
n queries of form "? r_1 c_1 r_2 c_2" (1 β€ r_1 β€ r_2 β€ n, 1 β€ c_1 β€ c_2 β€ n). The answer will be "YES" if Bob can get from a cell (r_1, c_1) to a cell (r_2, c_2), and "NO" otherwise. In particular, if one of the two cells (or both) is a blocked cell then the answer is "NO" for sure. Since Bob doesn't like short trips, you can only ask queries with the manhattan distance between the two cells at least n - 1, i.e. the following condition must be satisfied: (r_2 - r_1) + (c_2 - c_1) β₯ n - 1.
It's guaranteed that Bob can get from the top-left corner (1, 1) to the bottom-right corner (n, n) and your task is to find a way to do it. You should print the answer in form "! S" where S is a string of length 2 β
n - 2 consisting of characters 'D' and 'R', denoting moves down and right respectively. The down move increases the first coordinate by 1, the right move increases the second coordinate by 1. If there are multiple solutions, any of them will be accepted. You should terminate immediately after printing the solution.
Input
The only line of the input contains an integer n (2 β€ n β€ 500) β the size of the grid.
Output
When you are ready to print the answer, print a single line containing "! S" where where S is a string of length 2 β
n - 2 consisting of characters 'D' and 'R', denoting moves down and right respectively. The path should be a valid path going from the cell (1, 1) to the cell (n, n) passing only through allowed cells.
Interaction
You can ask at most 4 β
n queries. To ask a query, print a line containing "? r_1 c_1 r_2 c_2" (1 β€ r_1 β€ r_2 β€ n, 1 β€ c_1 β€ c_2 β€ n). After that you should read a single line containing "YES" or "NO" depending on the answer of the query. "YES" means Bob can go from the cell (r_1, c_1) to the cell (r_2, c_2), "NO" means the opposite.
Note that the grid is fixed before the start of your solution and does not depend on your queries.
After printing a query do not forget to output end of line and flush the output. Otherwise you will get Idleness limit exceeded or other negative verdict. To do this, use:
* fflush(stdout) or cout.flush() in C++;
* System.out.flush() in Java;
* flush(output) in Pascal;
* stdout.flush() in Python;
* see documentation for other languages.
Answer "BAD" instead of "YES" or "NO" means that you made an invalid query. Exit immediately after receiving "BAD" and you will see Wrong answer verdict. Otherwise you can get an arbitrary verdict because your solution will continue to read from a closed stream.
Example
Input
4
Β
YES
Β
NO
Β
YES
Β
YES
Β
Output
Β
? 1 1 4 4
Β
? 1 2 4 3
Β
? 4 1 4 4
Β
? 1 4 4 4
Β
! RDRRDD
Note
The first example is shown on the picture below.
<image>
To hack, use the following input format:
The first line should contain a single integer n (2 β€ n β€ 500) β the size of the grid.
Each of the next n lines should contain a string of n characters '#' or '.', where '#' denotes a blocked cell, and '.' denotes an allowed cell.
For example, the following text encodes the example shown above:
4
..#.
#...
###.
....
| instruction | 0 | 107,858 | 15 | 215,716 |
Tags: constructive algorithms, interactive, matrices
Correct Solution:
```
import sys
def pos(x1,y1,x2,y2):
print('?',y1,x1,y2,x2)
sys.stdout.flush()
ans=input()
if(ans=='YES'):
return True
else:
return False
n=int(input())
curx=n
cury=n
s=''
while(curx+cury>n+1):
if(pos(1,1,curx,cury-1)):
s+='D'
cury-=1
else:
s+='R'
curx-=1
s=s[::-1]
s1=''
curx1=1
cury1=1
while(curx1 + cury1 < n+1):
if(pos(curx1+1,cury1,n,n)):
s1+='R'
curx1+=1
else:
s1+='D'
cury1+=1
print('!',s1+s)
``` | output | 1 | 107,858 | 15 | 215,717 |
Provide tags and a correct Python 3 solution for this coding contest problem.
This is an interactive problem.
Bob lives in a square grid of size n Γ n, with rows numbered 1 through n from top to bottom, and columns numbered 1 through n from left to right. Every cell is either allowed or blocked, but you don't know the exact description of the grid. You are given only an integer n.
Bob can move through allowed cells but only in some limited directions. When Bob is in an allowed cell in the grid, he can move down or right to an adjacent cell, if it is allowed.
You can ask at most 4 β
n queries of form "? r_1 c_1 r_2 c_2" (1 β€ r_1 β€ r_2 β€ n, 1 β€ c_1 β€ c_2 β€ n). The answer will be "YES" if Bob can get from a cell (r_1, c_1) to a cell (r_2, c_2), and "NO" otherwise. In particular, if one of the two cells (or both) is a blocked cell then the answer is "NO" for sure. Since Bob doesn't like short trips, you can only ask queries with the manhattan distance between the two cells at least n - 1, i.e. the following condition must be satisfied: (r_2 - r_1) + (c_2 - c_1) β₯ n - 1.
It's guaranteed that Bob can get from the top-left corner (1, 1) to the bottom-right corner (n, n) and your task is to find a way to do it. You should print the answer in form "! S" where S is a string of length 2 β
n - 2 consisting of characters 'D' and 'R', denoting moves down and right respectively. The down move increases the first coordinate by 1, the right move increases the second coordinate by 1. If there are multiple solutions, any of them will be accepted. You should terminate immediately after printing the solution.
Input
The only line of the input contains an integer n (2 β€ n β€ 500) β the size of the grid.
Output
When you are ready to print the answer, print a single line containing "! S" where where S is a string of length 2 β
n - 2 consisting of characters 'D' and 'R', denoting moves down and right respectively. The path should be a valid path going from the cell (1, 1) to the cell (n, n) passing only through allowed cells.
Interaction
You can ask at most 4 β
n queries. To ask a query, print a line containing "? r_1 c_1 r_2 c_2" (1 β€ r_1 β€ r_2 β€ n, 1 β€ c_1 β€ c_2 β€ n). After that you should read a single line containing "YES" or "NO" depending on the answer of the query. "YES" means Bob can go from the cell (r_1, c_1) to the cell (r_2, c_2), "NO" means the opposite.
Note that the grid is fixed before the start of your solution and does not depend on your queries.
After printing a query do not forget to output end of line and flush the output. Otherwise you will get Idleness limit exceeded or other negative verdict. To do this, use:
* fflush(stdout) or cout.flush() in C++;
* System.out.flush() in Java;
* flush(output) in Pascal;
* stdout.flush() in Python;
* see documentation for other languages.
Answer "BAD" instead of "YES" or "NO" means that you made an invalid query. Exit immediately after receiving "BAD" and you will see Wrong answer verdict. Otherwise you can get an arbitrary verdict because your solution will continue to read from a closed stream.
Example
Input
4
Β
YES
Β
NO
Β
YES
Β
YES
Β
Output
Β
? 1 1 4 4
Β
? 1 2 4 3
Β
? 4 1 4 4
Β
? 1 4 4 4
Β
! RDRRDD
Note
The first example is shown on the picture below.
<image>
To hack, use the following input format:
The first line should contain a single integer n (2 β€ n β€ 500) β the size of the grid.
Each of the next n lines should contain a string of n characters '#' or '.', where '#' denotes a blocked cell, and '.' denotes an allowed cell.
For example, the following text encodes the example shown above:
4
..#.
#...
###.
....
| instruction | 0 | 107,859 | 15 | 215,718 |
Tags: constructive algorithms, interactive, matrices
Correct Solution:
```
from sys import stdout
n = int(input())
x0 = 1
y0 = 1
x1 = n
y1 = n
ans = ""
leftans = ""
for i in range(n - 1):
print("?", x0 + 1, y0, x1, y1)
stdout.flush()
tmp = input()
if tmp == "YES":
x0 += 1
ans += "D"
else:
y0 += 1
ans += "R"
for i in range(n - 1):
if ans[-1 - i] == "D":
x0 -= 1
else:
y0 -= 1
print("?", x0, y0, x1, y1 - 1)
stdout.flush()
tmp = input()
if tmp == "YES":
leftans += "R"
y1 -= 1
else:
leftans += "D"
x1 -= 1
for i in range(len(leftans)):
ans += leftans[-1 - i]
print("!", ans)
``` | output | 1 | 107,859 | 15 | 215,719 |
Provide tags and a correct Python 3 solution for this coding contest problem.
This is an interactive problem.
Bob lives in a square grid of size n Γ n, with rows numbered 1 through n from top to bottom, and columns numbered 1 through n from left to right. Every cell is either allowed or blocked, but you don't know the exact description of the grid. You are given only an integer n.
Bob can move through allowed cells but only in some limited directions. When Bob is in an allowed cell in the grid, he can move down or right to an adjacent cell, if it is allowed.
You can ask at most 4 β
n queries of form "? r_1 c_1 r_2 c_2" (1 β€ r_1 β€ r_2 β€ n, 1 β€ c_1 β€ c_2 β€ n). The answer will be "YES" if Bob can get from a cell (r_1, c_1) to a cell (r_2, c_2), and "NO" otherwise. In particular, if one of the two cells (or both) is a blocked cell then the answer is "NO" for sure. Since Bob doesn't like short trips, you can only ask queries with the manhattan distance between the two cells at least n - 1, i.e. the following condition must be satisfied: (r_2 - r_1) + (c_2 - c_1) β₯ n - 1.
It's guaranteed that Bob can get from the top-left corner (1, 1) to the bottom-right corner (n, n) and your task is to find a way to do it. You should print the answer in form "! S" where S is a string of length 2 β
n - 2 consisting of characters 'D' and 'R', denoting moves down and right respectively. The down move increases the first coordinate by 1, the right move increases the second coordinate by 1. If there are multiple solutions, any of them will be accepted. You should terminate immediately after printing the solution.
Input
The only line of the input contains an integer n (2 β€ n β€ 500) β the size of the grid.
Output
When you are ready to print the answer, print a single line containing "! S" where where S is a string of length 2 β
n - 2 consisting of characters 'D' and 'R', denoting moves down and right respectively. The path should be a valid path going from the cell (1, 1) to the cell (n, n) passing only through allowed cells.
Interaction
You can ask at most 4 β
n queries. To ask a query, print a line containing "? r_1 c_1 r_2 c_2" (1 β€ r_1 β€ r_2 β€ n, 1 β€ c_1 β€ c_2 β€ n). After that you should read a single line containing "YES" or "NO" depending on the answer of the query. "YES" means Bob can go from the cell (r_1, c_1) to the cell (r_2, c_2), "NO" means the opposite.
Note that the grid is fixed before the start of your solution and does not depend on your queries.
After printing a query do not forget to output end of line and flush the output. Otherwise you will get Idleness limit exceeded or other negative verdict. To do this, use:
* fflush(stdout) or cout.flush() in C++;
* System.out.flush() in Java;
* flush(output) in Pascal;
* stdout.flush() in Python;
* see documentation for other languages.
Answer "BAD" instead of "YES" or "NO" means that you made an invalid query. Exit immediately after receiving "BAD" and you will see Wrong answer verdict. Otherwise you can get an arbitrary verdict because your solution will continue to read from a closed stream.
Example
Input
4
Β
YES
Β
NO
Β
YES
Β
YES
Β
Output
Β
? 1 1 4 4
Β
? 1 2 4 3
Β
? 4 1 4 4
Β
? 1 4 4 4
Β
! RDRRDD
Note
The first example is shown on the picture below.
<image>
To hack, use the following input format:
The first line should contain a single integer n (2 β€ n β€ 500) β the size of the grid.
Each of the next n lines should contain a string of n characters '#' or '.', where '#' denotes a blocked cell, and '.' denotes an allowed cell.
For example, the following text encodes the example shown above:
4
..#.
#...
###.
....
| instruction | 0 | 107,860 | 15 | 215,720 |
Tags: constructive algorithms, interactive, matrices
Correct Solution:
```
#!/usr/bin/python
import sys
import subprocess
def check(a, b, x, y):
if y == -1 or b == -1:
return True
if b < x:
return True
if a > y:
return True
if (a < x) and (b > y):
return True
return False
n = int(input())
current = [1,1]
first_part = [list(current)]
while (current[0] + current[1] < n + 1):
print('? {} {} {} {}'.format(current[0], current[1] + 1, n, n))
sys.stdout.flush()
if input() == 'YES':
current[1] += 1
else:
current[0] += 1
first_part.append(list(current))
current = [n, n]
last_part = [list(current)]
while (current[0] + current[1] > n + 1):
print('? {} {} {} {}'.format(1, 1, current[0] - 1, current[1]))
sys.stdout.flush()
if input() == 'YES':
current[0] -= 1
else:
current[1] -= 1
last_part.append(list(current))
total_path = first_part[:-1] + list(reversed(last_part))
S = '! '
for i in range(len(total_path) - 1):
if total_path[i][0] == total_path[i+1][0]:
S += 'R'
else:
S += 'D'
print(S)
``` | output | 1 | 107,860 | 15 | 215,721 |
Provide tags and a correct Python 3 solution for this coding contest problem.
This is an interactive problem.
Bob lives in a square grid of size n Γ n, with rows numbered 1 through n from top to bottom, and columns numbered 1 through n from left to right. Every cell is either allowed or blocked, but you don't know the exact description of the grid. You are given only an integer n.
Bob can move through allowed cells but only in some limited directions. When Bob is in an allowed cell in the grid, he can move down or right to an adjacent cell, if it is allowed.
You can ask at most 4 β
n queries of form "? r_1 c_1 r_2 c_2" (1 β€ r_1 β€ r_2 β€ n, 1 β€ c_1 β€ c_2 β€ n). The answer will be "YES" if Bob can get from a cell (r_1, c_1) to a cell (r_2, c_2), and "NO" otherwise. In particular, if one of the two cells (or both) is a blocked cell then the answer is "NO" for sure. Since Bob doesn't like short trips, you can only ask queries with the manhattan distance between the two cells at least n - 1, i.e. the following condition must be satisfied: (r_2 - r_1) + (c_2 - c_1) β₯ n - 1.
It's guaranteed that Bob can get from the top-left corner (1, 1) to the bottom-right corner (n, n) and your task is to find a way to do it. You should print the answer in form "! S" where S is a string of length 2 β
n - 2 consisting of characters 'D' and 'R', denoting moves down and right respectively. The down move increases the first coordinate by 1, the right move increases the second coordinate by 1. If there are multiple solutions, any of them will be accepted. You should terminate immediately after printing the solution.
Input
The only line of the input contains an integer n (2 β€ n β€ 500) β the size of the grid.
Output
When you are ready to print the answer, print a single line containing "! S" where where S is a string of length 2 β
n - 2 consisting of characters 'D' and 'R', denoting moves down and right respectively. The path should be a valid path going from the cell (1, 1) to the cell (n, n) passing only through allowed cells.
Interaction
You can ask at most 4 β
n queries. To ask a query, print a line containing "? r_1 c_1 r_2 c_2" (1 β€ r_1 β€ r_2 β€ n, 1 β€ c_1 β€ c_2 β€ n). After that you should read a single line containing "YES" or "NO" depending on the answer of the query. "YES" means Bob can go from the cell (r_1, c_1) to the cell (r_2, c_2), "NO" means the opposite.
Note that the grid is fixed before the start of your solution and does not depend on your queries.
After printing a query do not forget to output end of line and flush the output. Otherwise you will get Idleness limit exceeded or other negative verdict. To do this, use:
* fflush(stdout) or cout.flush() in C++;
* System.out.flush() in Java;
* flush(output) in Pascal;
* stdout.flush() in Python;
* see documentation for other languages.
Answer "BAD" instead of "YES" or "NO" means that you made an invalid query. Exit immediately after receiving "BAD" and you will see Wrong answer verdict. Otherwise you can get an arbitrary verdict because your solution will continue to read from a closed stream.
Example
Input
4
Β
YES
Β
NO
Β
YES
Β
YES
Β
Output
Β
? 1 1 4 4
Β
? 1 2 4 3
Β
? 4 1 4 4
Β
? 1 4 4 4
Β
! RDRRDD
Note
The first example is shown on the picture below.
<image>
To hack, use the following input format:
The first line should contain a single integer n (2 β€ n β€ 500) β the size of the grid.
Each of the next n lines should contain a string of n characters '#' or '.', where '#' denotes a blocked cell, and '.' denotes an allowed cell.
For example, the following text encodes the example shown above:
4
..#.
#...
###.
....
| instruction | 0 | 107,861 | 15 | 215,722 |
Tags: constructive algorithms, interactive, matrices
Correct Solution:
```
from sys import stdout
n = int(input())
def query(r1,c1,r2,c2):
print("?"+" " + str(r1) + " "+str(c1) +" "+str(r2) +" "+str(c2))
stdout.flush()
ans = input()
if ans == "YES":
return True
else:
return False
row = n
col = n
res1 = []
while(row + col > n+1):
if query(1,1,row,col-1):
col -=1 # move left
res1.insert(0,'R')
else:
row -=1
res1.insert(0,'D')
row = 1
col = 1
res2=[]
while(row + col < n + 1):
if query(row+1,col,n,n):
row += 1
res2.append('D')
else:
col +=1
res2.append('R')
print('! ',end='')
for k in res2:
print(k,end='')
for k in res1:
print(k,end='')
print()
``` | output | 1 | 107,861 | 15 | 215,723 |
Provide tags and a correct Python 3 solution for this coding contest problem.
This is an interactive problem.
Bob lives in a square grid of size n Γ n, with rows numbered 1 through n from top to bottom, and columns numbered 1 through n from left to right. Every cell is either allowed or blocked, but you don't know the exact description of the grid. You are given only an integer n.
Bob can move through allowed cells but only in some limited directions. When Bob is in an allowed cell in the grid, he can move down or right to an adjacent cell, if it is allowed.
You can ask at most 4 β
n queries of form "? r_1 c_1 r_2 c_2" (1 β€ r_1 β€ r_2 β€ n, 1 β€ c_1 β€ c_2 β€ n). The answer will be "YES" if Bob can get from a cell (r_1, c_1) to a cell (r_2, c_2), and "NO" otherwise. In particular, if one of the two cells (or both) is a blocked cell then the answer is "NO" for sure. Since Bob doesn't like short trips, you can only ask queries with the manhattan distance between the two cells at least n - 1, i.e. the following condition must be satisfied: (r_2 - r_1) + (c_2 - c_1) β₯ n - 1.
It's guaranteed that Bob can get from the top-left corner (1, 1) to the bottom-right corner (n, n) and your task is to find a way to do it. You should print the answer in form "! S" where S is a string of length 2 β
n - 2 consisting of characters 'D' and 'R', denoting moves down and right respectively. The down move increases the first coordinate by 1, the right move increases the second coordinate by 1. If there are multiple solutions, any of them will be accepted. You should terminate immediately after printing the solution.
Input
The only line of the input contains an integer n (2 β€ n β€ 500) β the size of the grid.
Output
When you are ready to print the answer, print a single line containing "! S" where where S is a string of length 2 β
n - 2 consisting of characters 'D' and 'R', denoting moves down and right respectively. The path should be a valid path going from the cell (1, 1) to the cell (n, n) passing only through allowed cells.
Interaction
You can ask at most 4 β
n queries. To ask a query, print a line containing "? r_1 c_1 r_2 c_2" (1 β€ r_1 β€ r_2 β€ n, 1 β€ c_1 β€ c_2 β€ n). After that you should read a single line containing "YES" or "NO" depending on the answer of the query. "YES" means Bob can go from the cell (r_1, c_1) to the cell (r_2, c_2), "NO" means the opposite.
Note that the grid is fixed before the start of your solution and does not depend on your queries.
After printing a query do not forget to output end of line and flush the output. Otherwise you will get Idleness limit exceeded or other negative verdict. To do this, use:
* fflush(stdout) or cout.flush() in C++;
* System.out.flush() in Java;
* flush(output) in Pascal;
* stdout.flush() in Python;
* see documentation for other languages.
Answer "BAD" instead of "YES" or "NO" means that you made an invalid query. Exit immediately after receiving "BAD" and you will see Wrong answer verdict. Otherwise you can get an arbitrary verdict because your solution will continue to read from a closed stream.
Example
Input
4
Β
YES
Β
NO
Β
YES
Β
YES
Β
Output
Β
? 1 1 4 4
Β
? 1 2 4 3
Β
? 4 1 4 4
Β
? 1 4 4 4
Β
! RDRRDD
Note
The first example is shown on the picture below.
<image>
To hack, use the following input format:
The first line should contain a single integer n (2 β€ n β€ 500) β the size of the grid.
Each of the next n lines should contain a string of n characters '#' or '.', where '#' denotes a blocked cell, and '.' denotes an allowed cell.
For example, the following text encodes the example shown above:
4
..#.
#...
###.
....
| instruction | 0 | 107,862 | 15 | 215,724 |
Tags: constructive algorithms, interactive, matrices
Correct Solution:
```
#import sys; sys.stdin = open('input.txt')
def cin(obj=list, type=int, sep=' '):
return obj(map(type, input().split(sep)))
n, = cin()
from sys import stdout
def query(*args):
print('?', *args)
stdout.flush()
ans = input()
return ans == 'YES'
ans1 = ans2 = ''
c1, r1, c2, r2 = 1, 1, n, n
for i in range(n - 1):
if query(r1, c1 + 1, n, n):
ans1 = ans1 + 'R'
c1 += 1
else:
ans1 = ans1 + 'D'
r1 += 1
for i in range(n - 1):
if query(1, 1, r2 - 1, c2):
ans2 = 'D' + ans2
r2 -= 1
else:
ans2 = 'R' + ans2
c2 -= 1
print('!', ans1 + ans2)
stdout.flush()
``` | output | 1 | 107,862 | 15 | 215,725 |
Provide tags and a correct Python 3 solution for this coding contest problem.
This is an interactive problem.
Bob lives in a square grid of size n Γ n, with rows numbered 1 through n from top to bottom, and columns numbered 1 through n from left to right. Every cell is either allowed or blocked, but you don't know the exact description of the grid. You are given only an integer n.
Bob can move through allowed cells but only in some limited directions. When Bob is in an allowed cell in the grid, he can move down or right to an adjacent cell, if it is allowed.
You can ask at most 4 β
n queries of form "? r_1 c_1 r_2 c_2" (1 β€ r_1 β€ r_2 β€ n, 1 β€ c_1 β€ c_2 β€ n). The answer will be "YES" if Bob can get from a cell (r_1, c_1) to a cell (r_2, c_2), and "NO" otherwise. In particular, if one of the two cells (or both) is a blocked cell then the answer is "NO" for sure. Since Bob doesn't like short trips, you can only ask queries with the manhattan distance between the two cells at least n - 1, i.e. the following condition must be satisfied: (r_2 - r_1) + (c_2 - c_1) β₯ n - 1.
It's guaranteed that Bob can get from the top-left corner (1, 1) to the bottom-right corner (n, n) and your task is to find a way to do it. You should print the answer in form "! S" where S is a string of length 2 β
n - 2 consisting of characters 'D' and 'R', denoting moves down and right respectively. The down move increases the first coordinate by 1, the right move increases the second coordinate by 1. If there are multiple solutions, any of them will be accepted. You should terminate immediately after printing the solution.
Input
The only line of the input contains an integer n (2 β€ n β€ 500) β the size of the grid.
Output
When you are ready to print the answer, print a single line containing "! S" where where S is a string of length 2 β
n - 2 consisting of characters 'D' and 'R', denoting moves down and right respectively. The path should be a valid path going from the cell (1, 1) to the cell (n, n) passing only through allowed cells.
Interaction
You can ask at most 4 β
n queries. To ask a query, print a line containing "? r_1 c_1 r_2 c_2" (1 β€ r_1 β€ r_2 β€ n, 1 β€ c_1 β€ c_2 β€ n). After that you should read a single line containing "YES" or "NO" depending on the answer of the query. "YES" means Bob can go from the cell (r_1, c_1) to the cell (r_2, c_2), "NO" means the opposite.
Note that the grid is fixed before the start of your solution and does not depend on your queries.
After printing a query do not forget to output end of line and flush the output. Otherwise you will get Idleness limit exceeded or other negative verdict. To do this, use:
* fflush(stdout) or cout.flush() in C++;
* System.out.flush() in Java;
* flush(output) in Pascal;
* stdout.flush() in Python;
* see documentation for other languages.
Answer "BAD" instead of "YES" or "NO" means that you made an invalid query. Exit immediately after receiving "BAD" and you will see Wrong answer verdict. Otherwise you can get an arbitrary verdict because your solution will continue to read from a closed stream.
Example
Input
4
Β
YES
Β
NO
Β
YES
Β
YES
Β
Output
Β
? 1 1 4 4
Β
? 1 2 4 3
Β
? 4 1 4 4
Β
? 1 4 4 4
Β
! RDRRDD
Note
The first example is shown on the picture below.
<image>
To hack, use the following input format:
The first line should contain a single integer n (2 β€ n β€ 500) β the size of the grid.
Each of the next n lines should contain a string of n characters '#' or '.', where '#' denotes a blocked cell, and '.' denotes an allowed cell.
For example, the following text encodes the example shown above:
4
..#.
#...
###.
....
| instruction | 0 | 107,863 | 15 | 215,726 |
Tags: constructive algorithms, interactive, matrices
Correct Solution:
```
from sys import stdout
n=int(input())
x=1
y=1
s='! '
s2=''
for i in range (n-1):
print('? '+str(x+1)+' '+str(y)+' '+str(n)+' '+str(n))
stdout.flush()
b=input()
if b=='YES':
s=s+'D'
x+=1
else:
s=s+'R'
y+=1
x1=x
y1=y
x=n
y=n
for i in range (n-1):
if y!=y1:
print('? '+str(1)+' '+str(1)+' '+str(x)+' '+str(y-1))
stdout.flush()
b=input()
if b=='YES':
s2=s2+'R'
y-=1
else:
s2=s2+'D'
x-=1
else:
s2=s2+'D'
x-=1
print(s+''.join([s2[n-2-i] for i in range(n-1)]))
``` | output | 1 | 107,863 | 15 | 215,727 |
Provide tags and a correct Python 3 solution for this coding contest problem.
This is an interactive problem.
Bob lives in a square grid of size n Γ n, with rows numbered 1 through n from top to bottom, and columns numbered 1 through n from left to right. Every cell is either allowed or blocked, but you don't know the exact description of the grid. You are given only an integer n.
Bob can move through allowed cells but only in some limited directions. When Bob is in an allowed cell in the grid, he can move down or right to an adjacent cell, if it is allowed.
You can ask at most 4 β
n queries of form "? r_1 c_1 r_2 c_2" (1 β€ r_1 β€ r_2 β€ n, 1 β€ c_1 β€ c_2 β€ n). The answer will be "YES" if Bob can get from a cell (r_1, c_1) to a cell (r_2, c_2), and "NO" otherwise. In particular, if one of the two cells (or both) is a blocked cell then the answer is "NO" for sure. Since Bob doesn't like short trips, you can only ask queries with the manhattan distance between the two cells at least n - 1, i.e. the following condition must be satisfied: (r_2 - r_1) + (c_2 - c_1) β₯ n - 1.
It's guaranteed that Bob can get from the top-left corner (1, 1) to the bottom-right corner (n, n) and your task is to find a way to do it. You should print the answer in form "! S" where S is a string of length 2 β
n - 2 consisting of characters 'D' and 'R', denoting moves down and right respectively. The down move increases the first coordinate by 1, the right move increases the second coordinate by 1. If there are multiple solutions, any of them will be accepted. You should terminate immediately after printing the solution.
Input
The only line of the input contains an integer n (2 β€ n β€ 500) β the size of the grid.
Output
When you are ready to print the answer, print a single line containing "! S" where where S is a string of length 2 β
n - 2 consisting of characters 'D' and 'R', denoting moves down and right respectively. The path should be a valid path going from the cell (1, 1) to the cell (n, n) passing only through allowed cells.
Interaction
You can ask at most 4 β
n queries. To ask a query, print a line containing "? r_1 c_1 r_2 c_2" (1 β€ r_1 β€ r_2 β€ n, 1 β€ c_1 β€ c_2 β€ n). After that you should read a single line containing "YES" or "NO" depending on the answer of the query. "YES" means Bob can go from the cell (r_1, c_1) to the cell (r_2, c_2), "NO" means the opposite.
Note that the grid is fixed before the start of your solution and does not depend on your queries.
After printing a query do not forget to output end of line and flush the output. Otherwise you will get Idleness limit exceeded or other negative verdict. To do this, use:
* fflush(stdout) or cout.flush() in C++;
* System.out.flush() in Java;
* flush(output) in Pascal;
* stdout.flush() in Python;
* see documentation for other languages.
Answer "BAD" instead of "YES" or "NO" means that you made an invalid query. Exit immediately after receiving "BAD" and you will see Wrong answer verdict. Otherwise you can get an arbitrary verdict because your solution will continue to read from a closed stream.
Example
Input
4
Β
YES
Β
NO
Β
YES
Β
YES
Β
Output
Β
? 1 1 4 4
Β
? 1 2 4 3
Β
? 4 1 4 4
Β
? 1 4 4 4
Β
! RDRRDD
Note
The first example is shown on the picture below.
<image>
To hack, use the following input format:
The first line should contain a single integer n (2 β€ n β€ 500) β the size of the grid.
Each of the next n lines should contain a string of n characters '#' or '.', where '#' denotes a blocked cell, and '.' denotes an allowed cell.
For example, the following text encodes the example shown above:
4
..#.
#...
###.
....
| instruction | 0 | 107,864 | 15 | 215,728 |
Tags: constructive algorithms, interactive, matrices
Correct Solution:
```
import sys
f=sys.stdin
out=sys.stdout
n=int(f.readline().rstrip('\r\n'))
curr=[n,n]
s=""
y=float('inf')
for i in range(n-1):
q1=[curr[0]-1,curr[1]]
q2=[curr[0],curr[1]-1]
if q1[0]>0 and q1[1]>0:
out.write("? 1 1 "+str(q1[0])+" "+str(q1[1])+"\n")
sys.stdout.flush()
op=f.readline().rstrip('\r\n')
if (op=="YES"):
curr=q1
s+="D"
else:
curr=q2
s+="R"
else:
curr=q2
s+="R"
y=curr[1]
curr=[1,1]
tb=""
for i in range(n-1):
q1=[curr[0],curr[1]+1]
q2=[curr[0]+1,curr[1]]
if q1[0]<=n and q1[1]<=y:
out.write("? "+str(q1[0])+" "+str(q1[1])+" "+str(n)+" "+str(n)+"\n")
sys.stdout.flush()
op=f.readline().rstrip('\r\n')
if (op=="YES"):
curr=q1
tb+="R"
else:
curr=q2
tb+="D"
else:
curr=q2
tb+="D"
out.write("! "+tb+s[::-1])
``` | output | 1 | 107,864 | 15 | 215,729 |
Provide tags and a correct Python 3 solution for this coding contest problem.
This is an interactive problem.
Bob lives in a square grid of size n Γ n, with rows numbered 1 through n from top to bottom, and columns numbered 1 through n from left to right. Every cell is either allowed or blocked, but you don't know the exact description of the grid. You are given only an integer n.
Bob can move through allowed cells but only in some limited directions. When Bob is in an allowed cell in the grid, he can move down or right to an adjacent cell, if it is allowed.
You can ask at most 4 β
n queries of form "? r_1 c_1 r_2 c_2" (1 β€ r_1 β€ r_2 β€ n, 1 β€ c_1 β€ c_2 β€ n). The answer will be "YES" if Bob can get from a cell (r_1, c_1) to a cell (r_2, c_2), and "NO" otherwise. In particular, if one of the two cells (or both) is a blocked cell then the answer is "NO" for sure. Since Bob doesn't like short trips, you can only ask queries with the manhattan distance between the two cells at least n - 1, i.e. the following condition must be satisfied: (r_2 - r_1) + (c_2 - c_1) β₯ n - 1.
It's guaranteed that Bob can get from the top-left corner (1, 1) to the bottom-right corner (n, n) and your task is to find a way to do it. You should print the answer in form "! S" where S is a string of length 2 β
n - 2 consisting of characters 'D' and 'R', denoting moves down and right respectively. The down move increases the first coordinate by 1, the right move increases the second coordinate by 1. If there are multiple solutions, any of them will be accepted. You should terminate immediately after printing the solution.
Input
The only line of the input contains an integer n (2 β€ n β€ 500) β the size of the grid.
Output
When you are ready to print the answer, print a single line containing "! S" where where S is a string of length 2 β
n - 2 consisting of characters 'D' and 'R', denoting moves down and right respectively. The path should be a valid path going from the cell (1, 1) to the cell (n, n) passing only through allowed cells.
Interaction
You can ask at most 4 β
n queries. To ask a query, print a line containing "? r_1 c_1 r_2 c_2" (1 β€ r_1 β€ r_2 β€ n, 1 β€ c_1 β€ c_2 β€ n). After that you should read a single line containing "YES" or "NO" depending on the answer of the query. "YES" means Bob can go from the cell (r_1, c_1) to the cell (r_2, c_2), "NO" means the opposite.
Note that the grid is fixed before the start of your solution and does not depend on your queries.
After printing a query do not forget to output end of line and flush the output. Otherwise you will get Idleness limit exceeded or other negative verdict. To do this, use:
* fflush(stdout) or cout.flush() in C++;
* System.out.flush() in Java;
* flush(output) in Pascal;
* stdout.flush() in Python;
* see documentation for other languages.
Answer "BAD" instead of "YES" or "NO" means that you made an invalid query. Exit immediately after receiving "BAD" and you will see Wrong answer verdict. Otherwise you can get an arbitrary verdict because your solution will continue to read from a closed stream.
Example
Input
4
Β
YES
Β
NO
Β
YES
Β
YES
Β
Output
Β
? 1 1 4 4
Β
? 1 2 4 3
Β
? 4 1 4 4
Β
? 1 4 4 4
Β
! RDRRDD
Note
The first example is shown on the picture below.
<image>
To hack, use the following input format:
The first line should contain a single integer n (2 β€ n β€ 500) β the size of the grid.
Each of the next n lines should contain a string of n characters '#' or '.', where '#' denotes a blocked cell, and '.' denotes an allowed cell.
For example, the following text encodes the example shown above:
4
..#.
#...
###.
....
| instruction | 0 | 107,865 | 15 | 215,730 |
Tags: constructive algorithms, interactive, matrices
Correct Solution:
```
def ask(x1, y1, x2, y2):
print("?", x1, y1, x2, y2)
return (input() == "YES")
def valid(x, y):
return (1 <= x <= n) and (1 <= y <= n)
n = int(input())
ans = ""
r, d = 0, 0
row, col = 1, 1
for i in range(n - 1):
if valid(row + 1, col) and ask(row + 1, col, n, n):
row += 1
ans += 'D'
else:
col += 1
ans += 'R'
row, col = n, n
ans2 = ""
for i in range(n - 1):
if valid(row, col - 1) and ask(1, 1, row, col - 1):
col -= 1
ans2 += 'L'
else:
row -= 1
ans2 += 'U'
ans2 = list(ans2)
ans2.reverse()
for i in range(len(ans2)):
if ans2[i] == 'L':
ans2[i] = 'R'
else:
ans2[i] = 'D'
ans2 = ''.join(ans2)
print("!" + ' ' + ans+ans2)
``` | output | 1 | 107,865 | 15 | 215,731 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
This is an interactive problem.
Bob lives in a square grid of size n Γ n, with rows numbered 1 through n from top to bottom, and columns numbered 1 through n from left to right. Every cell is either allowed or blocked, but you don't know the exact description of the grid. You are given only an integer n.
Bob can move through allowed cells but only in some limited directions. When Bob is in an allowed cell in the grid, he can move down or right to an adjacent cell, if it is allowed.
You can ask at most 4 β
n queries of form "? r_1 c_1 r_2 c_2" (1 β€ r_1 β€ r_2 β€ n, 1 β€ c_1 β€ c_2 β€ n). The answer will be "YES" if Bob can get from a cell (r_1, c_1) to a cell (r_2, c_2), and "NO" otherwise. In particular, if one of the two cells (or both) is a blocked cell then the answer is "NO" for sure. Since Bob doesn't like short trips, you can only ask queries with the manhattan distance between the two cells at least n - 1, i.e. the following condition must be satisfied: (r_2 - r_1) + (c_2 - c_1) β₯ n - 1.
It's guaranteed that Bob can get from the top-left corner (1, 1) to the bottom-right corner (n, n) and your task is to find a way to do it. You should print the answer in form "! S" where S is a string of length 2 β
n - 2 consisting of characters 'D' and 'R', denoting moves down and right respectively. The down move increases the first coordinate by 1, the right move increases the second coordinate by 1. If there are multiple solutions, any of them will be accepted. You should terminate immediately after printing the solution.
Input
The only line of the input contains an integer n (2 β€ n β€ 500) β the size of the grid.
Output
When you are ready to print the answer, print a single line containing "! S" where where S is a string of length 2 β
n - 2 consisting of characters 'D' and 'R', denoting moves down and right respectively. The path should be a valid path going from the cell (1, 1) to the cell (n, n) passing only through allowed cells.
Interaction
You can ask at most 4 β
n queries. To ask a query, print a line containing "? r_1 c_1 r_2 c_2" (1 β€ r_1 β€ r_2 β€ n, 1 β€ c_1 β€ c_2 β€ n). After that you should read a single line containing "YES" or "NO" depending on the answer of the query. "YES" means Bob can go from the cell (r_1, c_1) to the cell (r_2, c_2), "NO" means the opposite.
Note that the grid is fixed before the start of your solution and does not depend on your queries.
After printing a query do not forget to output end of line and flush the output. Otherwise you will get Idleness limit exceeded or other negative verdict. To do this, use:
* fflush(stdout) or cout.flush() in C++;
* System.out.flush() in Java;
* flush(output) in Pascal;
* stdout.flush() in Python;
* see documentation for other languages.
Answer "BAD" instead of "YES" or "NO" means that you made an invalid query. Exit immediately after receiving "BAD" and you will see Wrong answer verdict. Otherwise you can get an arbitrary verdict because your solution will continue to read from a closed stream.
Example
Input
4
Β
YES
Β
NO
Β
YES
Β
YES
Β
Output
Β
? 1 1 4 4
Β
? 1 2 4 3
Β
? 4 1 4 4
Β
? 1 4 4 4
Β
! RDRRDD
Note
The first example is shown on the picture below.
<image>
To hack, use the following input format:
The first line should contain a single integer n (2 β€ n β€ 500) β the size of the grid.
Each of the next n lines should contain a string of n characters '#' or '.', where '#' denotes a blocked cell, and '.' denotes an allowed cell.
For example, the following text encodes the example shown above:
4
..#.
#...
###.
....
Submitted Solution:
```
# by the authority of GOD author: manhar singh sachdev #
import os,sys
from io import BytesIO, IOBase
def main():
n = int(input())
ls = [n,n]
ans = []
while sum(ls) != n+1:
if ls[0] != 1:
print(f'? 1 1 {ls[0]-1} {ls[1]}')
sys.stdout.flush()
x = input().strip()
if x=='YES':
ans.append("D")
ls[0] -= 1
else:
ans.append("R")
ls[1] -= 1
else:
ans.append("R")
ls[1] -= 1
ls = [1,1]
ans1 = []
while sum(ls) != n+1:
if ls[1] != n:
print(f'? {ls[0]} {ls[1]+1} {n} {n}')
sys.stdout.flush()
x = input().strip()
if x=='YES':
ans1.append("R")
ls[1] += 1
else:
ans1.append("D")
ls[0] += 1
else:
ans1.append("D")
ls[0] += 1
print('!',end=' ')
print(*(ans1+ans[::-1]),sep='')
sys.stdout.flush()
#Fast IO Region
BUFSIZE = 8192
class FastIO(IOBase):
newlines = 0
def __init__(self, file):
self._fd = file.fileno()
self.buffer = BytesIO()
self.writable = "x" in file.mode or "r" not in file.mode
self.write = self.buffer.write if self.writable else None
def read(self):
while True:
b = os.read(self._fd, max(os.fstat(self._fd).st_size, BUFSIZE))
if not b:
break
ptr = self.buffer.tell()
self.buffer.seek(0, 2), self.buffer.write(b), self.buffer.seek(ptr)
self.newlines = 0
return self.buffer.read()
def readline(self):
while self.newlines == 0:
b = os.read(self._fd, max(os.fstat(self._fd).st_size, BUFSIZE))
self.newlines = b.count(b"\n") + (not b)
ptr = self.buffer.tell()
self.buffer.seek(0, 2), self.buffer.write(b), self.buffer.seek(ptr)
self.newlines -= 1
return self.buffer.readline()
def flush(self):
if self.writable:
os.write(self._fd, self.buffer.getvalue())
self.buffer.truncate(0), self.buffer.seek(0)
class IOWrapper(IOBase):
def __init__(self, file):
self.buffer = FastIO(file)
self.flush = self.buffer.flush
self.writable = self.buffer.writable
self.write = lambda s: self.buffer.write(s.encode("ascii"))
self.read = lambda: self.buffer.read().decode("ascii")
self.readline = lambda: self.buffer.readline().decode("ascii")
sys.stdin, sys.stdout = IOWrapper(sys.stdin), IOWrapper(sys.stdout)
input = lambda: sys.stdin.readline().rstrip("\r\n")
if __name__ == '__main__':
main()
``` | instruction | 0 | 107,866 | 15 | 215,732 |
Yes | output | 1 | 107,866 | 15 | 215,733 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
This is an interactive problem.
Bob lives in a square grid of size n Γ n, with rows numbered 1 through n from top to bottom, and columns numbered 1 through n from left to right. Every cell is either allowed or blocked, but you don't know the exact description of the grid. You are given only an integer n.
Bob can move through allowed cells but only in some limited directions. When Bob is in an allowed cell in the grid, he can move down or right to an adjacent cell, if it is allowed.
You can ask at most 4 β
n queries of form "? r_1 c_1 r_2 c_2" (1 β€ r_1 β€ r_2 β€ n, 1 β€ c_1 β€ c_2 β€ n). The answer will be "YES" if Bob can get from a cell (r_1, c_1) to a cell (r_2, c_2), and "NO" otherwise. In particular, if one of the two cells (or both) is a blocked cell then the answer is "NO" for sure. Since Bob doesn't like short trips, you can only ask queries with the manhattan distance between the two cells at least n - 1, i.e. the following condition must be satisfied: (r_2 - r_1) + (c_2 - c_1) β₯ n - 1.
It's guaranteed that Bob can get from the top-left corner (1, 1) to the bottom-right corner (n, n) and your task is to find a way to do it. You should print the answer in form "! S" where S is a string of length 2 β
n - 2 consisting of characters 'D' and 'R', denoting moves down and right respectively. The down move increases the first coordinate by 1, the right move increases the second coordinate by 1. If there are multiple solutions, any of them will be accepted. You should terminate immediately after printing the solution.
Input
The only line of the input contains an integer n (2 β€ n β€ 500) β the size of the grid.
Output
When you are ready to print the answer, print a single line containing "! S" where where S is a string of length 2 β
n - 2 consisting of characters 'D' and 'R', denoting moves down and right respectively. The path should be a valid path going from the cell (1, 1) to the cell (n, n) passing only through allowed cells.
Interaction
You can ask at most 4 β
n queries. To ask a query, print a line containing "? r_1 c_1 r_2 c_2" (1 β€ r_1 β€ r_2 β€ n, 1 β€ c_1 β€ c_2 β€ n). After that you should read a single line containing "YES" or "NO" depending on the answer of the query. "YES" means Bob can go from the cell (r_1, c_1) to the cell (r_2, c_2), "NO" means the opposite.
Note that the grid is fixed before the start of your solution and does not depend on your queries.
After printing a query do not forget to output end of line and flush the output. Otherwise you will get Idleness limit exceeded or other negative verdict. To do this, use:
* fflush(stdout) or cout.flush() in C++;
* System.out.flush() in Java;
* flush(output) in Pascal;
* stdout.flush() in Python;
* see documentation for other languages.
Answer "BAD" instead of "YES" or "NO" means that you made an invalid query. Exit immediately after receiving "BAD" and you will see Wrong answer verdict. Otherwise you can get an arbitrary verdict because your solution will continue to read from a closed stream.
Example
Input
4
Β
YES
Β
NO
Β
YES
Β
YES
Β
Output
Β
? 1 1 4 4
Β
? 1 2 4 3
Β
? 4 1 4 4
Β
? 1 4 4 4
Β
! RDRRDD
Note
The first example is shown on the picture below.
<image>
To hack, use the following input format:
The first line should contain a single integer n (2 β€ n β€ 500) β the size of the grid.
Each of the next n lines should contain a string of n characters '#' or '.', where '#' denotes a blocked cell, and '.' denotes an allowed cell.
For example, the following text encodes the example shown above:
4
..#.
#...
###.
....
Submitted Solution:
```
from sys import stdout
n = int(input())
x, y = 1, 1
steps = []
for i in range(1, n):
stdout.write("? {0} {1} {2} {3}\n".format(x + 1, y, n, n))
stdout.flush()
resp = input()
if resp == "YES":
steps.append('D')
x += 1
else:
steps.append('R')
y += 1
x, y = n, n
for i in range(1, n):
stdout.write("? {0} {1} {2} {3}\n".format(1, 1, x, y - 1))
stdout.flush()
resp = input()
if resp == "YES":
steps.append('R')
y -= 1
else:
steps.append('D')
x -= 1
print("! {0}{1}".format("".join(x for x in steps[:n - 1]), "".join(x for x in steps[n - 1:][::-1])))
``` | instruction | 0 | 107,867 | 15 | 215,734 |
Yes | output | 1 | 107,867 | 15 | 215,735 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
This is an interactive problem.
Bob lives in a square grid of size n Γ n, with rows numbered 1 through n from top to bottom, and columns numbered 1 through n from left to right. Every cell is either allowed or blocked, but you don't know the exact description of the grid. You are given only an integer n.
Bob can move through allowed cells but only in some limited directions. When Bob is in an allowed cell in the grid, he can move down or right to an adjacent cell, if it is allowed.
You can ask at most 4 β
n queries of form "? r_1 c_1 r_2 c_2" (1 β€ r_1 β€ r_2 β€ n, 1 β€ c_1 β€ c_2 β€ n). The answer will be "YES" if Bob can get from a cell (r_1, c_1) to a cell (r_2, c_2), and "NO" otherwise. In particular, if one of the two cells (or both) is a blocked cell then the answer is "NO" for sure. Since Bob doesn't like short trips, you can only ask queries with the manhattan distance between the two cells at least n - 1, i.e. the following condition must be satisfied: (r_2 - r_1) + (c_2 - c_1) β₯ n - 1.
It's guaranteed that Bob can get from the top-left corner (1, 1) to the bottom-right corner (n, n) and your task is to find a way to do it. You should print the answer in form "! S" where S is a string of length 2 β
n - 2 consisting of characters 'D' and 'R', denoting moves down and right respectively. The down move increases the first coordinate by 1, the right move increases the second coordinate by 1. If there are multiple solutions, any of them will be accepted. You should terminate immediately after printing the solution.
Input
The only line of the input contains an integer n (2 β€ n β€ 500) β the size of the grid.
Output
When you are ready to print the answer, print a single line containing "! S" where where S is a string of length 2 β
n - 2 consisting of characters 'D' and 'R', denoting moves down and right respectively. The path should be a valid path going from the cell (1, 1) to the cell (n, n) passing only through allowed cells.
Interaction
You can ask at most 4 β
n queries. To ask a query, print a line containing "? r_1 c_1 r_2 c_2" (1 β€ r_1 β€ r_2 β€ n, 1 β€ c_1 β€ c_2 β€ n). After that you should read a single line containing "YES" or "NO" depending on the answer of the query. "YES" means Bob can go from the cell (r_1, c_1) to the cell (r_2, c_2), "NO" means the opposite.
Note that the grid is fixed before the start of your solution and does not depend on your queries.
After printing a query do not forget to output end of line and flush the output. Otherwise you will get Idleness limit exceeded or other negative verdict. To do this, use:
* fflush(stdout) or cout.flush() in C++;
* System.out.flush() in Java;
* flush(output) in Pascal;
* stdout.flush() in Python;
* see documentation for other languages.
Answer "BAD" instead of "YES" or "NO" means that you made an invalid query. Exit immediately after receiving "BAD" and you will see Wrong answer verdict. Otherwise you can get an arbitrary verdict because your solution will continue to read from a closed stream.
Example
Input
4
Β
YES
Β
NO
Β
YES
Β
YES
Β
Output
Β
? 1 1 4 4
Β
? 1 2 4 3
Β
? 4 1 4 4
Β
? 1 4 4 4
Β
! RDRRDD
Note
The first example is shown on the picture below.
<image>
To hack, use the following input format:
The first line should contain a single integer n (2 β€ n β€ 500) β the size of the grid.
Each of the next n lines should contain a string of n characters '#' or '.', where '#' denotes a blocked cell, and '.' denotes an allowed cell.
For example, the following text encodes the example shown above:
4
..#.
#...
###.
....
Submitted Solution:
```
from sys import stdout
n = int(input())
x, y = 1, 1
steps = []
for i in range(1, n):
stdout.write("? {0} {1} {2} {3}\n".format(x + 1, y, n, n))
stdout.flush()
resp = input()
if resp == "YES":
steps.append('D')
x += 1
else:
steps.append('R')
y += 1
x, y = n, n
for i in range(1, n):
stdout.write("? {0} {1} {2} {3}\n".format(n, n, x, y - 1))
stdout.flush()
resp = input()
if resp == "YES":
steps.append('R')
y -= 1
else:
steps.append('D')
x -= 1
print("! {0} {1}".format(steps[:n - 1], steps[n - 1:]))
``` | instruction | 0 | 107,868 | 15 | 215,736 |
No | output | 1 | 107,868 | 15 | 215,737 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
This is an interactive problem.
Bob lives in a square grid of size n Γ n, with rows numbered 1 through n from top to bottom, and columns numbered 1 through n from left to right. Every cell is either allowed or blocked, but you don't know the exact description of the grid. You are given only an integer n.
Bob can move through allowed cells but only in some limited directions. When Bob is in an allowed cell in the grid, he can move down or right to an adjacent cell, if it is allowed.
You can ask at most 4 β
n queries of form "? r_1 c_1 r_2 c_2" (1 β€ r_1 β€ r_2 β€ n, 1 β€ c_1 β€ c_2 β€ n). The answer will be "YES" if Bob can get from a cell (r_1, c_1) to a cell (r_2, c_2), and "NO" otherwise. In particular, if one of the two cells (or both) is a blocked cell then the answer is "NO" for sure. Since Bob doesn't like short trips, you can only ask queries with the manhattan distance between the two cells at least n - 1, i.e. the following condition must be satisfied: (r_2 - r_1) + (c_2 - c_1) β₯ n - 1.
It's guaranteed that Bob can get from the top-left corner (1, 1) to the bottom-right corner (n, n) and your task is to find a way to do it. You should print the answer in form "! S" where S is a string of length 2 β
n - 2 consisting of characters 'D' and 'R', denoting moves down and right respectively. The down move increases the first coordinate by 1, the right move increases the second coordinate by 1. If there are multiple solutions, any of them will be accepted. You should terminate immediately after printing the solution.
Input
The only line of the input contains an integer n (2 β€ n β€ 500) β the size of the grid.
Output
When you are ready to print the answer, print a single line containing "! S" where where S is a string of length 2 β
n - 2 consisting of characters 'D' and 'R', denoting moves down and right respectively. The path should be a valid path going from the cell (1, 1) to the cell (n, n) passing only through allowed cells.
Interaction
You can ask at most 4 β
n queries. To ask a query, print a line containing "? r_1 c_1 r_2 c_2" (1 β€ r_1 β€ r_2 β€ n, 1 β€ c_1 β€ c_2 β€ n). After that you should read a single line containing "YES" or "NO" depending on the answer of the query. "YES" means Bob can go from the cell (r_1, c_1) to the cell (r_2, c_2), "NO" means the opposite.
Note that the grid is fixed before the start of your solution and does not depend on your queries.
After printing a query do not forget to output end of line and flush the output. Otherwise you will get Idleness limit exceeded or other negative verdict. To do this, use:
* fflush(stdout) or cout.flush() in C++;
* System.out.flush() in Java;
* flush(output) in Pascal;
* stdout.flush() in Python;
* see documentation for other languages.
Answer "BAD" instead of "YES" or "NO" means that you made an invalid query. Exit immediately after receiving "BAD" and you will see Wrong answer verdict. Otherwise you can get an arbitrary verdict because your solution will continue to read from a closed stream.
Example
Input
4
Β
YES
Β
NO
Β
YES
Β
YES
Β
Output
Β
? 1 1 4 4
Β
? 1 2 4 3
Β
? 4 1 4 4
Β
? 1 4 4 4
Β
! RDRRDD
Note
The first example is shown on the picture below.
<image>
To hack, use the following input format:
The first line should contain a single integer n (2 β€ n β€ 500) β the size of the grid.
Each of the next n lines should contain a string of n characters '#' or '.', where '#' denotes a blocked cell, and '.' denotes an allowed cell.
For example, the following text encodes the example shown above:
4
..#.
#...
###.
....
Submitted Solution:
```
def check(x, y):
global ans, n
if x == 1:
while y != 1:
ans += "R"
y -= 1
return
if y == 1:
while x != 1:
ans += "D"
x -= 1
return
if x + y - 2 >= n:
print("?", 1, 1, x - 1, y)
s = input()
if s == "YES":
ans += "D"
check(x - 1, y)
elif s == "BAD":
exit()
else:
ans += "R"
check(x, y - 1)
else:
print("?", x - 1, y, n, n)
s = input()
if s == "YES":
ans += "D"
check(x - 1, y)
elif s == "BAD":
exit()
else:
ans += "R"
check(x, y - 1)
n = int(input())
ans = ""
check(n, n)
print("!", ans[-1::-1])
exit()
``` | instruction | 0 | 107,869 | 15 | 215,738 |
No | output | 1 | 107,869 | 15 | 215,739 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
This is an interactive problem.
Bob lives in a square grid of size n Γ n, with rows numbered 1 through n from top to bottom, and columns numbered 1 through n from left to right. Every cell is either allowed or blocked, but you don't know the exact description of the grid. You are given only an integer n.
Bob can move through allowed cells but only in some limited directions. When Bob is in an allowed cell in the grid, he can move down or right to an adjacent cell, if it is allowed.
You can ask at most 4 β
n queries of form "? r_1 c_1 r_2 c_2" (1 β€ r_1 β€ r_2 β€ n, 1 β€ c_1 β€ c_2 β€ n). The answer will be "YES" if Bob can get from a cell (r_1, c_1) to a cell (r_2, c_2), and "NO" otherwise. In particular, if one of the two cells (or both) is a blocked cell then the answer is "NO" for sure. Since Bob doesn't like short trips, you can only ask queries with the manhattan distance between the two cells at least n - 1, i.e. the following condition must be satisfied: (r_2 - r_1) + (c_2 - c_1) β₯ n - 1.
It's guaranteed that Bob can get from the top-left corner (1, 1) to the bottom-right corner (n, n) and your task is to find a way to do it. You should print the answer in form "! S" where S is a string of length 2 β
n - 2 consisting of characters 'D' and 'R', denoting moves down and right respectively. The down move increases the first coordinate by 1, the right move increases the second coordinate by 1. If there are multiple solutions, any of them will be accepted. You should terminate immediately after printing the solution.
Input
The only line of the input contains an integer n (2 β€ n β€ 500) β the size of the grid.
Output
When you are ready to print the answer, print a single line containing "! S" where where S is a string of length 2 β
n - 2 consisting of characters 'D' and 'R', denoting moves down and right respectively. The path should be a valid path going from the cell (1, 1) to the cell (n, n) passing only through allowed cells.
Interaction
You can ask at most 4 β
n queries. To ask a query, print a line containing "? r_1 c_1 r_2 c_2" (1 β€ r_1 β€ r_2 β€ n, 1 β€ c_1 β€ c_2 β€ n). After that you should read a single line containing "YES" or "NO" depending on the answer of the query. "YES" means Bob can go from the cell (r_1, c_1) to the cell (r_2, c_2), "NO" means the opposite.
Note that the grid is fixed before the start of your solution and does not depend on your queries.
After printing a query do not forget to output end of line and flush the output. Otherwise you will get Idleness limit exceeded or other negative verdict. To do this, use:
* fflush(stdout) or cout.flush() in C++;
* System.out.flush() in Java;
* flush(output) in Pascal;
* stdout.flush() in Python;
* see documentation for other languages.
Answer "BAD" instead of "YES" or "NO" means that you made an invalid query. Exit immediately after receiving "BAD" and you will see Wrong answer verdict. Otherwise you can get an arbitrary verdict because your solution will continue to read from a closed stream.
Example
Input
4
Β
YES
Β
NO
Β
YES
Β
YES
Β
Output
Β
? 1 1 4 4
Β
? 1 2 4 3
Β
? 4 1 4 4
Β
? 1 4 4 4
Β
! RDRRDD
Note
The first example is shown on the picture below.
<image>
To hack, use the following input format:
The first line should contain a single integer n (2 β€ n β€ 500) β the size of the grid.
Each of the next n lines should contain a string of n characters '#' or '.', where '#' denotes a blocked cell, and '.' denotes an allowed cell.
For example, the following text encodes the example shown above:
4
..#.
#...
###.
....
Submitted Solution:
```
from collections import defaultdict,deque
import sys
import bisect
#input=sys.stdin.readline
mod=1000000007
n=int(input())
ans=[[1,1]]
x,y=n,1
for i in range(n):
print('?',1,1,x,y,flush=True)
check=input()
if check=='YES':
print('?',x,y,n,n,flush=True)
check=input()
if check=='YES':
store=[x,y]
break
x-=1
y+=1
x,y=1,1
ok=False
while True:
print('?',x+1,y,n,n,flush=True)
check=input()
#print(x,y,ans)
if check=='YES':
ans.append([x+1,y])
else:
ans.append([x,y+1])
x,y=ans[-1][0],ans[-1][1]
if x==store[0]:
for i in range(1,store[1]-y+1):
ans.append([x,y+i])
ok=True
if y==store[1]:
for i in range(1,store[0]-x+1):
ans.append([x+i,y])
ok=True
if ok:
break
x,y=store[0],store[1]
ok=False
while True:
if y!=n:
print('?',1,1,x,y+1,flush=True)
check=input()
if check=='YES':
ans.append([x,y+1])
else:
ans.append([x+1,y])
x,y=ans[-1][0],ans[-1][1]
if x==n:
for i in range(1,n-y+1):
ans.append([x,y+i])
ok=True
if y==n:
for i in range(1,n-x+1):
ans.append([x+i,y])
ok=True
if ok:
break
x,y=1,1
s=''
for i in range(1,len(ans)):
u,v=ans[i][0],ans[i][1]
if u>x:
s+='D'
else:
s+='R'
x,y=u,v
print('!',s,flush=True)
``` | instruction | 0 | 107,870 | 15 | 215,740 |
No | output | 1 | 107,870 | 15 | 215,741 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
This is an interactive problem.
Bob lives in a square grid of size n Γ n, with rows numbered 1 through n from top to bottom, and columns numbered 1 through n from left to right. Every cell is either allowed or blocked, but you don't know the exact description of the grid. You are given only an integer n.
Bob can move through allowed cells but only in some limited directions. When Bob is in an allowed cell in the grid, he can move down or right to an adjacent cell, if it is allowed.
You can ask at most 4 β
n queries of form "? r_1 c_1 r_2 c_2" (1 β€ r_1 β€ r_2 β€ n, 1 β€ c_1 β€ c_2 β€ n). The answer will be "YES" if Bob can get from a cell (r_1, c_1) to a cell (r_2, c_2), and "NO" otherwise. In particular, if one of the two cells (or both) is a blocked cell then the answer is "NO" for sure. Since Bob doesn't like short trips, you can only ask queries with the manhattan distance between the two cells at least n - 1, i.e. the following condition must be satisfied: (r_2 - r_1) + (c_2 - c_1) β₯ n - 1.
It's guaranteed that Bob can get from the top-left corner (1, 1) to the bottom-right corner (n, n) and your task is to find a way to do it. You should print the answer in form "! S" where S is a string of length 2 β
n - 2 consisting of characters 'D' and 'R', denoting moves down and right respectively. The down move increases the first coordinate by 1, the right move increases the second coordinate by 1. If there are multiple solutions, any of them will be accepted. You should terminate immediately after printing the solution.
Input
The only line of the input contains an integer n (2 β€ n β€ 500) β the size of the grid.
Output
When you are ready to print the answer, print a single line containing "! S" where where S is a string of length 2 β
n - 2 consisting of characters 'D' and 'R', denoting moves down and right respectively. The path should be a valid path going from the cell (1, 1) to the cell (n, n) passing only through allowed cells.
Interaction
You can ask at most 4 β
n queries. To ask a query, print a line containing "? r_1 c_1 r_2 c_2" (1 β€ r_1 β€ r_2 β€ n, 1 β€ c_1 β€ c_2 β€ n). After that you should read a single line containing "YES" or "NO" depending on the answer of the query. "YES" means Bob can go from the cell (r_1, c_1) to the cell (r_2, c_2), "NO" means the opposite.
Note that the grid is fixed before the start of your solution and does not depend on your queries.
After printing a query do not forget to output end of line and flush the output. Otherwise you will get Idleness limit exceeded or other negative verdict. To do this, use:
* fflush(stdout) or cout.flush() in C++;
* System.out.flush() in Java;
* flush(output) in Pascal;
* stdout.flush() in Python;
* see documentation for other languages.
Answer "BAD" instead of "YES" or "NO" means that you made an invalid query. Exit immediately after receiving "BAD" and you will see Wrong answer verdict. Otherwise you can get an arbitrary verdict because your solution will continue to read from a closed stream.
Example
Input
4
Β
YES
Β
NO
Β
YES
Β
YES
Β
Output
Β
? 1 1 4 4
Β
? 1 2 4 3
Β
? 4 1 4 4
Β
? 1 4 4 4
Β
! RDRRDD
Note
The first example is shown on the picture below.
<image>
To hack, use the following input format:
The first line should contain a single integer n (2 β€ n β€ 500) β the size of the grid.
Each of the next n lines should contain a string of n characters '#' or '.', where '#' denotes a blocked cell, and '.' denotes an allowed cell.
For example, the following text encodes the example shown above:
4
..#.
#...
###.
....
Submitted Solution:
```
from sys import stdout
n=int(input())
s1,s2=str(),str()
req=str()
#def ask(x1, y1, x2, y2):
x,y=n,n
while len(s2)<n-1:
print('? 1 1 '+str(x)+' '+str(y-1))
stdout.flush()
req=input()
if req=='YES':
y-=1
s2='D'+s2
else:
x-=1
s2='R'+s2
while len(s1)<n-1:
if y>1:
print('? '+str(x)+' '+str(y-1)+' '+str(n)+' '+str(n))
stdout.flush()
req=input()
if req=='YES':
y-=1
s1='D'+s1
else:
x-=1
s1='R'+s1
else:
x-=1
s1='R'+s1
print('! '+s1+s2)
``` | instruction | 0 | 107,871 | 15 | 215,742 |
No | output | 1 | 107,871 | 15 | 215,743 |
Provide tags and a correct Python 3 solution for this coding contest problem.
All of us love treasures, right? That's why young Vasya is heading for a Treasure Island.
Treasure Island may be represented as a rectangular table n Γ m which is surrounded by the ocean. Let us number rows of the field with consecutive integers from 1 to n from top to bottom and columns with consecutive integers from 1 to m from left to right. Denote the cell in r-th row and c-th column as (r, c). Some of the island cells contain impassable forests, and some cells are free and passable. Treasure is hidden in cell (n, m).
Vasya got off the ship in cell (1, 1). Now he wants to reach the treasure. He is hurrying up, so he can move only from cell to the cell in next row (downwards) or next column (rightwards), i.e. from cell (x, y) he can move only to cells (x+1, y) and (x, y+1). Of course Vasya can't move through cells with impassable forests.
Evil Witch is aware of Vasya's journey and she is going to prevent him from reaching the treasure. Before Vasya's first move she is able to grow using her evil magic impassable forests in previously free cells. Witch is able to grow a forest in any number of any free cells except cells (1, 1) where Vasya got off his ship and (n, m) where the treasure is hidden.
Help Evil Witch by finding out the minimum number of cells she has to turn into impassable forests so that Vasya is no longer able to reach the treasure.
Input
First line of input contains two positive integers n, m (3 β€ n β
m β€ 1 000 000), sizes of the island.
Following n lines contains strings s_i of length m describing the island, j-th character of string s_i equals "#" if cell (i, j) contains an impassable forest and "." if the cell is free and passable. Let us remind you that Vasya gets of his ship at the cell (1, 1), i.e. the first cell of the first row, and he wants to reach cell (n, m), i.e. the last cell of the last row.
It's guaranteed, that cells (1, 1) and (n, m) are empty.
Output
Print the only integer k, which is the minimum number of cells Evil Witch has to turn into impassable forest in order to prevent Vasya from reaching the treasure.
Examples
Input
2 2
..
..
Output
2
Input
4 4
....
#.#.
....
.#..
Output
1
Input
3 4
....
.##.
....
Output
2
Note
The following picture illustrates the island in the third example. Blue arrows show possible paths Vasya may use to go from (1, 1) to (n, m). Red illustrates one possible set of cells for the Witch to turn into impassable forest to make Vasya's trip from (1, 1) to (n, m) impossible.
<image> | instruction | 0 | 107,930 | 15 | 215,860 |
Tags: dfs and similar, dp, flows, hashing
Correct Solution:
```
from heapq import heappush, heappop
from collections import deque,defaultdict,Counter
import itertools
from itertools import permutations
import sys
import bisect
import string
import math
import time
ts=time.time()
sys.setrecursionlimit(10**6)
def SI():
return input().split()
def MI():
return map(int,input().split())
def I():
return int(input())
def LI():
return [int(i) for i in input().split()]
YN=['Yes','No']
mo=10**9+7
from math import log
input = sys.stdin.readline
pr=False
#pr=True
def tprint(*a):
if pr:print(*a)
return
n,m=MI()
mp=[[1]*(m+2)]
if m==1:
for i in range(n):
for j in list(input()):
if j=='#':
print(0)
exit()
print(1)
exit()
for i in range(n):
a=[1]
for j in list(input()):
if j=='#':
a.append(1)
else:
a.append(0)
mp.append(a+[1])
mp.append([1]*(m+2))
def search():
go=[[0]*(m+2) for _ in range(n+2)]
go[0][1]=1
for i in range(1,n+1):
for j in range(1,m+1):
if mp[i][j]!=1:
if go[i-1][j]+go[i][j-1]>0: go[i][j]=1
go[0][1]=0
return go
def bc_search(go):
bc=[[0]*(m+2) for _ in range(n+2)]
bc[n+1][m]=1
for i in range(n,0,-1):
for j in range(m,0,-1):
if go[i][j]!=0:
if bc[i+1][j]+bc[i][j+1]>0: bc[i][j]=1
bc[n+1][m]=0
return bc
go=search()
bc=bc_search(go)
G=[[0]*(m+3)]
G+=[[0]+[bc[i][j] for j in range(m+2)] for i in range(n+2)]
for i in range(n+2):
for j in range(m+2):
G[i+1][j+1]+=G[i+1][j]+G[i][j+1]-G[i][j]
if go[n][m]==0:
ans=0
else:
ans=2
for i in range(1,n+1):
for j in range(1,m+1):
if i*j==1 or i*j==n*m:
continue
s=0
if j+1<m+3+10: s+=G[i][m+2]-G[i][j+1]
if i+1<n+3+10: s+=G[n+2][j]-G[i+1][j]
if s==0:
ans=1
tprint(i,j,G[i+1][j+1])
print(ans)
``` | output | 1 | 107,930 | 15 | 215,861 |
Provide tags and a correct Python 3 solution for this coding contest problem.
All of us love treasures, right? That's why young Vasya is heading for a Treasure Island.
Treasure Island may be represented as a rectangular table n Γ m which is surrounded by the ocean. Let us number rows of the field with consecutive integers from 1 to n from top to bottom and columns with consecutive integers from 1 to m from left to right. Denote the cell in r-th row and c-th column as (r, c). Some of the island cells contain impassable forests, and some cells are free and passable. Treasure is hidden in cell (n, m).
Vasya got off the ship in cell (1, 1). Now he wants to reach the treasure. He is hurrying up, so he can move only from cell to the cell in next row (downwards) or next column (rightwards), i.e. from cell (x, y) he can move only to cells (x+1, y) and (x, y+1). Of course Vasya can't move through cells with impassable forests.
Evil Witch is aware of Vasya's journey and she is going to prevent him from reaching the treasure. Before Vasya's first move she is able to grow using her evil magic impassable forests in previously free cells. Witch is able to grow a forest in any number of any free cells except cells (1, 1) where Vasya got off his ship and (n, m) where the treasure is hidden.
Help Evil Witch by finding out the minimum number of cells she has to turn into impassable forests so that Vasya is no longer able to reach the treasure.
Input
First line of input contains two positive integers n, m (3 β€ n β
m β€ 1 000 000), sizes of the island.
Following n lines contains strings s_i of length m describing the island, j-th character of string s_i equals "#" if cell (i, j) contains an impassable forest and "." if the cell is free and passable. Let us remind you that Vasya gets of his ship at the cell (1, 1), i.e. the first cell of the first row, and he wants to reach cell (n, m), i.e. the last cell of the last row.
It's guaranteed, that cells (1, 1) and (n, m) are empty.
Output
Print the only integer k, which is the minimum number of cells Evil Witch has to turn into impassable forest in order to prevent Vasya from reaching the treasure.
Examples
Input
2 2
..
..
Output
2
Input
4 4
....
#.#.
....
.#..
Output
1
Input
3 4
....
.##.
....
Output
2
Note
The following picture illustrates the island in the third example. Blue arrows show possible paths Vasya may use to go from (1, 1) to (n, m). Red illustrates one possible set of cells for the Witch to turn into impassable forest to make Vasya's trip from (1, 1) to (n, m) impossible.
<image> | instruction | 0 | 107,931 | 15 | 215,862 |
Tags: dfs and similar, dp, flows, hashing
Correct Solution:
```
import sys
import collections as cc
input = sys.stdin.readline
n,m=map(int,input().split())
ar=[list(input().strip()) for i in range(n)]
q=cc.deque()
q.append([0,0])
while q:
x,y=q.pop()
if x+1<n and ar[x+1][y]==".":
ar[x+1][y]=1
q.append([x+1,y])
if y+1<m and ar[x][y+1]==".":
ar[x][y+1]=1
q.append([x,y+1])
q=cc.deque()
q.append([n-1,m-1])
#print(ar)
while q:
x,y=q.pop()
if x-1>=0 and ar[x-1][y]==1:
ar[x-1][y]=0
q.append([x-1,y])
if y-1>=0 and ar[x][y-1]==1:
ar[x][y-1]=0
q.append([x,y-1])
if ar[n-1][m-1]!=1:
print(0)
else:
#print(ar)
ans=[0]*(n+m+10)
for i in range(n):
for j in range(m):
if ar[i][j]==0:
ans[i+j]+=1
if 1 in ans:
print(1)
else:
print(2)
``` | output | 1 | 107,931 | 15 | 215,863 |
Provide tags and a correct Python 3 solution for this coding contest problem.
All of us love treasures, right? That's why young Vasya is heading for a Treasure Island.
Treasure Island may be represented as a rectangular table n Γ m which is surrounded by the ocean. Let us number rows of the field with consecutive integers from 1 to n from top to bottom and columns with consecutive integers from 1 to m from left to right. Denote the cell in r-th row and c-th column as (r, c). Some of the island cells contain impassable forests, and some cells are free and passable. Treasure is hidden in cell (n, m).
Vasya got off the ship in cell (1, 1). Now he wants to reach the treasure. He is hurrying up, so he can move only from cell to the cell in next row (downwards) or next column (rightwards), i.e. from cell (x, y) he can move only to cells (x+1, y) and (x, y+1). Of course Vasya can't move through cells with impassable forests.
Evil Witch is aware of Vasya's journey and she is going to prevent him from reaching the treasure. Before Vasya's first move she is able to grow using her evil magic impassable forests in previously free cells. Witch is able to grow a forest in any number of any free cells except cells (1, 1) where Vasya got off his ship and (n, m) where the treasure is hidden.
Help Evil Witch by finding out the minimum number of cells she has to turn into impassable forests so that Vasya is no longer able to reach the treasure.
Input
First line of input contains two positive integers n, m (3 β€ n β
m β€ 1 000 000), sizes of the island.
Following n lines contains strings s_i of length m describing the island, j-th character of string s_i equals "#" if cell (i, j) contains an impassable forest and "." if the cell is free and passable. Let us remind you that Vasya gets of his ship at the cell (1, 1), i.e. the first cell of the first row, and he wants to reach cell (n, m), i.e. the last cell of the last row.
It's guaranteed, that cells (1, 1) and (n, m) are empty.
Output
Print the only integer k, which is the minimum number of cells Evil Witch has to turn into impassable forest in order to prevent Vasya from reaching the treasure.
Examples
Input
2 2
..
..
Output
2
Input
4 4
....
#.#.
....
.#..
Output
1
Input
3 4
....
.##.
....
Output
2
Note
The following picture illustrates the island in the third example. Blue arrows show possible paths Vasya may use to go from (1, 1) to (n, m). Red illustrates one possible set of cells for the Witch to turn into impassable forest to make Vasya's trip from (1, 1) to (n, m) impossible.
<image> | instruction | 0 | 107,932 | 15 | 215,864 |
Tags: dfs and similar, dp, flows, hashing
Correct Solution:
```
import sys
input = sys.stdin.readline
n,m=map(int,input().split())
MAP=[list(input().strip()) for i in range(n)]
from collections import deque
Q=deque()
Q.append([0,0])
while Q:
x,y=Q.pop()
if x+1<n and MAP[x+1][y]==".":
MAP[x+1][y]=1
Q.append([x+1,y])
if y+1<m and MAP[x][y+1]==".":
MAP[x][y+1]=1
Q.append([x,y+1])
#print(Q,MAP)
Q.append([n-1,m-1])
if MAP[n-1][m-1]!=1:
print(0)
sys.exit()
#print('1',Q,MAP)
while Q:
x,y=Q.pop()
if x-1>=0 and MAP[x-1][y]==1:
MAP[x-1][y]=0
Q.append([x-1,y])
if y-1>=0 and MAP[x][y-1]==1:
MAP[x][y-1]=0
Q.append([x,y-1])
#print(Q,MAP)
#print('2',Q,MAP)
SCORE=[0]*(n+m+5)
for i in range(n):
for j in range(m):
if MAP[i][j]==0:
SCORE[i+j]+=1
#print(SCORE)
if 1 in SCORE:
print(1)
else:
print(2)
``` | output | 1 | 107,932 | 15 | 215,865 |
Provide tags and a correct Python 3 solution for this coding contest problem.
All of us love treasures, right? That's why young Vasya is heading for a Treasure Island.
Treasure Island may be represented as a rectangular table n Γ m which is surrounded by the ocean. Let us number rows of the field with consecutive integers from 1 to n from top to bottom and columns with consecutive integers from 1 to m from left to right. Denote the cell in r-th row and c-th column as (r, c). Some of the island cells contain impassable forests, and some cells are free and passable. Treasure is hidden in cell (n, m).
Vasya got off the ship in cell (1, 1). Now he wants to reach the treasure. He is hurrying up, so he can move only from cell to the cell in next row (downwards) or next column (rightwards), i.e. from cell (x, y) he can move only to cells (x+1, y) and (x, y+1). Of course Vasya can't move through cells with impassable forests.
Evil Witch is aware of Vasya's journey and she is going to prevent him from reaching the treasure. Before Vasya's first move she is able to grow using her evil magic impassable forests in previously free cells. Witch is able to grow a forest in any number of any free cells except cells (1, 1) where Vasya got off his ship and (n, m) where the treasure is hidden.
Help Evil Witch by finding out the minimum number of cells she has to turn into impassable forests so that Vasya is no longer able to reach the treasure.
Input
First line of input contains two positive integers n, m (3 β€ n β
m β€ 1 000 000), sizes of the island.
Following n lines contains strings s_i of length m describing the island, j-th character of string s_i equals "#" if cell (i, j) contains an impassable forest and "." if the cell is free and passable. Let us remind you that Vasya gets of his ship at the cell (1, 1), i.e. the first cell of the first row, and he wants to reach cell (n, m), i.e. the last cell of the last row.
It's guaranteed, that cells (1, 1) and (n, m) are empty.
Output
Print the only integer k, which is the minimum number of cells Evil Witch has to turn into impassable forest in order to prevent Vasya from reaching the treasure.
Examples
Input
2 2
..
..
Output
2
Input
4 4
....
#.#.
....
.#..
Output
1
Input
3 4
....
.##.
....
Output
2
Note
The following picture illustrates the island in the third example. Blue arrows show possible paths Vasya may use to go from (1, 1) to (n, m). Red illustrates one possible set of cells for the Witch to turn into impassable forest to make Vasya's trip from (1, 1) to (n, m) impossible.
<image> | instruction | 0 | 107,933 | 15 | 215,866 |
Tags: dfs and similar, dp, flows, hashing
Correct Solution:
```
# ------------------- fast io --------------------
import os
import sys
from io import BytesIO, IOBase
BUFSIZE = 8192
class FastIO(IOBase):
newlines = 0
def __init__(self, file):
self._fd = file.fileno()
self.buffer = BytesIO()
self.writable = "x" in file.mode or "r" not in file.mode
self.write = self.buffer.write if self.writable else None
def read(self):
while True:
b = os.read(self._fd, max(os.fstat(self._fd).st_size, BUFSIZE))
if not b:
break
ptr = self.buffer.tell()
self.buffer.seek(0, 2), self.buffer.write(b), self.buffer.seek(ptr)
self.newlines = 0
return self.buffer.read()
def readline(self):
while self.newlines == 0:
b = os.read(self._fd, max(os.fstat(self._fd).st_size, BUFSIZE))
self.newlines = b.count(b"\n") + (not b)
ptr = self.buffer.tell()
self.buffer.seek(0, 2), self.buffer.write(b), self.buffer.seek(ptr)
self.newlines -= 1
return self.buffer.readline()
def flush(self):
if self.writable:
os.write(self._fd, self.buffer.getvalue())
self.buffer.truncate(0), self.buffer.seek(0)
class IOWrapper(IOBase):
def __init__(self, file):
self.buffer = FastIO(file)
self.flush = self.buffer.flush
self.writable = self.buffer.writable
self.write = lambda s: self.buffer.write(s.encode("ascii"))
self.read = lambda: self.buffer.read().decode("ascii")
self.readline = lambda: self.buffer.readline().decode("ascii")
sys.stdin, sys.stdout = IOWrapper(sys.stdin), IOWrapper(sys.stdout)
input = lambda: sys.stdin.readline().rstrip("\r\n")
# ------------------- fast io --------------------
from math import gcd, ceil
def pre(s):
n = len(s)
pi = [0] * n
for i in range(1, n):
j = pi[i - 1]
while j and s[i] != s[j]:
j = pi[j - 1]
if s[i] == s[j]:
j += 1
pi[i] = j
return pi
def prod(a):
ans = 1
for each in a:
ans = (ans * each)
return ans
def lcm(a, b): return a * b // gcd(a, b)
def binary(x, length=16):
y = bin(x)[2:]
return y if len(y) >= length else "0" * (length - len(y)) + y
def dfs(graph, start=0):
n = len(graph)
dp = [0] * n
visited, finished = [False] * n, [False] * n
stack = [start]
while stack:
start = stack[-1]
# push unvisited children into stack
if not visited[start]:
visited[start] = True
for child in graph[start]:
if not visited[child]:
stack.append(child)
else:
stack.pop()
# base case
dp[start] += 1
# update with finished children
for child in graph[start]:
if finished[child]:
dp[start] += dp[child]
finished[start] = True
return visited
for _ in range(int(input()) if not True else 1):
n, m = map(int, input().split())
#a, b = map(int, input().split())
#c, d = map(int, input().split())
#a = list(map(int, input().split()))
#b = list(map(int, input().split()))
a = ['' for __ in range(n)]
for __ in range(n):
a[__] = input()
vis = [[0]*m for __ in range(n)]
vis[0][0] = 1
for i in range(n):
for j in range(m):
if a[i][j] == '#' or not vis[i][j]:
continue
if j != m-1 and a[i][j+1] != "#":
vis[i][j+1] = True
if i != n-1 and a[i+1][j] != "#":
vis[i+1][j] = True
if not vis[n-1][m-1]:
print(0)
quit()
vis2 = [[0]*m for __ in range(n)]
vis2[n-1][m-1] = 1
for i in range(n-1, -1, -1):
for j in range(m-1, -1, -1):
if a[i][j] == '#' or not vis2[i][j]:
continue
if j != 0 and a[i][j - 1] != "#":
vis2[i][j - 1] = 1
if i != 0 and a[i - 1][j] != "#":
vis2[i - 1][j] = 1
di = [0]*(n+m+10)
cc = 0
for i in range(2, n*m):
x, y = (i - 1) // m, (i - 1) % m
if vis[x][y] and vis2[x][y]:
#i = x*m+y+1
dist = n-1-x+m-1-y
di[dist] += 1
if di[dist] == 1: cc += 1
elif di[dist] == 2: cc -= 1
print(1 if cc else 2)
``` | output | 1 | 107,933 | 15 | 215,867 |
Provide tags and a correct Python 3 solution for this coding contest problem.
All of us love treasures, right? That's why young Vasya is heading for a Treasure Island.
Treasure Island may be represented as a rectangular table n Γ m which is surrounded by the ocean. Let us number rows of the field with consecutive integers from 1 to n from top to bottom and columns with consecutive integers from 1 to m from left to right. Denote the cell in r-th row and c-th column as (r, c). Some of the island cells contain impassable forests, and some cells are free and passable. Treasure is hidden in cell (n, m).
Vasya got off the ship in cell (1, 1). Now he wants to reach the treasure. He is hurrying up, so he can move only from cell to the cell in next row (downwards) or next column (rightwards), i.e. from cell (x, y) he can move only to cells (x+1, y) and (x, y+1). Of course Vasya can't move through cells with impassable forests.
Evil Witch is aware of Vasya's journey and she is going to prevent him from reaching the treasure. Before Vasya's first move she is able to grow using her evil magic impassable forests in previously free cells. Witch is able to grow a forest in any number of any free cells except cells (1, 1) where Vasya got off his ship and (n, m) where the treasure is hidden.
Help Evil Witch by finding out the minimum number of cells she has to turn into impassable forests so that Vasya is no longer able to reach the treasure.
Input
First line of input contains two positive integers n, m (3 β€ n β
m β€ 1 000 000), sizes of the island.
Following n lines contains strings s_i of length m describing the island, j-th character of string s_i equals "#" if cell (i, j) contains an impassable forest and "." if the cell is free and passable. Let us remind you that Vasya gets of his ship at the cell (1, 1), i.e. the first cell of the first row, and he wants to reach cell (n, m), i.e. the last cell of the last row.
It's guaranteed, that cells (1, 1) and (n, m) are empty.
Output
Print the only integer k, which is the minimum number of cells Evil Witch has to turn into impassable forest in order to prevent Vasya from reaching the treasure.
Examples
Input
2 2
..
..
Output
2
Input
4 4
....
#.#.
....
.#..
Output
1
Input
3 4
....
.##.
....
Output
2
Note
The following picture illustrates the island in the third example. Blue arrows show possible paths Vasya may use to go from (1, 1) to (n, m). Red illustrates one possible set of cells for the Witch to turn into impassable forest to make Vasya's trip from (1, 1) to (n, m) impossible.
<image> | instruction | 0 | 107,934 | 15 | 215,868 |
Tags: dfs and similar, dp, flows, hashing
Correct Solution:
```
from collections import *
import sys
def main():
r, c = map(int, sys.stdin.readline().strip().split())
grid = [list(sys.stdin.readline().strip()) for _ in range(r)]
n = sum(u.count('#') for u in grid)
if n == 0:
if r == 1:
print(1)
elif c == 1:
print(1)
else:
print(2)
return
if r == c == 2:
print(2 - n)
return
grid[0][0] = '0'
for i in range(r):
for j in range(c):
if grid[i][j] == '#':
continue
f = False
if i != 0:
f = f or grid[i - 1][j] == '0'
if j != 0:
f = f or grid[i][j - 1] == '0'
if f:
grid[i][j] = '0'
grid[-1][-1] = '1'
for i in range(r - 1, -1, -1):
for j in range(c - 1, -1, -1):
if grid[i][j] != '0':
continue
if i != r - 1 and grid[i + 1][j] == '1':
grid[i][j] = '1'
elif j != c - 1 and grid[i][j + 1] == '1':
grid[i][j] = '1'
if grid[0][0] != '1':
print(0)
return
dictionary = Counter()
for i in range(r):
for j in range(c):
if grid[i][j] == '1':
dictionary[i + j] += 1
for key in dictionary:
if 0 < key < r + c - 2 and dictionary[key] == 1:
print(1)
return
print(2)
main()
``` | output | 1 | 107,934 | 15 | 215,869 |
Provide tags and a correct Python 3 solution for this coding contest problem.
All of us love treasures, right? That's why young Vasya is heading for a Treasure Island.
Treasure Island may be represented as a rectangular table n Γ m which is surrounded by the ocean. Let us number rows of the field with consecutive integers from 1 to n from top to bottom and columns with consecutive integers from 1 to m from left to right. Denote the cell in r-th row and c-th column as (r, c). Some of the island cells contain impassable forests, and some cells are free and passable. Treasure is hidden in cell (n, m).
Vasya got off the ship in cell (1, 1). Now he wants to reach the treasure. He is hurrying up, so he can move only from cell to the cell in next row (downwards) or next column (rightwards), i.e. from cell (x, y) he can move only to cells (x+1, y) and (x, y+1). Of course Vasya can't move through cells with impassable forests.
Evil Witch is aware of Vasya's journey and she is going to prevent him from reaching the treasure. Before Vasya's first move she is able to grow using her evil magic impassable forests in previously free cells. Witch is able to grow a forest in any number of any free cells except cells (1, 1) where Vasya got off his ship and (n, m) where the treasure is hidden.
Help Evil Witch by finding out the minimum number of cells she has to turn into impassable forests so that Vasya is no longer able to reach the treasure.
Input
First line of input contains two positive integers n, m (3 β€ n β
m β€ 1 000 000), sizes of the island.
Following n lines contains strings s_i of length m describing the island, j-th character of string s_i equals "#" if cell (i, j) contains an impassable forest and "." if the cell is free and passable. Let us remind you that Vasya gets of his ship at the cell (1, 1), i.e. the first cell of the first row, and he wants to reach cell (n, m), i.e. the last cell of the last row.
It's guaranteed, that cells (1, 1) and (n, m) are empty.
Output
Print the only integer k, which is the minimum number of cells Evil Witch has to turn into impassable forest in order to prevent Vasya from reaching the treasure.
Examples
Input
2 2
..
..
Output
2
Input
4 4
....
#.#.
....
.#..
Output
1
Input
3 4
....
.##.
....
Output
2
Note
The following picture illustrates the island in the third example. Blue arrows show possible paths Vasya may use to go from (1, 1) to (n, m). Red illustrates one possible set of cells for the Witch to turn into impassable forest to make Vasya's trip from (1, 1) to (n, m) impossible.
<image> | instruction | 0 | 107,935 | 15 | 215,870 |
Tags: dfs and similar, dp, flows, hashing
Correct Solution:
```
import sys
readLn = sys.stdin.readline
if __name__ == '__main__':
n, m = map(int, readLn().split())
ds = [[-1 if c == '#' else 0 for c in readLn()] for _ in range(n)]
ds[0][0] = 1
for i in range(0, n):
for j in range(0, m):
if ds[i][j] == 0:
if i > 0 and ds[i - 1][j] > 0:
ds[i][j] = ds[i - 1][j] + 1
if j > 0 and ds[i][j - 1] > 0:
ds[i][j] = ds[i][j - 1] + 1
if ds[n - 1][m - 1] == 0:
print(0)
else:
ds[n - 1][m - 1] = -2
sm = [0 for _ in range(n + m + 1)]
for i in range(n - 1, -1, -1):
for j in range(m - 1, -1, -1):
if ds[i][j] > 1 and ((i + 1 < n and ds[i + 1][j] == -2) or (j + 1 < m and ds[i][j + 1] == -2)):
sm[ds[i][j]] += 1
ds[i][j] = -2
ans = 2
for i in range(2, n + m):
if sm[i] == 1:
ans = 1
break
print(ans)
``` | output | 1 | 107,935 | 15 | 215,871 |
Provide tags and a correct Python 3 solution for this coding contest problem.
All of us love treasures, right? That's why young Vasya is heading for a Treasure Island.
Treasure Island may be represented as a rectangular table n Γ m which is surrounded by the ocean. Let us number rows of the field with consecutive integers from 1 to n from top to bottom and columns with consecutive integers from 1 to m from left to right. Denote the cell in r-th row and c-th column as (r, c). Some of the island cells contain impassable forests, and some cells are free and passable. Treasure is hidden in cell (n, m).
Vasya got off the ship in cell (1, 1). Now he wants to reach the treasure. He is hurrying up, so he can move only from cell to the cell in next row (downwards) or next column (rightwards), i.e. from cell (x, y) he can move only to cells (x+1, y) and (x, y+1). Of course Vasya can't move through cells with impassable forests.
Evil Witch is aware of Vasya's journey and she is going to prevent him from reaching the treasure. Before Vasya's first move she is able to grow using her evil magic impassable forests in previously free cells. Witch is able to grow a forest in any number of any free cells except cells (1, 1) where Vasya got off his ship and (n, m) where the treasure is hidden.
Help Evil Witch by finding out the minimum number of cells she has to turn into impassable forests so that Vasya is no longer able to reach the treasure.
Input
First line of input contains two positive integers n, m (3 β€ n β
m β€ 1 000 000), sizes of the island.
Following n lines contains strings s_i of length m describing the island, j-th character of string s_i equals "#" if cell (i, j) contains an impassable forest and "." if the cell is free and passable. Let us remind you that Vasya gets of his ship at the cell (1, 1), i.e. the first cell of the first row, and he wants to reach cell (n, m), i.e. the last cell of the last row.
It's guaranteed, that cells (1, 1) and (n, m) are empty.
Output
Print the only integer k, which is the minimum number of cells Evil Witch has to turn into impassable forest in order to prevent Vasya from reaching the treasure.
Examples
Input
2 2
..
..
Output
2
Input
4 4
....
#.#.
....
.#..
Output
1
Input
3 4
....
.##.
....
Output
2
Note
The following picture illustrates the island in the third example. Blue arrows show possible paths Vasya may use to go from (1, 1) to (n, m). Red illustrates one possible set of cells for the Witch to turn into impassable forest to make Vasya's trip from (1, 1) to (n, m) impossible.
<image> | instruction | 0 | 107,936 | 15 | 215,872 |
Tags: dfs and similar, dp, flows, hashing
Correct Solution:
```
import sys
input = sys.stdin.readline
t = 1
for _ in range(t):
n, m = (int(x) for x in input().split())
mat = [input() for x in range(n)]
dp = [[0 for x in range(m+1)] for y in range(n+1)]
for i in range(n-1, -1, -1):
for j in range(m-1, -1, -1):
if mat[i][j] == '#':
dp[i][j] = 0
elif i == n-1 and j == m-1:
dp[i][j] = 1
elif i == n-1:
dp[i][j] = dp[i][j+1]
elif j == m-1:
dp[i][j] = dp[i+1][j]
else:
dp[i][j] = dp[i+1][j] + dp[i][j+1]
if dp[0][0] == 0:
print(0)
break
ans = 2
r1, c1, r2, c2 = 0, 0, 0, 0
# It takes n+m-2 steps to reach from start to end
for i in range(n+m-2-1):
if dp[r1+1][c1] != 0:
r1 += 1
else:
c1 += 1
if dp[r2][c2+1] != 0:
c2 += 1
else:
r2 += 1
if r1 == r2 and c1 == c2:
ans = 1
break
print(ans)
``` | output | 1 | 107,936 | 15 | 215,873 |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.