contestId
int64
0
1.01k
index
stringclasses
57 values
name
stringlengths
2
58
type
stringclasses
2 values
rating
int64
0
3.5k
tags
listlengths
0
11
title
stringclasses
522 values
time-limit
stringclasses
8 values
memory-limit
stringclasses
8 values
problem-description
stringlengths
0
7.15k
input-specification
stringlengths
0
2.05k
output-specification
stringlengths
0
1.5k
demo-input
listlengths
0
7
demo-output
listlengths
0
7
note
stringlengths
0
5.24k
points
float64
0
425k
test_cases
listlengths
0
402
creationTimeSeconds
int64
1.37B
1.7B
relativeTimeSeconds
int64
8
2.15B
programmingLanguage
stringclasses
3 values
verdict
stringclasses
14 values
testset
stringclasses
12 values
passedTestCount
int64
0
1k
timeConsumedMillis
int64
0
15k
memoryConsumedBytes
int64
0
805M
code
stringlengths
3
65.5k
prompt
stringlengths
262
8.2k
response
stringlengths
17
65.5k
score
float64
-1
3.99
731
A
Night at the Museum
PROGRAMMING
800
[ "implementation", "strings" ]
null
null
Grigoriy, like the hero of one famous comedy film, found a job as a night security guard at the museum. At first night he received embosser and was to take stock of the whole exposition. Embosser is a special devise that allows to "print" the text of a plastic tape. Text is printed sequentially, character by character...
The only line of input contains the name of some exhibit — the non-empty string consisting of no more than 100 characters. It's guaranteed that the string consists of only lowercase English letters.
Print one integer — the minimum number of rotations of the wheel, required to print the name given in the input.
[ "zeus\n", "map\n", "ares\n" ]
[ "18\n", "35\n", "34\n" ]
To print the string from the first sample it would be optimal to perform the following sequence of rotations: 1. from 'a' to 'z' (1 rotation counterclockwise), 1. from 'z' to 'e' (5 clockwise rotations), 1. from 'e' to 'u' (10 rotations counterclockwise), 1. from 'u' to 's' (2 counterclockwise rotations).
500
[ { "input": "zeus", "output": "18" }, { "input": "map", "output": "35" }, { "input": "ares", "output": "34" }, { "input": "l", "output": "11" }, { "input": "abcdefghijklmnopqrstuvwxyzabcdefghijklmnopqrstuvwxyzabcdefghijklmnopqrstuvwxyzabcdefghijklmnopqrstuv", "...
1,699,451,677
2,147,483,647
Python 3
OK
TESTS
44
31
0
alph = ['a', 'b', 'c', 'd', 'e', 'f', 'g', 'h', 'i', 'j', 'k', 'l', 'm', 'n', 'o', 'p', 'q', 'r', 's', 't', 'u', 'v', 'w', 'x', 'y', 'z'] name = input() rotations = 0 previous = alph.index('a') for letter in name: afterwards = alph.index(letter) distance = min((previous - afterwards) % 26, (afterwards -...
Title: Night at the Museum Time Limit: None seconds Memory Limit: None megabytes Problem Description: Grigoriy, like the hero of one famous comedy film, found a job as a night security guard at the museum. At first night he received embosser and was to take stock of the whole exposition. Embosser is a special devis...
```python alph = ['a', 'b', 'c', 'd', 'e', 'f', 'g', 'h', 'i', 'j', 'k', 'l', 'm', 'n', 'o', 'p', 'q', 'r', 's', 't', 'u', 'v', 'w', 'x', 'y', 'z'] name = input() rotations = 0 previous = alph.index('a') for letter in name: afterwards = alph.index(letter) distance = min((previous - afterwards) % 26, (af...
3
449
B
Jzzhu and Cities
PROGRAMMING
2,000
[ "graphs", "greedy", "shortest paths" ]
null
null
Jzzhu is the president of country A. There are *n* cities numbered from 1 to *n* in his country. City 1 is the capital of A. Also there are *m* roads connecting the cities. One can go from city *u**i* to *v**i* (and vise versa) using the *i*-th road, the length of this road is *x**i*. Finally, there are *k* train route...
The first line contains three integers *n*,<=*m*,<=*k* (2<=≤<=*n*<=≤<=105; 1<=≤<=*m*<=≤<=3·105; 1<=≤<=*k*<=≤<=105). Each of the next *m* lines contains three integers *u**i*,<=*v**i*,<=*x**i* (1<=≤<=*u**i*,<=*v**i*<=≤<=*n*; *u**i*<=≠<=*v**i*; 1<=≤<=*x**i*<=≤<=109). Each of the next *k* lines contains two integers *s*...
Output a single integer representing the maximum number of the train routes which can be closed.
[ "5 5 3\n1 2 1\n2 3 2\n1 3 3\n3 4 4\n1 5 5\n3 5\n4 5\n5 5\n", "2 2 3\n1 2 2\n2 1 3\n2 1\n2 2\n2 3\n" ]
[ "2\n", "2\n" ]
none
1,000
[ { "input": "5 5 3\n1 2 1\n2 3 2\n1 3 3\n3 4 4\n1 5 5\n3 5\n4 5\n5 5", "output": "2" }, { "input": "2 2 3\n1 2 2\n2 1 3\n2 1\n2 2\n2 3", "output": "2" }, { "input": "5 4 3\n1 2 999999999\n2 3 1000000000\n3 4 529529529\n5 1 524524524\n5 524444444\n5 529999999\n2 1000000000", "output": ...
1,667,200,695
2,147,483,647
PyPy 3-64
RUNTIME_ERROR
TESTS
2
77
2,764,800
from heapq import heapify, heappop, heappush n , m ,k = map(int , input().split()) graph = [[] for i in range(n)] for i in range(0 , m): a , b , d = map(int , input().split()) graph[a-1].append((b-1,d)) graph[b-1].append((a-1,d)) train = [] for i in range(k): a , d = map(int , input().split()) ...
Title: Jzzhu and Cities Time Limit: None seconds Memory Limit: None megabytes Problem Description: Jzzhu is the president of country A. There are *n* cities numbered from 1 to *n* in his country. City 1 is the capital of A. Also there are *m* roads connecting the cities. One can go from city *u**i* to *v**i* (and vi...
```python from heapq import heapify, heappop, heappush n , m ,k = map(int , input().split()) graph = [[] for i in range(n)] for i in range(0 , m): a , b , d = map(int , input().split()) graph[a-1].append((b-1,d)) graph[b-1].append((a-1,d)) train = [] for i in range(k): a , d = map(int , input()...
-1
358
B
Dima and Text Messages
PROGRAMMING
1,500
[ "brute force", "strings" ]
null
null
Seryozha has a very changeable character. This time he refused to leave the room to Dima and his girlfriend (her hame is Inna, by the way). However, the two lovebirds can always find a way to communicate. Today they are writing text messages to each other. Dima and Inna are using a secret code in their text messages. ...
The first line contains integer *n* (1<=≤<=*n*<=≤<=105) — the number of words in Dima's message. Next *n* lines contain non-empty words, one word per line. The words only consist of small English letters. The total length of all words doesn't exceed 105. The last line contains non-empty text message that Inna has got...
In a single line, print "yes" (without the quotes), if Dima decoded the text message correctly, and "no" (without the quotes) otherwise.
[ "3\ni\nlove\nyou\n&lt;3i&lt;3love&lt;23you&lt;3\n", "7\ni\nam\nnot\nmain\nin\nthe\nfamily\n&lt;3i&lt;&gt;3am&lt;3the&lt;3&lt;main&lt;3in&lt;3the&lt;3&gt;&lt;3family&lt;3\n" ]
[ "yes\n", "no\n" ]
Please note that Dima got a good old kick in the pants for the second sample from the statement.
1,000
[ { "input": "3\ni\nlove\nyou\n<3i<3love<23you<3", "output": "yes" }, { "input": "7\ni\nam\nnot\nmain\nin\nthe\nfamily\n<3i<>3am<3the<3<main<3in<3the<3><3family<3", "output": "no" }, { "input": "3\ni\nlove\nyou\n<3i<3lo<3ve<3y<<<<<<<ou3<3", "output": "yes" }, { "input": "4\na\n...
1,601,632,430
2,147,483,647
PyPy 3
WRONG_ANSWER
TESTS
0
170
2,252,800
import sys, os.path from collections import* from copy import* import math mod=10**9+7 if(os.path.exists('input.txt')): sys.stdin = open("input.txt","r") sys.stdout = open("output.txt","w") n=int(input()) fake='<3' for i in range(n): s1=input() fake+=s1 fake+='<3' n1=len(fake) text=...
Title: Dima and Text Messages Time Limit: None seconds Memory Limit: None megabytes Problem Description: Seryozha has a very changeable character. This time he refused to leave the room to Dima and his girlfriend (her hame is Inna, by the way). However, the two lovebirds can always find a way to communicate. Today t...
```python import sys, os.path from collections import* from copy import* import math mod=10**9+7 if(os.path.exists('input.txt')): sys.stdin = open("input.txt","r") sys.stdout = open("output.txt","w") n=int(input()) fake='<3' for i in range(n): s1=input() fake+=s1 fake+='<3' n1=len(fa...
0
928
A
Login Verification
PROGRAMMING
1,200
[ "*special", "strings" ]
null
null
When registering in a social network, users are allowed to create their own convenient login to make it easier to share contacts, print it on business cards, etc. Login is an arbitrary sequence of lower and uppercase latin letters, digits and underline symbols («_»). However, in order to decrease the number of frauds ...
The first line contains a non-empty string *s* consisting of lower and uppercase latin letters, digits and underline symbols («_») with length not exceeding 50  — the login itself. The second line contains a single integer *n* (1<=≤<=*n*<=≤<=1<=000) — the number of existing logins. The next *n* lines describe the exi...
Print «Yes» (without quotes), if user can register via this login, i.e. none of the existing logins is similar with it. Otherwise print «No» (without quotes).
[ "1_wat\n2\n2_wat\nwat_1\n", "000\n3\n00\nooA\noOo\n", "_i_\n3\n__i_\n_1_\nI\n", "La0\n3\n2a0\nLa1\n1a0\n", "abc\n1\naBc\n", "0Lil\n2\nLIL0\n0Ril\n" ]
[ "Yes\n", "No\n", "No\n", "No\n", "No\n", "Yes\n" ]
In the second sample case the user wants to create a login consisting of three zeros. It's impossible due to collision with the third among the existing. In the third sample case the new login is similar with the second one.
500
[ { "input": "1_wat\n2\n2_wat\nwat_1", "output": "Yes" }, { "input": "000\n3\n00\nooA\noOo", "output": "No" }, { "input": "_i_\n3\n__i_\n_1_\nI", "output": "No" }, { "input": "La0\n3\n2a0\nLa1\n1a0", "output": "No" }, { "input": "abc\n1\naBc", "output": "No" }...
1,519,487,663
1,163
Python 3
OK
TESTS
73
93
5,632,000
ss = input() st = "" for j in range(len(ss)): c = ss[j] if 'A' <= c <= 'Z': c = chr(ord(c) + ord('a') - ord('A')) if c == 'o': c = '0' if c == 'l' or c == 'i': c = '1' st += c s = st n = int(input()) for i in range(n): ss = input() st = "" for j in...
Title: Login Verification Time Limit: None seconds Memory Limit: None megabytes Problem Description: When registering in a social network, users are allowed to create their own convenient login to make it easier to share contacts, print it on business cards, etc. Login is an arbitrary sequence of lower and uppercas...
```python ss = input() st = "" for j in range(len(ss)): c = ss[j] if 'A' <= c <= 'Z': c = chr(ord(c) + ord('a') - ord('A')) if c == 'o': c = '0' if c == 'l' or c == 'i': c = '1' st += c s = st n = int(input()) for i in range(n): ss = input() st = "" ...
3
34
C
Page Numbers
PROGRAMMING
1,300
[ "expression parsing", "implementation", "sortings", "strings" ]
C. Page Numbers
2
256
«Bersoft» company is working on a new version of its most popular text editor — Bord 2010. Bord, like many other text editors, should be able to print out multipage documents. A user keys a sequence of the document page numbers that he wants to print out (separates them with a comma, without spaces). Your task is to w...
The only line contains the sequence, keyed by the user. The sequence contains at least one and at most 100 positive integer numbers. It's guaranteed, that this sequence consists of positive integer numbers, not exceeding 1000, separated with a comma, doesn't contain any other characters, apart from digits and commas, c...
Output the sequence in the required format.
[ "1,2,3,1,1,2,6,6,2\n", "3,2,1\n", "30,20,10\n" ]
[ "1-3,6\n", "1-3\n", "10,20,30\n" ]
none
1,500
[ { "input": "1,2,3,1,1,2,6,6,2", "output": "1-3,6" }, { "input": "3,2,1", "output": "1-3" }, { "input": "30,20,10", "output": "10,20,30" }, { "input": "826,747,849,687,437", "output": "437,687,747,826,849" }, { "input": "999,999,993,969,999", "output": "969,993...
1,658,142,001
2,147,483,647
Python 3
OK
TESTS
26
92
0
a = sorted(set(map(int, input().split(",")))) left = right = a[0] for x in a[1:]: if x - right > 1: if left == right: print(left, end=",") else: print(left, right, sep="-", end=",") left = x right = x if left == right: print(left) else: print(left, right, ...
Title: Page Numbers Time Limit: 2 seconds Memory Limit: 256 megabytes Problem Description: «Bersoft» company is working on a new version of its most popular text editor — Bord 2010. Bord, like many other text editors, should be able to print out multipage documents. A user keys a sequence of the document page number...
```python a = sorted(set(map(int, input().split(",")))) left = right = a[0] for x in a[1:]: if x - right > 1: if left == right: print(left, end=",") else: print(left, right, sep="-", end=",") left = x right = x if left == right: print(left) else: print(lef...
3.977
471
A
MUH and Sticks
PROGRAMMING
1,100
[ "implementation" ]
null
null
Two polar bears Menshykov and Uslada from the St.Petersburg zoo and elephant Horace from the Kiev zoo got six sticks to play with and assess the animals' creativity. Menshykov, Uslada and Horace decided to make either an elephant or a bear from those sticks. They can make an animal from sticks in the following way: -...
The single line contains six space-separated integers *l**i* (1<=≤<=*l**i*<=≤<=9) — the lengths of the six sticks. It is guaranteed that the input is such that you cannot make both animals from the sticks.
If you can make a bear from the given set, print string "Bear" (without the quotes). If you can make an elephant, print string "Elephant" (wıthout the quotes). If you can make neither a bear nor an elephant, print string "Alien" (without the quotes).
[ "4 2 5 4 4 4\n", "4 4 5 4 4 5\n", "1 2 3 4 5 6\n" ]
[ "Bear", "Elephant", "Alien" ]
If you're out of creative ideas, see instructions below which show how to make a bear and an elephant in the first two samples. The stick of length 2 is in red, the sticks of length 4 are in green, the sticks of length 5 are in blue.
500
[ { "input": "4 2 5 4 4 4", "output": "Bear" }, { "input": "4 4 5 4 4 5", "output": "Elephant" }, { "input": "1 2 3 4 5 6", "output": "Alien" }, { "input": "5 5 5 5 5 5", "output": "Elephant" }, { "input": "1 1 1 2 3 5", "output": "Alien" }, { "input": "...
1,488,640,878
2,147,483,647
Python 3
WRONG_ANSWER
TESTS
8
46
4,608,000
'''input 4 2 5 4 4 4 ''' l = list(map(int, input().split())) x = sorted([l.count(i) for i in set(l)]) if x == [6] or x == [2, 4]: print("Elephant") elif x == [1, 1, 4]: print("Bear") else: print("Alien")
Title: MUH and Sticks Time Limit: None seconds Memory Limit: None megabytes Problem Description: Two polar bears Menshykov and Uslada from the St.Petersburg zoo and elephant Horace from the Kiev zoo got six sticks to play with and assess the animals' creativity. Menshykov, Uslada and Horace decided to make either an...
```python '''input 4 2 5 4 4 4 ''' l = list(map(int, input().split())) x = sorted([l.count(i) for i in set(l)]) if x == [6] or x == [2, 4]: print("Elephant") elif x == [1, 1, 4]: print("Bear") else: print("Alien") ```
0
339
A
Helpful Maths
PROGRAMMING
800
[ "greedy", "implementation", "sortings", "strings" ]
null
null
Xenia the beginner mathematician is a third year student at elementary school. She is now learning the addition operation. The teacher has written down the sum of multiple numbers. Pupils should calculate the sum. To make the calculation easier, the sum only contains numbers 1, 2 and 3. Still, that isn't enough for Xe...
The first line contains a non-empty string *s* — the sum Xenia needs to count. String *s* contains no spaces. It only contains digits and characters "+". Besides, string *s* is a correct sum of numbers 1, 2 and 3. String *s* is at most 100 characters long.
Print the new sum that Xenia can count.
[ "3+2+1\n", "1+1+3+1+3\n", "2\n" ]
[ "1+2+3\n", "1+1+1+3+3\n", "2\n" ]
none
500
[ { "input": "3+2+1", "output": "1+2+3" }, { "input": "1+1+3+1+3", "output": "1+1+1+3+3" }, { "input": "2", "output": "2" }, { "input": "2+2+1+1+3", "output": "1+1+2+2+3" }, { "input": "2+1+2+2+2+3+1+3+1+2", "output": "1+1+1+2+2+2+2+2+3+3" }, { "input": ...
1,699,968,551
2,147,483,647
Python 3
OK
TESTS
21
92
0
s1 = input() nums=[] for i in s1 : if i.isdigit(): nums.append(("+"+i)) nums.sort() x=("".join(nums[0:])) print(x.replace("+","",1))
Title: Helpful Maths Time Limit: None seconds Memory Limit: None megabytes Problem Description: Xenia the beginner mathematician is a third year student at elementary school. She is now learning the addition operation. The teacher has written down the sum of multiple numbers. Pupils should calculate the sum. To mak...
```python s1 = input() nums=[] for i in s1 : if i.isdigit(): nums.append(("+"+i)) nums.sort() x=("".join(nums[0:])) print(x.replace("+","",1)) ```
3
766
A
Mahmoud and Longest Uncommon Subsequence
PROGRAMMING
1,000
[ "constructive algorithms", "strings" ]
null
null
While Mahmoud and Ehab were practicing for IOI, they found a problem which name was Longest common subsequence. They solved it, and then Ehab challenged Mahmoud with another problem. Given two strings *a* and *b*, find the length of their longest uncommon subsequence, which is the longest string that is a subsequence ...
The first line contains string *a*, and the second line — string *b*. Both of these strings are non-empty and consist of lowercase letters of English alphabet. The length of each string is not bigger than 105 characters.
If there's no uncommon subsequence, print "-1". Otherwise print the length of the longest uncommon subsequence of *a* and *b*.
[ "abcd\ndefgh\n", "a\na\n" ]
[ "5\n", "-1\n" ]
In the first example: you can choose "defgh" from string *b* as it is the longest subsequence of string *b* that doesn't appear as a subsequence of string *a*.
500
[ { "input": "abcd\ndefgh", "output": "5" }, { "input": "a\na", "output": "-1" }, { "input": "aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaacccccccccccccccccccccccccccccccccccccccccccccccccc\naaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaadddddddddddddddddddddddddddddddddddddddddddd...
1,634,931,394
2,147,483,647
Python 3
OK
TESTS
73
46
4,608,000
s1 = input() s2 = input() if s1 == s2: print(-1) elif len(s1) > len(s2): print(len(s1)) elif len(s2) > len(s1): print(len(s2)) else: print(len(s1))
Title: Mahmoud and Longest Uncommon Subsequence Time Limit: None seconds Memory Limit: None megabytes Problem Description: While Mahmoud and Ehab were practicing for IOI, they found a problem which name was Longest common subsequence. They solved it, and then Ehab challenged Mahmoud with another problem. Given two ...
```python s1 = input() s2 = input() if s1 == s2: print(-1) elif len(s1) > len(s2): print(len(s1)) elif len(s2) > len(s1): print(len(s2)) else: print(len(s1)) ```
3
58
A
Chat room
PROGRAMMING
1,000
[ "greedy", "strings" ]
A. Chat room
1
256
Vasya has recently learned to type and log on to the Internet. He immediately entered a chat room and decided to say hello to everybody. Vasya typed the word *s*. It is considered that Vasya managed to say hello if several letters can be deleted from the typed word so that it resulted in the word "hello". For example, ...
The first and only line contains the word *s*, which Vasya typed. This word consisits of small Latin letters, its length is no less that 1 and no more than 100 letters.
If Vasya managed to say hello, print "YES", otherwise print "NO".
[ "ahhellllloou\n", "hlelo\n" ]
[ "YES\n", "NO\n" ]
none
500
[ { "input": "ahhellllloou", "output": "YES" }, { "input": "hlelo", "output": "NO" }, { "input": "helhcludoo", "output": "YES" }, { "input": "hehwelloho", "output": "YES" }, { "input": "pnnepelqomhhheollvlo", "output": "YES" }, { "input": "tymbzjyqhymeda...
1,672,823,236
2,147,483,647
Python 3
WRONG_ANSWER
TESTS
4
46
0
d=['h','e','l','o'] a=list(input()) e=[] for j in a: if j not in e and j in d: e.append(j) if e==d and a.count('l')>=2: print("YES") else: print("NO")
Title: Chat room Time Limit: 1 seconds Memory Limit: 256 megabytes Problem Description: Vasya has recently learned to type and log on to the Internet. He immediately entered a chat room and decided to say hello to everybody. Vasya typed the word *s*. It is considered that Vasya managed to say hello if several letter...
```python d=['h','e','l','o'] a=list(input()) e=[] for j in a: if j not in e and j in d: e.append(j) if e==d and a.count('l')>=2: print("YES") else: print("NO") ```
0
978
B
File Name
PROGRAMMING
800
[ "greedy", "strings" ]
null
null
You can not just take the file and send it. When Polycarp trying to send a file in the social network "Codehorses", he encountered an unexpected problem. If the name of the file contains three or more "x" (lowercase Latin letters "x") in a row, the system considers that the file content does not correspond to the socia...
The first line contains integer $n$ $(3 \le n \le 100)$ — the length of the file name. The second line contains a string of length $n$ consisting of lowercase Latin letters only — the file name.
Print the minimum number of characters to remove from the file name so after that the name does not contain "xxx" as a substring. If initially the file name dost not contain a forbidden substring "xxx", print 0.
[ "6\nxxxiii\n", "5\nxxoxx\n", "10\nxxxxxxxxxx\n" ]
[ "1\n", "0\n", "8\n" ]
In the first example Polycarp tried to send a file with name contains number $33$, written in Roman numerals. But he can not just send the file, because it name contains three letters "x" in a row. To send the file he needs to remove any one of this letters.
0
[ { "input": "6\nxxxiii", "output": "1" }, { "input": "5\nxxoxx", "output": "0" }, { "input": "10\nxxxxxxxxxx", "output": "8" }, { "input": "100\nxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxx", "output": "98" }, { ...
1,677,090,482
2,147,483,647
Python 3
WRONG_ANSWER
TESTS
7
46
0
n = int(input()) l = list(input()) count = 0 for x in reversed(range(n)): if x < 2: break if l[x] == "x" and l[x-1] == "x" and l[x-2] == "x": l.remove(l[x]) count = count + 1 print(count)
Title: File Name Time Limit: None seconds Memory Limit: None megabytes Problem Description: You can not just take the file and send it. When Polycarp trying to send a file in the social network "Codehorses", he encountered an unexpected problem. If the name of the file contains three or more "x" (lowercase Latin let...
```python n = int(input()) l = list(input()) count = 0 for x in reversed(range(n)): if x < 2: break if l[x] == "x" and l[x-1] == "x" and l[x-2] == "x": l.remove(l[x]) count = count + 1 print(count) ```
0
298
A
Snow Footprints
PROGRAMMING
1,300
[ "greedy", "implementation" ]
null
null
There is a straight snowy road, divided into *n* blocks. The blocks are numbered from 1 to *n* from left to right. If one moves from the *i*-th block to the (*i*<=+<=1)-th block, he will leave a right footprint on the *i*-th block. Similarly, if one moves from the *i*-th block to the (*i*<=-<=1)-th block, he will leave...
The first line of the input contains integer *n* (3<=≤<=*n*<=≤<=1000). The second line contains the description of the road — the string that consists of *n* characters. Each character will be either "." (a block without footprint), or "L" (a block with a left footprint), "R" (a block with a right footprint). It's gu...
Print two space-separated integers — the values of *s* and *t*. If there are several possible solutions you can print any of them.
[ "9\n..RRLL...\n", "11\n.RRRLLLLL..\n" ]
[ "3 4\n", "7 5\n" ]
The first test sample is the one in the picture.
500
[ { "input": "11\n.RRRLLLLL..", "output": "7 5" }, { "input": "4\n.RL.", "output": "3 2" }, { "input": "3\n.L.", "output": "2 1" }, { "input": "3\n.R.", "output": "2 3" } ]
1,663,530,730
2,147,483,647
Python 3
OK
TESTS
23
92
409,600
import string n=int(input()) s=input() if 'L' not in s: print(s.find('R')+1,s.rfind('R')+2) elif 'R' not in s: print(s.rfind('L')+1,s.find('L')) elif 'R' in s and 'L' in s: print(s.find('R')+1,s.find("L"))
Title: Snow Footprints Time Limit: None seconds Memory Limit: None megabytes Problem Description: There is a straight snowy road, divided into *n* blocks. The blocks are numbered from 1 to *n* from left to right. If one moves from the *i*-th block to the (*i*<=+<=1)-th block, he will leave a right footprint on the *...
```python import string n=int(input()) s=input() if 'L' not in s: print(s.find('R')+1,s.rfind('R')+2) elif 'R' not in s: print(s.rfind('L')+1,s.find('L')) elif 'R' in s and 'L' in s: print(s.find('R')+1,s.find("L")) ```
3
610
A
Pasha and Stick
PROGRAMMING
1,000
[ "combinatorics", "math" ]
null
null
Pasha has a wooden stick of some positive integer length *n*. He wants to perform exactly three cuts to get four parts of the stick. Each part must have some positive integer length and the sum of these lengths will obviously be *n*. Pasha likes rectangles but hates squares, so he wonders, how many ways are there to ...
The first line of the input contains a positive integer *n* (1<=≤<=*n*<=≤<=2·109) — the length of Pasha's stick.
The output should contain a single integer — the number of ways to split Pasha's stick into four parts of positive integer length so that it's possible to make a rectangle by connecting the ends of these parts, but is impossible to form a square.
[ "6\n", "20\n" ]
[ "1\n", "4\n" ]
There is only one way to divide the stick in the first sample {1, 1, 2, 2}. Four ways to divide the stick in the second sample are {1, 1, 9, 9}, {2, 2, 8, 8}, {3, 3, 7, 7} and {4, 4, 6, 6}. Note that {5, 5, 5, 5} doesn't work.
500
[ { "input": "6", "output": "1" }, { "input": "20", "output": "4" }, { "input": "1", "output": "0" }, { "input": "2", "output": "0" }, { "input": "3", "output": "0" }, { "input": "4", "output": "0" }, { "input": "2000000000", "output": "4...
1,622,644,484
2,147,483,647
Python 3
WRONG_ANSWER
TESTS
2
93
0
num = int(input()) if num % 2 == 1 or num < 5: print("NO") else: cnt = 0 for i in range(1, num // 4+1): ans = [i, i, num // 2 - i, num // 2 - i] if len(set(ans)) != 1: cnt += 1 print(cnt)
Title: Pasha and Stick Time Limit: None seconds Memory Limit: None megabytes Problem Description: Pasha has a wooden stick of some positive integer length *n*. He wants to perform exactly three cuts to get four parts of the stick. Each part must have some positive integer length and the sum of these lengths will obv...
```python num = int(input()) if num % 2 == 1 or num < 5: print("NO") else: cnt = 0 for i in range(1, num // 4+1): ans = [i, i, num // 2 - i, num // 2 - i] if len(set(ans)) != 1: cnt += 1 print(cnt) ```
0
2
B
The least round way
PROGRAMMING
2,000
[ "dp", "math" ]
B. The least round way
2
64
There is a square matrix *n*<=×<=*n*, consisting of non-negative integer numbers. You should find such a way on it that - starts in the upper left cell of the matrix; - each following cell is to the right or down from the current cell; - the way ends in the bottom right cell. Moreover, if we multiply together all...
The first line contains an integer number *n* (2<=≤<=*n*<=≤<=1000), *n* is the size of the matrix. Then follow *n* lines containing the matrix elements (non-negative integer numbers not exceeding 109).
In the first line print the least number of trailing zeros. In the second line print the correspondent way itself.
[ "3\n1 2 3\n4 5 6\n7 8 9\n" ]
[ "0\nDDRR\n" ]
none
0
[ { "input": "3\n1 2 3\n4 5 6\n7 8 9", "output": "0\nDDRR" }, { "input": "2\n7 6\n3 8", "output": "0\nDR" }, { "input": "3\n4 10 5\n10 9 4\n6 5 3", "output": "1\nDRRD" }, { "input": "4\n1 1 9 9\n3 4 7 3\n7 9 1 7\n1 7 1 5", "output": "0\nDDDRRR" }, { "input": "5\n8 3...
1,580,587,556
5,396
PyPy 3
WRONG_ANSWER
TESTS
12
155
3,891,200
from math import log2 def hp2(n): if n % 2 != 0: return 0 return round(log2((n & (~(n - 1))))) def hp5(n): if n % 5 != 0: return 0 p = 1 m = 5 while n % m == 0: p += 1 m *= 5 return p - 1 def extract(x): t, f = hp2(x), hp5(x) zeros = min(t, f) # print("extracting", x, (zeros, t - z...
Title: The least round way Time Limit: 2 seconds Memory Limit: 64 megabytes Problem Description: There is a square matrix *n*<=×<=*n*, consisting of non-negative integer numbers. You should find such a way on it that - starts in the upper left cell of the matrix; - each following cell is to the right or down fro...
```python from math import log2 def hp2(n): if n % 2 != 0: return 0 return round(log2((n & (~(n - 1))))) def hp5(n): if n % 5 != 0: return 0 p = 1 m = 5 while n % m == 0: p += 1 m *= 5 return p - 1 def extract(x): t, f = hp2(x), hp5(x) zeros = min(t, f) # print("extracting", x, (ze...
0
611
C
New Year and Domino
PROGRAMMING
1,500
[ "dp", "implementation" ]
null
null
They say "years are like dominoes, tumbling one after the other". But would a year fit into a grid? I don't think so. Limak is a little polar bear who loves to play. He has recently got a rectangular grid with *h* rows and *w* columns. Each cell is a square, either empty (denoted by '.') or forbidden (denoted by '#')....
The first line of the input contains two integers *h* and *w* (1<=≤<=*h*,<=*w*<=≤<=500) – the number of rows and the number of columns, respectively. The next *h* lines describe a grid. Each line contains a string of the length *w*. Each character is either '.' or '#' — denoting an empty or forbidden cell, respectivel...
Print *q* integers, *i*-th should be equal to the number of ways to put a single domino inside the *i*-th rectangle.
[ "5 8\n....#..#\n.#......\n##.#....\n##..#.##\n........\n4\n1 1 2 3\n4 1 4 1\n1 2 4 5\n2 5 5 8\n", "7 39\n.......................................\n.###..###..#..###.....###..###..#..###.\n...#..#.#..#..#.........#..#.#..#..#...\n.###..#.#..#..###.....###..#.#..#..###.\n.#....#.#..#....#.....#....#.#..#..#.#.\n.###...
[ "4\n0\n10\n15\n", "53\n89\n120\n23\n0\n2\n" ]
A red frame below corresponds to the first query of the first sample. A domino can be placed in 4 possible ways.
1,250
[ { "input": "5 8\n....#..#\n.#......\n##.#....\n##..#.##\n........\n4\n1 1 2 3\n4 1 4 1\n1 2 4 5\n2 5 5 8", "output": "4\n0\n10\n15" }, { "input": "7 39\n.......................................\n.###..###..#..###.....###..###..#..###.\n...#..#.#..#..#.........#..#.#..#..#...\n.###..#.#..#..###.....##...
1,451,570,680
2,147,483,647
Python 3
OK
TESTS
52
2,371
13,516,800
read = lambda: map(int, input().split()) h, w = read() a = [input() for i in range(h)] N = 501 vr = [[0] * N for i in range(N)] hr = [[0] * N for i in range(N)] for i in range(h): for j in range(w): vr[j + 1][i + 1] = vr[j][i + 1] + vr[j + 1][i] - vr[j][i] hr[j + 1][i + 1] = hr[j][i + 1] + ...
Title: New Year and Domino Time Limit: None seconds Memory Limit: None megabytes Problem Description: They say "years are like dominoes, tumbling one after the other". But would a year fit into a grid? I don't think so. Limak is a little polar bear who loves to play. He has recently got a rectangular grid with *h* ...
```python read = lambda: map(int, input().split()) h, w = read() a = [input() for i in range(h)] N = 501 vr = [[0] * N for i in range(N)] hr = [[0] * N for i in range(N)] for i in range(h): for j in range(w): vr[j + 1][i + 1] = vr[j][i + 1] + vr[j + 1][i] - vr[j][i] hr[j + 1][i + 1] = hr[j]...
3
500
A
New Year Transportation
PROGRAMMING
1,000
[ "dfs and similar", "graphs", "implementation" ]
null
null
New Year is coming in Line World! In this world, there are *n* cells numbered by integers from 1 to *n*, as a 1<=×<=*n* board. People live in cells. However, it was hard to move between distinct cells, because of the difficulty of escaping the cell. People wanted to meet people who live in other cells. So, user tncks0...
The first line contains two space-separated integers *n* (3<=≤<=*n*<=≤<=3<=×<=104) and *t* (2<=≤<=*t*<=≤<=*n*) — the number of cells, and the index of the cell which I want to go to. The second line contains *n*<=-<=1 space-separated integers *a*1,<=*a*2,<=...,<=*a**n*<=-<=1 (1<=≤<=*a**i*<=≤<=*n*<=-<=*i*). It is guara...
If I can go to cell *t* using the transportation system, print "YES". Otherwise, print "NO".
[ "8 4\n1 2 1 2 1 2 1\n", "8 5\n1 2 1 2 1 1 1\n" ]
[ "YES\n", "NO\n" ]
In the first sample, the visited cells are: 1, 2, 4; so we can successfully visit the cell 4. In the second sample, the possible cells to visit are: 1, 2, 4, 6, 7, 8; so we can't visit the cell 5, which we want to visit.
500
[ { "input": "8 4\n1 2 1 2 1 2 1", "output": "YES" }, { "input": "8 5\n1 2 1 2 1 1 1", "output": "NO" }, { "input": "20 19\n13 16 7 6 12 1 5 7 8 6 5 7 5 5 3 3 2 2 1", "output": "YES" }, { "input": "50 49\n11 7 1 41 26 36 19 16 38 14 36 35 37 27 20 27 3 6 21 2 27 11 18 17 19 16 ...
1,666,187,439
2,147,483,647
Python 3
WRONG_ANSWER
TESTS
12
46
1,740,800
n=[int(x) for x in input().split(' ')] c=[int(x) for x in input().split(' ')] respuesta="NO" cont=1 while cont<n[0]: if(cont==n[1]): respuesta="YES" cont+=c[cont-1] print(respuesta)
Title: New Year Transportation Time Limit: None seconds Memory Limit: None megabytes Problem Description: New Year is coming in Line World! In this world, there are *n* cells numbered by integers from 1 to *n*, as a 1<=×<=*n* board. People live in cells. However, it was hard to move between distinct cells, because o...
```python n=[int(x) for x in input().split(' ')] c=[int(x) for x in input().split(' ')] respuesta="NO" cont=1 while cont<n[0]: if(cont==n[1]): respuesta="YES" cont+=c[cont-1] print(respuesta) ```
0
233
A
Perfect Permutation
PROGRAMMING
800
[ "implementation", "math" ]
null
null
A permutation is a sequence of integers *p*1,<=*p*2,<=...,<=*p**n*, consisting of *n* distinct positive integers, each of them doesn't exceed *n*. Let's denote the *i*-th element of permutation *p* as *p**i*. We'll call number *n* the size of permutation *p*1,<=*p*2,<=...,<=*p**n*. Nickolas adores permutations. He lik...
A single line contains a single integer *n* (1<=≤<=*n*<=≤<=100) — the permutation size.
If a perfect permutation of size *n* doesn't exist, print a single integer -1. Otherwise print *n* distinct integers from 1 to *n*, *p*1,<=*p*2,<=...,<=*p**n* — permutation *p*, that is perfect. Separate printed numbers by whitespaces.
[ "1\n", "2\n", "4\n" ]
[ "-1\n", "2 1 \n", "2 1 4 3 \n" ]
none
500
[ { "input": "1", "output": "-1" }, { "input": "2", "output": "2 1 " }, { "input": "4", "output": "2 1 4 3 " }, { "input": "3", "output": "-1" }, { "input": "5", "output": "-1" }, { "input": "6", "output": "2 1 4 3 6 5 " }, { "input": "7", ...
1,666,422,584
2,147,483,647
Python 3
WRONG_ANSWER
TESTS
1
92
0
def sol(n): if n == 1: return -1 arr = [0]*n for i in range(n): arr[i] = n-i if n%2 != 0: temp = arr[int(n/2)] arr[int(n/2)] = arr[int(n/2)+1] arr[int(n/2)+1] = temp return arr n = int(input()) ans = sol(n) print(ans)
Title: Perfect Permutation Time Limit: None seconds Memory Limit: None megabytes Problem Description: A permutation is a sequence of integers *p*1,<=*p*2,<=...,<=*p**n*, consisting of *n* distinct positive integers, each of them doesn't exceed *n*. Let's denote the *i*-th element of permutation *p* as *p**i*. We'll ...
```python def sol(n): if n == 1: return -1 arr = [0]*n for i in range(n): arr[i] = n-i if n%2 != 0: temp = arr[int(n/2)] arr[int(n/2)] = arr[int(n/2)+1] arr[int(n/2)+1] = temp return arr n = int(input()) ans = sol(n) print(ans) ```
0
400
B
Inna and New Matrix of Candies
PROGRAMMING
1,200
[ "brute force", "implementation", "schedules" ]
null
null
Inna likes sweets and a game called the "Candy Matrix". Today, she came up with the new game "Candy Matrix 2: Reload". The field for the new game is a rectangle table of size *n*<=×<=*m*. Each line of the table contains one cell with a dwarf figurine, one cell with a candy, the other cells of the line are empty. The g...
The first line of the input contains two integers *n* and *m* (1<=≤<=*n*<=≤<=1000; 2<=≤<=*m*<=≤<=1000). Next *n* lines each contain *m* characters — the game field for the "Candy Martix 2: Reload". Character "*" represents an empty cell of the field, character "G" represents a dwarf and character "S" represents a can...
In a single line print a single integer — either the minimum number of moves needed to achieve the aim of the game, or -1, if the aim cannot be achieved on the given game field.
[ "3 4\n*G*S\nG**S\n*G*S\n", "1 3\nS*G\n" ]
[ "2\n", "-1\n" ]
none
1,000
[ { "input": "3 4\n*G*S\nG**S\n*G*S", "output": "2" }, { "input": "1 3\nS*G", "output": "-1" }, { "input": "10 10\nG********S\n*G*******S\n**G******S\n***G*****S\n****G****S\n*****G***S\n******G**S\n*******G*S\n********GS\nG********S", "output": "9" }, { "input": "5 10\nG***S**...
1,651,509,846
2,147,483,647
PyPy 3
WRONG_ANSWER
TESTS
0
62
0
n,m=map(int,input().split()) flag = ans =0 d=dict() for i in range(n): x = input() for j in range(m): if x[j]=='G': gidx=j elif x[j]=='S': sidx=j if sidx-gidx<0: flag=1;break else: if sidx-gidx in d: ans += 1 else: d[x]=1 ans = 1 print(ans if not flag else -1)
Title: Inna and New Matrix of Candies Time Limit: None seconds Memory Limit: None megabytes Problem Description: Inna likes sweets and a game called the "Candy Matrix". Today, she came up with the new game "Candy Matrix 2: Reload". The field for the new game is a rectangle table of size *n*<=×<=*m*. Each line of th...
```python n,m=map(int,input().split()) flag = ans =0 d=dict() for i in range(n): x = input() for j in range(m): if x[j]=='G': gidx=j elif x[j]=='S': sidx=j if sidx-gidx<0: flag=1;break else: if sidx-gidx in d: ans += 1 else: d[x]=1 ans = 1 print(ans if not flag else -1) ...
0
656
G
You're a Professional
PROGRAMMING
1,900
[ "*special" ]
null
null
A simple recommendation system would recommend a user things liked by a certain number of their friends. In this problem you will implement part of such a system. You are given user's friends' opinions about a list of items. You are also given a threshold *T* — the minimal number of "likes" necessary for an item to be...
The first line of the input will contain three space-separated integers: the number of friends *F* (1<=≤<=*F*<=≤<=10), the number of items *I* (1<=≤<=*I*<=≤<=10) and the threshold *T* (1<=≤<=*T*<=≤<=*F*). The following *F* lines of input contain user's friends' opinions. *j*-th character of *i*-th line is 'Y' if *i*-t...
Output an integer — the number of items liked by at least *T* of user's friends.
[ "3 3 2\nYYY\nNNN\nYNY\n", "4 4 1\nNNNY\nNNYN\nNYNN\nYNNN\n" ]
[ "2\n", "4\n" ]
none
0
[ { "input": "3 3 2\nYYY\nNNN\nYNY", "output": "2" }, { "input": "4 4 1\nNNNY\nNNYN\nNYNN\nYNNN", "output": "4" }, { "input": "3 5 2\nNYNNY\nYNNNN\nNNYYN", "output": "0" }, { "input": "1 10 1\nYYYNYNNYNN", "output": "5" }, { "input": "10 1 5\nY\nN\nN\nN\nY\nN\nN\nY\...
1,490,896,896
2,147,483,647
Python 3
WRONG_ANSWER
TESTS
2
46
5,529,600
def main(): f, i, t = map(int, input().split()) ans = 0 for _ in range(f): likes = input() count = sum(1 for like in likes if like == 'Y') if count >= t: ans += 1 print(ans) main()
Title: You're a Professional Time Limit: None seconds Memory Limit: None megabytes Problem Description: A simple recommendation system would recommend a user things liked by a certain number of their friends. In this problem you will implement part of such a system. You are given user's friends' opinions about a li...
```python def main(): f, i, t = map(int, input().split()) ans = 0 for _ in range(f): likes = input() count = sum(1 for like in likes if like == 'Y') if count >= t: ans += 1 print(ans) main() ```
0
591
A
Wizards' Duel
PROGRAMMING
900
[ "implementation", "math" ]
null
null
Harry Potter and He-Who-Must-Not-Be-Named engaged in a fight to the death once again. This time they are located at opposite ends of the corridor of length *l*. Two opponents simultaneously charge a deadly spell in the enemy. We know that the impulse of Harry's magic spell flies at a speed of *p* meters per second, and...
The first line of the input contains a single integer *l* (1<=≤<=*l*<=≤<=1<=000) — the length of the corridor where the fight takes place. The second line contains integer *p*, the third line contains integer *q* (1<=≤<=*p*,<=*q*<=≤<=500) — the speeds of magical impulses for Harry Potter and He-Who-Must-Not-Be-Named, ...
Print a single real number — the distance from the end of the corridor, where Harry is located, to the place of the second meeting of the spell impulses. Your answer will be considered correct if its absolute or relative error will not exceed 10<=-<=4. Namely: let's assume that your answer equals *a*, and the answer ...
[ "100\n50\n50\n", "199\n60\n40\n" ]
[ "50\n", "119.4\n" ]
In the first sample the speeds of the impulses are equal, so both of their meetings occur exactly in the middle of the corridor.
500
[ { "input": "100\n50\n50", "output": "50" }, { "input": "199\n60\n40", "output": "119.4" }, { "input": "1\n1\n1", "output": "0.5" }, { "input": "1\n1\n500", "output": "0.001996007984" }, { "input": "1\n500\n1", "output": "0.998003992" }, { "input": "1\n...
1,616,991,862
2,147,483,647
Python 3
OK
TESTS
45
77
0
s=int(input()) p=int(input()) q=int(input()) print(s*p/(p+q))
Title: Wizards' Duel Time Limit: None seconds Memory Limit: None megabytes Problem Description: Harry Potter and He-Who-Must-Not-Be-Named engaged in a fight to the death once again. This time they are located at opposite ends of the corridor of length *l*. Two opponents simultaneously charge a deadly spell in the en...
```python s=int(input()) p=int(input()) q=int(input()) print(s*p/(p+q)) ```
3
940
B
Our Tanya is Crying Out Loud
PROGRAMMING
1,400
[ "dp", "greedy" ]
null
null
Right now she actually isn't. But she will be, if you don't solve this problem. You are given integers *n*, *k*, *A* and *B*. There is a number *x*, which is initially equal to *n*. You are allowed to perform two types of operations: 1. Subtract 1 from *x*. This operation costs you *A* coins. 1. Divide *x* by *k*....
The first line contains a single integer *n* (1<=≤<=*n*<=≤<=2·109). The second line contains a single integer *k* (1<=≤<=*k*<=≤<=2·109). The third line contains a single integer *A* (1<=≤<=*A*<=≤<=2·109). The fourth line contains a single integer *B* (1<=≤<=*B*<=≤<=2·109).
Output a single integer — the minimum amount of coins you have to pay to make *x* equal to 1.
[ "9\n2\n3\n1\n", "5\n5\n2\n20\n", "19\n3\n4\n2\n" ]
[ "6\n", "8\n", "12\n" ]
In the first testcase, the optimal strategy is as follows: - Subtract 1 from *x* (9 → 8) paying 3 coins. - Divide *x* by 2 (8 → 4) paying 1 coin. - Divide *x* by 2 (4 → 2) paying 1 coin. - Divide *x* by 2 (2 → 1) paying 1 coin. The total cost is 6 coins. In the second test case the optimal strategy is to subtra...
1,250
[ { "input": "9\n2\n3\n1", "output": "6" }, { "input": "5\n5\n2\n20", "output": "8" }, { "input": "19\n3\n4\n2", "output": "12" }, { "input": "1845999546\n999435865\n1234234\n2323423", "output": "1044857680578777" }, { "input": "1604353664\n1604353665\n9993432\n1", ...
1,594,024,095
2,147,483,647
Python 3
OK
TESTS
58
109
6,963,200
n = int(input()) k = int(input()) a = int(input()) b = int(input()) res = 0 while n!=1: if k==1 or k>n: res+=a*(n-1) break if n%k!=0: res+=a*(n%k) n = n-n%k else: temp = n//k res+=min(b,a*(n-temp)) n = temp print(res)
Title: Our Tanya is Crying Out Loud Time Limit: None seconds Memory Limit: None megabytes Problem Description: Right now she actually isn't. But she will be, if you don't solve this problem. You are given integers *n*, *k*, *A* and *B*. There is a number *x*, which is initially equal to *n*. You are allowed to perf...
```python n = int(input()) k = int(input()) a = int(input()) b = int(input()) res = 0 while n!=1: if k==1 or k>n: res+=a*(n-1) break if n%k!=0: res+=a*(n%k) n = n-n%k else: temp = n//k res+=min(b,a*(n-temp)) n = temp print(res) ```
3
29
A
Spit Problem
PROGRAMMING
1,000
[ "brute force" ]
A. Spit Problem
2
256
In a Berland's zoo there is an enclosure with camels. It is known that camels like to spit. Bob watched these interesting animals for the whole day and registered in his notepad where each animal spitted. Now he wants to know if in the zoo there are two camels, which spitted at each other. Help him to solve this task. ...
The first line contains integer *n* (1<=≤<=*n*<=≤<=100) — the amount of camels in the zoo. Each of the following *n* lines contains two integers *x**i* and *d**i* (<=-<=104<=≤<=*x**i*<=≤<=104,<=1<=≤<=|*d**i*|<=≤<=2·104) — records in Bob's notepad. *x**i* is a position of the *i*-th camel, and *d**i* is a distance at wh...
If there are two camels, which spitted at each other, output YES. Otherwise, output NO.
[ "2\n0 1\n1 -1\n", "3\n0 1\n1 1\n2 -2\n", "5\n2 -10\n3 10\n0 5\n5 -5\n10 1\n" ]
[ "YES\n", "NO\n", "YES\n" ]
none
500
[ { "input": "2\n0 1\n1 -1", "output": "YES" }, { "input": "3\n0 1\n1 1\n2 -2", "output": "NO" }, { "input": "5\n2 -10\n3 10\n0 5\n5 -5\n10 1", "output": "YES" }, { "input": "10\n-9897 -1144\n-4230 -6350\n2116 -3551\n-3635 4993\n3907 -9071\n-2362 4120\n-6542 984\n5807 3745\n759...
1,516,493,982
2,147,483,647
Python 3
OK
TESTS
30
124
5,632,000
n = int(input()) A = set() for _ in range(n): x, d = map(int, input().split()) A.add((x, d)) found = False for x, d in A: if (x + d, -d) in A: found = True if found: print("YES") else: print("NO")
Title: Spit Problem Time Limit: 2 seconds Memory Limit: 256 megabytes Problem Description: In a Berland's zoo there is an enclosure with camels. It is known that camels like to spit. Bob watched these interesting animals for the whole day and registered in his notepad where each animal spitted. Now he wants to know ...
```python n = int(input()) A = set() for _ in range(n): x, d = map(int, input().split()) A.add((x, d)) found = False for x, d in A: if (x + d, -d) in A: found = True if found: print("YES") else: print("NO") ```
3.95851
891
A
Pride
PROGRAMMING
1,500
[ "brute force", "dp", "greedy", "math", "number theory" ]
null
null
You have an array *a* with length *n*, you can perform operations. Each operation is like this: choose two adjacent elements from *a*, say *x* and *y*, and replace one of them with *gcd*(*x*,<=*y*), where *gcd* denotes the [greatest common divisor](https://en.wikipedia.org/wiki/Greatest_common_divisor). What is the mi...
The first line of the input contains one integer *n* (1<=≤<=*n*<=≤<=2000) — the number of elements in the array. The second line contains *n* space separated integers *a*1,<=*a*2,<=...,<=*a**n* (1<=≤<=*a**i*<=≤<=109) — the elements of the array.
Print -1, if it is impossible to turn all numbers to 1. Otherwise, print the minimum number of operations needed to make all numbers equal to 1.
[ "5\n2 2 3 4 6\n", "4\n2 4 6 8\n", "3\n2 6 9\n" ]
[ "5\n", "-1\n", "4\n" ]
In the first sample you can turn all numbers to 1 using the following 5 moves: - [2, 2, 3, 4, 6]. - [2, 1, 3, 4, 6] - [2, 1, 3, 1, 6] - [2, 1, 1, 1, 6] - [1, 1, 1, 1, 6] - [1, 1, 1, 1, 1] We can prove that in this case it is not possible to make all numbers one using less than 5 moves.
500
[ { "input": "5\n2 2 3 4 6", "output": "5" }, { "input": "4\n2 4 6 8", "output": "-1" }, { "input": "3\n2 6 9", "output": "4" }, { "input": "15\n10 10 10 10 10 10 21 21 21 21 21 21 21 21 21", "output": "15" }, { "input": "12\n10 10 14 14 14 14 14 14 14 14 21 21", ...
1,588,292,609
2,147,483,647
PyPy 3
WRONG_ANSWER
TESTS
4
202
2,560,000
def main(): n = int(input()) a = list(map(int, input().split())) if gcd_of_array(a) != 1: print(-1) else: left = 2 right = n while left <= right: mid = (left + right) // 2 if check(a, mid): right = mid - 1 ...
Title: Pride Time Limit: None seconds Memory Limit: None megabytes Problem Description: You have an array *a* with length *n*, you can perform operations. Each operation is like this: choose two adjacent elements from *a*, say *x* and *y*, and replace one of them with *gcd*(*x*,<=*y*), where *gcd* denotes the [great...
```python def main(): n = int(input()) a = list(map(int, input().split())) if gcd_of_array(a) != 1: print(-1) else: left = 2 right = n while left <= right: mid = (left + right) // 2 if check(a, mid): right = mid - 1 ...
0
868
C
Qualification Rounds
PROGRAMMING
1,500
[ "bitmasks", "brute force", "constructive algorithms", "dp" ]
null
null
Snark and Philip are preparing the problemset for the upcoming pre-qualification round for semi-quarter-finals. They have a bank of *n* problems, and they want to select any non-empty subset of it as a problemset. *k* experienced teams are participating in the contest. Some of these teams already know some of the prob...
The first line contains two integers *n*, *k* (1<=≤<=*n*<=≤<=105, 1<=≤<=*k*<=≤<=4) — the number of problems and the number of experienced teams. Each of the next *n* lines contains *k* integers, each equal to 0 or 1. The *j*-th number in the *i*-th line is 1 if *j*-th team knows *i*-th problem and 0 otherwise.
Print "YES" (quotes for clarity), if it is possible to make an interesting problemset, and "NO" otherwise. You can print each character either upper- or lowercase ("YeS" and "yes" are valid when the answer is "YES").
[ "5 3\n1 0 1\n1 1 0\n1 0 0\n1 0 0\n1 0 0\n", "3 2\n1 0\n1 1\n0 1\n" ]
[ "NO\n", "YES\n" ]
In the first example you can't make any interesting problemset, because the first team knows all problems. In the second example you can choose the first and the third problems.
1,000
[ { "input": "5 3\n1 0 1\n1 1 0\n1 0 0\n1 0 0\n1 0 0", "output": "NO" }, { "input": "3 2\n1 0\n1 1\n0 1", "output": "YES" }, { "input": "10 2\n1 0\n1 0\n0 0\n1 1\n0 0\n1 1\n0 0\n1 1\n0 1\n0 1", "output": "YES" }, { "input": "10 3\n1 0 0\n0 1 1\n1 0 0\n0 1 0\n0 0 1\n1 0 1\n0 1 1...
1,588,774,649
2,147,483,647
PyPy 3
OK
TESTS
143
888
11,468,800
n,k=map(int,input().split()) a=[] for i in range(n): l=list(map(int,input().split())) a.append(l) a=list(set(tuple(i) for i in a)) for i in range(len(a)): flag=False for j in range(len(a)): cnt=0 for x in range(k): if a[i][x]==1 and a[j][x]!=0: con...
Title: Qualification Rounds Time Limit: None seconds Memory Limit: None megabytes Problem Description: Snark and Philip are preparing the problemset for the upcoming pre-qualification round for semi-quarter-finals. They have a bank of *n* problems, and they want to select any non-empty subset of it as a problemset. ...
```python n,k=map(int,input().split()) a=[] for i in range(n): l=list(map(int,input().split())) a.append(l) a=list(set(tuple(i) for i in a)) for i in range(len(a)): flag=False for j in range(len(a)): cnt=0 for x in range(k): if a[i][x]==1 and a[j][x]!=0: ...
3
165
A
Supercentral Point
PROGRAMMING
1,000
[ "implementation" ]
null
null
One day Vasya painted a Cartesian coordinate system on a piece of paper and marked some set of points (*x*1,<=*y*1),<=(*x*2,<=*y*2),<=...,<=(*x**n*,<=*y**n*). Let's define neighbors for some fixed point from the given set (*x*,<=*y*): - point (*x*',<=*y*') is (*x*,<=*y*)'s right neighbor, if *x*'<=&gt;<=*x* and *y*'...
The first input line contains the only integer *n* (1<=≤<=*n*<=≤<=200) — the number of points in the given set. Next *n* lines contain the coordinates of the points written as "*x* *y*" (without the quotes) (|*x*|,<=|*y*|<=≤<=1000), all coordinates are integers. The numbers in the line are separated by exactly one spac...
Print the only number — the number of supercentral points of the given set.
[ "8\n1 1\n4 2\n3 1\n1 2\n0 2\n0 1\n1 0\n1 3\n", "5\n0 0\n0 1\n1 0\n0 -1\n-1 0\n" ]
[ "2\n", "1\n" ]
In the first sample the supercentral points are only points (1, 1) and (1, 2). In the second sample there is one supercental point — point (0, 0).
500
[ { "input": "8\n1 1\n4 2\n3 1\n1 2\n0 2\n0 1\n1 0\n1 3", "output": "2" }, { "input": "5\n0 0\n0 1\n1 0\n0 -1\n-1 0", "output": "1" }, { "input": "9\n-565 -752\n-184 723\n-184 -752\n-184 1\n950 723\n-565 723\n950 -752\n950 1\n-565 1", "output": "1" }, { "input": "25\n-651 897\n...
1,590,473,275
2,147,483,647
Python 3
OK
TESTS
26
310
307,200
n = int(input()) x= [] y = [] c=0 for k in range(n): a,b = map(int,input().split()) x.append(a) y.append(b) for i in range(n): r1,r2,r3,r4=0,0,0,0 for j in range(n): if x[i]>x[j] and y[i]==y[j]: r1+=1 if x[i]<x[j] and y[i]==y[j]: r2+=1 i...
Title: Supercentral Point Time Limit: None seconds Memory Limit: None megabytes Problem Description: One day Vasya painted a Cartesian coordinate system on a piece of paper and marked some set of points (*x*1,<=*y*1),<=(*x*2,<=*y*2),<=...,<=(*x**n*,<=*y**n*). Let's define neighbors for some fixed point from the give...
```python n = int(input()) x= [] y = [] c=0 for k in range(n): a,b = map(int,input().split()) x.append(a) y.append(b) for i in range(n): r1,r2,r3,r4=0,0,0,0 for j in range(n): if x[i]>x[j] and y[i]==y[j]: r1+=1 if x[i]<x[j] and y[i]==y[j]: r2+=1 ...
3
853
B
Jury Meeting
PROGRAMMING
1,800
[ "greedy", "sortings", "two pointers" ]
null
null
Country of Metropolia is holding Olympiad of Metrpolises soon. It mean that all jury members of the olympiad should meet together in Metropolis (the capital of the country) for the problem preparation process. There are *n*<=+<=1 cities consecutively numbered from 0 to *n*. City 0 is Metropolis that is the meeting poi...
The first line of input contains three integers *n*, *m* and *k* (1<=≤<=*n*<=≤<=105, 0<=≤<=*m*<=≤<=105, 1<=≤<=*k*<=≤<=106). The *i*-th of the following *m* lines contains the description of the *i*-th flight defined by four integers *d**i*, *f**i*, *t**i* and *c**i* (1<=≤<=*d**i*<=≤<=106, 0<=≤<=*f**i*<=≤<=*n*, 0<=≤<=...
Output the only integer that is the minimum cost of gathering all jury members in city 0 for *k* days and then sending them back to their home cities. If it is impossible to gather everybody in Metropolis for *k* days and then send them back to their home cities, output "-1" (without the quotes).
[ "2 6 5\n1 1 0 5000\n3 2 0 5500\n2 2 0 6000\n15 0 2 9000\n9 0 1 7000\n8 0 2 6500\n", "2 4 5\n1 2 0 5000\n2 1 0 4500\n2 1 0 3000\n8 0 1 6000\n" ]
[ "24500\n", "-1\n" ]
The optimal way to gather everybody in Metropolis in the first sample test is to use flights that take place on days 1, 2, 8 and 9. The only alternative option is to send jury member from second city back home on day 15, that would cost 2500 more. In the second sample it is impossible to send jury member from city 2 b...
750
[ { "input": "2 6 5\n1 1 0 5000\n3 2 0 5500\n2 2 0 6000\n15 0 2 9000\n9 0 1 7000\n8 0 2 6500", "output": "24500" }, { "input": "2 4 5\n1 2 0 5000\n2 1 0 4500\n2 1 0 3000\n8 0 1 6000", "output": "-1" }, { "input": "2 5 5\n1 1 0 1\n2 2 0 100\n3 2 0 10\n9 0 1 1000\n10 0 2 10000", "output"...
1,698,876,977
2,147,483,647
Python 3
OK
TESTS
83
389
19,251,200
g = lambda: map(int, input().split()) n, m, k = g() F, T = [], [] e = int(3e11) for i in range(m): d, f, t, c = g() if f: F.append((d, f, c)) else: T.append((-d, t, c)) for p in [F, T]: C = [e] * (n + 1) s = n * e q = [] p.sort() for d, t, c in p: if C[t] > c:...
Title: Jury Meeting Time Limit: None seconds Memory Limit: None megabytes Problem Description: Country of Metropolia is holding Olympiad of Metrpolises soon. It mean that all jury members of the olympiad should meet together in Metropolis (the capital of the country) for the problem preparation process. There are *...
```python g = lambda: map(int, input().split()) n, m, k = g() F, T = [], [] e = int(3e11) for i in range(m): d, f, t, c = g() if f: F.append((d, f, c)) else: T.append((-d, t, c)) for p in [F, T]: C = [e] * (n + 1) s = n * e q = [] p.sort() for d, t, c in p: if...
3
925
A
Stairs and Elevators
PROGRAMMING
1,600
[ "binary search" ]
null
null
In the year of $30XX$ participants of some world programming championship live in a single large hotel. The hotel has $n$ floors. Each floor has $m$ sections with a single corridor connecting all of them. The sections are enumerated from $1$ to $m$ along the corridor, and all sections with equal numbers on different fl...
The first line contains five integers $n, m, c_l, c_e, v$ ($2 \leq n, m \leq 10^8$, $0 \leq c_l, c_e \leq 10^5$, $1 \leq c_l + c_e \leq m - 1$, $1 \leq v \leq n - 1$) — the number of floors and section on each floor, the number of stairs, the number of elevators and the maximum speed of an elevator, respectively. The ...
Print $q$ integers, one per line — the answers for the queries.
[ "5 6 1 1 3\n2\n5\n3\n1 1 5 6\n1 3 5 4\n3 3 5 3\n" ]
[ "7\n5\n4\n" ]
In the first query the optimal way is to go to the elevator in the 5-th section in four time units, use it to go to the fifth floor in two time units and go to the destination in one more time unit. In the second query it is still optimal to use the elevator, but in the third query it is better to use the stairs in th...
500
[ { "input": "5 6 1 1 3\n2\n5\n3\n1 1 5 6\n1 3 5 4\n3 3 5 3", "output": "7\n5\n4" }, { "input": "2 2 0 1 1\n\n1\n1\n1 2 2 2", "output": "3" }, { "input": "4 4 1 0 1\n4\n\n5\n1 1 2 2\n1 3 2 2\n3 3 4 3\n3 2 2 2\n1 2 2 3", "output": "6\n4\n3\n5\n4" }, { "input": "10 10 1 8 4\n10\n...
1,689,345,603
2,147,483,647
PyPy 3-64
WRONG_ANSWER
TESTS
0
46
0
print("_RANDOM_GUESS_1689345603.107276")# 1689345603.1072981
Title: Stairs and Elevators Time Limit: None seconds Memory Limit: None megabytes Problem Description: In the year of $30XX$ participants of some world programming championship live in a single large hotel. The hotel has $n$ floors. Each floor has $m$ sections with a single corridor connecting all of them. The secti...
```python print("_RANDOM_GUESS_1689345603.107276")# 1689345603.1072981 ```
0
877
A
Alex and broken contest
PROGRAMMING
1,100
[ "implementation", "strings" ]
null
null
One day Alex was creating a contest about his friends, but accidentally deleted it. Fortunately, all the problems were saved, but now he needs to find them among other problems. But there are too many problems, to do it manually. Alex asks you to write a program, which will determine if a problem is from this contest ...
The only line contains string from lowercase and uppercase letters and "_" symbols of length, not more than 100 — the name of the problem.
Print "YES", if problem is from this contest, and "NO" otherwise.
[ "Alex_and_broken_contest\n", "NikitaAndString\n", "Danil_and_Olya\n" ]
[ "NO", "YES", "NO" ]
none
500
[ { "input": "Alex_and_broken_contest", "output": "NO" }, { "input": "NikitaAndString", "output": "YES" }, { "input": "Danil_and_Olya", "output": "NO" }, { "input": "Slava____and_the_game", "output": "YES" }, { "input": "Olya_and_energy_drinks", "output": "YES" ...
1,593,421,180
2,147,483,647
Python 3
OK
TESTS
55
109
6,656,000
s=input() cnt=s.count("Danil")+s.count("Olya")+s.count("Slava")+s.count("Nikita")+s.count("Ann") print("YES" if cnt == 1 else "NO")
Title: Alex and broken contest Time Limit: None seconds Memory Limit: None megabytes Problem Description: One day Alex was creating a contest about his friends, but accidentally deleted it. Fortunately, all the problems were saved, but now he needs to find them among other problems. But there are too many problems,...
```python s=input() cnt=s.count("Danil")+s.count("Olya")+s.count("Slava")+s.count("Nikita")+s.count("Ann") print("YES" if cnt == 1 else "NO") ```
3
762
A
k-th divisor
PROGRAMMING
1,400
[ "math", "number theory" ]
null
null
You are given two integers *n* and *k*. Find *k*-th smallest divisor of *n*, or report that it doesn't exist. Divisor of *n* is any such natural number, that *n* can be divided by it without remainder.
The first line contains two integers *n* and *k* (1<=≤<=*n*<=≤<=1015, 1<=≤<=*k*<=≤<=109).
If *n* has less than *k* divisors, output -1. Otherwise, output the *k*-th smallest divisor of *n*.
[ "4 2\n", "5 3\n", "12 5\n" ]
[ "2\n", "-1\n", "6\n" ]
In the first example, number 4 has three divisors: 1, 2 and 4. The second one is 2. In the second example, number 5 has only two divisors: 1 and 5. The third divisor doesn't exist, so the answer is -1.
0
[ { "input": "4 2", "output": "2" }, { "input": "5 3", "output": "-1" }, { "input": "12 5", "output": "6" }, { "input": "1 1", "output": "1" }, { "input": "866421317361600 26880", "output": "866421317361600" }, { "input": "866421317361600 26881", "ou...
1,628,161,344
2,147,483,647
PyPy 3
OK
TESTS
96
748
23,552,000
import sys import math from collections import Counter # n = int(input()) # a = list(map(int, input().split())) n, k = map(int, input().split()) less = [] more = [] i = 1 count = 0 root = int(math.sqrt(n)) while i <= root : if n % i == 0 : less.append(i) if i * i != n: ...
Title: k-th divisor Time Limit: None seconds Memory Limit: None megabytes Problem Description: You are given two integers *n* and *k*. Find *k*-th smallest divisor of *n*, or report that it doesn't exist. Divisor of *n* is any such natural number, that *n* can be divided by it without remainder. Input Specificatio...
```python import sys import math from collections import Counter # n = int(input()) # a = list(map(int, input().split())) n, k = map(int, input().split()) less = [] more = [] i = 1 count = 0 root = int(math.sqrt(n)) while i <= root : if n % i == 0 : less.append(i) if i * i != n: ...
3
597
B
Restaurant
PROGRAMMING
1,600
[ "dp", "greedy", "sortings" ]
null
null
A restaurant received *n* orders for the rental. Each rental order reserve the restaurant for a continuous period of time, the *i*-th order is characterized by two time values — the start time *l**i* and the finish time *r**i* (*l**i*<=≤<=*r**i*). Restaurant management can accept and reject orders. What is the maximal...
The first line contains integer number *n* (1<=≤<=*n*<=≤<=5·105) — number of orders. The following *n* lines contain integer values *l**i* and *r**i* each (1<=≤<=*l**i*<=≤<=*r**i*<=≤<=109).
Print the maximal number of orders that can be accepted.
[ "2\n7 11\n4 7\n", "5\n1 2\n2 3\n3 4\n4 5\n5 6\n", "6\n4 8\n1 5\n4 7\n2 5\n1 3\n6 8\n" ]
[ "1\n", "3\n", "2\n" ]
none
1,000
[ { "input": "2\n7 11\n4 7", "output": "1" }, { "input": "5\n1 2\n2 3\n3 4\n4 5\n5 6", "output": "3" }, { "input": "6\n4 8\n1 5\n4 7\n2 5\n1 3\n6 8", "output": "2" }, { "input": "1\n1 1", "output": "1" }, { "input": "2\n4 6\n4 8", "output": "1" }, { "inp...
1,447,336,455
2,147,483,647
Python 3
WRONG_ANSWER
TESTS
0
31
102,400
n = int(input()) order = [[int(__) for __ in input().split()] for _ in range(n)] order.sort(key=lambda x: x[1]) print(order) ans = 0 right = -1 for i in order: if right < i[0]: ans += 1 right = i[1] print(ans)
Title: Restaurant Time Limit: None seconds Memory Limit: None megabytes Problem Description: A restaurant received *n* orders for the rental. Each rental order reserve the restaurant for a continuous period of time, the *i*-th order is characterized by two time values — the start time *l**i* and the finish time *r**...
```python n = int(input()) order = [[int(__) for __ in input().split()] for _ in range(n)] order.sort(key=lambda x: x[1]) print(order) ans = 0 right = -1 for i in order: if right < i[0]: ans += 1 right = i[1] print(ans) ```
0
220
A
Little Elephant and Problem
PROGRAMMING
1,300
[ "implementation", "sortings" ]
null
null
The Little Elephant has got a problem — somebody has been touching his sorted by non-decreasing array *a* of length *n* and possibly swapped some elements of the array. The Little Elephant doesn't want to call the police until he understands if he could have accidentally changed the array himself. He thinks that he co...
The first line contains a single integer *n* (2<=≤<=*n*<=≤<=105) — the size of array *a*. The next line contains *n* positive integers, separated by single spaces and not exceeding 109, — array *a*. Note that the elements of the array are not necessarily distinct numbers.
In a single line print "YES" (without the quotes) if the Little Elephant could have accidentally changed the array himself, and "NO" (without the quotes) otherwise.
[ "2\n1 2\n", "3\n3 2 1\n", "4\n4 3 2 1\n" ]
[ "YES\n", "YES\n", "NO\n" ]
In the first sample the array has already been sorted, so to sort it, we need 0 swap operations, that is not more than 1. Thus, the answer is "YES". In the second sample we can sort the array if we swap elements 1 and 3, so we need 1 swap operation to sort the array. Thus, the answer is "YES". In the third sample we ...
500
[ { "input": "2\n1 2", "output": "YES" }, { "input": "3\n3 2 1", "output": "YES" }, { "input": "4\n4 3 2 1", "output": "NO" }, { "input": "3\n1 3 2", "output": "YES" }, { "input": "2\n2 1", "output": "YES" }, { "input": "9\n7 7 8 8 10 10 10 10 1000000000...
1,622,488,919
2,147,483,647
Python 3
OK
TESTS
96
264
9,113,600
from sys import stdin from collections import deque,Counter,defaultdict import sys import math import operator import random from fractions import Fraction import functools import bisect import itertools from heapq import * import time n = int(input()) arr = list(map(int,input().split())) c = 0 for i,j in zip(arr,sort...
Title: Little Elephant and Problem Time Limit: None seconds Memory Limit: None megabytes Problem Description: The Little Elephant has got a problem — somebody has been touching his sorted by non-decreasing array *a* of length *n* and possibly swapped some elements of the array. The Little Elephant doesn't want to c...
```python from sys import stdin from collections import deque,Counter,defaultdict import sys import math import operator import random from fractions import Fraction import functools import bisect import itertools from heapq import * import time n = int(input()) arr = list(map(int,input().split())) c = 0 for i,j in zi...
3
4
A
Watermelon
PROGRAMMING
800
[ "brute force", "math" ]
A. Watermelon
1
64
One hot summer day Pete and his friend Billy decided to buy a watermelon. They chose the biggest and the ripest one, in their opinion. After that the watermelon was weighed, and the scales showed *w* kilos. They rushed home, dying of thirst, and decided to divide the berry, however they faced a hard problem. Pete and ...
The first (and the only) input line contains integer number *w* (1<=≤<=*w*<=≤<=100) — the weight of the watermelon bought by the boys.
Print YES, if the boys can divide the watermelon into two parts, each of them weighing even number of kilos; and NO in the opposite case.
[ "8\n" ]
[ "YES\n" ]
For example, the boys can divide the watermelon into two parts of 2 and 6 kilos respectively (another variant — two parts of 4 and 4 kilos).
0
[ { "input": "8", "output": "YES" }, { "input": "5", "output": "NO" }, { "input": "4", "output": "YES" }, { "input": "3", "output": "NO" }, { "input": "2", "output": "NO" }, { "input": "1", "output": "NO" }, { "input": "7", "output": "NO"...
1,696,574,190
2,147,483,647
Python 3
RUNTIME_ERROR
TESTS
0
62
0
weight = int(input("Enter the weight of the watermelon : ")) if w(1 <=w<= 100): print("Invalid Input") elif weight % 2 != 0: print("NO") else: print("YES")
Title: Watermelon Time Limit: 1 seconds Memory Limit: 64 megabytes Problem Description: One hot summer day Pete and his friend Billy decided to buy a watermelon. They chose the biggest and the ripest one, in their opinion. After that the watermelon was weighed, and the scales showed *w* kilos. They rushed home, dyin...
```python weight = int(input("Enter the weight of the watermelon : ")) if w(1 <=w<= 100): print("Invalid Input") elif weight % 2 != 0: print("NO") else: print("YES") ```
-1
198
A
About Bacteria
PROGRAMMING
1,700
[ "implementation", "math" ]
null
null
Qwerty the Ranger took up a government job and arrived on planet Mars. He should stay in the secret lab and conduct some experiments on bacteria that have funny and abnormal properties. The job isn't difficult, but the salary is high. At the beginning of the first experiment there is a single bacterium in the test tub...
The first line contains four space-separated integers *k*, *b*, *n* and *t* (1<=≤<=*k*,<=*b*,<=*n*,<=*t*<=≤<=106) — the parameters of bacterial growth, the time Qwerty needed to grow *z* bacteria in the first experiment and the initial number of bacteria in the second experiment, correspondingly.
Print a single number — the minimum number of seconds Qwerty needs to grow at least *z* bacteria in the tube.
[ "3 1 3 5\n", "1 4 4 7\n", "2 2 4 100\n" ]
[ "2", "3", "0" ]
none
500
[ { "input": "3 1 3 5", "output": "2" }, { "input": "1 4 4 7", "output": "3" }, { "input": "2 2 4 100", "output": "0" }, { "input": "1 2 3 100", "output": "0" }, { "input": "10 10 10 123456", "output": "6" }, { "input": "847 374 283 485756", "output"...
1,593,008,195
2,147,483,647
PyPy 3
WRONG_ANSWER
TESTS
0
218
20,172,800
k,b,n,t=map(int,input().split()) temp=1 count=0 while(1): print(temp) if(((t-1)*(k-1))+b>b*temp): temp=temp*k count+=1 else: break; print(max(0,(n-count)-1))
Title: About Bacteria Time Limit: None seconds Memory Limit: None megabytes Problem Description: Qwerty the Ranger took up a government job and arrived on planet Mars. He should stay in the secret lab and conduct some experiments on bacteria that have funny and abnormal properties. The job isn't difficult, but the s...
```python k,b,n,t=map(int,input().split()) temp=1 count=0 while(1): print(temp) if(((t-1)*(k-1))+b>b*temp): temp=temp*k count+=1 else: break; print(max(0,(n-count)-1)) ```
0
486
A
Calculating Function
PROGRAMMING
800
[ "implementation", "math" ]
null
null
For a positive integer *n* let's define a function *f*: *f*(*n*)<==<=<=-<=1<=+<=2<=-<=3<=+<=..<=+<=(<=-<=1)*n**n* Your task is to calculate *f*(*n*) for a given integer *n*.
The single line contains the positive integer *n* (1<=≤<=*n*<=≤<=1015).
Print *f*(*n*) in a single line.
[ "4\n", "5\n" ]
[ "2\n", "-3\n" ]
*f*(4) =  - 1 + 2 - 3 + 4 = 2 *f*(5) =  - 1 + 2 - 3 + 4 - 5 =  - 3
500
[ { "input": "4", "output": "2" }, { "input": "5", "output": "-3" }, { "input": "1000000000", "output": "500000000" }, { "input": "1000000001", "output": "-500000001" }, { "input": "1000000000000000", "output": "500000000000000" }, { "input": "100", ...
1,697,816,035
2,147,483,647
Python 3
OK
TESTS
39
46
0
S0l=int(input()) if S0l%2==0: print(S0l//2) else: print(S0l//2-S0l)
Title: Calculating Function Time Limit: None seconds Memory Limit: None megabytes Problem Description: For a positive integer *n* let's define a function *f*: *f*(*n*)<==<=<=-<=1<=+<=2<=-<=3<=+<=..<=+<=(<=-<=1)*n**n* Your task is to calculate *f*(*n*) for a given integer *n*. Input Specification: The single line...
```python S0l=int(input()) if S0l%2==0: print(S0l//2) else: print(S0l//2-S0l) ```
3
723
A
The New Year: Meeting Friends
PROGRAMMING
800
[ "implementation", "math", "sortings" ]
null
null
There are three friend living on the straight line *Ox* in Lineland. The first friend lives at the point *x*1, the second friend lives at the point *x*2, and the third friend lives at the point *x*3. They plan to celebrate the New Year together, so they need to meet at one point. What is the minimum total distance they...
The first line of the input contains three distinct integers *x*1, *x*2 and *x*3 (1<=≤<=*x*1,<=*x*2,<=*x*3<=≤<=100) — the coordinates of the houses of the first, the second and the third friends respectively.
Print one integer — the minimum total distance the friends need to travel in order to meet together.
[ "7 1 4\n", "30 20 10\n" ]
[ "6\n", "20\n" ]
In the first sample, friends should meet at the point 4. Thus, the first friend has to travel the distance of 3 (from the point 7 to the point 4), the second friend also has to travel the distance of 3 (from the point 1 to the point 4), while the third friend should not go anywhere because he lives at the point 4.
500
[ { "input": "7 1 4", "output": "6" }, { "input": "30 20 10", "output": "20" }, { "input": "1 4 100", "output": "99" }, { "input": "100 1 91", "output": "99" }, { "input": "1 45 100", "output": "99" }, { "input": "1 2 3", "output": "2" }, { "...
1,687,781,491
2,147,483,647
Python 3
OK
TESTS
48
46
0
vals = sorted(map(int, input().split())) dist = max(vals) - min(vals) print(dist)
Title: The New Year: Meeting Friends Time Limit: None seconds Memory Limit: None megabytes Problem Description: There are three friend living on the straight line *Ox* in Lineland. The first friend lives at the point *x*1, the second friend lives at the point *x*2, and the third friend lives at the point *x*3. They ...
```python vals = sorted(map(int, input().split())) dist = max(vals) - min(vals) print(dist) ```
3
950
B
Intercepted Message
PROGRAMMING
1,100
[ "greedy", "implementation" ]
null
null
Hacker Zhorik wants to decipher two secret messages he intercepted yesterday. Yeah message is a sequence of encrypted blocks, each of them consists of several bytes of information. Zhorik knows that each of the messages is an archive containing one or more files. Zhorik knows how each of these archives was transferred...
The first line contains two integers *n*, *m* (1<=≤<=*n*,<=*m*<=≤<=105) — the number of blocks in the first and in the second messages. The second line contains *n* integers *x*1,<=*x*2,<=...,<=*x**n* (1<=≤<=*x**i*<=≤<=106) — the length of the blocks that form the first message. The third line contains *m* integers *...
Print the maximum number of files the intercepted array could consist of.
[ "7 6\n2 5 3 1 11 4 4\n7 8 2 4 1 8\n", "3 3\n1 10 100\n1 100 10\n", "1 4\n4\n1 1 1 1\n" ]
[ "3\n", "2\n", "1\n" ]
In the first example the maximum number of files in the archive is 3. For example, it is possible that in the archive are three files of sizes 2 + 5 = 7, 15 = 3 + 1 + 11 = 8 + 2 + 4 + 1 and 4 + 4 = 8. In the second example it is possible that the archive contains two files of sizes 1 and 110 = 10 + 100 = 100 + 10. Not...
1,000
[ { "input": "7 6\n2 5 3 1 11 4 4\n7 8 2 4 1 8", "output": "3" }, { "input": "3 3\n1 10 100\n1 100 10", "output": "2" }, { "input": "1 4\n4\n1 1 1 1", "output": "1" }, { "input": "1 1\n1000000\n1000000", "output": "1" }, { "input": "3 5\n2 2 9\n2 1 4 2 4", "outp...
1,537,371,204
3,504
Python 3
TIME_LIMIT_EXCEEDED
TESTS
8
1,000
2,560,000
s = list(map(int, input().split())) n = s[0] m = s[1] x = list(map(int, input().split())) y = list(map(int, input().split())) i = x.pop(0) j = y.pop(0) counter = 0 while True: if i==j: counter+=1 if len(y)==0 or len(x)==0: break i = x.pop(0) j = y.pop(0) elif i>j: ...
Title: Intercepted Message Time Limit: None seconds Memory Limit: None megabytes Problem Description: Hacker Zhorik wants to decipher two secret messages he intercepted yesterday. Yeah message is a sequence of encrypted blocks, each of them consists of several bytes of information. Zhorik knows that each of the mes...
```python s = list(map(int, input().split())) n = s[0] m = s[1] x = list(map(int, input().split())) y = list(map(int, input().split())) i = x.pop(0) j = y.pop(0) counter = 0 while True: if i==j: counter+=1 if len(y)==0 or len(x)==0: break i = x.pop(0) j = y.pop(0) eli...
0
807
A
Is it rated?
PROGRAMMING
900
[ "implementation", "sortings" ]
null
null
Is it rated? Here it is. The Ultimate Question of Competitive Programming, Codeforces, and Everything. And you are here to answer it. Another Codeforces round has been conducted. No two participants have the same number of points. For each participant, from the top to the bottom of the standings, their rating before ...
The first line contains a single integer *n* (2<=≤<=*n*<=≤<=1000) — the number of round participants. Each of the next *n* lines contains two integers *a**i* and *b**i* (1<=≤<=*a**i*,<=*b**i*<=≤<=4126) — the rating of the *i*-th participant before and after the round, respectively. The participants are listed in order...
If the round is rated for sure, print "rated". If the round is unrated for sure, print "unrated". If it's impossible to determine whether the round is rated or not, print "maybe".
[ "6\n3060 3060\n2194 2194\n2876 2903\n2624 2624\n3007 2991\n2884 2884\n", "4\n1500 1500\n1300 1300\n1200 1200\n1400 1400\n", "5\n3123 3123\n2777 2777\n2246 2246\n2246 2246\n1699 1699\n" ]
[ "rated\n", "unrated\n", "maybe\n" ]
In the first example, the ratings of the participants in the third and fifth places have changed, therefore, the round was rated. In the second example, no one's rating has changed, but the participant in the second place has lower rating than the participant in the fourth place. Therefore, if the round was rated, som...
500
[ { "input": "6\n3060 3060\n2194 2194\n2876 2903\n2624 2624\n3007 2991\n2884 2884", "output": "rated" }, { "input": "4\n1500 1500\n1300 1300\n1200 1200\n1400 1400", "output": "unrated" }, { "input": "5\n3123 3123\n2777 2777\n2246 2246\n2246 2246\n1699 1699", "output": "maybe" }, { ...
1,494,202,548
2,147,483,647
Python 3
WRONG_ANSWER
TESTS
50
62
0
n,r,o=int(input()),0,0 c,d=map(int,input().split()) for i in range(n-1): a,b=map(int,input().split()) if b!=a:r=1 if a>c:o=1 c,d=a,b print('rated'if r else 'unrated' if o else 'maybe')
Title: Is it rated? Time Limit: None seconds Memory Limit: None megabytes Problem Description: Is it rated? Here it is. The Ultimate Question of Competitive Programming, Codeforces, and Everything. And you are here to answer it. Another Codeforces round has been conducted. No two participants have the same number ...
```python n,r,o=int(input()),0,0 c,d=map(int,input().split()) for i in range(n-1): a,b=map(int,input().split()) if b!=a:r=1 if a>c:o=1 c,d=a,b print('rated'if r else 'unrated' if o else 'maybe') ```
0
2
A
Winner
PROGRAMMING
1,500
[ "hashing", "implementation" ]
A. Winner
1
64
The winner of the card game popular in Berland "Berlogging" is determined according to the following rules. If at the end of the game there is only one player with the maximum number of points, he is the winner. The situation becomes more difficult if the number of such players is more than one. During each round a pla...
The first line contains an integer number *n* (1<=<=≤<=<=*n*<=<=≤<=<=1000), *n* is the number of rounds played. Then follow *n* lines, containing the information about the rounds in "name score" format in chronological order, where name is a string of lower-case Latin letters with the length from 1 to 32, and score is ...
Print the name of the winner.
[ "3\nmike 3\nandrew 5\nmike 2\n", "3\nandrew 3\nandrew 2\nmike 5\n" ]
[ "andrew\n", "andrew\n" ]
none
0
[ { "input": "3\nmike 3\nandrew 5\nmike 2", "output": "andrew" }, { "input": "3\nandrew 3\nandrew 2\nmike 5", "output": "andrew" }, { "input": "5\nkaxqybeultn -352\nmgochgrmeyieyskhuourfg -910\nkaxqybeultn 691\nmgochgrmeyieyskhuourfg -76\nkaxqybeultn -303", "output": "kaxqybeultn" },...
1,586,293,890
2,147,483,647
Python 3
WRONG_ANSWER
TESTS
3
216
307,200
#definim clasa RoundTotals care o sa tina minte numele si punctajul catigatorului unei runde class RoundTotals: def __init__(self, name, points): self.name = name self.points = points #aceasta functie ne ajuta sa citim corect datele de la stdin def value(inputValue): t...
Title: Winner Time Limit: 1 seconds Memory Limit: 64 megabytes Problem Description: The winner of the card game popular in Berland "Berlogging" is determined according to the following rules. If at the end of the game there is only one player with the maximum number of points, he is the winner. The situation becomes...
```python #definim clasa RoundTotals care o sa tina minte numele si punctajul catigatorului unei runde class RoundTotals: def __init__(self, name, points): self.name = name self.points = points #aceasta functie ne ajuta sa citim corect datele de la stdin def value(inputValue):...
0
479
C
Exams
PROGRAMMING
1,400
[ "greedy", "sortings" ]
null
null
Student Valera is an undergraduate student at the University. His end of term exams are approaching and he is to pass exactly *n* exams. Valera is a smart guy, so he will be able to pass any exam he takes on his first try. Besides, he can take several exams on one day, and in any order. According to the schedule, a st...
The first line contains a single positive integer *n* (1<=≤<=*n*<=≤<=5000) — the number of exams Valera will take. Each of the next *n* lines contains two positive space-separated integers *a**i* and *b**i* (1<=≤<=*b**i*<=&lt;<=*a**i*<=≤<=109) — the date of the exam in the schedule and the early date of passing the *i...
Print a single integer — the minimum possible number of the day when Valera can take the last exam if he takes all the exams so that all the records in his record book go in the order of non-decreasing date.
[ "3\n5 2\n3 1\n4 2\n", "3\n6 1\n5 2\n4 3\n" ]
[ "2\n", "6\n" ]
In the first sample Valera first takes an exam in the second subject on the first day (the teacher writes down the schedule date that is 3). On the next day he takes an exam in the third subject (the teacher writes down the schedule date, 4), then he takes an exam in the first subject (the teacher writes down the mark ...
1,500
[ { "input": "3\n5 2\n3 1\n4 2", "output": "2" }, { "input": "3\n6 1\n5 2\n4 3", "output": "6" }, { "input": "1\n1000000000 999999999", "output": "999999999" }, { "input": "1\n2 1", "output": "1" }, { "input": "2\n3 2\n3 2", "output": "2" }, { "input": "...
1,697,619,806
2,147,483,647
Python 3
WRONG_ANSWER
TESTS
4
46
716,800
import sys n = int(sys.stdin.readline()) t = [] for i in range(n): t.append(list(map(int,sys.stdin.readline().split()))) if i ==0: asd = t[0] if t[i][0] >asd[0] and t[i][1] >asd[1]: asd = t[i] if i ==n-1: memory = t[n-1] if memory[1]>asd[1]: print(asd[0]) els...
Title: Exams Time Limit: None seconds Memory Limit: None megabytes Problem Description: Student Valera is an undergraduate student at the University. His end of term exams are approaching and he is to pass exactly *n* exams. Valera is a smart guy, so he will be able to pass any exam he takes on his first try. Beside...
```python import sys n = int(sys.stdin.readline()) t = [] for i in range(n): t.append(list(map(int,sys.stdin.readline().split()))) if i ==0: asd = t[0] if t[i][0] >asd[0] and t[i][1] >asd[1]: asd = t[i] if i ==n-1: memory = t[n-1] if memory[1]>asd[1]: print(as...
0
50
A
Domino piling
PROGRAMMING
800
[ "greedy", "math" ]
A. Domino piling
2
256
You are given a rectangular board of *M*<=×<=*N* squares. Also you are given an unlimited number of standard domino pieces of 2<=×<=1 squares. You are allowed to rotate the pieces. You are asked to place as many dominoes as possible on the board so as to meet the following conditions: 1. Each domino completely covers ...
In a single line you are given two integers *M* and *N* — board sizes in squares (1<=≤<=*M*<=≤<=*N*<=≤<=16).
Output one number — the maximal number of dominoes, which can be placed.
[ "2 4\n", "3 3\n" ]
[ "4\n", "4\n" ]
none
500
[ { "input": "2 4", "output": "4" }, { "input": "3 3", "output": "4" }, { "input": "1 5", "output": "2" }, { "input": "1 6", "output": "3" }, { "input": "1 15", "output": "7" }, { "input": "1 16", "output": "8" }, { "input": "2 5", "outpu...
1,661,642,803
2,147,483,647
Python 3
RUNTIME_ERROR
TESTS
0
60
0
number1 = int(input()) number2 = int(input()) if(number1*number2 != 1): if (number1 >= 1 and number2 >= number1 and number2 <= 16): print(int(((number1*number2) - ((number1-2) * (number2-2)))/2))
Title: Domino piling Time Limit: 2 seconds Memory Limit: 256 megabytes Problem Description: You are given a rectangular board of *M*<=×<=*N* squares. Also you are given an unlimited number of standard domino pieces of 2<=×<=1 squares. You are allowed to rotate the pieces. You are asked to place as many dominoes as p...
```python number1 = int(input()) number2 = int(input()) if(number1*number2 != 1): if (number1 >= 1 and number2 >= number1 and number2 <= 16): print(int(((number1*number2) - ((number1-2) * (number2-2)))/2)) ```
-1
884
A
Book Reading
PROGRAMMING
800
[ "implementation" ]
null
null
Recently Luba bought a very interesting book. She knows that it will take *t* seconds to read the book. Luba wants to finish reading as fast as she can. But she has some work to do in each of *n* next days. The number of seconds that Luba has to spend working during *i*-th day is *a**i*. If some free time remains, she...
The first line contains two integers *n* and *t* (1<=≤<=*n*<=≤<=100, 1<=≤<=*t*<=≤<=106) — the number of days and the time required to read the book. The second line contains *n* integers *a**i* (0<=≤<=*a**i*<=≤<=86400) — the time Luba has to spend on her work during *i*-th day.
Print the minimum day Luba can finish reading the book. It is guaranteed that answer doesn't exceed *n*.
[ "2 2\n86400 86398\n", "2 86400\n0 86400\n" ]
[ "2\n", "1\n" ]
none
0
[ { "input": "2 2\n86400 86398", "output": "2" }, { "input": "2 86400\n0 86400", "output": "1" }, { "input": "2 86400\n1 86399", "output": "2" }, { "input": "100 1000000\n0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0...
1,618,919,497
2,147,483,647
Python 3
OK
TESTS
16
62
0
n, t = map(int, input().split()) daftar_waktu_kerja = list(map(int, input().split())) hari = 1 for waktu_kerja in daftar_waktu_kerja: waktu_kosong = 86400 - waktu_kerja t -= waktu_kosong if t <= 0: print(hari) break hari += 1
Title: Book Reading Time Limit: None seconds Memory Limit: None megabytes Problem Description: Recently Luba bought a very interesting book. She knows that it will take *t* seconds to read the book. Luba wants to finish reading as fast as she can. But she has some work to do in each of *n* next days. The number of ...
```python n, t = map(int, input().split()) daftar_waktu_kerja = list(map(int, input().split())) hari = 1 for waktu_kerja in daftar_waktu_kerja: waktu_kosong = 86400 - waktu_kerja t -= waktu_kosong if t <= 0: print(hari) break hari += 1 ```
3
384
A
Coder
PROGRAMMING
800
[ "implementation" ]
null
null
Iahub likes chess very much. He even invented a new chess piece named Coder. A Coder can move (and attack) one square horizontally or vertically. More precisely, if the Coder is located at position (*x*,<=*y*), he can move to (or attack) positions (*x*<=+<=1,<=*y*), (*x*–1,<=*y*), (*x*,<=*y*<=+<=1) and (*x*,<=*y*–1). ...
The first line contains an integer *n* (1<=≤<=*n*<=≤<=1000).
On the first line print an integer, the maximum number of Coders that can be placed on the chessboard. On each of the next *n* lines print *n* characters, describing the configuration of the Coders. For an empty cell print an '.', and for a Coder print a 'C'. If there are multiple correct answers, you can print any.
[ "2\n" ]
[ "2\nC.\n.C\n" ]
none
500
[ { "input": "2", "output": "2\nC.\n.C" }, { "input": "3", "output": "5\nC.C\n.C.\nC.C" }, { "input": "4", "output": "8\nC.C.\n.C.C\nC.C.\n.C.C" }, { "input": "10", "output": "50\nC.C.C.C.C.\n.C.C.C.C.C\nC.C.C.C.C.\n.C.C.C.C.C\nC.C.C.C.C.\n.C.C.C.C.C\nC.C.C.C.C.\n.C.C.C.C.C...
1,686,143,995
2,147,483,647
PyPy 3
WRONG_ANSWER
TESTS
1
62
0
n = int(input()) print(n) a = ['C' if i % 2 == 0 else '.' for i in range(n)] def swap(a): for i in range(n): if a[i] == '.': a[i] = 'C' else: a[i] = '.' return a for i in range(n): print(*a, sep='') a = swap(a)
Title: Coder Time Limit: None seconds Memory Limit: None megabytes Problem Description: Iahub likes chess very much. He even invented a new chess piece named Coder. A Coder can move (and attack) one square horizontally or vertically. More precisely, if the Coder is located at position (*x*,<=*y*), he can move to (or...
```python n = int(input()) print(n) a = ['C' if i % 2 == 0 else '.' for i in range(n)] def swap(a): for i in range(n): if a[i] == '.': a[i] = 'C' else: a[i] = '.' return a for i in range(n): print(*a, sep='') a = swap(a) ```
0
340
A
The Wall
PROGRAMMING
1,200
[ "math" ]
null
null
Iahub and his friend Floyd have started painting a wall. Iahub is painting the wall red and Floyd is painting it pink. You can consider the wall being made of a very large number of bricks, numbered 1, 2, 3 and so on. Iahub has the following scheme of painting: he skips *x*<=-<=1 consecutive bricks, then he paints th...
The input will have a single line containing four integers in this order: *x*, *y*, *a*, *b*. (1<=≤<=*x*,<=*y*<=≤<=1000, 1<=≤<=*a*,<=*b*<=≤<=2·109, *a*<=≤<=*b*).
Output a single integer — the number of bricks numbered no less than *a* and no greater than *b* that are painted both red and pink.
[ "2 3 6 18\n" ]
[ "3" ]
Let's look at the bricks from *a* to *b* (*a* = 6, *b* = 18). The bricks colored in red are numbered 6, 8, 10, 12, 14, 16, 18. The bricks colored in pink are numbered 6, 9, 12, 15, 18. The bricks colored in both red and pink are numbered with 6, 12 and 18.
500
[ { "input": "2 3 6 18", "output": "3" }, { "input": "4 6 20 201", "output": "15" }, { "input": "15 27 100 10000", "output": "74" }, { "input": "105 60 3456 78910", "output": "179" }, { "input": "1 1 1000 100000", "output": "99001" }, { "input": "3 2 5 5...
1,377,950,983
2,147,483,647
Python 3
RUNTIME_ERROR
TESTS
0
218
5,120,000
import sys import math import fractions #f = sys.stdin f = open("input.txt", "r") line_ = map(int, f.readline().split()) line = [] for it in line_: line.append(it) x = int(line[0]) y = int(line[1]) a = int(line[2]) b = int(line[3]) xy = x * y / fractions.gcd(x, y) ans = b // xy - (a - 1) // xy...
Title: The Wall Time Limit: None seconds Memory Limit: None megabytes Problem Description: Iahub and his friend Floyd have started painting a wall. Iahub is painting the wall red and Floyd is painting it pink. You can consider the wall being made of a very large number of bricks, numbered 1, 2, 3 and so on. Iahub ...
```python import sys import math import fractions #f = sys.stdin f = open("input.txt", "r") line_ = map(int, f.readline().split()) line = [] for it in line_: line.append(it) x = int(line[0]) y = int(line[1]) a = int(line[2]) b = int(line[3]) xy = x * y / fractions.gcd(x, y) ans = b // xy - (a ...
-1
1,004
A
Sonya and Hotels
PROGRAMMING
900
[ "implementation" ]
null
null
Sonya decided that having her own hotel business is the best way of earning money because she can profit and rest wherever she wants. The country where Sonya lives is an endless line. There is a city in each integer coordinate on this line. She has $n$ hotels, where the $i$-th hotel is located in the city with coordin...
The first line contains two integers $n$ and $d$ ($1\leq n\leq 100$, $1\leq d\leq 10^9$) — the number of Sonya's hotels and the needed minimum distance from a new hotel to all others. The second line contains $n$ different integers in strictly increasing order $x_1, x_2, \ldots, x_n$ ($-10^9\leq x_i\leq 10^9$) — coord...
Print the number of cities where Sonya can build a new hotel so that the minimum distance from this hotel to all others is equal to $d$.
[ "4 3\n-3 2 9 16\n", "5 2\n4 8 11 18 19\n" ]
[ "6\n", "5\n" ]
In the first example, there are $6$ possible cities where Sonya can build a hotel. These cities have coordinates $-6$, $5$, $6$, $12$, $13$, and $19$. In the second example, there are $5$ possible cities where Sonya can build a hotel. These cities have coordinates $2$, $6$, $13$, $16$, and $21$.
500
[ { "input": "4 3\n-3 2 9 16", "output": "6" }, { "input": "5 2\n4 8 11 18 19", "output": "5" }, { "input": "10 10\n-67 -59 -49 -38 -8 20 41 59 74 83", "output": "8" }, { "input": "10 10\n0 20 48 58 81 95 111 137 147 159", "output": "9" }, { "input": "100 1\n0 1 2 3...
1,617,882,061
2,147,483,647
PyPy 3
OK
TESTS
45
109
0
n, d = map(int, input().split()) li = list(map(int, input().split())) c = 2 for i in range(1, n): if (li[i] - li[i-1]) == 2*d: c = c + 1 if (li[i] - li[i-1]) > 2*d: c = c + 2 print(c)
Title: Sonya and Hotels Time Limit: None seconds Memory Limit: None megabytes Problem Description: Sonya decided that having her own hotel business is the best way of earning money because she can profit and rest wherever she wants. The country where Sonya lives is an endless line. There is a city in each integer c...
```python n, d = map(int, input().split()) li = list(map(int, input().split())) c = 2 for i in range(1, n): if (li[i] - li[i-1]) == 2*d: c = c + 1 if (li[i] - li[i-1]) > 2*d: c = c + 2 print(c) ```
3
214
A
System of Equations
PROGRAMMING
800
[ "brute force" ]
null
null
Furik loves math lessons very much, so he doesn't attend them, unlike Rubik. But now Furik wants to get a good mark for math. For that Ms. Ivanova, his math teacher, gave him a new task. Furik solved the task immediately. Can you? You are given a system of equations: You should count, how many there are pairs of int...
A single line contains two integers *n*,<=*m* (1<=≤<=*n*,<=*m*<=≤<=1000) — the parameters of the system. The numbers on the line are separated by a space.
On a single line print the answer to the problem.
[ "9 3\n", "14 28\n", "4 20\n" ]
[ "1\n", "1\n", "0\n" ]
In the first sample the suitable pair is integers (3, 0). In the second sample the suitable pair is integers (3, 5). In the third sample there is no suitable pair.
500
[ { "input": "9 3", "output": "1" }, { "input": "14 28", "output": "1" }, { "input": "4 20", "output": "0" }, { "input": "18 198", "output": "1" }, { "input": "22 326", "output": "1" }, { "input": "26 104", "output": "1" }, { "input": "14 10"...
1,624,389,835
2,147,483,647
PyPy 3
WRONG_ANSWER
TESTS
3
154
0
from math import sqrt,floor n,m =map(int,input().split()) a=floor(sqrt(n)) b=n-(a*a) if a!=(m-(b*b)): print(0) else: print(1)
Title: System of Equations Time Limit: None seconds Memory Limit: None megabytes Problem Description: Furik loves math lessons very much, so he doesn't attend them, unlike Rubik. But now Furik wants to get a good mark for math. For that Ms. Ivanova, his math teacher, gave him a new task. Furik solved the task immedi...
```python from math import sqrt,floor n,m =map(int,input().split()) a=floor(sqrt(n)) b=n-(a*a) if a!=(m-(b*b)): print(0) else: print(1) ```
0
527
D
Clique Problem
PROGRAMMING
1,800
[ "data structures", "dp", "greedy", "implementation", "sortings" ]
null
null
The clique problem is one of the most well-known NP-complete problems. Under some simplification it can be formulated as follows. Consider an undirected graph *G*. It is required to find a subset of vertices *C* of the maximum size such that any two of them are connected by an edge in graph *G*. Sounds simple, doesn't ...
The first line contains the integer *n* (1<=≤<=*n*<=≤<=200<=000) — the number of points. Each of the next *n* lines contains two numbers *x**i*, *w**i* (0<=≤<=*x**i*<=≤<=109,<=1<=≤<=*w**i*<=≤<=109) — the coordinate and the weight of a point. All *x**i* are different.
Print a single number — the number of vertexes in the maximum clique of the given graph.
[ "4\n2 3\n3 1\n6 1\n0 2\n" ]
[ "3\n" ]
If you happen to know how to solve this problem without using the specific properties of the graph formulated in the problem statement, then you are able to get a prize of one million dollars! The picture for the sample test.
2,000
[ { "input": "4\n2 3\n3 1\n6 1\n0 2", "output": "3" }, { "input": "1\n42 23", "output": "1" }, { "input": "2\n1 5\n2 6", "output": "1" }, { "input": "2\n1 5\n12 6", "output": "2" }, { "input": "1\n0 1", "output": "1" }, { "input": "1\n1000000000 10000000...
1,427,322,059
2,147,483,647
Python 3
WRONG_ANSWER
TESTS
0
46
0
n = int(input()) X = [] W = {} big = -1 for _ in range(n): x,w = list(map(int,input().split())) X.append(x) W[x] = w big = max(big,x) dp = {} X=sorted(X) for i,xi in enumerate(X): m = 1 for j in range(i - 1,-1,-1): xj=X[j] if xi - xj >= W[xi] + W[xj]: ...
Title: Clique Problem Time Limit: None seconds Memory Limit: None megabytes Problem Description: The clique problem is one of the most well-known NP-complete problems. Under some simplification it can be formulated as follows. Consider an undirected graph *G*. It is required to find a subset of vertices *C* of the m...
```python n = int(input()) X = [] W = {} big = -1 for _ in range(n): x,w = list(map(int,input().split())) X.append(x) W[x] = w big = max(big,x) dp = {} X=sorted(X) for i,xi in enumerate(X): m = 1 for j in range(i - 1,-1,-1): xj=X[j] if xi - xj >= W[xi] + W[xj]: ...
0
703
B
Mishka and trip
PROGRAMMING
1,400
[ "implementation", "math" ]
null
null
Little Mishka is a great traveller and she visited many countries. After thinking about where to travel this time, she chose XXX — beautiful, but little-known northern country. Here are some interesting facts about XXX: 1. XXX consists of *n* cities, *k* of whose (just imagine!) are capital cities. 1. All of cities...
The first line of the input contains two integers *n* and *k* (3<=≤<=*n*<=≤<=100<=000,<=1<=≤<=*k*<=≤<=*n*) — the number of cities in XXX and the number of capital cities among them. The second line of the input contains *n* integers *c*1,<=*c*2,<=...,<=*c**n* (1<=≤<=*c**i*<=≤<=10<=000) — beauty values of the cities. ...
Print the only integer — summary price of passing each of the roads in XXX.
[ "4 1\n2 3 1 2\n3\n", "5 2\n3 5 2 2 4\n1 4\n" ]
[ "17", "71" ]
This image describes first sample case: <img class="tex-graphics" src="https://espresso.codeforces.com/9dcb0e62694349977e064303a74efd880af5eb03.png" style="max-width: 100.0%;max-height: 100.0%;"/> It is easy to see that summary price is equal to 17. This image describes second sample case: <img class="tex-graphics"...
1,000
[ { "input": "4 1\n2 3 1 2\n3", "output": "17" }, { "input": "5 2\n3 5 2 2 4\n1 4", "output": "71" }, { "input": "3 1\n1 1 1\n1", "output": "3" }, { "input": "3 3\n1 1 1\n1 2 3", "output": "3" }, { "input": "7 7\n6 9 2 7 4 8 7\n1 2 3 4 5 6 7", "output": "775" ...
1,689,630,551
2,147,483,647
PyPy 3-64
WRONG_ANSWER
TESTS
0
46
0
print("_RANDOM_GUESS_1689630551.6644855")# 1689630551.664505
Title: Mishka and trip Time Limit: None seconds Memory Limit: None megabytes Problem Description: Little Mishka is a great traveller and she visited many countries. After thinking about where to travel this time, she chose XXX — beautiful, but little-known northern country. Here are some interesting facts about XXX...
```python print("_RANDOM_GUESS_1689630551.6644855")# 1689630551.664505 ```
0
858
A
k-rounding
PROGRAMMING
1,100
[ "brute force", "math", "number theory" ]
null
null
For a given positive integer *n* denote its *k*-rounding as the minimum positive integer *x*, such that *x* ends with *k* or more zeros in base 10 and is divisible by *n*. For example, 4-rounding of 375 is 375·80<==<=30000. 30000 is the minimum integer such that it ends with 4 or more zeros and is divisible by 375. W...
The only line contains two integers *n* and *k* (1<=≤<=*n*<=≤<=109, 0<=≤<=*k*<=≤<=8).
Print the *k*-rounding of *n*.
[ "375 4\n", "10000 1\n", "38101 0\n", "123456789 8\n" ]
[ "30000\n", "10000\n", "38101\n", "12345678900000000\n" ]
none
750
[ { "input": "375 4", "output": "30000" }, { "input": "10000 1", "output": "10000" }, { "input": "38101 0", "output": "38101" }, { "input": "123456789 8", "output": "12345678900000000" }, { "input": "1 0", "output": "1" }, { "input": "2 0", "output":...
1,643,810,732
2,147,483,647
Python 3
OK
TESTS
96
46
0
import math n,k = map(int,input().split()) m =(n * (10**k)) / math.gcd(n, (10**k)) print(int(m))
Title: k-rounding Time Limit: None seconds Memory Limit: None megabytes Problem Description: For a given positive integer *n* denote its *k*-rounding as the minimum positive integer *x*, such that *x* ends with *k* or more zeros in base 10 and is divisible by *n*. For example, 4-rounding of 375 is 375·80<==<=30000....
```python import math n,k = map(int,input().split()) m =(n * (10**k)) / math.gcd(n, (10**k)) print(int(m)) ```
3
82
A
Double Cola
PROGRAMMING
1,100
[ "implementation", "math" ]
A. Double Cola
1
256
Sheldon, Leonard, Penny, Rajesh and Howard are in the queue for a "Double Cola" drink vending machine; there are no other people in the queue. The first one in the queue (Sheldon) buys a can, drinks it and doubles! The resulting two Sheldons go to the end of the queue. Then the next in the queue (Leonard) buys a can, d...
The input data consist of a single integer *n* (1<=≤<=*n*<=≤<=109). It is guaranteed that the pretests check the spelling of all the five names, that is, that they contain all the five possible answers.
Print the single line — the name of the person who drinks the *n*-th can of cola. The cans are numbered starting from 1. Please note that you should spell the names like this: "Sheldon", "Leonard", "Penny", "Rajesh", "Howard" (without the quotes). In that order precisely the friends are in the queue initially.
[ "1\n", "6\n", "1802\n" ]
[ "Sheldon\n", "Sheldon\n", "Penny\n" ]
none
500
[ { "input": "1", "output": "Sheldon" }, { "input": "6", "output": "Sheldon" }, { "input": "1802", "output": "Penny" }, { "input": "1", "output": "Sheldon" }, { "input": "2", "output": "Leonard" }, { "input": "3", "output": "Penny" }, { "inpu...
1,517,010,345
2,147,483,647
Python 3
WRONG_ANSWER
TESTS
1
62
5,632,000
p=["Sheldon", "Leonard", "Penny", "Rajesh", "Howard"] a=int(input()) i=1 while True: if a<=(5*i): print(p[int(a/i)-1]) break else: a-=(5*i) i*=2
Title: Double Cola Time Limit: 1 seconds Memory Limit: 256 megabytes Problem Description: Sheldon, Leonard, Penny, Rajesh and Howard are in the queue for a "Double Cola" drink vending machine; there are no other people in the queue. The first one in the queue (Sheldon) buys a can, drinks it and doubles! The resultin...
```python p=["Sheldon", "Leonard", "Penny", "Rajesh", "Howard"] a=int(input()) i=1 while True: if a<=(5*i): print(p[int(a/i)-1]) break else: a-=(5*i) i*=2 ```
0
637
C
Promocodes with Mistakes
PROGRAMMING
1,400
[ "*special", "brute force", "constructive algorithms", "implementation" ]
null
null
During a New Year special offer the "Sudislavl Bars" offered *n* promo codes. Each promo code consists of exactly six digits and gives right to one free cocktail at the bar "Mosquito Shelter". Of course, all the promocodes differ. As the "Mosquito Shelter" opens only at 9, and partying in Sudislavl usually begins at a...
The first line of the output contains number *n* (1<=≤<=*n*<=≤<=1000) — the number of promocodes. Each of the next *n* lines contains a single promocode, consisting of exactly 6 digits. It is guaranteed that all the promocodes are distinct. Promocodes can start from digit "0".
Print the maximum *k* (naturally, not exceeding the length of the promocode), such that any promocode can be uniquely identified if it is typed with at most *k* mistakes.
[ "2\n000000\n999999\n", "6\n211111\n212111\n222111\n111111\n112111\n121111\n" ]
[ "2\n", "0\n" ]
In the first sample *k* &lt; 3, so if a bar customer types in value "090909", then it will be impossible to define which promocode exactly corresponds to it.
1,500
[ { "input": "2\n000000\n999999", "output": "2" }, { "input": "6\n211111\n212111\n222111\n111111\n112111\n121111", "output": "0" }, { "input": "1\n123456", "output": "6" }, { "input": "2\n000000\n099999", "output": "2" }, { "input": "2\n000000\n009999", "output"...
1,633,765,739
2,147,483,647
Python 3
RUNTIME_ERROR
TESTS
1
31
6,963,200
n = input() promo_code = [] def compare_str(a,b): k = 0 for i in range(6): if a[i] == b[i]: k = k+1 return k for i in range(0,int(n)): x = input() promo_code.append(x) largest_same_num = 0 for i in promo_code: for j in promo_code: if i!=j: ...
Title: Promocodes with Mistakes Time Limit: None seconds Memory Limit: None megabytes Problem Description: During a New Year special offer the "Sudislavl Bars" offered *n* promo codes. Each promo code consists of exactly six digits and gives right to one free cocktail at the bar "Mosquito Shelter". Of course, all th...
```python n = input() promo_code = [] def compare_str(a,b): k = 0 for i in range(6): if a[i] == b[i]: k = k+1 return k for i in range(0,int(n)): x = input() promo_code.append(x) largest_same_num = 0 for i in promo_code: for j in promo_code: if i!=j: ...
-1
527
A
Playing with Paper
PROGRAMMING
1,100
[ "implementation", "math" ]
null
null
One day Vasya was sitting on a not so interesting Maths lesson and making an origami from a rectangular *a* mm <=×<= *b* mm sheet of paper (*a*<=&gt;<=*b*). Usually the first step in making an origami is making a square piece of paper from the rectangular sheet by folding the sheet along the bisector of the right angle...
The first line of the input contains two integers *a*, *b* (1<=≤<=*b*<=&lt;<=*a*<=≤<=1012) — the sizes of the original sheet of paper.
Print a single integer — the number of ships that Vasya will make.
[ "2 1\n", "10 7\n", "1000000000000 1\n" ]
[ "2\n", "6\n", "1000000000000\n" ]
Pictures to the first and second sample test.
500
[ { "input": "2 1", "output": "2" }, { "input": "10 7", "output": "6" }, { "input": "1000000000000 1", "output": "1000000000000" }, { "input": "3 1", "output": "3" }, { "input": "4 1", "output": "4" }, { "input": "3 2", "output": "3" }, { "in...
1,426,612,566
1,866
Python 3
CHALLENGED
CHALLENGES
9
61
0
a_b = input().split() a = int(a_b[0]) b = int(a_b[1]) if a > b: bolshoe = a menshee = b else: bolshoe = b menshee = a vivod = 1 x = 0 i = 0 if bolshoe == menshee: x = 1 elif a == 1 and b != 1: vivod = b x = 1 elif b == 1 and a != 1: vivod = a x = 1 while...
Title: Playing with Paper Time Limit: None seconds Memory Limit: None megabytes Problem Description: One day Vasya was sitting on a not so interesting Maths lesson and making an origami from a rectangular *a* mm <=×<= *b* mm sheet of paper (*a*<=&gt;<=*b*). Usually the first step in making an origami is making a squ...
```python a_b = input().split() a = int(a_b[0]) b = int(a_b[1]) if a > b: bolshoe = a menshee = b else: bolshoe = b menshee = a vivod = 1 x = 0 i = 0 if bolshoe == menshee: x = 1 elif a == 1 and b != 1: vivod = b x = 1 elif b == 1 and a != 1: vivod = a x = 1 ...
-1
610
A
Pasha and Stick
PROGRAMMING
1,000
[ "combinatorics", "math" ]
null
null
Pasha has a wooden stick of some positive integer length *n*. He wants to perform exactly three cuts to get four parts of the stick. Each part must have some positive integer length and the sum of these lengths will obviously be *n*. Pasha likes rectangles but hates squares, so he wonders, how many ways are there to ...
The first line of the input contains a positive integer *n* (1<=≤<=*n*<=≤<=2·109) — the length of Pasha's stick.
The output should contain a single integer — the number of ways to split Pasha's stick into four parts of positive integer length so that it's possible to make a rectangle by connecting the ends of these parts, but is impossible to form a square.
[ "6\n", "20\n" ]
[ "1\n", "4\n" ]
There is only one way to divide the stick in the first sample {1, 1, 2, 2}. Four ways to divide the stick in the second sample are {1, 1, 9, 9}, {2, 2, 8, 8}, {3, 3, 7, 7} and {4, 4, 6, 6}. Note that {5, 5, 5, 5} doesn't work.
500
[ { "input": "6", "output": "1" }, { "input": "20", "output": "4" }, { "input": "1", "output": "0" }, { "input": "2", "output": "0" }, { "input": "3", "output": "0" }, { "input": "4", "output": "0" }, { "input": "2000000000", "output": "4...
1,587,124,617
2,147,483,647
Python 3
OK
TESTS
76
156
0
n = int(input()) if n % 2 != 0 or n < 6: print(0) else: k = n // 2 if n % 4 == 0: print(k//2-1) else: print(k//2)
Title: Pasha and Stick Time Limit: None seconds Memory Limit: None megabytes Problem Description: Pasha has a wooden stick of some positive integer length *n*. He wants to perform exactly three cuts to get four parts of the stick. Each part must have some positive integer length and the sum of these lengths will obv...
```python n = int(input()) if n % 2 != 0 or n < 6: print(0) else: k = n // 2 if n % 4 == 0: print(k//2-1) else: print(k//2) ```
3
492
B
Vanya and Lanterns
PROGRAMMING
1,200
[ "binary search", "implementation", "math", "sortings" ]
null
null
Vanya walks late at night along a straight street of length *l*, lit by *n* lanterns. Consider the coordinate system with the beginning of the street corresponding to the point 0, and its end corresponding to the point *l*. Then the *i*-th lantern is at the point *a**i*. The lantern lights all points of the street that...
The first line contains two integers *n*, *l* (1<=≤<=*n*<=≤<=1000, 1<=≤<=*l*<=≤<=109) — the number of lanterns and the length of the street respectively. The next line contains *n* integers *a**i* (0<=≤<=*a**i*<=≤<=*l*). Multiple lanterns can be located at the same point. The lanterns may be located at the ends of th...
Print the minimum light radius *d*, needed to light the whole street. The answer will be considered correct if its absolute or relative error doesn't exceed 10<=-<=9.
[ "7 15\n15 5 3 7 9 14 0\n", "2 5\n2 5\n" ]
[ "2.5000000000\n", "2.0000000000\n" ]
Consider the second sample. At *d* = 2 the first lantern will light the segment [0, 4] of the street, and the second lantern will light segment [3, 5]. Thus, the whole street will be lit.
1,000
[ { "input": "7 15\n15 5 3 7 9 14 0", "output": "2.5000000000" }, { "input": "2 5\n2 5", "output": "2.0000000000" }, { "input": "46 615683844\n431749087 271781274 274974690 324606253 480870261 401650581 13285442 478090364 266585394 425024433 588791449 492057200 391293435 563090494 317950 1...
1,696,079,367
2,147,483,647
Python 3
WRONG_ANSWER
TESTS
0
46
0
line1 = input().split() line2 = input().split() n = int(line1[0]) l = int(line1[1]) lanternList = [] for item in line2: lanternList.append(int(item)) lanternList.sort() result = [] if lanternList[0] != 0: result.append(lanternList[0]*1.000000000) for i in range(n-1): result.append(lanter...
Title: Vanya and Lanterns Time Limit: None seconds Memory Limit: None megabytes Problem Description: Vanya walks late at night along a straight street of length *l*, lit by *n* lanterns. Consider the coordinate system with the beginning of the street corresponding to the point 0, and its end corresponding to the poi...
```python line1 = input().split() line2 = input().split() n = int(line1[0]) l = int(line1[1]) lanternList = [] for item in line2: lanternList.append(int(item)) lanternList.sort() result = [] if lanternList[0] != 0: result.append(lanternList[0]*1.000000000) for i in range(n-1): result.app...
0
405
A
Gravity Flip
PROGRAMMING
900
[ "greedy", "implementation", "sortings" ]
null
null
Little Chris is bored during his physics lessons (too easy), so he has built a toy box to keep himself occupied. The box is special, since it has the ability to change gravity. There are *n* columns of toy cubes in the box arranged in a line. The *i*-th column contains *a**i* cubes. At first, the gravity in the box is...
The first line of input contains an integer *n* (1<=≤<=*n*<=≤<=100), the number of the columns in the box. The next line contains *n* space-separated integer numbers. The *i*-th number *a**i* (1<=≤<=*a**i*<=≤<=100) denotes the number of cubes in the *i*-th column.
Output *n* integer numbers separated by spaces, where the *i*-th number is the amount of cubes in the *i*-th column after the gravity switch.
[ "4\n3 2 1 2\n", "3\n2 3 8\n" ]
[ "1 2 2 3 \n", "2 3 8 \n" ]
The first example case is shown on the figure. The top cube of the first column falls to the top of the last column; the top cube of the second column falls to the top of the third column; the middle cube of the first column falls to the top of the second column. In the second example case the gravity switch does not ...
500
[ { "input": "4\n3 2 1 2", "output": "1 2 2 3 " }, { "input": "3\n2 3 8", "output": "2 3 8 " }, { "input": "5\n2 1 2 1 2", "output": "1 1 2 2 2 " }, { "input": "1\n1", "output": "1 " }, { "input": "2\n4 3", "output": "3 4 " }, { "input": "6\n100 40 60 20...
1,698,587,387
2,147,483,647
Python 3
WRONG_ANSWER
TESTS
0
30
0
columnsInBox = int(input()) numOfCubes = input().split() newList = [] for nums in numOfCubes: newList.append(int(nums)) newList.sort() print(newList)
Title: Gravity Flip Time Limit: None seconds Memory Limit: None megabytes Problem Description: Little Chris is bored during his physics lessons (too easy), so he has built a toy box to keep himself occupied. The box is special, since it has the ability to change gravity. There are *n* columns of toy cubes in the bo...
```python columnsInBox = int(input()) numOfCubes = input().split() newList = [] for nums in numOfCubes: newList.append(int(nums)) newList.sort() print(newList) ```
0
507
A
Amr and Music
PROGRAMMING
1,000
[ "greedy", "implementation", "sortings" ]
null
null
Amr is a young coder who likes music a lot. He always wanted to learn how to play music but he was busy coding so he got an idea. Amr has *n* instruments, it takes *a**i* days to learn *i*-th instrument. Being busy, Amr dedicated *k* days to learn how to play the maximum possible number of instruments. Amr asked for ...
The first line contains two numbers *n*, *k* (1<=≤<=*n*<=≤<=100, 0<=≤<=*k*<=≤<=10<=000), the number of instruments and number of days respectively. The second line contains *n* integers *a**i* (1<=≤<=*a**i*<=≤<=100), representing number of days required to learn the *i*-th instrument.
In the first line output one integer *m* representing the maximum number of instruments Amr can learn. In the second line output *m* space-separated integers: the indices of instruments to be learnt. You may output indices in any order. if there are multiple optimal solutions output any. It is not necessary to use al...
[ "4 10\n4 3 1 2\n", "5 6\n4 3 1 1 2\n", "1 3\n4\n" ]
[ "4\n1 2 3 4", "3\n1 3 4", "0\n" ]
In the first test Amr can learn all 4 instruments. In the second test other possible solutions are: {2, 3, 5} or {3, 4, 5}. In the third test Amr doesn't have enough time to learn the only presented instrument.
500
[ { "input": "4 10\n4 3 1 2", "output": "4\n1 2 3 4" }, { "input": "5 6\n4 3 1 1 2", "output": "3\n3 4 5" }, { "input": "1 3\n4", "output": "0" }, { "input": "2 100\n100 100", "output": "1\n1" }, { "input": "3 150\n50 50 50", "output": "3\n1 2 3" }, { "i...
1,694,784,690
2,147,483,647
PyPy 3-64
WRONG_ANSWER
TESTS
1
46
0
n,k = map(int,input().split()) a = sorted(list(map(int,input().split()))) c=0 L = [] for i in a: t = sum(L) + i if t <= k: L.append(i) c+= 1 else: break print(c) if L != []: print(*L)
Title: Amr and Music Time Limit: None seconds Memory Limit: None megabytes Problem Description: Amr is a young coder who likes music a lot. He always wanted to learn how to play music but he was busy coding so he got an idea. Amr has *n* instruments, it takes *a**i* days to learn *i*-th instrument. Being busy, Amr ...
```python n,k = map(int,input().split()) a = sorted(list(map(int,input().split()))) c=0 L = [] for i in a: t = sum(L) + i if t <= k: L.append(i) c+= 1 else: break print(c) if L != []: print(*L) ```
0
41
A
Translation
PROGRAMMING
800
[ "implementation", "strings" ]
A. Translation
2
256
The translation from the Berland language into the Birland language is not an easy task. Those languages are very similar: a berlandish word differs from a birlandish word with the same meaning a little: it is spelled (and pronounced) reversely. For example, a Berlandish word code corresponds to a Birlandish word edoc....
The first line contains word *s*, the second line contains word *t*. The words consist of lowercase Latin letters. The input data do not consist unnecessary spaces. The words are not empty and their lengths do not exceed 100 symbols.
If the word *t* is a word *s*, written reversely, print YES, otherwise print NO.
[ "code\nedoc\n", "abb\naba\n", "code\ncode\n" ]
[ "YES\n", "NO\n", "NO\n" ]
none
500
[ { "input": "code\nedoc", "output": "YES" }, { "input": "abb\naba", "output": "NO" }, { "input": "code\ncode", "output": "NO" }, { "input": "abacaba\nabacaba", "output": "YES" }, { "input": "q\nq", "output": "YES" }, { "input": "asrgdfngfnmfgnhweratgjkk...
1,418,030,814
2,147,483,647
Python 3
OK
TESTS
40
122
0
lines = [] for i in range(2): lines.append(input()) #print(lines) l = len(lines[0]) comp = "" for i in range(l): comp = lines[0][i] + comp if comp == lines[1]: print("YES") else: print("NO")
Title: Translation Time Limit: 2 seconds Memory Limit: 256 megabytes Problem Description: The translation from the Berland language into the Birland language is not an easy task. Those languages are very similar: a berlandish word differs from a birlandish word with the same meaning a little: it is spelled (and pron...
```python lines = [] for i in range(2): lines.append(input()) #print(lines) l = len(lines[0]) comp = "" for i in range(l): comp = lines[0][i] + comp if comp == lines[1]: print("YES") else: print("NO") ```
3.9695
381
A
Sereja and Dima
PROGRAMMING
800
[ "greedy", "implementation", "two pointers" ]
null
null
Sereja and Dima play a game. The rules of the game are very simple. The players have *n* cards in a row. Each card contains a number, all numbers on the cards are distinct. The players take turns, Sereja moves first. During his turn a player can take one card: either the leftmost card in a row, or the rightmost one. Th...
The first line contains integer *n* (1<=≤<=*n*<=≤<=1000) — the number of cards on the table. The second line contains space-separated numbers on the cards from left to right. The numbers on the cards are distinct integers from 1 to 1000.
On a single line, print two integers. The first number is the number of Sereja's points at the end of the game, the second number is the number of Dima's points at the end of the game.
[ "4\n4 1 2 10\n", "7\n1 2 3 4 5 6 7\n" ]
[ "12 5\n", "16 12\n" ]
In the first sample Sereja will take cards with numbers 10 and 2, so Sereja's sum is 12. Dima will take cards with numbers 4 and 1, so Dima's sum is 5.
500
[ { "input": "4\n4 1 2 10", "output": "12 5" }, { "input": "7\n1 2 3 4 5 6 7", "output": "16 12" }, { "input": "42\n15 29 37 22 16 5 26 31 6 32 19 3 45 36 33 14 25 20 48 7 42 11 24 28 9 18 8 21 47 17 38 40 44 4 35 1 43 39 41 27 12 13", "output": "613 418" }, { "input": "43\n32 ...
1,673,525,139
2,147,483,647
Python 3
OK
TESTS
34
46
0
n=int(input()) l=[] Sereja , Dima, i = 0, 0, 0 t=map(int,input().split()) l+=t y=len(l) a=True while(y!=0): if(l[0]>=l[y-1]): x=l[0] l.pop(0) else: x=l[y-1] l.pop(y-1) if(a==True): Sereja+=x a=False else: Dima+=x a=True ...
Title: Sereja and Dima Time Limit: None seconds Memory Limit: None megabytes Problem Description: Sereja and Dima play a game. The rules of the game are very simple. The players have *n* cards in a row. Each card contains a number, all numbers on the cards are distinct. The players take turns, Sereja moves first. Du...
```python n=int(input()) l=[] Sereja , Dima, i = 0, 0, 0 t=map(int,input().split()) l+=t y=len(l) a=True while(y!=0): if(l[0]>=l[y-1]): x=l[0] l.pop(0) else: x=l[y-1] l.pop(y-1) if(a==True): Sereja+=x a=False else: Dima+=x ...
3
78
B
Easter Eggs
PROGRAMMING
1,200
[ "constructive algorithms", "implementation" ]
B. Easter Eggs
2
256
The Easter Rabbit laid *n* eggs in a circle and is about to paint them. Each egg should be painted one color out of 7: red, orange, yellow, green, blue, indigo or violet. Also, the following conditions should be satisfied: - Each of the seven colors should be used to paint at least one egg. - Any four eggs lying s...
The only line contains an integer *n* — the amount of eggs (7<=≤<=*n*<=≤<=100).
Print one line consisting of *n* characters. The *i*-th character should describe the color of the *i*-th egg in the order they lie in the circle. The colors should be represented as follows: "R" stands for red, "O" stands for orange, "Y" stands for yellow, "G" stands for green, "B" stands for blue, "I" stands for indi...
[ "8\n", "13\n" ]
[ "ROYGRBIV\n", "ROYGBIVGBIVYG\n" ]
The way the eggs will be painted in the first sample is shown on the picture:
1,000
[ { "input": "8", "output": "ROYGBIVG" }, { "input": "13", "output": "ROYGBIVOYGBIV" }, { "input": "7", "output": "ROYGBIV" }, { "input": "10", "output": "ROYGBIVYGB" }, { "input": "14", "output": "ROYGBIVROYGBIV" }, { "input": "50", "output": "ROYGB...
1,586,327,859
2,147,483,647
Python 3
RUNTIME_ERROR
TESTS
7
216
0
n=int(input()) s="ROYGBIV" v=n%7 u=n//7 r=n-u*7 s1=s*u #print(s1) if(v>4): s2=s[0:0+r] elif(v<4): s2=s[3:3+r] #print(s2) print(s1+s2)
Title: Easter Eggs Time Limit: 2 seconds Memory Limit: 256 megabytes Problem Description: The Easter Rabbit laid *n* eggs in a circle and is about to paint them. Each egg should be painted one color out of 7: red, orange, yellow, green, blue, indigo or violet. Also, the following conditions should be satisfied: -...
```python n=int(input()) s="ROYGBIV" v=n%7 u=n//7 r=n-u*7 s1=s*u #print(s1) if(v>4): s2=s[0:0+r] elif(v<4): s2=s[3:3+r] #print(s2) print(s1+s2) ```
-1
582
A
GCD Table
PROGRAMMING
1,700
[ "constructive algorithms", "greedy", "number theory" ]
null
null
The GCD table *G* of size *n*<=×<=*n* for an array of positive integers *a* of length *n* is defined by formula Let us remind you that the greatest common divisor (GCD) of two positive integers *x* and *y* is the greatest integer that is divisor of both *x* and *y*, it is denoted as . For example, for array *a*<==<={...
The first line contains number *n* (1<=≤<=*n*<=≤<=500) — the length of array *a*. The second line contains *n*2 space-separated numbers — the elements of the GCD table of *G* for array *a*. All the numbers in the table are positive integers, not exceeding 109. Note that the elements are given in an arbitrary order. I...
In the single line print *n* positive integers — the elements of array *a*. If there are multiple possible solutions, you are allowed to print any of them.
[ "4\n2 1 2 3 4 3 2 6 1 1 2 2 1 2 3 2\n", "1\n42\n", "2\n1 1 1 1\n" ]
[ "4 3 6 2", "42 ", "1 1 " ]
none
750
[ { "input": "4\n2 1 2 3 4 3 2 6 1 1 2 2 1 2 3 2", "output": "2 3 4 6 " }, { "input": "1\n42", "output": "42 " }, { "input": "2\n1 1 1 1", "output": "1 1 " }, { "input": "2\n54748096 1 641009859 1", "output": "54748096 641009859 " }, { "input": "3\n1 7 923264237 374...
1,552,100,358
2,147,483,647
Python 3
TIME_LIMIT_EXCEEDED
TESTS
0
2,000
409,600
def gcd(a,b): if b==0: return a return gcd(b,a%b) n=int(input()) from collections import Counter l=[int(i) for i in input().split()] g=Counter(l) ans=[] while g: m=max(g) g[m]-=1 for i in ans: g[gcd(m,i)]-=2 ans+=[m] # g+=Counter() print(*ans)
Title: GCD Table Time Limit: None seconds Memory Limit: None megabytes Problem Description: The GCD table *G* of size *n*<=×<=*n* for an array of positive integers *a* of length *n* is defined by formula Let us remind you that the greatest common divisor (GCD) of two positive integers *x* and *y* is the greatest i...
```python def gcd(a,b): if b==0: return a return gcd(b,a%b) n=int(input()) from collections import Counter l=[int(i) for i in input().split()] g=Counter(l) ans=[] while g: m=max(g) g[m]-=1 for i in ans: g[gcd(m,i)]-=2 ans+=[m] # g+=Counter() print(*ans) ```
0
903
C
Boxes Packing
PROGRAMMING
1,200
[ "greedy" ]
null
null
Mishka has got *n* empty boxes. For every *i* (1<=≤<=*i*<=≤<=*n*), *i*-th box is a cube with side length *a**i*. Mishka can put a box *i* into another box *j* if the following conditions are met: - *i*-th box is not put into another box; - *j*-th box doesn't contain any other boxes; - box *i* is smaller than box *...
The first line contains one integer *n* (1<=≤<=*n*<=≤<=5000) — the number of boxes Mishka has got. The second line contains *n* integers *a*1, *a*2, ..., *a**n* (1<=≤<=*a**i*<=≤<=109), where *a**i* is the side length of *i*-th box.
Print the minimum possible number of visible boxes.
[ "3\n1 2 3\n", "4\n4 2 4 3\n" ]
[ "1\n", "2\n" ]
In the first example it is possible to put box 1 into box 2, and 2 into 3. In the second example Mishka can put box 2 into box 3, and box 4 into box 1.
0
[ { "input": "3\n1 2 3", "output": "1" }, { "input": "4\n4 2 4 3", "output": "2" }, { "input": "10\n58 58 58 58 58 58 58 58 58 58", "output": "10" }, { "input": "10\n86 89 89 86 86 89 86 86 89 89", "output": "5" }, { "input": "100\n981 288 186 186 292 876 341 288 98...
1,605,533,147
2,147,483,647
Python 3
WRONG_ANSWER
TESTS
3
108
0
n = int(input()) arr = list(map(int,input().split())) arr.sort(reverse=True) count =0 for i in range(n): if arr[i]!=-1: selected = arr[i] count+=1 else: continue for i in range(i,n): if(arr[i]<selected): selected = arr[i] arr[i]=...
Title: Boxes Packing Time Limit: None seconds Memory Limit: None megabytes Problem Description: Mishka has got *n* empty boxes. For every *i* (1<=≤<=*i*<=≤<=*n*), *i*-th box is a cube with side length *a**i*. Mishka can put a box *i* into another box *j* if the following conditions are met: - *i*-th box is not pu...
```python n = int(input()) arr = list(map(int,input().split())) arr.sort(reverse=True) count =0 for i in range(n): if arr[i]!=-1: selected = arr[i] count+=1 else: continue for i in range(i,n): if(arr[i]<selected): selected = arr[i] ...
0
875
A
Classroom Watch
PROGRAMMING
1,200
[ "brute force", "math" ]
null
null
Eighth-grader Vova is on duty today in the class. After classes, he went into the office to wash the board, and found on it the number *n*. He asked what is this number and the teacher of mathematics Inna Petrovna answered Vova that *n* is the answer to the arithmetic task for first-graders. In the textbook, a certain ...
The first line contains integer *n* (1<=≤<=*n*<=≤<=109).
In the first line print one integer *k* — number of different values of *x* satisfying the condition. In next *k* lines print these values in ascending order.
[ "21\n", "20\n" ]
[ "1\n15\n", "0\n" ]
In the first test case *x* = 15 there is only one variant: 15 + 1 + 5 = 21. In the second test case there are no such *x*.
500
[ { "input": "21", "output": "1\n15" }, { "input": "20", "output": "0" }, { "input": "1", "output": "0" }, { "input": "2", "output": "1\n1" }, { "input": "3", "output": "0" }, { "input": "100000001", "output": "2\n99999937\n100000000" }, { "i...
1,602,007,778
2,147,483,647
Python 3
TIME_LIMIT_EXCEEDED
TESTS
5
1,000
0
from sys import stdin, stdout n = int(stdin.readline()) ans = [] for x in range(n): running_total = x temp = x while temp != 0: running_total += (temp%10) temp = temp // 10 if running_total == n: ans.append(x) if len(ans) == 0: stdout.write('0') else: end_str = str(len(ans))+'\n'...
Title: Classroom Watch Time Limit: None seconds Memory Limit: None megabytes Problem Description: Eighth-grader Vova is on duty today in the class. After classes, he went into the office to wash the board, and found on it the number *n*. He asked what is this number and the teacher of mathematics Inna Petrovna answe...
```python from sys import stdin, stdout n = int(stdin.readline()) ans = [] for x in range(n): running_total = x temp = x while temp != 0: running_total += (temp%10) temp = temp // 10 if running_total == n: ans.append(x) if len(ans) == 0: stdout.write('0') else: end_str = str(len(...
0
58
A
Chat room
PROGRAMMING
1,000
[ "greedy", "strings" ]
A. Chat room
1
256
Vasya has recently learned to type and log on to the Internet. He immediately entered a chat room and decided to say hello to everybody. Vasya typed the word *s*. It is considered that Vasya managed to say hello if several letters can be deleted from the typed word so that it resulted in the word "hello". For example, ...
The first and only line contains the word *s*, which Vasya typed. This word consisits of small Latin letters, its length is no less that 1 and no more than 100 letters.
If Vasya managed to say hello, print "YES", otherwise print "NO".
[ "ahhellllloou\n", "hlelo\n" ]
[ "YES\n", "NO\n" ]
none
500
[ { "input": "ahhellllloou", "output": "YES" }, { "input": "hlelo", "output": "NO" }, { "input": "helhcludoo", "output": "YES" }, { "input": "hehwelloho", "output": "YES" }, { "input": "pnnepelqomhhheollvlo", "output": "YES" }, { "input": "tymbzjyqhymeda...
1,614,015,781
2,147,483,647
Python 3
OK
TESTS
40
62
0
h = 'hello' s = input() i = 0 for c in s: if c == h[i]: i += 1 if i == len(h): break print('YES' if i == len(h) else 'NO')
Title: Chat room Time Limit: 1 seconds Memory Limit: 256 megabytes Problem Description: Vasya has recently learned to type and log on to the Internet. He immediately entered a chat room and decided to say hello to everybody. Vasya typed the word *s*. It is considered that Vasya managed to say hello if several letter...
```python h = 'hello' s = input() i = 0 for c in s: if c == h[i]: i += 1 if i == len(h): break print('YES' if i == len(h) else 'NO') ```
3.969
50
A
Domino piling
PROGRAMMING
800
[ "greedy", "math" ]
A. Domino piling
2
256
You are given a rectangular board of *M*<=×<=*N* squares. Also you are given an unlimited number of standard domino pieces of 2<=×<=1 squares. You are allowed to rotate the pieces. You are asked to place as many dominoes as possible on the board so as to meet the following conditions: 1. Each domino completely covers ...
In a single line you are given two integers *M* and *N* — board sizes in squares (1<=≤<=*M*<=≤<=*N*<=≤<=16).
Output one number — the maximal number of dominoes, which can be placed.
[ "2 4\n", "3 3\n" ]
[ "4\n", "4\n" ]
none
500
[ { "input": "2 4", "output": "4" }, { "input": "3 3", "output": "4" }, { "input": "1 5", "output": "2" }, { "input": "1 6", "output": "3" }, { "input": "1 15", "output": "7" }, { "input": "1 16", "output": "8" }, { "input": "2 5", "outpu...
1,691,876,433
2,147,483,647
Python 3
OK
TESTS
35
92
0
size = input("") sizz = size.split(" ") space = int(sizz[0])*int(sizz[1]) print(int(space/2))
Title: Domino piling Time Limit: 2 seconds Memory Limit: 256 megabytes Problem Description: You are given a rectangular board of *M*<=×<=*N* squares. Also you are given an unlimited number of standard domino pieces of 2<=×<=1 squares. You are allowed to rotate the pieces. You are asked to place as many dominoes as p...
```python size = input("") sizz = size.split(" ") space = int(sizz[0])*int(sizz[1]) print(int(space/2)) ```
3.977
611
A
New Year and Days
PROGRAMMING
900
[ "implementation" ]
null
null
Today is Wednesday, the third day of the week. What's more interesting is that tomorrow is the last day of the year 2015. Limak is a little polar bear. He enjoyed this year a lot. Now, he is so eager to the coming year 2016. Limak wants to prove how responsible a bear he is. He is going to regularly save candies for ...
The only line of the input is in one of the following two formats: - "*x* of week" where *x* (1<=≤<=*x*<=≤<=7) denotes the day of the week. The 1-st day is Monday and the 7-th one is Sunday. - "*x* of month" where *x* (1<=≤<=*x*<=≤<=31) denotes the day of the month.
Print one integer — the number of candies Limak will save in the year 2016.
[ "4 of week\n", "30 of month\n" ]
[ "52\n", "11\n" ]
Polar bears use the Gregorian calendar. It is the most common calendar and you likely use it too. You can read about it on Wikipedia if you want to – [https://en.wikipedia.org/wiki/Gregorian_calendar](https://en.wikipedia.org/wiki/Gregorian_calendar). The week starts with Monday. In the first sample Limak wants to sav...
500
[ { "input": "4 of week", "output": "52" }, { "input": "30 of month", "output": "11" }, { "input": "17 of month", "output": "12" }, { "input": "31 of month", "output": "7" }, { "input": "6 of week", "output": "53" }, { "input": "1 of week", "output":...
1,451,489,662
1,762
Python 3
WRONG_ANSWER
CHALLENGES
0
46
0
help = list(input().split()) if help[2] == 'week': if int(help[0]) == 5 or int(help[0]) == 6 or int(help[0]) == 7: print(366 // 7 + 1) else: print(366 // 7) else: if int(help[0]) <= 29: print(12) elif int(help[0]) == 30: print(11) else: print(7)
Title: New Year and Days Time Limit: None seconds Memory Limit: None megabytes Problem Description: Today is Wednesday, the third day of the week. What's more interesting is that tomorrow is the last day of the year 2015. Limak is a little polar bear. He enjoyed this year a lot. Now, he is so eager to the coming ye...
```python help = list(input().split()) if help[2] == 'week': if int(help[0]) == 5 or int(help[0]) == 6 or int(help[0]) == 7: print(366 // 7 + 1) else: print(366 // 7) else: if int(help[0]) <= 29: print(12) elif int(help[0]) == 30: print(11) else: p...
0
219
A
k-String
PROGRAMMING
1,000
[ "implementation", "strings" ]
null
null
A string is called a *k*-string if it can be represented as *k* concatenated copies of some string. For example, the string "aabaabaabaab" is at the same time a 1-string, a 2-string and a 4-string, but it is not a 3-string, a 5-string, or a 6-string and so on. Obviously any string is a 1-string. You are given a string...
The first input line contains integer *k* (1<=≤<=*k*<=≤<=1000). The second line contains *s*, all characters in *s* are lowercase English letters. The string length *s* satisfies the inequality 1<=≤<=|*s*|<=≤<=1000, where |*s*| is the length of string *s*.
Rearrange the letters in string *s* in such a way that the result is a *k*-string. Print the result on a single output line. If there are multiple solutions, print any of them. If the solution doesn't exist, print "-1" (without quotes).
[ "2\naazz\n", "3\nabcabcabz\n" ]
[ "azaz\n", "-1\n" ]
none
500
[ { "input": "2\naazz", "output": "azaz" }, { "input": "3\nabcabcabz", "output": "-1" }, { "input": "1\na", "output": "a" }, { "input": "2\nabba", "output": "abab" }, { "input": "2\naaab", "output": "-1" }, { "input": "7\nabacaba", "output": "-1" }...
1,693,933,938
2,147,483,647
Python 3
OK
TESTS
42
92
0
alphabet=[0]*27 # print(alphabet) a=int(input()) c=input() # print(a) d=False seta=set() setalfabet=set() for i in range(len(c)): b=int(ord(c[i])-ord('a')) alphabet[b]+=1 setalfabet.add(c[i]) value=0 lista=[] for i in range(27): if alphabet[i]%a!=0: d=True break if(...
Title: k-String Time Limit: None seconds Memory Limit: None megabytes Problem Description: A string is called a *k*-string if it can be represented as *k* concatenated copies of some string. For example, the string "aabaabaabaab" is at the same time a 1-string, a 2-string and a 4-string, but it is not a 3-string, a ...
```python alphabet=[0]*27 # print(alphabet) a=int(input()) c=input() # print(a) d=False seta=set() setalfabet=set() for i in range(len(c)): b=int(ord(c[i])-ord('a')) alphabet[b]+=1 setalfabet.add(c[i]) value=0 lista=[] for i in range(27): if alphabet[i]%a!=0: d=True brea...
3
236
A
Boy or Girl
PROGRAMMING
800
[ "brute force", "implementation", "strings" ]
null
null
Those days, many boys use beautiful girls' photos as avatars in forums. So it is pretty hard to tell the gender of a user at the first glance. Last year, our hero went to a forum and had a nice chat with a beauty (he thought so). After that they talked very often and eventually they became a couple in the network. Bu...
The first line contains a non-empty string, that contains only lowercase English letters — the user name. This string contains at most 100 letters.
If it is a female by our hero's method, print "CHAT WITH HER!" (without the quotes), otherwise, print "IGNORE HIM!" (without the quotes).
[ "wjmzbmr\n", "xiaodao\n", "sevenkplus\n" ]
[ "CHAT WITH HER!\n", "IGNORE HIM!\n", "CHAT WITH HER!\n" ]
For the first example. There are 6 distinct characters in "wjmzbmr". These characters are: "w", "j", "m", "z", "b", "r". So wjmzbmr is a female and you should print "CHAT WITH HER!".
500
[ { "input": "wjmzbmr", "output": "CHAT WITH HER!" }, { "input": "xiaodao", "output": "IGNORE HIM!" }, { "input": "sevenkplus", "output": "CHAT WITH HER!" }, { "input": "pezu", "output": "CHAT WITH HER!" }, { "input": "wnemlgppy", "output": "CHAT WITH HER!" },...
1,695,044,303
2,147,483,647
Python 3
OK
TESTS
85
92
0
s=input() a=[] for i in s: if i not in a: a.append(i) if len(a)%2==0: print("CHAT WITH HER!") else: print("IGNORE HIM!")
Title: Boy or Girl Time Limit: None seconds Memory Limit: None megabytes Problem Description: Those days, many boys use beautiful girls' photos as avatars in forums. So it is pretty hard to tell the gender of a user at the first glance. Last year, our hero went to a forum and had a nice chat with a beauty (he though...
```python s=input() a=[] for i in s: if i not in a: a.append(i) if len(a)%2==0: print("CHAT WITH HER!") else: print("IGNORE HIM!") ```
3
146
A
Lucky Ticket
PROGRAMMING
800
[ "implementation" ]
null
null
Petya loves lucky numbers very much. Everybody knows that lucky numbers are positive integers whose decimal record contains only the lucky digits 4 and 7. For example, numbers 47, 744, 4 are lucky and 5, 17, 467 are not. Petya loves tickets very much. As we know, each ticket has a number that is a positive integer. It...
The first line contains an even integer *n* (2<=≤<=*n*<=≤<=50) — the length of the ticket number that needs to be checked. The second line contains an integer whose length equals exactly *n* — the ticket number. The number may contain leading zeros.
On the first line print "YES" if the given ticket number is lucky. Otherwise, print "NO" (without the quotes).
[ "2\n47\n", "4\n4738\n", "4\n4774\n" ]
[ "NO\n", "NO\n", "YES\n" ]
In the first sample the sum of digits in the first half does not equal the sum of digits in the second half (4 ≠ 7). In the second sample the ticket number is not the lucky number.
500
[ { "input": "2\n47", "output": "NO" }, { "input": "4\n4738", "output": "NO" }, { "input": "4\n4774", "output": "YES" }, { "input": "4\n4570", "output": "NO" }, { "input": "6\n477477", "output": "YES" }, { "input": "6\n777777", "output": "YES" }, ...
1,591,878,055
2,147,483,647
PyPy 3
RUNTIME_ERROR
TESTS
11
404
2,048,000
# cook your dish here l = int(input()) n = int(input()) val = n count = 0 a = [] while n>0: x = n%10 if x==4 or x==7: a.append(x) n = n //10 else: count = count + 1 n = n//10 s = sum(a) sa = 0 for i in range(l//2): sa = sa + a[i] if sa==(s//2) and co...
Title: Lucky Ticket Time Limit: None seconds Memory Limit: None megabytes Problem Description: Petya loves lucky numbers very much. Everybody knows that lucky numbers are positive integers whose decimal record contains only the lucky digits 4 and 7. For example, numbers 47, 744, 4 are lucky and 5, 17, 467 are not. ...
```python # cook your dish here l = int(input()) n = int(input()) val = n count = 0 a = [] while n>0: x = n%10 if x==4 or x==7: a.append(x) n = n //10 else: count = count + 1 n = n//10 s = sum(a) sa = 0 for i in range(l//2): sa = sa + a[i] if sa==(s/...
-1
260
A
Adding Digits
PROGRAMMING
1,400
[ "implementation", "math" ]
null
null
Vasya has got two number: *a* and *b*. However, Vasya finds number *a* too short. So he decided to repeat the operation of lengthening number *a* *n* times. One operation of lengthening a number means adding exactly one digit to the number (in the decimal notation) to the right provided that the resulting number is di...
The first line contains three integers: *a*,<=*b*,<=*n* (1<=≤<=*a*,<=*b*,<=*n*<=≤<=105).
In a single line print the integer without leading zeros, which Vasya can get when he applies the lengthening operations to number *a* *n* times. If no such number exists, then print number -1. If there are multiple possible answers, print any of them.
[ "5 4 5\n", "12 11 1\n", "260 150 10\n" ]
[ "524848\n", "121\n", "-1\n" ]
none
500
[ { "input": "5 4 5", "output": "524848" }, { "input": "12 11 1", "output": "121" }, { "input": "260 150 10", "output": "-1" }, { "input": "78843 5684 42717", "output": "-1" }, { "input": "93248 91435 1133", "output": "-1" }, { "input": "100000 10 64479"...
1,589,646,579
2,147,483,647
PyPy 3
TIME_LIMIT_EXCEEDED
TESTS
5
2,000
29,081,600
def check(a, b): for i in range(10): if int(str(a) + str(i)) % b == 0: return int(str(a) + str(i)) return -1 a, b, n = [int(x) for x in input().split()] def q(a, b, n): for _ in range(n): z = check(a, b) if z != -1: a = z else: ...
Title: Adding Digits Time Limit: None seconds Memory Limit: None megabytes Problem Description: Vasya has got two number: *a* and *b*. However, Vasya finds number *a* too short. So he decided to repeat the operation of lengthening number *a* *n* times. One operation of lengthening a number means adding exactly one ...
```python def check(a, b): for i in range(10): if int(str(a) + str(i)) % b == 0: return int(str(a) + str(i)) return -1 a, b, n = [int(x) for x in input().split()] def q(a, b, n): for _ in range(n): z = check(a, b) if z != -1: a = z ...
0
353
B
Two Heaps
PROGRAMMING
1,900
[ "combinatorics", "constructive algorithms", "greedy", "implementation", "math", "sortings" ]
null
null
Valera has 2·*n* cubes, each cube contains an integer from 10 to 99. He arbitrarily chooses *n* cubes and puts them in the first heap. The remaining cubes form the second heap. Valera decided to play with cubes. During the game he takes a cube from the first heap and writes down the number it has. Then he takes a cub...
The first line contains integer *n* (1<=≤<=*n*<=≤<=100). The second line contains 2·*n* space-separated integers *a**i* (10<=≤<=*a**i*<=≤<=99), denoting the numbers on the cubes.
In the first line print a single number — the maximum possible number of distinct four-digit numbers Valera can obtain. In the second line print 2·*n* numbers *b**i* (1<=≤<=*b**i*<=≤<=2). The numbers mean: the *i*-th cube belongs to the *b**i*-th heap in your division. If there are multiple optimal ways to split the c...
[ "1\n10 99\n", "2\n13 24 13 45\n" ]
[ "1\n2 1 \n", "4\n1 2 2 1 \n" ]
In the first test case Valera can put the first cube in the first heap, and second cube — in second heap. In this case he obtain number 1099. If he put the second cube in the first heap, and the first cube in the second heap, then he can obtain number 9910. In both cases the maximum number of distinct integers is equal...
1,500
[ { "input": "1\n10 99", "output": "1\n2 1 " }, { "input": "2\n13 24 13 45", "output": "4\n1 2 2 1 " }, { "input": "5\n21 60 18 21 17 39 58 74 62 34", "output": "25\n1 1 1 2 2 1 2 1 2 2 " }, { "input": "10\n26 43 29 92 22 27 95 56 72 55 93 51 91 30 70 77 32 69 87 98", "outp...
1,597,008,183
2,147,483,647
PyPy 3
OK
TESTS
40
312
20,172,800
from sys import stdin n = int(stdin.readline()) a = [int(x) for x in stdin.readline().split()] a = sorted([(a[x], x) for x in range(n*2)]) group = {} for x,ind in a: if x in group: group[x].append(ind) else: group[x] = [ind] g2 = [] for x in group: g2.append([len(group[...
Title: Two Heaps Time Limit: None seconds Memory Limit: None megabytes Problem Description: Valera has 2·*n* cubes, each cube contains an integer from 10 to 99. He arbitrarily chooses *n* cubes and puts them in the first heap. The remaining cubes form the second heap. Valera decided to play with cubes. During the ...
```python from sys import stdin n = int(stdin.readline()) a = [int(x) for x in stdin.readline().split()] a = sorted([(a[x], x) for x in range(n*2)]) group = {} for x,ind in a: if x in group: group[x].append(ind) else: group[x] = [ind] g2 = [] for x in group: g2.append([...
3
7
A
Kalevitch and Chess
PROGRAMMING
1,100
[ "brute force", "constructive algorithms" ]
A. Kalevitch and Chess
2
64
A famous Berland's painter Kalevitch likes to shock the public. One of his last obsessions is chess. For more than a thousand years people have been playing this old game on uninteresting, monotonous boards. Kalevitch decided to put an end to this tradition and to introduce a new attitude to chessboards. As before, th...
The input file contains 8 lines, each of the lines contains 8 characters. The given matrix describes the client's requirements, W character stands for a white square, and B character — for a square painted black. It is guaranteed that client's requirments can be fulfilled with a sequence of allowed strokes (vertical/c...
Output the only number — the minimum amount of rows and columns that Kalevitch has to paint on the white chessboard to meet the client's requirements.
[ "WWWBWWBW\nBBBBBBBB\nWWWBWWBW\nWWWBWWBW\nWWWBWWBW\nWWWBWWBW\nWWWBWWBW\nWWWBWWBW\n", "WWWWWWWW\nBBBBBBBB\nWWWWWWWW\nWWWWWWWW\nWWWWWWWW\nWWWWWWWW\nWWWWWWWW\nWWWWWWWW\n" ]
[ "3\n", "1\n" ]
none
0
[ { "input": "WWWBWWBW\nBBBBBBBB\nWWWBWWBW\nWWWBWWBW\nWWWBWWBW\nWWWBWWBW\nWWWBWWBW\nWWWBWWBW", "output": "3" }, { "input": "WWWWWWWW\nBBBBBBBB\nWWWWWWWW\nWWWWWWWW\nWWWWWWWW\nWWWWWWWW\nWWWWWWWW\nWWWWWWWW", "output": "1" }, { "input": "WWWWWWWW\nWWWWWWWW\nWWWWWWWW\nWWWWWWWW\nWWWWWWWW\nWWWWWW...
1,645,028,254
2,147,483,647
Python 3
OK
TESTS
30
92
0
#**************************************** #** Solution by BAZOOKA ** #** Sponsored by RED BULL** #** Team Galaxy ** #** I love ❤Kateryna Gret❤ ** #****************************************/ t = [input().count('B') for i in range(8)] print(t.count(8) + min(t)%8) #****************************************...
Title: Kalevitch and Chess Time Limit: 2 seconds Memory Limit: 64 megabytes Problem Description: A famous Berland's painter Kalevitch likes to shock the public. One of his last obsessions is chess. For more than a thousand years people have been playing this old game on uninteresting, monotonous boards. Kalevitch de...
```python #**************************************** #** Solution by BAZOOKA ** #** Sponsored by RED BULL** #** Team Galaxy ** #** I love ❤Kateryna Gret❤ ** #****************************************/ t = [input().count('B') for i in range(8)] print(t.count(8) + min(t)%8) #******************************...
3.977
771
A
Bear and Friendship Condition
PROGRAMMING
1,500
[ "dfs and similar", "dsu", "graphs" ]
null
null
Bear Limak examines a social network. Its main functionality is that two members can become friends (then they can talk with each other and share funny pictures). There are *n* members, numbered 1 through *n*. *m* pairs of members are friends. Of course, a member can't be a friend with themselves. Let A-B denote that...
The first line of the input contain two integers *n* and *m* (3<=≤<=*n*<=≤<=150<=000, ) — the number of members and the number of pairs of members that are friends. The *i*-th of the next *m* lines contains two distinct integers *a**i* and *b**i* (1<=≤<=*a**i*,<=*b**i*<=≤<=*n*,<=*a**i*<=≠<=*b**i*). Members *a**i* and ...
If the given network is reasonable, print "YES" in a single line (without the quotes). Otherwise, print "NO" in a single line (without the quotes).
[ "4 3\n1 3\n3 4\n1 4\n", "4 4\n3 1\n2 3\n3 4\n1 2\n", "10 4\n4 3\n5 10\n8 9\n1 2\n", "3 2\n1 2\n2 3\n" ]
[ "YES\n", "NO\n", "YES\n", "NO\n" ]
The drawings below show the situation in the first sample (on the left) and in the second sample (on the right). Each edge represents two members that are friends. The answer is "NO" in the second sample because members (2, 3) are friends and members (3, 4) are friends, while members (2, 4) are not.
250
[ { "input": "4 3\n1 3\n3 4\n1 4", "output": "YES" }, { "input": "4 4\n3 1\n2 3\n3 4\n1 2", "output": "NO" }, { "input": "10 4\n4 3\n5 10\n8 9\n1 2", "output": "YES" }, { "input": "3 2\n1 2\n2 3", "output": "NO" }, { "input": "3 0", "output": "YES" }, { ...
1,619,366,422
2,147,483,647
PyPy 3
TIME_LIMIT_EXCEEDED
TESTS
9
1,000
8,499,200
from collections import defaultdict class UnionFind(): def __init__(self, n): self.n = n self.parents = [-1] * n def find(self, x): if self.parents[x] < 0: return x else: self.parents[x] = self.find(self.parents[x]) return self.pa...
Title: Bear and Friendship Condition Time Limit: None seconds Memory Limit: None megabytes Problem Description: Bear Limak examines a social network. Its main functionality is that two members can become friends (then they can talk with each other and share funny pictures). There are *n* members, numbered 1 through...
```python from collections import defaultdict class UnionFind(): def __init__(self, n): self.n = n self.parents = [-1] * n def find(self, x): if self.parents[x] < 0: return x else: self.parents[x] = self.find(self.parents[x]) retu...
0
535
C
Tavas and Karafs
PROGRAMMING
1,900
[ "binary search", "greedy", "math" ]
null
null
Karafs is some kind of vegetable in shape of an 1<=×<=*h* rectangle. Tavaspolis people love Karafs and they use Karafs in almost any kind of food. Tavas, himself, is crazy about Karafs. Each Karafs has a positive integer height. Tavas has an infinite 1-based sequence of Karafses. The height of the *i*-th Karafs is *s*...
The first line of input contains three integers *A*, *B* and *n* (1<=≤<=*A*,<=*B*<=≤<=106, 1<=≤<=*n*<=≤<=105). Next *n* lines contain information about queries. *i*-th line contains integers *l*,<=*t*,<=*m* (1<=≤<=*l*,<=*t*,<=*m*<=≤<=106) for *i*-th query.
For each query, print its answer in a single line.
[ "2 1 4\n1 5 3\n3 3 10\n7 10 2\n6 4 8\n", "1 5 2\n1 5 10\n2 7 4\n" ]
[ "4\n-1\n8\n-1\n", "1\n2\n" ]
none
1,500
[ { "input": "2 1 4\n1 5 3\n3 3 10\n7 10 2\n6 4 8", "output": "4\n-1\n8\n-1" }, { "input": "1 5 2\n1 5 10\n2 7 4", "output": "1\n2" }, { "input": "1 1 4\n1 1000000 1000000\n1 1 1000000\n1 1000000 1\n1 1 1", "output": "1000000\n1\n1413\n1" }, { "input": "1000000 1000000 1\n10000...
1,689,415,386
2,147,483,647
PyPy 3-64
WRONG_ANSWER
TESTS
0
46
0
print("_RANDOM_GUESS_1689415386.8781166")# 1689415386.8781364
Title: Tavas and Karafs Time Limit: None seconds Memory Limit: None megabytes Problem Description: Karafs is some kind of vegetable in shape of an 1<=×<=*h* rectangle. Tavaspolis people love Karafs and they use Karafs in almost any kind of food. Tavas, himself, is crazy about Karafs. Each Karafs has a positive inte...
```python print("_RANDOM_GUESS_1689415386.8781166")# 1689415386.8781364 ```
0
119
A
Epic Game
PROGRAMMING
800
[ "implementation" ]
null
null
Simon and Antisimon play a game. Initially each player receives one fixed positive integer that doesn't change throughout the game. Simon receives number *a* and Antisimon receives number *b*. They also have a heap of *n* stones. The players take turns to make a move and Simon starts. During a move a player should take...
The only string contains space-separated integers *a*, *b* and *n* (1<=≤<=*a*,<=*b*,<=*n*<=≤<=100) — the fixed numbers Simon and Antisimon have received correspondingly and the initial number of stones in the pile.
If Simon wins, print "0" (without the quotes), otherwise print "1" (without the quotes).
[ "3 5 9\n", "1 1 100\n" ]
[ "0", "1" ]
The greatest common divisor of two non-negative integers *a* and *b* is such maximum positive integer *k*, that *a* is divisible by *k* without remainder and similarly, *b* is divisible by *k* without remainder. Let *gcd*(*a*, *b*) represent the operation of calculating the greatest common divisor of numbers *a* and *b...
500
[ { "input": "3 5 9", "output": "0" }, { "input": "1 1 100", "output": "1" }, { "input": "23 12 16", "output": "1" }, { "input": "95 26 29", "output": "1" }, { "input": "73 32 99", "output": "1" }, { "input": "1 1 1", "output": "0" }, { "inpu...
1,617,823,584
2,147,483,647
Python 3
WRONG_ANSWER
TESTS
0
92
0
import math a, b, n = map(int,input().split()) x = a while n >= 0: n -= math.gcd(x, n) if x == a: x = b else: x = a print(x)
Title: Epic Game Time Limit: None seconds Memory Limit: None megabytes Problem Description: Simon and Antisimon play a game. Initially each player receives one fixed positive integer that doesn't change throughout the game. Simon receives number *a* and Antisimon receives number *b*. They also have a heap of *n* sto...
```python import math a, b, n = map(int,input().split()) x = a while n >= 0: n -= math.gcd(x, n) if x == a: x = b else: x = a print(x) ```
0
200
B
Drinks
PROGRAMMING
800
[ "implementation", "math" ]
null
null
Little Vasya loves orange juice very much. That's why any food and drink in his kitchen necessarily contains orange juice. There are *n* drinks in his fridge, the volume fraction of orange juice in the *i*-th drink equals *p**i* percent. One day Vasya decided to make himself an orange cocktail. He took equal proportio...
The first input line contains a single integer *n* (1<=≤<=*n*<=≤<=100) — the number of orange-containing drinks in Vasya's fridge. The second line contains *n* integers *p**i* (0<=≤<=*p**i*<=≤<=100) — the volume fraction of orange juice in the *i*-th drink, in percent. The numbers are separated by a space.
Print the volume fraction in percent of orange juice in Vasya's cocktail. The answer will be considered correct if the absolute or relative error does not exceed 10<=<=-<=4.
[ "3\n50 50 100\n", "4\n0 25 50 75\n" ]
[ "66.666666666667\n", "37.500000000000\n" ]
Note to the first sample: let's assume that Vasya takes *x* milliliters of each drink from the fridge. Then the volume of pure juice in the cocktail will equal <img align="middle" class="tex-formula" src="https://espresso.codeforces.com/c1fac6e64d3a8ee6a5ac138cbe51e60039b22473.png" style="max-width: 100.0%;max-height: ...
500
[ { "input": "3\n50 50 100", "output": "66.666666666667" }, { "input": "4\n0 25 50 75", "output": "37.500000000000" }, { "input": "3\n0 1 8", "output": "3.000000000000" }, { "input": "5\n96 89 93 95 70", "output": "88.600000000000" }, { "input": "7\n62 41 78 4 38 39...
1,693,920,622
2,147,483,647
Python 3
OK
TESTS
31
92
0
x = int(input()) y = (input()) z = y.split(' ') s = 0 for j in z: s += int(j) # for i in y: # s += int(i) print (s/x)
Title: Drinks Time Limit: None seconds Memory Limit: None megabytes Problem Description: Little Vasya loves orange juice very much. That's why any food and drink in his kitchen necessarily contains orange juice. There are *n* drinks in his fridge, the volume fraction of orange juice in the *i*-th drink equals *p**i*...
```python x = int(input()) y = (input()) z = y.split(' ') s = 0 for j in z: s += int(j) # for i in y: # s += int(i) print (s/x) ```
3
734
A
Anton and Danik
PROGRAMMING
800
[ "implementation", "strings" ]
null
null
Anton likes to play chess, and so does his friend Danik. Once they have played *n* games in a row. For each game it's known who was the winner — Anton or Danik. None of the games ended with a tie. Now Anton wonders, who won more games, he or Danik? Help him determine this.
The first line of the input contains a single integer *n* (1<=≤<=*n*<=≤<=100<=000) — the number of games played. The second line contains a string *s*, consisting of *n* uppercase English letters 'A' and 'D' — the outcome of each of the games. The *i*-th character of the string is equal to 'A' if the Anton won the *i*...
If Anton won more games than Danik, print "Anton" (without quotes) in the only line of the output. If Danik won more games than Anton, print "Danik" (without quotes) in the only line of the output. If Anton and Danik won the same number of games, print "Friendship" (without quotes).
[ "6\nADAAAA\n", "7\nDDDAADA\n", "6\nDADADA\n" ]
[ "Anton\n", "Danik\n", "Friendship\n" ]
In the first sample, Anton won 6 games, while Danik — only 1. Hence, the answer is "Anton". In the second sample, Anton won 3 games and Danik won 4 games, so the answer is "Danik". In the third sample, both Anton and Danik won 3 games and the answer is "Friendship".
500
[ { "input": "6\nADAAAA", "output": "Anton" }, { "input": "7\nDDDAADA", "output": "Danik" }, { "input": "6\nDADADA", "output": "Friendship" }, { "input": "10\nDDDDADDADD", "output": "Danik" }, { "input": "40\nAAAAAAAAADDAAAAAAAAAAADADDAAAAAAAAAAADAA", "output": ...
1,697,775,651
2,147,483,647
Python 3
OK
TESTS
25
46
204,800
n=int(input()) a=d=0 s=input() for i in range(n): if s[i]=='A': a+=1 else: d+=1 if a==d: print('Friendship') elif a>d: print('Anton') else: print('Danik')
Title: Anton and Danik Time Limit: None seconds Memory Limit: None megabytes Problem Description: Anton likes to play chess, and so does his friend Danik. Once they have played *n* games in a row. For each game it's known who was the winner — Anton or Danik. None of the games ended with a tie. Now Anton wonders, w...
```python n=int(input()) a=d=0 s=input() for i in range(n): if s[i]=='A': a+=1 else: d+=1 if a==d: print('Friendship') elif a>d: print('Anton') else: print('Danik') ```
3
25
A
IQ test
PROGRAMMING
1,300
[ "brute force" ]
A. IQ test
2
256
Bob is preparing to pass IQ test. The most frequent task in this test is to find out which one of the given *n* numbers differs from the others. Bob observed that one number usually differs from the others in evenness. Help Bob — to check his answers, he needs a program that among the given *n* numbers finds one that i...
The first line contains integer *n* (3<=≤<=*n*<=≤<=100) — amount of numbers in the task. The second line contains *n* space-separated natural numbers, not exceeding 100. It is guaranteed, that exactly one of these numbers differs from the others in evenness.
Output index of number that differs from the others in evenness. Numbers are numbered from 1 in the input order.
[ "5\n2 4 7 8 10\n", "4\n1 2 1 1\n" ]
[ "3\n", "2\n" ]
none
0
[ { "input": "5\n2 4 7 8 10", "output": "3" }, { "input": "4\n1 2 1 1", "output": "2" }, { "input": "3\n1 2 2", "output": "1" }, { "input": "3\n100 99 100", "output": "2" }, { "input": "3\n5 3 2", "output": "3" }, { "input": "4\n43 28 1 91", "output"...
1,481,601,417
2,147,483,647
Python 3
WRONG_ANSWER
TESTS
12
122
0
n = int(input()) given = [int(i) for i in input().split()] given = [k%2 for k in given] total = 0 for k in range(1,n-1): if (given[k] != given[k-1]) and (given[k] != given[k+1]): print(k+1) elif (given[0] != given[1]) and (given[0] != given[2]): print(1) elif (given[-1] != given[-2]...
Title: IQ test Time Limit: 2 seconds Memory Limit: 256 megabytes Problem Description: Bob is preparing to pass IQ test. The most frequent task in this test is to find out which one of the given *n* numbers differs from the others. Bob observed that one number usually differs from the others in evenness. Help Bob — t...
```python n = int(input()) given = [int(i) for i in input().split()] given = [k%2 for k in given] total = 0 for k in range(1,n-1): if (given[k] != given[k-1]) and (given[k] != given[k+1]): print(k+1) elif (given[0] != given[1]) and (given[0] != given[2]): print(1) elif (given[-1] !=...
0
675
A
Infinite Sequence
PROGRAMMING
1,100
[ "math" ]
null
null
Vasya likes everything infinite. Now he is studying the properties of a sequence *s*, such that its first element is equal to *a* (*s*1<==<=*a*), and the difference between any two neighbouring elements is equal to *c* (*s**i*<=-<=*s**i*<=-<=1<==<=*c*). In particular, Vasya wonders if his favourite integer *b* appears ...
The first line of the input contain three integers *a*, *b* and *c* (<=-<=109<=≤<=*a*,<=*b*,<=*c*<=≤<=109) — the first element of the sequence, Vasya's favorite number and the difference between any two neighbouring elements of the sequence, respectively.
If *b* appears in the sequence *s* print "YES" (without quotes), otherwise print "NO" (without quotes).
[ "1 7 3\n", "10 10 0\n", "1 -4 5\n", "0 60 50\n" ]
[ "YES\n", "YES\n", "NO\n", "NO\n" ]
In the first sample, the sequence starts from integers 1, 4, 7, so 7 is its element. In the second sample, the favorite integer of Vasya is equal to the first element of the sequence. In the third sample all elements of the sequence are greater than Vasya's favorite integer. In the fourth sample, the sequence starts...
500
[ { "input": "1 7 3", "output": "YES" }, { "input": "10 10 0", "output": "YES" }, { "input": "1 -4 5", "output": "NO" }, { "input": "0 60 50", "output": "NO" }, { "input": "1 -4 -5", "output": "YES" }, { "input": "0 1 0", "output": "NO" }, { ...
1,496,498,745
2,147,483,647
Python 3
WRONG_ANSWER
TESTS
2
46
0
l=list(map(int,input().split(" "))) a=l[0] b=l[1] c=l[2] d=b-a if d==0 or d%c==0: print("YES") else: print("NO")
Title: Infinite Sequence Time Limit: None seconds Memory Limit: None megabytes Problem Description: Vasya likes everything infinite. Now he is studying the properties of a sequence *s*, such that its first element is equal to *a* (*s*1<==<=*a*), and the difference between any two neighbouring elements is equal to *c...
```python l=list(map(int,input().split(" "))) a=l[0] b=l[1] c=l[2] d=b-a if d==0 or d%c==0: print("YES") else: print("NO") ```
0
71
A
Way Too Long Words
PROGRAMMING
800
[ "strings" ]
A. Way Too Long Words
1
256
Sometimes some words like "localization" or "internationalization" are so long that writing them many times in one text is quite tiresome. Let's consider a word too long, if its length is strictly more than 10 characters. All too long words should be replaced with a special abbreviation. This abbreviation is made lik...
The first line contains an integer *n* (1<=≤<=*n*<=≤<=100). Each of the following *n* lines contains one word. All the words consist of lowercase Latin letters and possess the lengths of from 1 to 100 characters.
Print *n* lines. The *i*-th line should contain the result of replacing of the *i*-th word from the input data.
[ "4\nword\nlocalization\ninternationalization\npneumonoultramicroscopicsilicovolcanoconiosis\n" ]
[ "word\nl10n\ni18n\np43s\n" ]
none
500
[ { "input": "4\nword\nlocalization\ninternationalization\npneumonoultramicroscopicsilicovolcanoconiosis", "output": "word\nl10n\ni18n\np43s" }, { "input": "5\nabcdefgh\nabcdefghi\nabcdefghij\nabcdefghijk\nabcdefghijklm", "output": "abcdefgh\nabcdefghi\nabcdefghij\na9k\na11m" }, { "input":...
1,678,022,039
2,147,483,647
PyPy 3-64
WRONG_ANSWER
TESTS
1
46
0
a="localization" g="internationalization" d="pneumonoultramicroscopicsilicovolcanoconiosis" y=a.replace("ocalizatio","10") #print(y) b=g.replace("nternationalizatio","18") #print(b) c=d.replace("neumonoultramicroscopicsilicovolcanoconiosi","43") #print(c) print("word\n",y,"\n",b,"\n",c)
Title: Way Too Long Words Time Limit: 1 seconds Memory Limit: 256 megabytes Problem Description: Sometimes some words like "localization" or "internationalization" are so long that writing them many times in one text is quite tiresome. Let's consider a word too long, if its length is strictly more than 10 character...
```python a="localization" g="internationalization" d="pneumonoultramicroscopicsilicovolcanoconiosis" y=a.replace("ocalizatio","10") #print(y) b=g.replace("nternationalizatio","18") #print(b) c=d.replace("neumonoultramicroscopicsilicovolcanoconiosi","43") #print(c) print("word\n",y,"\n",b,"\n",c) ```
0
265
B
Roadside Trees (Simplified Edition)
PROGRAMMING
1,000
[ "greedy", "implementation" ]
null
null
Squirrel Liss loves nuts. There are *n* trees (numbered 1 to *n* from west to east) along a street and there is a delicious nut on the top of each tree. The height of the tree *i* is *h**i*. Liss wants to eat all nuts. Now Liss is on the root of the tree with the number 1. In one second Liss can perform one of the fol...
The first line contains an integer *n* (1<=<=≤<=<=*n*<=≤<=105) — the number of trees. Next *n* lines contains the height of trees: *i*-th line contains an integer *h**i* (1<=≤<=*h**i*<=≤<=104) — the height of the tree with the number *i*.
Print a single integer — the minimal time required to eat all nuts in seconds.
[ "2\n1\n2\n", "5\n2\n1\n2\n1\n1\n" ]
[ "5\n", "14\n" ]
none
1,000
[ { "input": "2\n1\n2", "output": "5" }, { "input": "5\n2\n1\n2\n1\n1", "output": "14" }, { "input": "1\n1", "output": "2" } ]
1,598,219,745
2,147,483,647
Python 3
WRONG_ANSWER
TESTS
2
248
6,963,200
t = input() n = int(t) treeList = [] time = 0 for i in range(n): s = input() temp = int(s) treeList.append(temp) time = treeList[0] + 1 for i in range(1, n): if treeList[i - 1] > treeList[i]: time = time + 1 + treeList[i] + 1 else: time = time + 1 + (treeList[i] - treeLi...
Title: Roadside Trees (Simplified Edition) Time Limit: None seconds Memory Limit: None megabytes Problem Description: Squirrel Liss loves nuts. There are *n* trees (numbered 1 to *n* from west to east) along a street and there is a delicious nut on the top of each tree. The height of the tree *i* is *h**i*. Liss wan...
```python t = input() n = int(t) treeList = [] time = 0 for i in range(n): s = input() temp = int(s) treeList.append(temp) time = treeList[0] + 1 for i in range(1, n): if treeList[i - 1] > treeList[i]: time = time + 1 + treeList[i] + 1 else: time = time + 1 + (treeList[i...
0
900
A
Find Extra One
PROGRAMMING
800
[ "geometry", "implementation" ]
null
null
You have *n* distinct points on a plane, none of them lie on *OY* axis. Check that there is a point after removal of which the remaining points are located on one side of the *OY* axis.
The first line contains a single positive integer *n* (2<=≤<=*n*<=≤<=105). The following *n* lines contain coordinates of the points. The *i*-th of these lines contains two single integers *x**i* and *y**i* (|*x**i*|,<=|*y**i*|<=≤<=109, *x**i*<=≠<=0). No two points coincide.
Print "Yes" if there is such a point, "No" — otherwise. You can print every letter in any case (upper or lower).
[ "3\n1 1\n-1 -1\n2 -1\n", "4\n1 1\n2 2\n-1 1\n-2 2\n", "3\n1 2\n2 1\n4 60\n" ]
[ "Yes", "No", "Yes" ]
In the first example the second point can be removed. In the second example there is no suitable for the condition point. In the third example any point can be removed.
500
[ { "input": "3\n1 1\n-1 -1\n2 -1", "output": "Yes" }, { "input": "4\n1 1\n2 2\n-1 1\n-2 2", "output": "No" }, { "input": "3\n1 2\n2 1\n4 60", "output": "Yes" }, { "input": "10\n1 1\n2 2\n3 3\n4 4\n5 5\n6 6\n7 7\n8 8\n9 9\n-1 -1", "output": "Yes" }, { "input": "2\n1...
1,560,308,230
2,147,483,647
Python 3
OK
TESTS
71
311
0
n = int(input()) p , nn = 0 ,0 for i in range(n): x,y = map(int,input().split()) if x > 0: p += 1 else: nn += 1 if p > 1 and nn > 1: print('NO') elif p <= 1 or nn <= 1: print('YES')
Title: Find Extra One Time Limit: None seconds Memory Limit: None megabytes Problem Description: You have *n* distinct points on a plane, none of them lie on *OY* axis. Check that there is a point after removal of which the remaining points are located on one side of the *OY* axis. Input Specification: The first li...
```python n = int(input()) p , nn = 0 ,0 for i in range(n): x,y = map(int,input().split()) if x > 0: p += 1 else: nn += 1 if p > 1 and nn > 1: print('NO') elif p <= 1 or nn <= 1: print('YES') ```
3
343
C
Read Time
PROGRAMMING
1,900
[ "binary search", "greedy", "two pointers" ]
null
null
Mad scientist Mike does not use slow hard disks. His modification of a hard drive has not one, but *n* different heads that can read data in parallel. When viewed from the side, Mike's hard drive is an endless array of tracks. The tracks of the array are numbered from left to right with integers, starting with 1. In t...
The first line of the input contains two space-separated integers *n*, *m* (1<=≤<=*n*,<=*m*<=≤<=105) — the number of disk heads and the number of tracks to read, accordingly. The second line contains *n* distinct integers *h**i* in ascending order (1<=≤<=*h**i*<=≤<=1010, *h**i*<=&lt;<=*h**i*<=+<=1) — the initial positi...
Print a single number — the minimum time required, in seconds, to read all the needed tracks.
[ "3 4\n2 5 6\n1 3 6 8\n", "3 3\n1 2 3\n1 2 3\n", "1 2\n165\n142 200\n" ]
[ "2\n", "0\n", "81\n" ]
The first test coincides with the figure. In this case the given tracks can be read in 2 seconds in the following way: 1. during the first second move the 1-st head to the left and let it stay there; 1. move the second head to the left twice; 1. move the third head to the right twice (note that the 6-th track has ...
1,500
[ { "input": "3 4\n2 5 6\n1 3 6 8", "output": "2" }, { "input": "3 3\n1 2 3\n1 2 3", "output": "0" }, { "input": "1 2\n165\n142 200", "output": "81" }, { "input": "1 2\n5000000000\n1 10000000000", "output": "14999999998" }, { "input": "2 4\n3 12\n1 7 8 14", "out...
1,668,674,701
2,147,483,647
PyPy 3-64
OK
TESTS
61
233
20,172,800
# Read Time import sys input = sys.stdin.buffer.readline n, m = map(int, input().split()) h = list(map(int, input().split())) p = list(map(int, input().split())) # minimmum time for h_i to cover all p_s...p_e def min_t(h_i, p_s, p_e): return min(abs(h[h_i]-p[p_s]),abs(h[h_i]-p[p_e])) + (p[p_e]-p[p_s...
Title: Read Time Time Limit: None seconds Memory Limit: None megabytes Problem Description: Mad scientist Mike does not use slow hard disks. His modification of a hard drive has not one, but *n* different heads that can read data in parallel. When viewed from the side, Mike's hard drive is an endless array of track...
```python # Read Time import sys input = sys.stdin.buffer.readline n, m = map(int, input().split()) h = list(map(int, input().split())) p = list(map(int, input().split())) # minimmum time for h_i to cover all p_s...p_e def min_t(h_i, p_s, p_e): return min(abs(h[h_i]-p[p_s]),abs(h[h_i]-p[p_e])) + (p[...
3
454
B
Little Pony and Sort by Shift
PROGRAMMING
1,200
[ "implementation" ]
null
null
One day, Twilight Sparkle is interested in how to sort a sequence of integers *a*1,<=*a*2,<=...,<=*a**n* in non-decreasing order. Being a young unicorn, the only operation she can perform is a unit shift. That is, she can move the last element of the sequence to its beginning: Help Twilight Sparkle to calculate: what ...
The first line contains an integer *n* (2<=≤<=*n*<=≤<=105). The second line contains *n* integer numbers *a*1,<=*a*2,<=...,<=*a**n* (1<=≤<=*a**i*<=≤<=105).
If it's impossible to sort the sequence output -1. Otherwise output the minimum number of operations Twilight Sparkle needs to sort it.
[ "2\n2 1\n", "3\n1 3 2\n", "2\n1 2\n" ]
[ "1\n", "-1\n", "0\n" ]
none
1,000
[ { "input": "2\n2 1", "output": "1" }, { "input": "3\n1 3 2", "output": "-1" }, { "input": "2\n1 2", "output": "0" }, { "input": "6\n3 4 5 6 3 2", "output": "-1" }, { "input": "3\n1 2 1", "output": "1" }, { "input": "5\n1 1 2 1 1", "output": "2" }...
1,624,363,083
2,147,483,647
PyPy 3
COMPILATION_ERROR
TESTS
0
0
0
n=int(input()) l=list(map(int,input().split())) z=l.index(max(l)) l1=l[:z+1] x=l.index(min(l)) l2=l[x:] if l==sorted(l): print(0) elif l1==sorted(l) and l2==sorted(l): if min(l1)>=max(l2): print(len(l2)) else: print(-1) elif l2==l: if l[-1]=l[0] print(1) else: ...
Title: Little Pony and Sort by Shift Time Limit: None seconds Memory Limit: None megabytes Problem Description: One day, Twilight Sparkle is interested in how to sort a sequence of integers *a*1,<=*a*2,<=...,<=*a**n* in non-decreasing order. Being a young unicorn, the only operation she can perform is a unit shift. ...
```python n=int(input()) l=list(map(int,input().split())) z=l.index(max(l)) l1=l[:z+1] x=l.index(min(l)) l2=l[x:] if l==sorted(l): print(0) elif l1==sorted(l) and l2==sorted(l): if min(l1)>=max(l2): print(len(l2)) else: print(-1) elif l2==l: if l[-1]=l[0] print(1) ...
-1
749
A
Bachgold Problem
PROGRAMMING
800
[ "greedy", "implementation", "math", "number theory" ]
null
null
Bachgold problem is very easy to formulate. Given a positive integer *n* represent it as a sum of maximum possible number of prime numbers. One can prove that such representation exists for any integer greater than 1. Recall that integer *k* is called prime if it is greater than 1 and has exactly two positive integer ...
The only line of the input contains a single integer *n* (2<=≤<=*n*<=≤<=100<=000).
The first line of the output contains a single integer *k* — maximum possible number of primes in representation. The second line should contain *k* primes with their sum equal to *n*. You can print them in any order. If there are several optimal solution, print any of them.
[ "5\n", "6\n" ]
[ "2\n2 3\n", "3\n2 2 2\n" ]
none
500
[ { "input": "5", "output": "2\n2 3" }, { "input": "6", "output": "3\n2 2 2" }, { "input": "2", "output": "1\n2" }, { "input": "3", "output": "1\n3" }, { "input": "99999", "output": "49999\n2 2 2 2 2 2 2 2 2 2 2 2 2 2 2 2 2 2 2 2 2 2 2 2 2 2 2 2 2 2 2 2 2 2 2 2 ...
1,628,254,013
2,147,483,647
Python 3
OK
TESTS
41
109
7,475,200
n=int(input()) if n%2==0: k=[2]*(n//2) print(n//2) print(*k) else: k=[2]*(n//2) k[len(k)-1]=3 print(n//2) print(*k)
Title: Bachgold Problem Time Limit: None seconds Memory Limit: None megabytes Problem Description: Bachgold problem is very easy to formulate. Given a positive integer *n* represent it as a sum of maximum possible number of prime numbers. One can prove that such representation exists for any integer greater than 1. ...
```python n=int(input()) if n%2==0: k=[2]*(n//2) print(n//2) print(*k) else: k=[2]*(n//2) k[len(k)-1]=3 print(n//2) print(*k) ```
3
678
D
Iterated Linear Function
PROGRAMMING
1,700
[ "math", "number theory" ]
null
null
Consider a linear function *f*(*x*)<==<=*Ax*<=+<=*B*. Let's define *g*(0)(*x*)<==<=*x* and *g*(*n*)(*x*)<==<=*f*(*g*(*n*<=-<=1)(*x*)) for *n*<=&gt;<=0. For the given integer values *A*, *B*, *n* and *x* find the value of *g*(*n*)(*x*) modulo 109<=+<=7.
The only line contains four integers *A*, *B*, *n* and *x* (1<=≤<=*A*,<=*B*,<=*x*<=≤<=109,<=1<=≤<=*n*<=≤<=1018) — the parameters from the problem statement. Note that the given value *n* can be too large, so you should use 64-bit integer type to store it. In C++ you can use the long long integer type and in Java you c...
Print the only integer *s* — the value *g*(*n*)(*x*) modulo 109<=+<=7.
[ "3 4 1 1\n", "3 4 2 1\n", "3 4 3 1\n" ]
[ "7\n", "25\n", "79\n" ]
none
0
[ { "input": "3 4 1 1", "output": "7" }, { "input": "3 4 2 1", "output": "25" }, { "input": "3 4 3 1", "output": "79" }, { "input": "1 1 1 1", "output": "2" }, { "input": "3 10 723 6", "output": "443623217" }, { "input": "14 81 51 82", "output": "908...
1,590,082,179
2,147,483,647
PyPy 3
OK
TESTS
36
140
0
import sys,math def power(x, y, p): res = 1; x = x % p; while (y > 0): if (y & 1): res = (res * x) % p; y = y >> 1; x = (x * x) % p; return res; def modInverse(b,m): g = math.gcd(b, m) if (g != 1): return -1 else: return pow(b, ...
Title: Iterated Linear Function Time Limit: None seconds Memory Limit: None megabytes Problem Description: Consider a linear function *f*(*x*)<==<=*Ax*<=+<=*B*. Let's define *g*(0)(*x*)<==<=*x* and *g*(*n*)(*x*)<==<=*f*(*g*(*n*<=-<=1)(*x*)) for *n*<=&gt;<=0. For the given integer values *A*, *B*, *n* and *x* find th...
```python import sys,math def power(x, y, p): res = 1; x = x % p; while (y > 0): if (y & 1): res = (res * x) % p; y = y >> 1; x = (x * x) % p; return res; def modInverse(b,m): g = math.gcd(b, m) if (g != 1): return -1 else: retu...
3
424
A
Squats
PROGRAMMING
900
[ "implementation" ]
null
null
Pasha has many hamsters and he makes them work out. Today, *n* hamsters (*n* is even) came to work out. The hamsters lined up and each hamster either sat down or stood up. For another exercise, Pasha needs exactly hamsters to stand up and the other hamsters to sit down. In one minute, Pasha can make some hamster ethe...
The first line contains integer *n* (2<=≤<=*n*<=≤<=200; *n* is even). The next line contains *n* characters without spaces. These characters describe the hamsters' position: the *i*-th character equals 'X', if the *i*-th hamster in the row is standing, and 'x', if he is sitting.
In the first line, print a single integer — the minimum required number of minutes. In the second line, print a string that describes the hamsters' position after Pasha makes the required changes. If there are multiple optimal positions, print any of them.
[ "4\nxxXx\n", "2\nXX\n", "6\nxXXxXx\n" ]
[ "1\nXxXx\n", "1\nxX\n", "0\nxXXxXx\n" ]
none
500
[ { "input": "4\nxxXx", "output": "1\nXxXx" }, { "input": "2\nXX", "output": "1\nxX" }, { "input": "6\nxXXxXx", "output": "0\nxXXxXx" }, { "input": "4\nxXXX", "output": "1\nxxXX" }, { "input": "2\nXx", "output": "0\nXx" }, { "input": "22\nXXxXXxxXxXxXXXX...
1,421,146,541
2,147,483,647
Python 3
OK
TESTS
32
46
0
def main(): input() s = input() ta = t = (s.count('x') - s.count('X')) // 2 res = [] if t > 0: for c in s: if t and c == 'x': c = 'X' t -= 1 res.append(c) else: for c in s: if t and c == 'X': c = ...
Title: Squats Time Limit: None seconds Memory Limit: None megabytes Problem Description: Pasha has many hamsters and he makes them work out. Today, *n* hamsters (*n* is even) came to work out. The hamsters lined up and each hamster either sat down or stood up. For another exercise, Pasha needs exactly hamsters to ...
```python def main(): input() s = input() ta = t = (s.count('x') - s.count('X')) // 2 res = [] if t > 0: for c in s: if t and c == 'x': c = 'X' t -= 1 res.append(c) else: for c in s: if t and c == 'X': ...
3
432
A
Choosing Teams
PROGRAMMING
800
[ "greedy", "implementation", "sortings" ]
null
null
The Saratov State University Olympiad Programmers Training Center (SSU OPTC) has *n* students. For each student you know the number of times he/she has participated in the ACM ICPC world programming championship. According to the ACM ICPC rules, each person can participate in the world championship at most 5 times. Th...
The first line contains two integers, *n* and *k* (1<=≤<=*n*<=≤<=2000; 1<=≤<=*k*<=≤<=5). The next line contains *n* integers: *y*1,<=*y*2,<=...,<=*y**n* (0<=≤<=*y**i*<=≤<=5), where *y**i* shows the number of times the *i*-th person participated in the ACM ICPC world championship.
Print a single number — the answer to the problem.
[ "5 2\n0 4 5 1 0\n", "6 4\n0 1 2 3 4 5\n", "6 5\n0 0 0 0 0 0\n" ]
[ "1\n", "0\n", "2\n" ]
In the first sample only one team could be made: the first, the fourth and the fifth participants. In the second sample no teams could be created. In the third sample two teams could be created. Any partition into two teams fits.
500
[ { "input": "5 2\n0 4 5 1 0", "output": "1" }, { "input": "6 4\n0 1 2 3 4 5", "output": "0" }, { "input": "6 5\n0 0 0 0 0 0", "output": "2" }, { "input": "3 4\n0 1 0", "output": "1" }, { "input": "3 4\n0 2 0", "output": "0" }, { "input": "6 5\n0 0 0 0 0...
1,688,881,865
2,147,483,647
Python 3
OK
TESTS
35
46
0
n,k=map(int,input().split()) l=list(map(int,input().split())) c=0 for i in range(len(l)): a=5-l[i] if a>=k: c+=1 print(c//3)
Title: Choosing Teams Time Limit: None seconds Memory Limit: None megabytes Problem Description: The Saratov State University Olympiad Programmers Training Center (SSU OPTC) has *n* students. For each student you know the number of times he/she has participated in the ACM ICPC world programming championship. Accordi...
```python n,k=map(int,input().split()) l=list(map(int,input().split())) c=0 for i in range(len(l)): a=5-l[i] if a>=k: c+=1 print(c//3) ```
3
265
B
Roadside Trees (Simplified Edition)
PROGRAMMING
1,000
[ "greedy", "implementation" ]
null
null
Squirrel Liss loves nuts. There are *n* trees (numbered 1 to *n* from west to east) along a street and there is a delicious nut on the top of each tree. The height of the tree *i* is *h**i*. Liss wants to eat all nuts. Now Liss is on the root of the tree with the number 1. In one second Liss can perform one of the fol...
The first line contains an integer *n* (1<=<=≤<=<=*n*<=≤<=105) — the number of trees. Next *n* lines contains the height of trees: *i*-th line contains an integer *h**i* (1<=≤<=*h**i*<=≤<=104) — the height of the tree with the number *i*.
Print a single integer — the minimal time required to eat all nuts in seconds.
[ "2\n1\n2\n", "5\n2\n1\n2\n1\n1\n" ]
[ "5\n", "14\n" ]
none
1,000
[ { "input": "2\n1\n2", "output": "5" }, { "input": "5\n2\n1\n2\n1\n1", "output": "14" }, { "input": "1\n1", "output": "2" } ]
1,605,195,598
2,147,483,647
Python 3
WRONG_ANSWER
TESTS
0
154
0
n = int(input()) s = list(map(int,input().rsplit())) a=n+sum(s) for i in range (n-1): if s[i]>s[i-1]: a=a+(s[i]-s[i-1]) print(a)
Title: Roadside Trees (Simplified Edition) Time Limit: None seconds Memory Limit: None megabytes Problem Description: Squirrel Liss loves nuts. There are *n* trees (numbered 1 to *n* from west to east) along a street and there is a delicious nut on the top of each tree. The height of the tree *i* is *h**i*. Liss wan...
```python n = int(input()) s = list(map(int,input().rsplit())) a=n+sum(s) for i in range (n-1): if s[i]>s[i-1]: a=a+(s[i]-s[i-1]) print(a) ```
0
16
A
Flag
PROGRAMMING
800
[ "implementation" ]
A. Flag
2
64
According to a new ISO standard, a flag of every country should have a chequered field *n*<=×<=*m*, each square should be of one of 10 colours, and the flag should be «striped»: each horizontal row of the flag should contain squares of the same colour, and the colours of adjacent horizontal rows should be different. Be...
The first line of the input contains numbers *n* and *m* (1<=≤<=*n*,<=*m*<=≤<=100), *n* — the amount of rows, *m* — the amount of columns on the flag of Berland. Then there follows the description of the flag: each of the following *n* lines contain *m* characters. Each character is a digit between 0 and 9, and stands ...
Output YES, if the flag meets the new ISO standard, and NO otherwise.
[ "3 3\n000\n111\n222\n", "3 3\n000\n000\n111\n", "3 3\n000\n111\n002\n" ]
[ "YES\n", "NO\n", "NO\n" ]
none
0
[ { "input": "3 3\n000\n111\n222", "output": "YES" }, { "input": "3 3\n000\n000\n111", "output": "NO" }, { "input": "3 3\n000\n111\n002", "output": "NO" }, { "input": "10 10\n2222222222\n5555555555\n0000000000\n4444444444\n1111111111\n3333333393\n3333333333\n5555555555\n0000000...
1,558,991,338
2,147,483,647
Python 3
OK
TESTS
35
248
0
i = input().split(" ") n = int(i[0]) m = int(i[1]) flag = [input() for x in range(n)] previous = "" result = True for row in flag: if not row == row[0]*m: result = False if row == previous: result = False previous = row if result: print("YES") else: print("NO")
Title: Flag Time Limit: 2 seconds Memory Limit: 64 megabytes Problem Description: According to a new ISO standard, a flag of every country should have a chequered field *n*<=×<=*m*, each square should be of one of 10 colours, and the flag should be «striped»: each horizontal row of the flag should contain squares of...
```python i = input().split(" ") n = int(i[0]) m = int(i[1]) flag = [input() for x in range(n)] previous = "" result = True for row in flag: if not row == row[0]*m: result = False if row == previous: result = False previous = row if result: print("YES") else: print("NO...
3.938
67
A
Partial Teacher
PROGRAMMING
1,800
[ "dp", "graphs", "greedy", "implementation" ]
A. Partial Teacher
1
256
A teacher decides to give toffees to his students. He asks *n* students to stand in a queue. Since the teacher is very partial, he follows the following rule to distribute toffees. He looks at the first two students and gives more toffees to the student having higher marks than the other one. If they have the same mar...
The first line of input contains the number of students *n* (2<=≤<=*n*<=≤<=1000). The second line gives (*n*<=-<=1) characters consisting of "L", "R" and "=". For each pair of adjacent students "L" means that the left student has higher marks, "R" means that the right student has higher marks and "=" means that both ha...
Output consists of *n* integers separated by a space representing the number of toffees each student receives in the queue starting from the first one to the last one.
[ "5\nLRLR\n", "5\n=RRR\n" ]
[ "2 1 2 1 2\n", "1 1 2 3 4\n" ]
none
500
[ { "input": "5\nLRLR", "output": "2 1 2 1 2" }, { "input": "5\n=RRR", "output": "1 1 2 3 4" }, { "input": "6\nRLRL=", "output": "1 2 1 2 1 1" }, { "input": "3\nR=", "output": "1 2 2" }, { "input": "7\nRR==RR", "output": "1 2 3 3 3 4 5" }, { "input": "16...
1,586,521,199
2,147,483,647
PyPy 3
WRONG_ANSWER
TESTS
4
280
0
n = int(input()) s = input() a = [1]*n for i in range(n-1): if(s[i] == 'R'): a[i+1] = a[i] + 1 for i in range(n-2,-1,-1): if(s[i] == 'L'): a[i] = a[i+1] + 1 for i in range(n-1): if(s[i] == '='): if(a[i]>=a[i+1]): a[i+1] = a[i] else: ...
Title: Partial Teacher Time Limit: 1 seconds Memory Limit: 256 megabytes Problem Description: A teacher decides to give toffees to his students. He asks *n* students to stand in a queue. Since the teacher is very partial, he follows the following rule to distribute toffees. He looks at the first two students and gi...
```python n = int(input()) s = input() a = [1]*n for i in range(n-1): if(s[i] == 'R'): a[i+1] = a[i] + 1 for i in range(n-2,-1,-1): if(s[i] == 'L'): a[i] = a[i+1] + 1 for i in range(n-1): if(s[i] == '='): if(a[i]>=a[i+1]): a[i+1] = a[i] else...
0
456
A
Laptops
PROGRAMMING
1,100
[ "sortings" ]
null
null
One day Dima and Alex had an argument about the price and quality of laptops. Dima thinks that the more expensive a laptop is, the better it is. Alex disagrees. Alex thinks that there are two laptops, such that the price of the first laptop is less (strictly smaller) than the price of the second laptop but the quality ...
The first line contains an integer *n* (1<=≤<=*n*<=≤<=105) — the number of laptops. Next *n* lines contain two integers each, *a**i* and *b**i* (1<=≤<=*a**i*,<=*b**i*<=≤<=*n*), where *a**i* is the price of the *i*-th laptop, and *b**i* is the number that represents the quality of the *i*-th laptop (the larger the numb...
If Alex is correct, print "Happy Alex", otherwise print "Poor Alex" (without the quotes).
[ "2\n1 2\n2 1\n" ]
[ "Happy Alex\n" ]
none
500
[ { "input": "2\n1 2\n2 1", "output": "Happy Alex" }, { "input": "2\n1 1\n2 2", "output": "Poor Alex" }, { "input": "3\n2 2\n3 3\n1 1", "output": "Poor Alex" }, { "input": "3\n3 3\n1 2\n2 1", "output": "Happy Alex" }, { "input": "1\n1 1", "output": "Poor Alex" ...
1,696,813,861
2,147,483,647
PyPy 3-64
OK
TESTS
46
717
13,312,000
def solve(): x = int(input()) l = [] for i in range(x): a, b = map(int, input().split()) l.append((a, b)) l.sort(key=lambda p: p[0]) for i in range(1, x): if l[i][1]-l[i-1][1] < 0: print('Happy Alex') return print('Poor Alex') # t =...
Title: Laptops Time Limit: None seconds Memory Limit: None megabytes Problem Description: One day Dima and Alex had an argument about the price and quality of laptops. Dima thinks that the more expensive a laptop is, the better it is. Alex disagrees. Alex thinks that there are two laptops, such that the price of the...
```python def solve(): x = int(input()) l = [] for i in range(x): a, b = map(int, input().split()) l.append((a, b)) l.sort(key=lambda p: p[0]) for i in range(1, x): if l[i][1]-l[i-1][1] < 0: print('Happy Alex') return print('Poor Alex') ...
3
59
A
Word
PROGRAMMING
800
[ "implementation", "strings" ]
A. Word
2
256
Vasya is very upset that many people on the Net mix uppercase and lowercase letters in one word. That's why he decided to invent an extension for his favorite browser that would change the letters' register in every word so that it either only consisted of lowercase letters or, vice versa, only of uppercase ones. At th...
The first line contains a word *s* — it consists of uppercase and lowercase Latin letters and possesses the length from 1 to 100.
Print the corrected word *s*. If the given word *s* has strictly more uppercase letters, make the word written in the uppercase register, otherwise - in the lowercase one.
[ "HoUse\n", "ViP\n", "maTRIx\n" ]
[ "house\n", "VIP\n", "matrix\n" ]
none
500
[ { "input": "HoUse", "output": "house" }, { "input": "ViP", "output": "VIP" }, { "input": "maTRIx", "output": "matrix" }, { "input": "BNHWpnpawg", "output": "bnhwpnpawg" }, { "input": "VTYGP", "output": "VTYGP" }, { "input": "CHNenu", "output": "chn...
1,600,653,548
2,147,483,647
Python 3
OK
TESTS
30
216
0
""""" def uccf( str ): x = 0 while x < len(str): if ('a' <= str[x]) and ('z' >= str[x]): str.replace(str[x], chr(65 + ord(str[x]) - ord('a'))) #print(str[x]) x = x+1 def lccF(str): str.lower() x = 0 while x < len(str): if ('A' <= str[x]) a...
Title: Word Time Limit: 2 seconds Memory Limit: 256 megabytes Problem Description: Vasya is very upset that many people on the Net mix uppercase and lowercase letters in one word. That's why he decided to invent an extension for his favorite browser that would change the letters' register in every word so that it ei...
```python """"" def uccf( str ): x = 0 while x < len(str): if ('a' <= str[x]) and ('z' >= str[x]): str.replace(str[x], chr(65 + ord(str[x]) - ord('a'))) #print(str[x]) x = x+1 def lccF(str): str.lower() x = 0 while x < len(str): if ('A' <=...
3.946
822
A
I'm bored with life
PROGRAMMING
800
[ "implementation", "math", "number theory" ]
null
null
Holidays have finished. Thanks to the help of the hacker Leha, Noora managed to enter the university of her dreams which is located in a town Pavlopolis. It's well known that universities provide students with dormitory for the period of university studies. Consequently Noora had to leave Vičkopolis and move to Pavlopo...
The first and single line contains two integers *A* and *B* (1<=≤<=*A*,<=*B*<=≤<=109,<=*min*(*A*,<=*B*)<=≤<=12).
Print a single integer denoting the greatest common divisor of integers *A*! and *B*!.
[ "4 3\n" ]
[ "6\n" ]
Consider the sample. 4! = 1·2·3·4 = 24. 3! = 1·2·3 = 6. The greatest common divisor of integers 24 and 6 is exactly 6.
500
[ { "input": "4 3", "output": "6" }, { "input": "10 399603090", "output": "3628800" }, { "input": "6 973151934", "output": "720" }, { "input": "2 841668075", "output": "2" }, { "input": "7 415216919", "output": "5040" }, { "input": "3 283733059", "ou...
1,674,890,862
2,147,483,647
Python 3
OK
TESTS
59
46
0
d = input().split(' ') A = int(d[0]) B = int(d[1]) def factorial(x): if x == 0: return 1 return x * factorial(x-1) if A>=B: print(factorial(B)) else: print(factorial(A))
Title: I'm bored with life Time Limit: None seconds Memory Limit: None megabytes Problem Description: Holidays have finished. Thanks to the help of the hacker Leha, Noora managed to enter the university of her dreams which is located in a town Pavlopolis. It's well known that universities provide students with dormi...
```python d = input().split(' ') A = int(d[0]) B = int(d[1]) def factorial(x): if x == 0: return 1 return x * factorial(x-1) if A>=B: print(factorial(B)) else: print(factorial(A)) ```
3
677
A
Vanya and Fence
PROGRAMMING
800
[ "implementation" ]
null
null
Vanya and his friends are walking along the fence of height *h* and they do not want the guard to notice them. In order to achieve this the height of each of the friends should not exceed *h*. If the height of some person is greater than *h* he can bend down and then he surely won't be noticed by the guard. The height ...
The first line of the input contains two integers *n* and *h* (1<=≤<=*n*<=≤<=1000, 1<=≤<=*h*<=≤<=1000) — the number of friends and the height of the fence, respectively. The second line contains *n* integers *a**i* (1<=≤<=*a**i*<=≤<=2*h*), the *i*-th of them is equal to the height of the *i*-th person.
Print a single integer — the minimum possible valid width of the road.
[ "3 7\n4 5 14\n", "6 1\n1 1 1 1 1 1\n", "6 5\n7 6 8 9 10 5\n" ]
[ "4\n", "6\n", "11\n" ]
In the first sample, only person number 3 must bend down, so the required width is equal to 1 + 1 + 2 = 4. In the second sample, all friends are short enough and no one has to bend, so the width 1 + 1 + 1 + 1 + 1 + 1 = 6 is enough. In the third sample, all the persons have to bend, except the last one. The required m...
500
[ { "input": "3 7\n4 5 14", "output": "4" }, { "input": "6 1\n1 1 1 1 1 1", "output": "6" }, { "input": "6 5\n7 6 8 9 10 5", "output": "11" }, { "input": "10 420\n214 614 297 675 82 740 174 23 255 15", "output": "13" }, { "input": "10 561\n657 23 1096 487 785 66 481...
1,690,388,070
2,147,483,647
PyPy 3-64
OK
TESTS
29
62
0
friends_num, fence_height = map(int, input().split()) friends_heights = [int(height) for height in input().split()] road_width = sum( 1 if height <= fence_height else 2 for height in friends_heights ) print(road_width)
Title: Vanya and Fence Time Limit: None seconds Memory Limit: None megabytes Problem Description: Vanya and his friends are walking along the fence of height *h* and they do not want the guard to notice them. In order to achieve this the height of each of the friends should not exceed *h*. If the height of some pers...
```python friends_num, fence_height = map(int, input().split()) friends_heights = [int(height) for height in input().split()] road_width = sum( 1 if height <= fence_height else 2 for height in friends_heights ) print(road_width) ```
3
507
A
Amr and Music
PROGRAMMING
1,000
[ "greedy", "implementation", "sortings" ]
null
null
Amr is a young coder who likes music a lot. He always wanted to learn how to play music but he was busy coding so he got an idea. Amr has *n* instruments, it takes *a**i* days to learn *i*-th instrument. Being busy, Amr dedicated *k* days to learn how to play the maximum possible number of instruments. Amr asked for ...
The first line contains two numbers *n*, *k* (1<=≤<=*n*<=≤<=100, 0<=≤<=*k*<=≤<=10<=000), the number of instruments and number of days respectively. The second line contains *n* integers *a**i* (1<=≤<=*a**i*<=≤<=100), representing number of days required to learn the *i*-th instrument.
In the first line output one integer *m* representing the maximum number of instruments Amr can learn. In the second line output *m* space-separated integers: the indices of instruments to be learnt. You may output indices in any order. if there are multiple optimal solutions output any. It is not necessary to use al...
[ "4 10\n4 3 1 2\n", "5 6\n4 3 1 1 2\n", "1 3\n4\n" ]
[ "4\n1 2 3 4", "3\n1 3 4", "0\n" ]
In the first test Amr can learn all 4 instruments. In the second test other possible solutions are: {2, 3, 5} or {3, 4, 5}. In the third test Amr doesn't have enough time to learn the only presented instrument.
500
[ { "input": "4 10\n4 3 1 2", "output": "4\n1 2 3 4" }, { "input": "5 6\n4 3 1 1 2", "output": "3\n3 4 5" }, { "input": "1 3\n4", "output": "0" }, { "input": "2 100\n100 100", "output": "1\n1" }, { "input": "3 150\n50 50 50", "output": "3\n1 2 3" }, { "i...
1,581,871,165
2,147,483,647
Python 3
OK
TESTS
39
108
0
n, k = map(int, input().split()) req_days = [int(c) for c in input().split()] req_days_sorted = sorted((e, i) for i, e in enumerate(req_days, 1)) acc = 0 #print(req_days_sorted) ans = [] for e, i in req_days_sorted: #print(acc, i, e, k) if acc + e <= k: acc += e ans.append(i) prin...
Title: Amr and Music Time Limit: None seconds Memory Limit: None megabytes Problem Description: Amr is a young coder who likes music a lot. He always wanted to learn how to play music but he was busy coding so he got an idea. Amr has *n* instruments, it takes *a**i* days to learn *i*-th instrument. Being busy, Amr ...
```python n, k = map(int, input().split()) req_days = [int(c) for c in input().split()] req_days_sorted = sorted((e, i) for i, e in enumerate(req_days, 1)) acc = 0 #print(req_days_sorted) ans = [] for e, i in req_days_sorted: #print(acc, i, e, k) if acc + e <= k: acc += e ans.append(...
3
601
A
The Two Routes
PROGRAMMING
1,600
[ "graphs", "shortest paths" ]
null
null
In Absurdistan, there are *n* towns (numbered 1 through *n*) and *m* bidirectional railways. There is also an absurdly simple road network — for each pair of different towns *x* and *y*, there is a bidirectional road between towns *x* and *y* if and only if there is no railway between them. Travelling to a different to...
The first line of the input contains two integers *n* and *m* (2<=≤<=*n*<=≤<=400, 0<=≤<=*m*<=≤<=*n*(*n*<=-<=1)<=/<=2) — the number of towns and the number of railways respectively. Each of the next *m* lines contains two integers *u* and *v*, denoting a railway between towns *u* and *v* (1<=≤<=*u*,<=*v*<=≤<=*n*, *u*<=...
Output one integer — the smallest possible time of the later vehicle's arrival in town *n*. If it's impossible for at least one of the vehicles to reach town *n*, output <=-<=1.
[ "4 2\n1 3\n3 4\n", "4 6\n1 2\n1 3\n1 4\n2 3\n2 4\n3 4\n", "5 5\n4 2\n3 5\n4 5\n5 1\n1 2\n" ]
[ "2\n", "-1\n", "3\n" ]
In the first sample, the train can take the route <img align="middle" class="tex-formula" src="https://espresso.codeforces.com/7c0aa60a06309ef607b7159fd7f3687ea0d943ce.png" style="max-width: 100.0%;max-height: 100.0%;"/> and the bus can take the route <img align="middle" class="tex-formula" src="https://espresso.codefo...
500
[ { "input": "4 2\n1 3\n3 4", "output": "2" }, { "input": "4 6\n1 2\n1 3\n1 4\n2 3\n2 4\n3 4", "output": "-1" }, { "input": "5 5\n4 2\n3 5\n4 5\n5 1\n1 2", "output": "3" }, { "input": "5 4\n1 2\n3 2\n3 4\n5 4", "output": "4" }, { "input": "3 1\n1 2", "output": "...
1,587,881,038
2,147,483,647
PyPy 3
WRONG_ANSWER
TESTS
0
108
0
n, m = map(int, input().split()) b = [[j for j in range(1,n+1) if j != i+1] for i in range(n)] b.insert(0,[]) t = [[] for i in range(n+1)] for _ in range(m): u, v = map(int, input().split()) b[u].remove(v) b[v].remove(u) t[u].append(v) t[v].append(u) def find_shorteset_path(n, start, d...
Title: The Two Routes Time Limit: None seconds Memory Limit: None megabytes Problem Description: In Absurdistan, there are *n* towns (numbered 1 through *n*) and *m* bidirectional railways. There is also an absurdly simple road network — for each pair of different towns *x* and *y*, there is a bidirectional road bet...
```python n, m = map(int, input().split()) b = [[j for j in range(1,n+1) if j != i+1] for i in range(n)] b.insert(0,[]) t = [[] for i in range(n+1)] for _ in range(m): u, v = map(int, input().split()) b[u].remove(v) b[v].remove(u) t[u].append(v) t[v].append(u) def find_shorteset_path(n...
0
52
A
123-sequence
PROGRAMMING
900
[ "implementation" ]
A. 123-sequence
2
256
There is a given sequence of integers *a*1,<=*a*2,<=...,<=*a**n*, where every number is from 1 to 3 inclusively. You have to replace the minimum number of numbers in it so that all the numbers in the sequence are equal to each other.
The first line contains an integer *n* (1<=≤<=*n*<=≤<=106). The second line contains a sequence of integers *a*1,<=*a*2,<=...,<=*a**n* (1<=≤<=*a**i*<=≤<=3).
Print the minimum number of replacements needed to be performed to make all the numbers in the sequence equal.
[ "9\n1 3 2 2 2 1 1 2 3\n" ]
[ "5\n" ]
In the example all the numbers equal to 1 and 3 should be replaced by 2.
500
[ { "input": "9\n1 3 2 2 2 1 1 2 3", "output": "5" }, { "input": "6\n3 3 2 2 1 3", "output": "3" }, { "input": "12\n3 1 3 1 2 1 3 2 2 1 2 1", "output": "7" }, { "input": "15\n3 2 1 1 1 1 3 2 2 3 3 1 2 3 2", "output": "10" }, { "input": "2\n2 1", "output": "1" ...
1,639,054,388
2,147,483,647
Python 3
OK
TESTS
23
374
11,059,200
n = int(input()) s = input().split() max_ = 0 for el in range(1,4): if s.count(str(el)) > max_: max_ = s.count(str(el)) print(len(s) - max_)
Title: 123-sequence Time Limit: 2 seconds Memory Limit: 256 megabytes Problem Description: There is a given sequence of integers *a*1,<=*a*2,<=...,<=*a**n*, where every number is from 1 to 3 inclusively. You have to replace the minimum number of numbers in it so that all the numbers in the sequence are equal to each...
```python n = int(input()) s = input().split() max_ = 0 for el in range(1,4): if s.count(str(el)) > max_: max_ = s.count(str(el)) print(len(s) - max_) ```
3.885901
1
A
Theatre Square
PROGRAMMING
1,000
[ "math" ]
A. Theatre Square
1
256
Theatre Square in the capital city of Berland has a rectangular shape with the size *n*<=×<=*m* meters. On the occasion of the city's anniversary, a decision was taken to pave the Square with square granite flagstones. Each flagstone is of the size *a*<=×<=*a*. What is the least number of flagstones needed to pave the...
The input contains three positive integer numbers in the first line: *n*,<=<=*m* and *a* (1<=≤<=<=*n*,<=*m*,<=*a*<=≤<=109).
Write the needed number of flagstones.
[ "6 6 4\n" ]
[ "4\n" ]
none
0
[ { "input": "6 6 4", "output": "4" }, { "input": "1 1 1", "output": "1" }, { "input": "2 1 1", "output": "2" }, { "input": "1 2 1", "output": "2" }, { "input": "2 2 1", "output": "4" }, { "input": "2 1 2", "output": "1" }, { "input": "1 1 3"...
1,658,755,069
2,147,483,647
Python 3
RUNTIME_ERROR
TESTS
0
31
0
n = int(input()) m = int(input()) a = int(input()) area = n * m tileArea = a * a vTiles = round(n / a) hTiles = round(m / a) numberOfTiles = vTiles + hTiles print(numberOfTiles)
Title: Theatre Square Time Limit: 1 seconds Memory Limit: 256 megabytes Problem Description: Theatre Square in the capital city of Berland has a rectangular shape with the size *n*<=×<=*m* meters. On the occasion of the city's anniversary, a decision was taken to pave the Square with square granite flagstones. Each ...
```python n = int(input()) m = int(input()) a = int(input()) area = n * m tileArea = a * a vTiles = round(n / a) hTiles = round(m / a) numberOfTiles = vTiles + hTiles print(numberOfTiles) ```
-1
1
A
Theatre Square
PROGRAMMING
1,000
[ "math" ]
A. Theatre Square
1
256
Theatre Square in the capital city of Berland has a rectangular shape with the size *n*<=×<=*m* meters. On the occasion of the city's anniversary, a decision was taken to pave the Square with square granite flagstones. Each flagstone is of the size *a*<=×<=*a*. What is the least number of flagstones needed to pave the...
The input contains three positive integer numbers in the first line: *n*,<=<=*m* and *a* (1<=≤<=<=*n*,<=*m*,<=*a*<=≤<=109).
Write the needed number of flagstones.
[ "6 6 4\n" ]
[ "4\n" ]
none
0
[ { "input": "6 6 4", "output": "4" }, { "input": "1 1 1", "output": "1" }, { "input": "2 1 1", "output": "2" }, { "input": "1 2 1", "output": "2" }, { "input": "2 2 1", "output": "4" }, { "input": "2 1 2", "output": "1" }, { "input": "1 1 3"...
1,654,023,926
2,147,483,647
PyPy 3-64
OK
TESTS
20
46
0
from math import ceil n,m,a=map(int, input().split()) print(ceil(n/a)*ceil(m/a))
Title: Theatre Square Time Limit: 1 seconds Memory Limit: 256 megabytes Problem Description: Theatre Square in the capital city of Berland has a rectangular shape with the size *n*<=×<=*m* meters. On the occasion of the city's anniversary, a decision was taken to pave the Square with square granite flagstones. Each ...
```python from math import ceil n,m,a=map(int, input().split()) print(ceil(n/a)*ceil(m/a)) ```
3.977
849
B
Tell Your World
PROGRAMMING
1,600
[ "brute force", "geometry" ]
null
null
Connect the countless points with lines, till we reach the faraway yonder. There are *n* points on a coordinate plane, the *i*-th of which being (*i*,<=*y**i*). Determine whether it's possible to draw two parallel and non-overlapping lines, such that every point in the set lies on exactly one of them, and each of the...
The first line of input contains a positive integer *n* (3<=≤<=*n*<=≤<=1<=000) — the number of points. The second line contains *n* space-separated integers *y*1,<=*y*2,<=...,<=*y**n* (<=-<=109<=≤<=*y**i*<=≤<=109) — the vertical coordinates of each point.
Output "Yes" (without quotes) if it's possible to fulfill the requirements, and "No" otherwise. You can print each letter in any case (upper or lower).
[ "5\n7 5 8 6 9\n", "5\n-1 -2 0 0 -5\n", "5\n5 4 3 2 1\n", "5\n1000000000 0 0 0 0\n" ]
[ "Yes\n", "No\n", "No\n", "Yes\n" ]
In the first example, there are five points: (1, 7), (2, 5), (3, 8), (4, 6) and (5, 9). It's possible to draw a line that passes through points 1, 3, 5, and another one that passes through points 2, 4 and is parallel to the first one. In the second example, while it's possible to draw two lines that cover all points, ...
1,000
[ { "input": "5\n7 5 8 6 9", "output": "Yes" }, { "input": "5\n-1 -2 0 0 -5", "output": "No" }, { "input": "5\n5 4 3 2 1", "output": "No" }, { "input": "5\n1000000000 0 0 0 0", "output": "Yes" }, { "input": "5\n1000000000 1 0 -999999999 -1000000000", "output": "...
1,504,275,763
2,863
PyPy 3
WRONG_ANSWER
PRETESTS
6
93
0
import sys def main(): n = int(input()) s = list(map(int, sys.stdin.readline().split())) p1 = (0, 0) for z in range(2): for i in range(1, n): k = (s[i] - s[0]) / i oka = True okp = False for j in range(1, n): if i == j: ...
Title: Tell Your World Time Limit: None seconds Memory Limit: None megabytes Problem Description: Connect the countless points with lines, till we reach the faraway yonder. There are *n* points on a coordinate plane, the *i*-th of which being (*i*,<=*y**i*). Determine whether it's possible to draw two parallel and...
```python import sys def main(): n = int(input()) s = list(map(int, sys.stdin.readline().split())) p1 = (0, 0) for z in range(2): for i in range(1, n): k = (s[i] - s[0]) / i oka = True okp = False for j in range(1, n): if i == j: ...
0
327
A
Flipping Game
PROGRAMMING
1,200
[ "brute force", "dp", "implementation" ]
null
null
Iahub got bored, so he invented a game to be played on paper. He writes *n* integers *a*1,<=*a*2,<=...,<=*a**n*. Each of those integers can be either 0 or 1. He's allowed to do exactly one move: he chooses two indices *i* and *j* (1<=≤<=*i*<=≤<=*j*<=≤<=*n*) and flips all values *a**k* for which their positions are in...
The first line of the input contains an integer *n* (1<=≤<=*n*<=≤<=100). In the second line of the input there are *n* integers: *a*1,<=*a*2,<=...,<=*a**n*. It is guaranteed that each of those *n* values is either 0 or 1.
Print an integer — the maximal number of 1s that can be obtained after exactly one move.
[ "5\n1 0 0 1 0\n", "4\n1 0 0 1\n" ]
[ "4\n", "4\n" ]
In the first case, flip the segment from 2 to 5 (*i* = 2, *j* = 5). That flip changes the sequence, it becomes: [1 1 1 0 1]. So, it contains four ones. There is no way to make the whole sequence equal to [1 1 1 1 1]. In the second case, flipping only the second and the third element (*i* = 2, *j* = 3) will turn all nu...
500
[ { "input": "5\n1 0 0 1 0", "output": "4" }, { "input": "4\n1 0 0 1", "output": "4" }, { "input": "1\n1", "output": "0" }, { "input": "1\n0", "output": "1" }, { "input": "8\n1 0 0 0 1 0 0 0", "output": "7" }, { "input": "18\n0 0 0 0 0 0 0 0 0 0 0 0 0 0 ...
1,685,207,370
2,147,483,647
PyPy 3-64
WRONG_ANSWER
TESTS
2
92
0
def main(): n=int(input()) a=list(map(int,input().split())) q,w=0,0 for i in range(n): if a[i]==1: q=i+1 break for i in range(n): if a[i]==1: w=i+1 print(w-(q-1)) main()
Title: Flipping Game Time Limit: None seconds Memory Limit: None megabytes Problem Description: Iahub got bored, so he invented a game to be played on paper. He writes *n* integers *a*1,<=*a*2,<=...,<=*a**n*. Each of those integers can be either 0 or 1. He's allowed to do exactly one move: he chooses two indices *...
```python def main(): n=int(input()) a=list(map(int,input().split())) q,w=0,0 for i in range(n): if a[i]==1: q=i+1 break for i in range(n): if a[i]==1: w=i+1 print(w-(q-1)) main() ```
0
985
C
Liebig's Barrels
PROGRAMMING
1,500
[ "greedy" ]
null
null
You have *m*<==<=*n*·*k* wooden staves. The *i*-th stave has length *a**i*. You have to assemble *n* barrels consisting of *k* staves each, you can use any *k* staves to construct a barrel. Each stave must belong to exactly one barrel. Let volume *v**j* of barrel *j* be equal to the length of the minimal stave in it. ...
The first line contains three space-separated integers *n*, *k* and *l* (1<=≤<=*n*,<=*k*<=≤<=105, 1<=≤<=*n*·*k*<=≤<=105, 0<=≤<=*l*<=≤<=109). The second line contains *m*<==<=*n*·*k* space-separated integers *a*1,<=*a*2,<=...,<=*a**m* (1<=≤<=*a**i*<=≤<=109) — lengths of staves.
Print single integer — maximal total sum of the volumes of barrels or 0 if it's impossible to construct exactly *n* barrels satisfying the condition |*v**x*<=-<=*v**y*|<=≤<=*l* for any 1<=≤<=*x*<=≤<=*n* and 1<=≤<=*y*<=≤<=*n*.
[ "4 2 1\n2 2 1 2 3 2 2 3\n", "2 1 0\n10 10\n", "1 2 1\n5 2\n", "3 2 1\n1 2 3 4 5 6\n" ]
[ "7\n", "20\n", "2\n", "0\n" ]
In the first example you can form the following barrels: [1, 2], [2, 2], [2, 3], [2, 3]. In the second example you can form the following barrels: [10], [10]. In the third example you can form the following barrels: [2, 5]. In the fourth example difference between volumes of barrels in any partition is at least 2 so...
0
[ { "input": "4 2 1\n2 2 1 2 3 2 2 3", "output": "7" }, { "input": "2 1 0\n10 10", "output": "20" }, { "input": "1 2 1\n5 2", "output": "2" }, { "input": "3 2 1\n1 2 3 4 5 6", "output": "0" }, { "input": "10 3 189\n267 697 667 4 52 128 85 616 142 344 413 660 962 194...
1,527,171,997
2,147,483,647
Python 3
WRONG_ANSWER
TESTS
6
171
7,884,800
n,k,l = map(int, input().split()) a = sorted(map(int, input().split())) al = a[0] + l from bisect import bisect ni = bisect(a, al) if n > ni: print(0) exit(0) ni = min(ni, (n-1)*k) s = [min(k*i, ni) for i in range(n)] for i in range(n-1, 0, -1): if s[i] <= s[n-1]: s[n-1] = s[i]-1 else: ...
Title: Liebig's Barrels Time Limit: None seconds Memory Limit: None megabytes Problem Description: You have *m*<==<=*n*·*k* wooden staves. The *i*-th stave has length *a**i*. You have to assemble *n* barrels consisting of *k* staves each, you can use any *k* staves to construct a barrel. Each stave must belong to ex...
```python n,k,l = map(int, input().split()) a = sorted(map(int, input().split())) al = a[0] + l from bisect import bisect ni = bisect(a, al) if n > ni: print(0) exit(0) ni = min(ni, (n-1)*k) s = [min(k*i, ni) for i in range(n)] for i in range(n-1, 0, -1): if s[i] <= s[n-1]: s[n-1] = s[i]-1 els...
0