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
53
C
Little Frog
PROGRAMMING
1,200
[ "constructive algorithms" ]
C. Little Frog
2
256
Once upon a time a little frog whose name was Vasya decided to travel around his home swamp. Overall there are *n* mounds on the swamp, located on one line. The distance between the neighboring mounds is one meter. Vasya wants to visit all the mounds in one day; besides, he wants to visit each one exactly once. For tha...
The single line contains a number *n* (1<=≤<=*n*<=≤<=104) which is the number of mounds.
Print *n* integers *p**i* (1<=≤<=*p**i*<=≤<=*n*) which are the frog's route plan. - All the *p**i*'s should be mutually different. - All the |*p**i*–*p**i*<=+<=1|'s should be mutually different (1<=≤<=*i*<=≤<=*n*<=-<=1). If there are several solutions, output any.
[ "2\n", "3\n" ]
[ "1 2 ", "1 3 2 " ]
none
1,500
[ { "input": "2", "output": "1 2 " }, { "input": "3", "output": "1 3 2 " }, { "input": "4", "output": "1 4 2 3 " }, { "input": "5", "output": "1 5 2 4 3 " }, { "input": "6", "output": "1 6 2 5 3 4 " }, { "input": "1", "output": "1 " }, { "inp...
1,607,918,081
2,147,483,647
PyPy 3
OK
TESTS
22
372
4,403,200
import sys input = sys.stdin.readline for _ in range(1): n=int(input()) l,r=1,n while l<r: print(l,end=' ') print(r,end=' ') l+=1 r-=1 if l==r: print(l)
Title: Little Frog Time Limit: 2 seconds Memory Limit: 256 megabytes Problem Description: Once upon a time a little frog whose name was Vasya decided to travel around his home swamp. Overall there are *n* mounds on the swamp, located on one line. The distance between the neighboring mounds is one meter. Vasya wants ...
```python import sys input = sys.stdin.readline for _ in range(1): n=int(input()) l,r=1,n while l<r: print(l,end=' ') print(r,end=' ') l+=1 r-=1 if l==r: print(l) ```
3.898798
584
A
Olesya and Rodion
PROGRAMMING
1,000
[ "math" ]
null
null
Olesya loves numbers consisting of *n* digits, and Rodion only likes numbers that are divisible by *t*. Find some number that satisfies both of them. Your task is: given the *n* and *t* print an integer strictly larger than zero consisting of *n* digits that is divisible by *t*. If such number doesn't exist, print <=-...
The single line contains two numbers, *n* and *t* (1<=≤<=*n*<=≤<=100, 2<=≤<=*t*<=≤<=10) — the length of the number and the number it should be divisible by.
Print one such positive number without leading zeroes, — the answer to the problem, or <=-<=1, if such number doesn't exist. If there are multiple possible answers, you are allowed to print any of them.
[ "3 2\n" ]
[ "712" ]
none
500
[ { "input": "3 2", "output": "222" }, { "input": "2 2", "output": "22" }, { "input": "4 3", "output": "3333" }, { "input": "5 3", "output": "33333" }, { "input": "10 7", "output": "7777777777" }, { "input": "2 9", "output": "99" }, { "input"...
1,680,637,862
2,147,483,647
Python 3
WRONG_ANSWER
TESTS
8
46
0
def sol(): n,t= map(int,input().split()) if t == 10:print(10**(n-1)) else:print(n*str(t)) sol()
Title: Olesya and Rodion Time Limit: None seconds Memory Limit: None megabytes Problem Description: Olesya loves numbers consisting of *n* digits, and Rodion only likes numbers that are divisible by *t*. Find some number that satisfies both of them. Your task is: given the *n* and *t* print an integer strictly larg...
```python def sol(): n,t= map(int,input().split()) if t == 10:print(10**(n-1)) else:print(n*str(t)) sol() ```
0
26
A
Almost Prime
PROGRAMMING
900
[ "number theory" ]
A. Almost Prime
2
256
A number is called almost prime if it has exactly two distinct prime divisors. For example, numbers 6, 18, 24 are almost prime, while 4, 8, 9, 42 are not. Find the amount of almost prime numbers which are between 1 and *n*, inclusive.
Input contains one integer number *n* (1<=≤<=*n*<=≤<=3000).
Output the amount of almost prime numbers between 1 and *n*, inclusive.
[ "10\n", "21\n" ]
[ "2\n", "8\n" ]
none
500
[ { "input": "10", "output": "2" }, { "input": "21", "output": "8" }, { "input": "1", "output": "0" }, { "input": "2", "output": "0" }, { "input": "4", "output": "0" }, { "input": "3", "output": "0" }, { "input": "8", "output": "1" }, ...
1,578,932,387
2,147,483,647
Python 3
TIME_LIMIT_EXCEEDED
TESTS
11
2,000
512,000
def primes(n): prime = [True for i in range(n+1)] p = 2 while (p * p <= n): if (prime[p] == True): for i in range(p * p, n+1, p): prime[i] = False p += 1 l=[] for p in range(2,n): if prime[p]: l.append(p) return l de...
Title: Almost Prime Time Limit: 2 seconds Memory Limit: 256 megabytes Problem Description: A number is called almost prime if it has exactly two distinct prime divisors. For example, numbers 6, 18, 24 are almost prime, while 4, 8, 9, 42 are not. Find the amount of almost prime numbers which are between 1 and *n*, in...
```python def primes(n): prime = [True for i in range(n+1)] p = 2 while (p * p <= n): if (prime[p] == True): for i in range(p * p, n+1, p): prime[i] = False p += 1 l=[] for p in range(2,n): if prime[p]: l.append(p) re...
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,675,113,240
2,147,483,647
PyPy 3-64
WRONG_ANSWER
TESTS
1
46
0
# Source: https://usaco.guide/general/io ''' a, b, c = map(int, input().split()) print("The sum of these three numbers is", a + b + c) ''' words_num = int(input()) for i in range(words_num): word = input() if len(word) < 10: print(word) else: print(word[0] + str(len(word) - 2) + word[-1])
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 # Source: https://usaco.guide/general/io ''' a, b, c = map(int, input().split()) print("The sum of these three numbers is", a + b + c) ''' words_num = int(input()) for i in range(words_num): word = input() if len(word) < 10: print(word) else: print(word[0] + str(len(word) - 2) +...
0
989
A
A Blend of Springtime
PROGRAMMING
900
[ "implementation", "strings" ]
null
null
"What a pity it's already late spring," sighs Mino with regret, "one more drizzling night and they'd be gone." "But these blends are at their best, aren't they?" Absorbed in the landscape, Kanno remains optimistic. The landscape can be expressed as a row of consecutive cells, each of which either contains a flower o...
The first and only line of input contains a non-empty string $s$ consisting of uppercase English letters 'A', 'B', 'C' and characters '.' (dots) only ($\lvert s \rvert \leq 100$) — denoting cells containing an amber flower, a buff one, a canary yellow one, and no flowers, respectively.
Output "Yes" if it's possible that all three colours appear in some cell, and "No" otherwise. You can print each letter in any case (upper or lower).
[ ".BAC.\n", "AA..CB\n" ]
[ "Yes\n", "No\n" ]
In the first example, the buff and canary yellow flowers can leave their petals in the central cell, blending all three colours in it. In the second example, it's impossible to satisfy the requirement because there is no way that amber and buff meet in any cell.
500
[ { "input": ".BAC.", "output": "Yes" }, { "input": "AA..CB", "output": "No" }, { "input": ".", "output": "No" }, { "input": "ACB.AAAAAA", "output": "Yes" }, { "input": "B.BC.BBBCA", "output": "Yes" }, { "input": "BA..CAB..B", "output": "Yes" }, ...
1,528,724,514
414
Python 3
OK
TESTS
37
92
0
r=input() a=['A','B','C'] le=len(r) for i in range(le-2): l=list(r[i:i+3]) l.sort() if l==a: print ("Yes") exit(0) print ("No")
Title: A Blend of Springtime Time Limit: None seconds Memory Limit: None megabytes Problem Description: "What a pity it's already late spring," sighs Mino with regret, "one more drizzling night and they'd be gone." "But these blends are at their best, aren't they?" Absorbed in the landscape, Kanno remains optimisti...
```python r=input() a=['A','B','C'] le=len(r) for i in range(le-2): l=list(r[i:i+3]) l.sort() if l==a: print ("Yes") exit(0) print ("No") ```
3
336
A
Vasily the Bear and Triangle
PROGRAMMING
1,000
[ "implementation", "math" ]
null
null
Vasily the bear has a favorite rectangle, it has one vertex at point (0,<=0), and the opposite vertex at point (*x*,<=*y*). Of course, the sides of Vasya's favorite rectangle are parallel to the coordinate axes. Vasya also loves triangles, if the triangles have one vertex at point *B*<==<=(0,<=0). That's why today he...
The first line contains two integers *x*,<=*y* (<=-<=109<=≤<=*x*,<=*y*<=≤<=109,<=*x*<=≠<=0,<=*y*<=≠<=0).
Print in the single line four integers *x*1,<=*y*1,<=*x*2,<=*y*2 — the coordinates of the required points.
[ "10 5\n", "-10 5\n" ]
[ "0 15 15 0\n", "-15 0 0 15\n" ]
<img class="tex-graphics" src="https://espresso.codeforces.com/a9ea2088c4294ce8f23801562fda36b830df2c3f.png" style="max-width: 100.0%;max-height: 100.0%;"/> Figure to the first sample
500
[ { "input": "10 5", "output": "0 15 15 0" }, { "input": "-10 5", "output": "-15 0 0 15" }, { "input": "20 -10", "output": "0 -30 30 0" }, { "input": "-10 -1000000000", "output": "-1000000010 0 0 -1000000010" }, { "input": "-1000000000 -1000000000", "output": "-...
1,669,715,029
2,147,483,647
PyPy 3-64
WRONG_ANSWER
TESTS
0
92
0
x,y = map(int,input().split()) ax = "" ay = "" if(x<0 and not y<0): a = -1*x + y ax = f"{a} 0" yx = f"0 {a}" elif(not x<0 and not y<0): a = x + y ax = f"0 {a}" yx = f"{a} 0"
Title: Vasily the Bear and Triangle Time Limit: None seconds Memory Limit: None megabytes Problem Description: Vasily the bear has a favorite rectangle, it has one vertex at point (0,<=0), and the opposite vertex at point (*x*,<=*y*). Of course, the sides of Vasya's favorite rectangle are parallel to the coordinate ...
```python x,y = map(int,input().split()) ax = "" ay = "" if(x<0 and not y<0): a = -1*x + y ax = f"{a} 0" yx = f"0 {a}" elif(not x<0 and not y<0): a = x + y ax = f"0 {a}" yx = f"{a} 0" ```
0
205
A
Little Elephant and Rozdil
PROGRAMMING
900
[ "brute force", "implementation" ]
null
null
The Little Elephant loves Ukraine very much. Most of all he loves town Rozdol (ukr. "Rozdil"). However, Rozdil is dangerous to settle, so the Little Elephant wants to go to some other town. The Little Elephant doesn't like to spend much time on travelling, so for his journey he will choose a town that needs minimum ti...
The first line contains a single integer *n* (1<=≤<=*n*<=≤<=105) — the number of cities. The next line contains *n* integers, separated by single spaces: the *i*-th integer represents the time needed to go from town Rozdil to the *i*-th town. The time values are positive integers, not exceeding 109. You can consider t...
Print the answer on a single line — the number of the town the Little Elephant will go to. If there are multiple cities with minimum travel time, print "Still Rozdil" (without the quotes).
[ "2\n7 4\n", "7\n7 4 47 100 4 9 12\n" ]
[ "2\n", "Still Rozdil\n" ]
In the first sample there are only two cities where the Little Elephant can go. The travel time for the first town equals 7, to the second one — 4. The town which is closest to Rodzil (the only one) is the second one, so the answer is 2. In the second sample the closest cities are cities two and five, the travelling t...
500
[ { "input": "2\n7 4", "output": "2" }, { "input": "7\n7 4 47 100 4 9 12", "output": "Still Rozdil" }, { "input": "1\n47", "output": "1" }, { "input": "2\n1000000000 1000000000", "output": "Still Rozdil" }, { "input": "7\n7 6 5 4 3 2 1", "output": "7" }, { ...
1,629,523,163
2,147,483,647
PyPy 3
OK
TESTS
45
404
30,924,800
n,ct=int(input()),list(map(int,input().split())) print('Still Rozdil' if ct.count(min(ct))>1 else ct.index(min(ct))+1)
Title: Little Elephant and Rozdil Time Limit: None seconds Memory Limit: None megabytes Problem Description: The Little Elephant loves Ukraine very much. Most of all he loves town Rozdol (ukr. "Rozdil"). However, Rozdil is dangerous to settle, so the Little Elephant wants to go to some other town. The Little Elepha...
```python n,ct=int(input()),list(map(int,input().split())) print('Still Rozdil' if ct.count(min(ct))>1 else ct.index(min(ct))+1) ```
3
851
A
Arpa and a research in Mexican wave
PROGRAMMING
800
[ "implementation", "math" ]
null
null
Arpa is researching the Mexican wave. There are *n* spectators in the stadium, labeled from 1 to *n*. They start the Mexican wave at time 0. - At time 1, the first spectator stands. - At time 2, the second spectator stands. - ... - At time *k*, the *k*-th spectator stands. - At time *k*<=+<=1, the (*k*<=+<=1)-t...
The first line contains three integers *n*, *k*, *t* (1<=≤<=*n*<=≤<=109, 1<=≤<=*k*<=≤<=*n*, 1<=≤<=*t*<=&lt;<=*n*<=+<=*k*).
Print single integer: how many spectators are standing at time *t*.
[ "10 5 3\n", "10 5 7\n", "10 5 12\n" ]
[ "3\n", "5\n", "3\n" ]
In the following a sitting spectator is represented as -, a standing spectator is represented as ^. - At *t* = 0  ---------- <img align="middle" class="tex-formula" src="https://espresso.codeforces.com/4d97e684117250a9afe9be022ab8a63653dd15aa.png" style="max-width: 100.0%;max-height: 100.0%;"/> number of standing spe...
500
[ { "input": "10 5 3", "output": "3" }, { "input": "10 5 7", "output": "5" }, { "input": "10 5 12", "output": "3" }, { "input": "840585600 770678331 788528791", "output": "770678331" }, { "input": "25462281 23343504 8024619", "output": "8024619" }, { "in...
1,659,535,691
2,147,483,647
PyPy 3-64
OK
TESTS
166
62
0
import sys n, k, t = (int(el) for el in input().split()) if t <= k: print(t) sys.exit() if t >= k and t <= n: print(k) sys.exit() print(k - (t - n))
Title: Arpa and a research in Mexican wave Time Limit: None seconds Memory Limit: None megabytes Problem Description: Arpa is researching the Mexican wave. There are *n* spectators in the stadium, labeled from 1 to *n*. They start the Mexican wave at time 0. - At time 1, the first spectator stands. - At time 2,...
```python import sys n, k, t = (int(el) for el in input().split()) if t <= k: print(t) sys.exit() if t >= k and t <= n: print(k) sys.exit() print(k - (t - n)) ```
3
334
A
Candy Bags
PROGRAMMING
1,000
[ "implementation" ]
null
null
Gerald has *n* younger brothers and their number happens to be even. One day he bought *n*2 candy bags. One bag has one candy, one bag has two candies, one bag has three candies and so on. In fact, for each integer *k* from 1 to *n*2 he has exactly one bag with *k* candies. Help him give *n* bags of candies to each b...
The single line contains a single integer *n* (*n* is even, 2<=≤<=*n*<=≤<=100) — the number of Gerald's brothers.
Let's assume that Gerald indexes his brothers with numbers from 1 to *n*. You need to print *n* lines, on the *i*-th line print *n* integers — the numbers of candies in the bags for the *i*-th brother. Naturally, all these numbers should be distinct and be within limits from 1 to *n*2. You can print the numbers in the ...
[ "2\n" ]
[ "1 4\n2 3\n" ]
The sample shows Gerald's actions if he has two brothers. In this case, his bags contain 1, 2, 3 and 4 candies. He can give the bags with 1 and 4 candies to one brother and the bags with 2 and 3 to the other brother.
500
[ { "input": "2", "output": "1 4\n2 3" }, { "input": "4", "output": "1 16 2 15\n3 14 4 13\n5 12 6 11\n7 10 8 9" }, { "input": "6", "output": "1 36 2 35 3 34\n4 33 5 32 6 31\n7 30 8 29 9 28\n10 27 11 26 12 25\n13 24 14 23 15 22\n16 21 17 20 18 19" }, { "input": "8", "output"...
1,694,004,892
2,147,483,647
Python 3
WRONG_ANSWER
TESTS
0
60
0
n=int(input()) cand=n**2 s=0 for i in range(1,cand+1): s=s+i result=[] t=[i for i in range (1,cand+1)] for i in range (n): for j in range (n//2): result.append(max(t)) result.append(min(t)) t.remove(max(t)) t.remove(min(t)) print(result) result=[] ...
Title: Candy Bags Time Limit: None seconds Memory Limit: None megabytes Problem Description: Gerald has *n* younger brothers and their number happens to be even. One day he bought *n*2 candy bags. One bag has one candy, one bag has two candies, one bag has three candies and so on. In fact, for each integer *k* from ...
```python n=int(input()) cand=n**2 s=0 for i in range(1,cand+1): s=s+i result=[] t=[i for i in range (1,cand+1)] for i in range (n): for j in range (n//2): result.append(max(t)) result.append(min(t)) t.remove(max(t)) t.remove(min(t)) print(result) result=[...
0
465
B
Inbox (100500)
PROGRAMMING
1,000
[ "implementation" ]
null
null
Over time, Alexey's mail box got littered with too many letters. Some of them are read, while others are unread. Alexey's mail program can either show a list of all letters or show the content of a single letter. As soon as the program shows the content of an unread letter, it becomes read letter (if the program shows...
The first line contains a single integer *n* (1<=≤<=*n*<=≤<=1000) — the number of letters in the mailbox. The second line contains *n* space-separated integers (zeros and ones) — the state of the letter list. The *i*-th number equals either 1, if the *i*-th number is unread, or 0, if the *i*-th letter is read.
Print a single number — the minimum number of operations needed to make all the letters read.
[ "5\n0 1 0 1 0\n", "5\n1 1 0 0 1\n", "2\n0 0\n" ]
[ "3\n", "4\n", "0\n" ]
In the first sample Alexey needs three operations to cope with the task: open the second letter, move to the third one, move to the fourth one. In the second sample the action plan: open the first letter, move to the second letter, return to the list, open the fifth letter. In the third sample all letters are already...
1,000
[ { "input": "5\n0 1 0 1 0", "output": "3" }, { "input": "5\n1 1 0 0 1", "output": "4" }, { "input": "2\n0 0", "output": "0" }, { "input": "9\n1 0 1 0 1 0 1 0 1", "output": "9" }, { "input": "5\n1 1 1 1 1", "output": "5" }, { "input": "14\n0 0 1 1 1 0 1 ...
1,565,844,617
2,147,483,647
Python 3
COMPILATION_ERROR
TESTS
0
0
0
1000 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 ...
Title: Inbox (100500) Time Limit: None seconds Memory Limit: None megabytes Problem Description: Over time, Alexey's mail box got littered with too many letters. Some of them are read, while others are unread. Alexey's mail program can either show a list of all letters or show the content of a single letter. As soo...
```python 1000 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 ...
-1
754
A
Lesha and array splitting
PROGRAMMING
1,200
[ "constructive algorithms", "greedy", "implementation" ]
null
null
One spring day on his way to university Lesha found an array *A*. Lesha likes to split arrays into several parts. This time Lesha decided to split the array *A* into several, possibly one, new arrays so that the sum of elements in each of the new arrays is not zero. One more condition is that if we place the new arrays...
The first line contains single integer *n* (1<=≤<=*n*<=≤<=100) — the number of elements in the array *A*. The next line contains *n* integers *a*1,<=*a*2,<=...,<=*a**n* (<=-<=103<=≤<=*a**i*<=≤<=103) — the elements of the array *A*.
If it is not possible to split the array *A* and satisfy all the constraints, print single line containing "NO" (without quotes). Otherwise in the first line print "YES" (without quotes). In the next line print single integer *k* — the number of new arrays. In each of the next *k* lines print two integers *l**i* and *...
[ "3\n1 2 -3\n", "8\n9 -12 3 4 -4 -10 7 3\n", "1\n0\n", "4\n1 2 3 -5\n" ]
[ "YES\n2\n1 2\n3 3\n", "YES\n2\n1 2\n3 8\n", "NO\n", "YES\n4\n1 1\n2 2\n3 3\n4 4\n" ]
none
500
[ { "input": "3\n1 2 -3", "output": "YES\n3\n1 1\n2 2\n3 3" }, { "input": "8\n9 -12 3 4 -4 -10 7 3", "output": "YES\n8\n1 1\n2 2\n3 3\n4 4\n5 5\n6 6\n7 7\n8 8" }, { "input": "1\n0", "output": "NO" }, { "input": "4\n1 2 3 -5", "output": "YES\n4\n1 1\n2 2\n3 3\n4 4" }, { ...
1,640,956,843
2,147,483,647
Python 3
COMPILATION_ERROR
TESTS
0
0
0
t = int(input()) s = list(map(int,input().split())) if (s.count(0)==t) : print("NO") else : print("YES") x = sum(s) if x! = 0 : print(1) print(1, t) else : for i in range(t) : x -= s[i] if x! = 0 : print(2) print(1, i + 1) print(i + 2, t) ...
Title: Lesha and array splitting Time Limit: None seconds Memory Limit: None megabytes Problem Description: One spring day on his way to university Lesha found an array *A*. Lesha likes to split arrays into several parts. This time Lesha decided to split the array *A* into several, possibly one, new arrays so that t...
```python t = int(input()) s = list(map(int,input().split())) if (s.count(0)==t) : print("NO") else : print("YES") x = sum(s) if x! = 0 : print(1) print(1, t) else : for i in range(t) : x -= s[i] if x! = 0 : print(2) print(1, i + 1) print(i + 2, ...
-1
9
A
Die Roll
PROGRAMMING
800
[ "math", "probabilities" ]
A. Die Roll
1
64
Yakko, Wakko and Dot, world-famous animaniacs, decided to rest from acting in cartoons, and take a leave to travel a bit. Yakko dreamt to go to Pennsylvania, his Motherland and the Motherland of his ancestors. Wakko thought about Tasmania, its beaches, sun and sea. Dot chose Transylvania as the most mysterious and unpr...
The only line of the input file contains two natural numbers Y and W — the results of Yakko's and Wakko's die rolls.
Output the required probability in the form of irreducible fraction in format «A/B», where A — the numerator, and B — the denominator. If the required probability equals to zero, output «0/1». If the required probability equals to 1, output «1/1».
[ "4 2\n" ]
[ "1/2\n" ]
Dot will go to Transylvania, if she is lucky to roll 4, 5 or 6 points.
0
[ { "input": "4 2", "output": "1/2" }, { "input": "1 1", "output": "1/1" }, { "input": "1 2", "output": "5/6" }, { "input": "1 3", "output": "2/3" }, { "input": "1 4", "output": "1/2" }, { "input": "1 5", "output": "1/3" }, { "input": "1 6", ...
1,645,143,077
2,147,483,647
Python 3
RUNTIME_ERROR
TESTS
0
30
0
x=int(input()) y=int(input()) z=max(x,y) if z==1: print("1/1") elif z==2: print("5/6") elif z==3: print("2/3") elif z==4: print("1/2") elif z==5: print("1/3") elif z==6: print("1/6") else : print("0/6")
Title: Die Roll Time Limit: 1 seconds Memory Limit: 64 megabytes Problem Description: Yakko, Wakko and Dot, world-famous animaniacs, decided to rest from acting in cartoons, and take a leave to travel a bit. Yakko dreamt to go to Pennsylvania, his Motherland and the Motherland of his ancestors. Wakko thought about T...
```python x=int(input()) y=int(input()) z=max(x,y) if z==1: print("1/1") elif z==2: print("5/6") elif z==3: print("2/3") elif z==4: print("1/2") elif z==5: print("1/3") elif z==6: print("1/6") else : print("0/6") ```
-1
955
B
Not simply beatiful strings
PROGRAMMING
1,400
[ "implementation" ]
null
null
Let's call a string adorable if its letters can be realigned in such a way that they form two consequent groups of equal symbols (note that different groups must contain different symbols). For example, ababa is adorable (you can transform it to aaabb, where the first three letters form a group of *a*-s and others — a ...
The only line contains *s* (1<=≤<=|*s*|<=≤<=105) consisting of lowercase latin letters.
Print «Yes» if the string can be split according to the criteria above or «No» otherwise. Each letter can be printed in arbitrary case.
[ "ababa\n", "zzcxx\n", "yeee\n" ]
[ "Yes\n", "Yes\n", "No\n" ]
In sample case two zzcxx can be split into subsequences zc and zxx each of which is adorable. There's no suitable partition in sample case three.
1,000
[ { "input": "ababa", "output": "Yes" }, { "input": "zzcxx", "output": "Yes" }, { "input": "yeee", "output": "No" }, { "input": "a", "output": "No" }, { "input": "bbab", "output": "No" }, { "input": "abcd", "output": "Yes" }, { "input": "abc"...
1,521,824,501
1,601
Python 3
RUNTIME_ERROR
PRETESTS
0
77
7,168,000
from collections import defaultdict s = input() m = defaultdict(int) for c in s: m[c] += 1 cnts = [j for i,j in m] if len(s) < 4 or len(cnts) > 4 or len(cnts) == 1 or (len(cnts) == 2 and min(cnts) == 1): print("No") else: print("Yes")
Title: Not simply beatiful strings Time Limit: None seconds Memory Limit: None megabytes Problem Description: Let's call a string adorable if its letters can be realigned in such a way that they form two consequent groups of equal symbols (note that different groups must contain different symbols). For example, abab...
```python from collections import defaultdict s = input() m = defaultdict(int) for c in s: m[c] += 1 cnts = [j for i,j in m] if len(s) < 4 or len(cnts) > 4 or len(cnts) == 1 or (len(cnts) == 2 and min(cnts) == 1): print("No") else: print("Yes") ```
-1
215
A
Bicycle Chain
PROGRAMMING
900
[ "brute force", "implementation" ]
null
null
Vasya's bicycle chain drive consists of two parts: *n* stars are attached to the pedal axle, *m* stars are attached to the rear wheel axle. The chain helps to rotate the rear wheel by transmitting the pedal rotation. We know that the *i*-th star on the pedal axle has *a**i* (0<=&lt;<=*a*1<=&lt;<=*a*2<=&lt;<=...<=&lt;<...
The first input line contains integer *n* (1<=≤<=*n*<=≤<=50) — the number of stars on the bicycle's pedal axle. The second line contains *n* integers *a*1,<=*a*2,<=...,<=*a**n* (1<=≤<=*a**i*<=≤<=104) in the order of strict increasing. The third input line contains integer *m* (1<=≤<=*m*<=≤<=50) — the number of stars o...
Print the number of "integer" gears with the maximum ratio among all "integer" gears.
[ "2\n4 5\n3\n12 13 15\n", "4\n1 2 3 4\n5\n10 11 12 13 14\n" ]
[ "2\n", "1\n" ]
In the first sample the maximum "integer" gear ratio equals 3. There are two gears that have such gear ratio. For one of them *a*<sub class="lower-index">1</sub> = 4, *b*<sub class="lower-index">1</sub> = 12, and for the other *a*<sub class="lower-index">2</sub> = 5, *b*<sub class="lower-index">3</sub> = 15.
500
[ { "input": "2\n4 5\n3\n12 13 15", "output": "2" }, { "input": "4\n1 2 3 4\n5\n10 11 12 13 14", "output": "1" }, { "input": "1\n1\n1\n1", "output": "1" }, { "input": "2\n1 2\n1\n1", "output": "1" }, { "input": "1\n1\n2\n1 2", "output": "1" }, { "input":...
1,588,870,773
2,147,483,647
Python 3
COMPILATION_ERROR
TESTS
0
0
0
public class A { public static void main(String[] args) { Scanner in = new Scanner(System.in); int n = in.nextInt(); int[] a = new int[n]; for (int i = 0; i < n; i++) { a[i] = in.nextInt(); } int m = in.nextInt(); int[] b = new i...
Title: Bicycle Chain Time Limit: None seconds Memory Limit: None megabytes Problem Description: Vasya's bicycle chain drive consists of two parts: *n* stars are attached to the pedal axle, *m* stars are attached to the rear wheel axle. The chain helps to rotate the rear wheel by transmitting the pedal rotation. We ...
```python public class A { public static void main(String[] args) { Scanner in = new Scanner(System.in); int n = in.nextInt(); int[] a = new int[n]; for (int i = 0; i < n; i++) { a[i] = in.nextInt(); } int m = in.nextInt(); int[]...
-1
294
A
Shaass and Oskols
PROGRAMMING
800
[ "implementation", "math" ]
null
null
Shaass has decided to hunt some birds. There are *n* horizontal electricity wires aligned parallel to each other. Wires are numbered 1 to *n* from top to bottom. On each wire there are some oskols sitting next to each other. Oskol is the name of a delicious kind of birds in Shaass's territory. Supposed there are *a**i*...
The first line of the input contains an integer *n*, (1<=≤<=*n*<=≤<=100). The next line contains a list of space-separated integers *a*1,<=*a*2,<=...,<=*a**n*, (0<=≤<=*a**i*<=≤<=100). The third line contains an integer *m*, (0<=≤<=*m*<=≤<=100). Each of the next *m* lines contains two integers *x**i* and *y**i*. The i...
On the *i*-th line of the output print the number of birds on the *i*-th wire.
[ "5\n10 10 10 10 10\n5\n2 5\n3 13\n2 12\n1 13\n4 6\n", "3\n2 4 1\n1\n2 2\n" ]
[ "0\n12\n5\n0\n16\n", "3\n0\n3\n" ]
none
500
[ { "input": "5\n10 10 10 10 10\n5\n2 5\n3 13\n2 12\n1 13\n4 6", "output": "0\n12\n5\n0\n16" }, { "input": "3\n2 4 1\n1\n2 2", "output": "3\n0\n3" }, { "input": "5\n58 51 45 27 48\n5\n4 9\n5 15\n4 5\n5 8\n1 43", "output": "0\n66\n57\n7\n0" }, { "input": "10\n48 53 10 28 91 56 8...
1,676,639,194
2,147,483,647
Python 3
OK
TESTS
31
124
0
n = int(input()) list_a = [int(x) for x in input().split(' ')] list_a.append(0) m = int(input()) for i in range(m): list_m = [int(x) for x in input().split(' ')] pos = list_m[0] - 1 val = list_m[1] list_a[pos + 1] += list_a[pos] - val list_a[pos - 1] += val - 1 list_a[pos] = 0 for j i...
Title: Shaass and Oskols Time Limit: None seconds Memory Limit: None megabytes Problem Description: Shaass has decided to hunt some birds. There are *n* horizontal electricity wires aligned parallel to each other. Wires are numbered 1 to *n* from top to bottom. On each wire there are some oskols sitting next to each...
```python n = int(input()) list_a = [int(x) for x in input().split(' ')] list_a.append(0) m = int(input()) for i in range(m): list_m = [int(x) for x in input().split(' ')] pos = list_m[0] - 1 val = list_m[1] list_a[pos + 1] += list_a[pos] - val list_a[pos - 1] += val - 1 list_a[pos] = ...
3
567
A
Lineland Mail
PROGRAMMING
900
[ "greedy", "implementation" ]
null
null
All cities of Lineland are located on the *Ox* coordinate axis. Thus, each city is associated with its position *x**i* — a coordinate on the *Ox* axis. No two cities are located at a single point. Lineland residents love to send letters to each other. A person may send a letter only if the recipient lives in another c...
The first line of the input contains integer *n* (2<=≤<=*n*<=≤<=105) — the number of cities in Lineland. The second line contains the sequence of *n* distinct integers *x*1,<=*x*2,<=...,<=*x**n* (<=-<=109<=≤<=*x**i*<=≤<=109), where *x**i* is the *x*-coordinate of the *i*-th city. All the *x**i*'s are distinct and follo...
Print *n* lines, the *i*-th line must contain two integers *min**i*,<=*max**i*, separated by a space, where *min**i* is the minimum cost of sending a letter from the *i*-th city, and *max**i* is the maximum cost of sending a letter from the *i*-th city.
[ "4\n-5 -2 2 7\n", "2\n-1 1\n" ]
[ "3 12\n3 9\n4 7\n5 12\n", "2 2\n2 2\n" ]
none
500
[ { "input": "4\n-5 -2 2 7", "output": "3 12\n3 9\n4 7\n5 12" }, { "input": "2\n-1 1", "output": "2 2\n2 2" }, { "input": "3\n-1 0 1", "output": "1 2\n1 1\n1 2" }, { "input": "4\n-1 0 1 3", "output": "1 4\n1 3\n1 2\n2 4" }, { "input": "3\n-1000000000 0 1000000000", ...
1,650,318,614
2,147,483,647
Python 3
TIME_LIMIT_EXCEEDED
TESTS
10
3,000
5,529,600
""" input().split() """ n = int(input()) p = input().split() for i in range(0, n): minimum_temp = abs(int(max(p) * 10)) maximum_temp = 0 for x in range(0, n): if int(p[i]) == int(p[x]): pass else: value = abs(int(p[x]) - int(p[i])) if(v...
Title: Lineland Mail Time Limit: None seconds Memory Limit: None megabytes Problem Description: All cities of Lineland are located on the *Ox* coordinate axis. Thus, each city is associated with its position *x**i* — a coordinate on the *Ox* axis. No two cities are located at a single point. Lineland residents love...
```python """ input().split() """ n = int(input()) p = input().split() for i in range(0, n): minimum_temp = abs(int(max(p) * 10)) maximum_temp = 0 for x in range(0, n): if int(p[i]) == int(p[x]): pass else: value = abs(int(p[x]) - int(p[i])) ...
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,489,514
3,014
Python 3
OK
TESTS
73
62
5,632,000
new_login = input() def is_similar(login1, login2): return login1.replace('O', '0').replace('o', '0').replace('l', '1').replace('L', '1').replace('I', '1').replace('i', '1').lower()==login2.replace('O', '0').replace('o', '0').replace('l', '1').replace('L', '1').replace('I', '1').replace('i', '1').lower() for...
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 new_login = input() def is_similar(login1, login2): return login1.replace('O', '0').replace('o', '0').replace('l', '1').replace('L', '1').replace('I', '1').replace('i', '1').lower()==login2.replace('O', '0').replace('o', '0').replace('l', '1').replace('L', '1').replace('I', '1').replace('i', '1').lowe...
3
920
A
Water The Garden
PROGRAMMING
1,000
[ "implementation" ]
null
null
It is winter now, and Max decided it's about time he watered the garden. The garden can be represented as *n* consecutive garden beds, numbered from 1 to *n*. *k* beds contain water taps (*i*-th tap is located in the bed *x**i*), which, if turned on, start delivering water to neighbouring beds. If the tap on the bed *...
The first line contains one integer *t* — the number of test cases to solve (1<=≤<=*t*<=≤<=200). Then *t* test cases follow. The first line of each test case contains two integers *n* and *k* (1<=≤<=*n*<=≤<=200, 1<=≤<=*k*<=≤<=*n*) — the number of garden beds and water taps, respectively. Next line contains *k* intege...
For each test case print one integer — the minimum number of seconds that have to pass after Max turns on some of the water taps, until the whole garden is watered.
[ "3\n5 1\n3\n3 3\n1 2 3\n4 1\n1\n" ]
[ "3\n1\n4\n" ]
The first example consists of 3 tests: 1. There are 5 garden beds, and a water tap in the bed 3. If we turn it on, then after 1 second passes, only bed 3 will be watered; after 2 seconds pass, beds [1, 3] will be watered, and after 3 seconds pass, everything will be watered. 1. There are 3 garden beds, and there is ...
0
[ { "input": "3\n5 1\n3\n3 3\n1 2 3\n4 1\n1", "output": "3\n1\n4" }, { "input": "26\n1 1\n1\n2 1\n2\n2 1\n1\n2 2\n1 2\n3 1\n3\n3 1\n2\n3 2\n2 3\n3 1\n1\n3 2\n1 3\n3 2\n1 2\n3 3\n1 2 3\n4 1\n4\n4 1\n3\n4 2\n3 4\n4 1\n2\n4 2\n2 4\n4 2\n2 3\n4 3\n2 3 4\n4 1\n1\n4 2\n1 4\n4 2\n1 3\n4 3\n1 3 4\n4 2\n1 2\n4...
1,517,583,000
900
Python 3
OK
TESTS
21
93
5,632,000
# A import math t = int(input()) ans = [] for _ in range(t): n, k = map(int, input().split()) taps = input().split() for i in range(k): taps[i] = int(taps[i]) max_time = 0 for i in range(n): min_time = 1000 for j in range(k): min_time = min(min_...
Title: Water The Garden Time Limit: None seconds Memory Limit: None megabytes Problem Description: It is winter now, and Max decided it's about time he watered the garden. The garden can be represented as *n* consecutive garden beds, numbered from 1 to *n*. *k* beds contain water taps (*i*-th tap is located in the ...
```python # A import math t = int(input()) ans = [] for _ in range(t): n, k = map(int, input().split()) taps = input().split() for i in range(k): taps[i] = int(taps[i]) max_time = 0 for i in range(n): min_time = 1000 for j in range(k): min_time ...
3
49
A
Sleuth
PROGRAMMING
800
[ "implementation" ]
A. Sleuth
2
256
Vasya plays the sleuth with his friends. The rules of the game are as follows: those who play for the first time, that is Vasya is the sleuth, he should investigate a "crime" and find out what is happening. He can ask any questions whatsoever that can be answered with "Yes" or "No". All the rest agree beforehand to ans...
The single line contains a question represented by a non-empty line consisting of large and small Latin letters, spaces and a question mark. The line length does not exceed 100. It is guaranteed that the question mark occurs exactly once in the line — as the last symbol and that the line contains at least one letter.
Print answer for the question in a single line: YES if the answer is "Yes", NO if the answer is "No". Remember that in the reply to the question the last letter, not the last character counts. I. e. the spaces and the question mark do not count as letters.
[ "Is it a melon?\n", "Is it an apple?\n", "Is it a banana ?\n", "Is it an apple and a banana simultaneouSLY?\n" ]
[ "NO\n", "YES\n", "YES\n", "YES\n" ]
none
500
[ { "input": "Is it a melon?", "output": "NO" }, { "input": "Is it an apple?", "output": "YES" }, { "input": " Is it a banana ?", "output": "YES" }, { "input": "Is it an apple and a banana simultaneouSLY?", "output": "YES" }, { "input": "oHtSbDwzHb?", ...
1,660,795,828
2,147,483,647
Python 3
OK
TESTS
35
92
0
s = input() for i in s[::-1]: if i.isalpha(): if i.lower() in ["a", "e", "o","u","y", "i"]: print("YES") else: print("NO") break
Title: Sleuth Time Limit: 2 seconds Memory Limit: 256 megabytes Problem Description: Vasya plays the sleuth with his friends. The rules of the game are as follows: those who play for the first time, that is Vasya is the sleuth, he should investigate a "crime" and find out what is happening. He can ask any questions ...
```python s = input() for i in s[::-1]: if i.isalpha(): if i.lower() in ["a", "e", "o","u","y", "i"]: print("YES") else: print("NO") break ```
3.977
630
A
Again Twenty Five!
PROGRAMMING
800
[ "number theory" ]
null
null
The HR manager was disappointed again. The last applicant failed the interview the same way as 24 previous ones. "Do I give such a hard task?" — the HR manager thought. "Just raise number 5 to the power of *n* and get last two digits of the number. Yes, of course, *n* can be rather big, and one cannot find the power us...
The only line of the input contains a single integer *n* (2<=≤<=*n*<=≤<=2·1018) — the power in which you need to raise number 5.
Output the last two digits of 5*n* without spaces between them.
[ "2\n" ]
[ "25" ]
none
0
[ { "input": "2", "output": "25" }, { "input": "7", "output": "25" }, { "input": "1000000000000000000", "output": "25" }, { "input": "2000000000000000000", "output": "25" }, { "input": "987654321012345678", "output": "25" } ]
1,698,053,923
2,147,483,647
Python 3
OK
TESTS
5
31
0
n = input();print('25')
Title: Again Twenty Five! Time Limit: None seconds Memory Limit: None megabytes Problem Description: The HR manager was disappointed again. The last applicant failed the interview the same way as 24 previous ones. "Do I give such a hard task?" — the HR manager thought. "Just raise number 5 to the power of *n* and ge...
```python n = input();print('25') ```
3
258
A
Little Elephant and Bits
PROGRAMMING
1,100
[ "greedy", "math" ]
null
null
The Little Elephant has an integer *a*, written in the binary notation. He wants to write this number on a piece of paper. To make sure that the number *a* fits on the piece of paper, the Little Elephant ought to delete exactly one any digit from number *a* in the binary record. At that a new number appears. It consis...
The single line contains integer *a*, written in the binary notation without leading zeroes. This number contains more than 1 and at most 105 digits.
In the single line print the number that is written without leading zeroes in the binary notation — the answer to the problem.
[ "101\n", "110010\n" ]
[ "11\n", "11010\n" ]
In the first sample the best strategy is to delete the second digit. That results in number 11<sub class="lower-index">2</sub> = 3<sub class="lower-index">10</sub>. In the second sample the best strategy is to delete the third or fourth digits — that results in number 11010<sub class="lower-index">2</sub> = 26<sub cla...
500
[ { "input": "101", "output": "11" }, { "input": "110010", "output": "11010" }, { "input": "10000", "output": "1000" }, { "input": "1111111110", "output": "111111111" }, { "input": "10100101011110101", "output": "1100101011110101" }, { "input": "11101001...
1,567,277,240
2,147,483,647
PyPy 3
OK
TESTS
37
310
3,379,200
string=list(input()) if '0' in string: string.remove('0') print(''.join(string)) else: string.remove('1') print(''.join(string))
Title: Little Elephant and Bits Time Limit: None seconds Memory Limit: None megabytes Problem Description: The Little Elephant has an integer *a*, written in the binary notation. He wants to write this number on a piece of paper. To make sure that the number *a* fits on the piece of paper, the Little Elephant ought...
```python string=list(input()) if '0' in string: string.remove('0') print(''.join(string)) else: string.remove('1') print(''.join(string)) ```
3
431
B
Shower Line
PROGRAMMING
1,200
[ "brute force", "implementation" ]
null
null
Many students live in a dormitory. A dormitory is a whole new world of funny amusements and possibilities but it does have its drawbacks. There is only one shower and there are multiple students who wish to have a shower in the morning. That's why every morning there is a line of five people in front of the dormitory...
The input consists of five lines, each line contains five space-separated integers: the *j*-th number in the *i*-th line shows *g**ij* (0<=≤<=*g**ij*<=≤<=105). It is guaranteed that *g**ii*<==<=0 for all *i*. Assume that the students are numbered from 1 to 5.
Print a single integer — the maximum possible total happiness of the students.
[ "0 0 0 0 9\n0 0 0 0 0\n0 0 0 0 0\n0 0 0 0 0\n7 0 0 0 0\n", "0 43 21 18 2\n3 0 21 11 65\n5 2 0 1 4\n54 62 12 0 99\n87 64 81 33 0\n" ]
[ "32\n", "620\n" ]
In the first sample, the optimal arrangement of the line is 23154. In this case, the total happiness equals:
1,500
[ { "input": "0 0 0 0 9\n0 0 0 0 0\n0 0 0 0 0\n0 0 0 0 0\n7 0 0 0 0", "output": "32" }, { "input": "0 43 21 18 2\n3 0 21 11 65\n5 2 0 1 4\n54 62 12 0 99\n87 64 81 33 0", "output": "620" }, { "input": "0 4 2 4 9\n6 0 2 5 0\n2 5 0 6 3\n6 3 3 0 10\n0 3 1 3 0", "output": "63" }, { ...
1,685,466,479
2,147,483,647
Python 3
RUNTIME_ERROR
TESTS
0
30
102,400
t = [0] * 6 mp = [[0] * 6 for _ in range(6)] ans = 0 def chk(): tmp = [False] * 6 for i in range(5): if tmp[t[i]]: return False else: tmp[t[i]] = True return True t[0] = 5 t[1] = 4 t[2] = 3 t[3] = 2 t[4] = 1 t[5] = 0 for i in range(1, 6): f...
Title: Shower Line Time Limit: None seconds Memory Limit: None megabytes Problem Description: Many students live in a dormitory. A dormitory is a whole new world of funny amusements and possibilities but it does have its drawbacks. There is only one shower and there are multiple students who wish to have a shower ...
```python t = [0] * 6 mp = [[0] * 6 for _ in range(6)] ans = 0 def chk(): tmp = [False] * 6 for i in range(5): if tmp[t[i]]: return False else: tmp[t[i]] = True return True t[0] = 5 t[1] = 4 t[2] = 3 t[3] = 2 t[4] = 1 t[5] = 0 for i in range(1, ...
-1
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,661,799,404
2,147,483,647
PyPy 3
WRONG_ANSWER
TESTS
1
154
0
def funn(e, b): if e == b: return "NO" list_e = e.split() list_b = b.split() if list_e.sort() == list_b.sort(): return "YES" else: return "NO" e = input() b = input() print(funn(e, b))
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 def funn(e, b): if e == b: return "NO" list_e = e.split() list_b = b.split() if list_e.sort() == list_b.sort(): return "YES" else: return "NO" e = input() b = input() print(funn(e, b)) ```
0
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,646,680,153
2,147,483,647
Python 3
WRONG_ANSWER
TESTS
2
31
0
First_string = input() Second_string = input() n = 0 if len(First_string) == len(Second_string) and First_string != Second_string: for i in First_string: if i not in Second_string: n+= 1 print(n) elif First_string == Second_string : print(-1) else: print(len(max(First_st...
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 First_string = input() Second_string = input() n = 0 if len(First_string) == len(Second_string) and First_string != Second_string: for i in First_string: if i not in Second_string: n+= 1 print(n) elif First_string == Second_string : print(-1) else: print(len(ma...
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,685,090,845
2,147,483,647
Python 3
OK
TESTS
31
92
0
num = int(input()) juise = input().split(' ') total = 0.000000000000 for i in range(num): piece = float(juise[i])/100 total += piece present = (total/num)*100 print(round(present, 12))
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 num = int(input()) juise = input().split(' ') total = 0.000000000000 for i in range(num): piece = float(juise[i])/100 total += piece present = (total/num)*100 print(round(present, 12)) ```
3
625
A
Guest From the Past
PROGRAMMING
1,700
[ "implementation", "math" ]
null
null
Kolya Gerasimov loves kefir very much. He lives in year 1984 and knows all the details of buying this delicious drink. One day, as you probably know, he found himself in year 2084, and buying kefir there is much more complicated. Kolya is hungry, so he went to the nearest milk shop. In 2084 you may buy kefir in a plas...
First line of the input contains a single integer *n* (1<=≤<=*n*<=≤<=1018) — the number of rubles Kolya has at the beginning. Then follow three lines containing integers *a*, *b* and *c* (1<=≤<=*a*<=≤<=1018, 1<=≤<=*c*<=&lt;<=*b*<=≤<=1018) — the cost of one plastic liter bottle, the cost of one glass liter bottle and t...
Print the only integer — maximum number of liters of kefir, that Kolya can drink.
[ "10\n11\n9\n8\n", "10\n5\n6\n1\n" ]
[ "2\n", "2\n" ]
In the first sample, Kolya can buy one glass bottle, then return it and buy one more glass bottle. Thus he will drink 2 liters of kefir. In the second sample, Kolya can buy two plastic bottle and get two liters of kefir, or he can buy one liter glass bottle, then return it and buy one plastic bottle. In both cases he ...
750
[ { "input": "10\n11\n9\n8", "output": "2" }, { "input": "10\n5\n6\n1", "output": "2" }, { "input": "2\n2\n2\n1", "output": "1" }, { "input": "10\n3\n3\n1", "output": "4" }, { "input": "10\n1\n2\n1", "output": "10" }, { "input": "10\n2\n3\n1", "outpu...
1,454,854,753
2,147,483,647
Python 3
TIME_LIMIT_EXCEEDED
TESTS
1
1,000
0
def main(): n = int(input()) a = int(input()) b = int(input()) c = int(input()) answer = 0 while n >= min(a, b): if a < abs(b - c): q = n // a n -= a * q answer += q else: q = n // b n -= b * q ...
Title: Guest From the Past Time Limit: None seconds Memory Limit: None megabytes Problem Description: Kolya Gerasimov loves kefir very much. He lives in year 1984 and knows all the details of buying this delicious drink. One day, as you probably know, he found himself in year 2084, and buying kefir there is much mor...
```python def main(): n = int(input()) a = int(input()) b = int(input()) c = int(input()) answer = 0 while n >= min(a, b): if a < abs(b - c): q = n // a n -= a * q answer += q else: q = n // b n -= b * q...
0
203
C
Photographer
PROGRAMMING
1,400
[ "greedy", "sortings" ]
null
null
Valera's lifelong ambition was to be a photographer, so he bought a new camera. Every day he got more and more clients asking for photos, and one day Valera needed a program that would determine the maximum number of people he can serve. The camera's memory is *d* megabytes. Valera's camera can take photos of high and...
The first line contains two integers *n* and *d* (1<=≤<=*n*<=≤<=105,<=1<=≤<=*d*<=≤<=109) — the number of clients and the camera memory size, correspondingly. The second line contains two integers *a* and *b* (1<=≤<=*a*<=≤<=*b*<=≤<=104) — the size of one low quality photo and of one high quality photo, correspondingly. ...
On the first line print the answer to the problem — the maximum number of clients that Valera can successfully serve. Print on the second line the numbers of the client in any order. All numbers must be distinct. If there are multiple answers, print any of them. The clients are numbered starting with 1 in the order in ...
[ "3 10\n2 3\n1 4\n2 1\n1 0\n", "3 6\n6 6\n1 1\n1 0\n1 0\n" ]
[ "2\n3 2 ", "1\n2 " ]
none
1,500
[ { "input": "3 10\n2 3\n1 4\n2 1\n1 0", "output": "2\n3 2 " }, { "input": "3 6\n6 6\n1 1\n1 0\n1 0", "output": "1\n2 " }, { "input": "4 5\n6 8\n1 2\n3 0\n10 2\n0 4", "output": "0" }, { "input": "4 10\n6 6\n1 2\n2 2\n0 0\n0 0", "output": "2\n3 4 " }, { "input": "10 ...
1,451,414,576
2,147,483,647
Python 3
COMPILATION_ERROR
TESTS
0
0
0
#include <bits/stdc++.h> #define IOS ios_base::sync_with_stdio(false), cin.tie(0) #define MP make_pair #define PB push_back #define FI first #define SE second #define ALL(a) (a).begin(),(a).end() #define SZ(a) ((long long int)(a).size()) #define SIGN(x) (((x)>0)-((x)<0)) #define FOR(i,b,e,s) for(i=(...
Title: Photographer Time Limit: None seconds Memory Limit: None megabytes Problem Description: Valera's lifelong ambition was to be a photographer, so he bought a new camera. Every day he got more and more clients asking for photos, and one day Valera needed a program that would determine the maximum number of peopl...
```python #include <bits/stdc++.h> #define IOS ios_base::sync_with_stdio(false), cin.tie(0) #define MP make_pair #define PB push_back #define FI first #define SE second #define ALL(a) (a).begin(),(a).end() #define SZ(a) ((long long int)(a).size()) #define SIGN(x) (((x)>0)-((x)<0)) #define FOR(i,b,e,...
-1
306
A
Candies
PROGRAMMING
800
[ "implementation" ]
null
null
Polycarpus has got *n* candies and *m* friends (*n*<=≥<=*m*). He wants to make a New Year present with candies to each friend. Polycarpus is planning to present all candies and he wants to do this in the fairest (that is, most equal) manner. He wants to choose such *a**i*, where *a**i* is the number of candies in the *...
The single line of the input contains a pair of space-separated positive integers *n*, *m* (1<=≤<=*n*,<=*m*<=≤<=100;*n*<=≥<=*m*) — the number of candies and the number of Polycarpus's friends.
Print the required sequence *a*1,<=*a*2,<=...,<=*a**m*, where *a**i* is the number of candies in the *i*-th friend's present. All numbers *a**i* must be positive integers, total up to *n*, the maximum one should differ from the minimum one by the smallest possible value.
[ "12 3\n", "15 4\n", "18 7\n" ]
[ "4 4 4 ", "3 4 4 4 ", "2 2 2 3 3 3 3 " ]
Print *a*<sub class="lower-index">*i*</sub> in any order, separate the numbers by spaces.
500
[ { "input": "12 4", "output": "3 3 3 3 " }, { "input": "15 6", "output": "2 2 2 3 3 3 " }, { "input": "18 8", "output": "2 2 2 2 2 2 3 3 " }, { "input": "1 1", "output": "1 " }, { "input": "2 1", "output": "2 " }, { "input": "100 1", "output": "100 ...
1,631,647,926
2,147,483,647
Python 3
OK
TESTS
20
154
6,758,400
n,m = map(int, input().split()) l = [n//m]*(m-n%m) + [n//m+1]*(n%m) print(*l)
Title: Candies Time Limit: None seconds Memory Limit: None megabytes Problem Description: Polycarpus has got *n* candies and *m* friends (*n*<=≥<=*m*). He wants to make a New Year present with candies to each friend. Polycarpus is planning to present all candies and he wants to do this in the fairest (that is, most ...
```python n,m = map(int, input().split()) l = [n//m]*(m-n%m) + [n//m+1]*(n%m) print(*l) ```
3
911
C
Three Garlands
PROGRAMMING
1,400
[ "brute force", "constructive algorithms" ]
null
null
Mishka is decorating the Christmas tree. He has got three garlands, and all of them will be put on the tree. After that Mishka will switch these garlands on. When a garland is switched on, it periodically changes its state — sometimes it is lit, sometimes not. Formally, if *i*-th garland is switched on during *x*-th s...
The first line contains three integers *k*1, *k*2 and *k*3 (1<=≤<=*k**i*<=≤<=1500) — time intervals of the garlands.
If Mishka can choose moments of time to switch on the garlands in such a way that each second after switching the garlands on at least one garland will be lit, print YES. Otherwise, print NO.
[ "2 2 3\n", "4 2 3\n" ]
[ "YES\n", "NO\n" ]
In the first example Mishka can choose *x*<sub class="lower-index">1</sub> = 1, *x*<sub class="lower-index">2</sub> = 2, *x*<sub class="lower-index">3</sub> = 1. The first garland will be lit during seconds 1, 3, 5, 7, ..., the second — 2, 4, 6, 8, ..., which already cover all the seconds after the 2-nd one. It doesn't...
0
[ { "input": "2 2 3", "output": "YES" }, { "input": "4 2 3", "output": "NO" }, { "input": "1499 1498 1500", "output": "NO" }, { "input": "1500 1500 1500", "output": "NO" }, { "input": "100 4 1", "output": "YES" }, { "input": "4 2 4", "output": "YES" ...
1,515,668,526
2,147,483,647
Python 3
WRONG_ANSWER
TESTS
5
61
5,632,000
l = [0,0,0,0] for i in filter(lambda x: x < 4, map(int, input().split(' '))): l[i] += 1 if any(l[i] == i for i in range(1,4)): print("YES") else: print("NO")
Title: Three Garlands Time Limit: None seconds Memory Limit: None megabytes Problem Description: Mishka is decorating the Christmas tree. He has got three garlands, and all of them will be put on the tree. After that Mishka will switch these garlands on. When a garland is switched on, it periodically changes its st...
```python l = [0,0,0,0] for i in filter(lambda x: x < 4, map(int, input().split(' '))): l[i] += 1 if any(l[i] == i for i in range(1,4)): print("YES") else: print("NO") ```
0
893
C
Rumor
PROGRAMMING
1,300
[ "dfs and similar", "graphs", "greedy" ]
null
null
Vova promised himself that he would never play computer games... But recently Firestorm — a well-known game developing company — published their newest game, World of Farcraft, and it became really popular. Of course, Vova started playing it. Now he tries to solve a quest. The task is to come to a settlement named Ove...
The first line contains two integer numbers *n* and *m* (1<=≤<=*n*<=≤<=105,<=0<=≤<=*m*<=≤<=105) — the number of characters in Overcity and the number of pairs of friends. The second line contains *n* integer numbers *c**i* (0<=≤<=*c**i*<=≤<=109) — the amount of gold *i*-th character asks to start spreading the rumor. ...
Print one number — the minimum amount of gold Vova has to spend in order to finish the quest.
[ "5 2\n2 5 3 4 8\n1 4\n4 5\n", "10 0\n1 2 3 4 5 6 7 8 9 10\n", "10 5\n1 6 2 7 3 8 4 9 5 10\n1 2\n3 4\n5 6\n7 8\n9 10\n" ]
[ "10\n", "55\n", "15\n" ]
In the first example the best decision is to bribe the first character (he will spread the rumor to fourth character, and the fourth one will spread it to fifth). Also Vova has to bribe the second and the third characters, so they know the rumor. In the second example Vova has to bribe everyone. In the third example ...
0
[ { "input": "5 2\n2 5 3 4 8\n1 4\n4 5", "output": "10" }, { "input": "10 0\n1 2 3 4 5 6 7 8 9 10", "output": "55" }, { "input": "10 5\n1 6 2 7 3 8 4 9 5 10\n1 2\n3 4\n5 6\n7 8\n9 10", "output": "15" }, { "input": "1 0\n0", "output": "0" }, { "input": "1 0\n10000000...
1,598,980,647
2,147,483,647
PyPy 3
MEMORY_LIMIT_EXCEEDED
TESTS
0
234
268,390,400
import sys import threading sys.setrecursionlimit(1000000) threading.stack_size(10**8) MOD = 1000000007 ii = lambda : int(input()) si = lambda : input() dgl = lambda : list(map(int, input())) f = lambda : map(int, input().split()) il = lambda : list(map(int, input().split())) ls = lambda : list(input())...
Title: Rumor Time Limit: None seconds Memory Limit: None megabytes Problem Description: Vova promised himself that he would never play computer games... But recently Firestorm — a well-known game developing company — published their newest game, World of Farcraft, and it became really popular. Of course, Vova starte...
```python import sys import threading sys.setrecursionlimit(1000000) threading.stack_size(10**8) MOD = 1000000007 ii = lambda : int(input()) si = lambda : input() dgl = lambda : list(map(int, input())) f = lambda : map(int, input().split()) il = lambda : list(map(int, input().split())) ls = lambda : lis...
0
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,692,886,717
2,147,483,647
Python 3
OK
TESTS
20
46
0
import math n,m,a=map(int,input().split()) ans=math.ceil(n/a)*math.ceil(m/a) print(ans) #23
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 import math n,m,a=map(int,input().split()) ans=math.ceil(n/a)*math.ceil(m/a) print(ans) #23 ```
3.977
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,682,880,772
2,147,483,647
Python 3
RUNTIME_ERROR
TESTS
0
46
0
n = int(input()) s=0 d=0 cards = [] cards = input().split(' ') for i in range (0,n-1): if (i %2 == 0): if (int(cards[0]) <= int(cards[-1])) : s += int(cards[-1]) cards.pop(-1) if (cards[0] > cards[-1]) : s += int(cards[0]) cards.pop(0) ...
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()) s=0 d=0 cards = [] cards = input().split(' ') for i in range (0,n-1): if (i %2 == 0): if (int(cards[0]) <= int(cards[-1])) : s += int(cards[-1]) cards.pop(-1) if (cards[0] > cards[-1]) : s += int(cards[0]) cards.p...
-1
999
A
Mishka and Contest
PROGRAMMING
800
[ "brute force", "implementation" ]
null
null
Mishka started participating in a programming contest. There are $n$ problems in the contest. Mishka's problem-solving skill is equal to $k$. Mishka arranges all problems from the contest into a list. Because of his weird principles, Mishka only solves problems from one of the ends of the list. Every time, he chooses ...
The first line of input contains two integers $n$ and $k$ ($1 \le n, k \le 100$) — the number of problems in the contest and Mishka's problem-solving skill. The second line of input contains $n$ integers $a_1, a_2, \dots, a_n$ ($1 \le a_i \le 100$), where $a_i$ is the difficulty of the $i$-th problem. The problems are...
Print one integer — the maximum number of problems Mishka can solve.
[ "8 4\n4 2 3 1 5 1 6 4\n", "5 2\n3 1 2 1 3\n", "5 100\n12 34 55 43 21\n" ]
[ "5\n", "0\n", "5\n" ]
In the first example, Mishka can solve problems in the following order: $[4, 2, 3, 1, 5, 1, 6, 4] \rightarrow [2, 3, 1, 5, 1, 6, 4] \rightarrow [2, 3, 1, 5, 1, 6] \rightarrow [3, 1, 5, 1, 6] \rightarrow [1, 5, 1, 6] \rightarrow [5, 1, 6]$, so the number of solved problems will be equal to $5$. In the second example, M...
0
[ { "input": "8 4\n4 2 3 1 5 1 6 4", "output": "5" }, { "input": "5 2\n3 1 2 1 3", "output": "0" }, { "input": "5 100\n12 34 55 43 21", "output": "5" }, { "input": "100 100\n44 47 36 83 76 94 86 69 31 2 22 77 37 51 10 19 25 78 53 25 1 29 48 95 35 53 22 72 49 86 60 38 13 91 89 1...
1,617,276,532
2,147,483,647
Python 3
OK
TESTS
48
77
0
n,k = map(int,input().split()) li = list(map(int,input().split())) i = l = 0 j =n-1 count = 0 while i<=j: if li[i]<=k: count+=1 i+=1 elif li[j]<=k: j-=1 count+=1 else: break print(count)
Title: Mishka and Contest Time Limit: None seconds Memory Limit: None megabytes Problem Description: Mishka started participating in a programming contest. There are $n$ problems in the contest. Mishka's problem-solving skill is equal to $k$. Mishka arranges all problems from the contest into a list. Because of his...
```python n,k = map(int,input().split()) li = list(map(int,input().split())) i = l = 0 j =n-1 count = 0 while i<=j: if li[i]<=k: count+=1 i+=1 elif li[j]<=k: j-=1 count+=1 else: break print(count) ```
3
924
B
Three-level Laser
PROGRAMMING
1,600
[ "binary search", "greedy", "two pointers" ]
null
null
An atom of element X can exist in *n* distinct states with energies *E*1<=&lt;<=*E*2<=&lt;<=...<=&lt;<=*E**n*. Arkady wants to build a laser on this element, using a three-level scheme. Here is a simplified description of the scheme. Three distinct states *i*, *j* and *k* are selected, where *i*<=&lt;<=*j*<=&lt;<=*k*...
The first line contains two integers *n* and *U* (3<=≤<=*n*<=≤<=105, 1<=≤<=*U*<=≤<=109) — the number of states and the maximum possible difference between *E**k* and *E**i*. The second line contains a sequence of integers *E*1,<=*E*2,<=...,<=*E**n* (1<=≤<=*E*1<=&lt;<=*E*2...<=&lt;<=*E**n*<=≤<=109). It is guaranteed th...
If it is not possible to choose three states that satisfy all constraints, print -1. Otherwise, print one real number η — the maximum possible energy conversion efficiency. Your answer is considered correct its absolute or relative error does not exceed 10<=-<=9. Formally, let your answer be *a*, and the jury's answe...
[ "4 4\n1 3 5 7\n", "10 8\n10 13 15 16 17 19 20 22 24 25\n", "3 1\n2 5 10\n" ]
[ "0.5\n", "0.875\n", "-1\n" ]
In the first example choose states 1, 2 and 3, so that the energy conversion efficiency becomes equal to <img align="middle" class="tex-formula" src="https://espresso.codeforces.com/147ae7a830722917b0aa37d064df8eb74cfefb97.png" style="max-width: 100.0%;max-height: 100.0%;"/>. In the second example choose states 4, 5 a...
1,000
[ { "input": "4 4\n1 3 5 7", "output": "0.5" }, { "input": "10 8\n10 13 15 16 17 19 20 22 24 25", "output": "0.875" }, { "input": "3 1\n2 5 10", "output": "-1" }, { "input": "5 3\n4 6 8 9 10", "output": "0.5" }, { "input": "10 128\n110 121 140 158 174 188 251 271 27...
1,581,623,561
2,147,483,647
PyPy 3
WRONG_ANSWER
TESTS
0
93
0
n, u = [int(x) for x in input().split()] energy = [] best = 0 for next in [int(x) for x in input().split()]: if len(energy) < 3: energy.append(next) continue if next - energy[0] > u: best = max((energy[-1] - energy[1]) / (energy[-1] - energy[0]), best) while next - energ...
Title: Three-level Laser Time Limit: None seconds Memory Limit: None megabytes Problem Description: An atom of element X can exist in *n* distinct states with energies *E*1<=&lt;<=*E*2<=&lt;<=...<=&lt;<=*E**n*. Arkady wants to build a laser on this element, using a three-level scheme. Here is a simplified descriptio...
```python n, u = [int(x) for x in input().split()] energy = [] best = 0 for next in [int(x) for x in input().split()]: if len(energy) < 3: energy.append(next) continue if next - energy[0] > u: best = max((energy[-1] - energy[1]) / (energy[-1] - energy[0]), best) while ne...
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,611,322,406
2,147,483,647
Python 3
COMPILATION_ERROR
TESTS
0
0
0
t=input() s = "hello" i = 0 for j in t: if j == s[i]: i += 1 if i == len(s): print("YES") 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 t=input() s = "hello" i = 0 for j in t: if j == s[i]: i += 1 if i == len(s): print("YES") print("NO") ```
-1
981
A
Antipalindrome
PROGRAMMING
900
[ "brute force", "implementation", "strings" ]
null
null
A string is a palindrome if it reads the same from the left to the right and from the right to the left. For example, the strings "kek", "abacaba", "r" and "papicipap" are palindromes, while the strings "abb" and "iq" are not. A substring $s[l \ldots r]$ ($1<=\leq<=l<=\leq<=r<=\leq<=|s|$) of a string $s<==<=s_{1}s_{2}...
The first line contains a non-empty string $s$ with length at most $50$ characters, containing lowercase English letters only.
If there is such a substring in $s$ that is not a palindrome, print the maximum length of such a substring. Otherwise print $0$. Note that there can be multiple longest substrings that are not palindromes, but their length is unique.
[ "mew\n", "wuffuw\n", "qqqqqqqq\n" ]
[ "3\n", "5\n", "0\n" ]
"mew" is not a palindrome, so the longest substring of it that is not a palindrome, is the string "mew" itself. Thus, the answer for the first example is $3$. The string "uffuw" is one of the longest non-palindrome substrings (of length $5$) of the string "wuffuw", so the answer for the second example is $5$. All sub...
500
[ { "input": "mew", "output": "3" }, { "input": "wuffuw", "output": "5" }, { "input": "qqqqqqqq", "output": "0" }, { "input": "ijvji", "output": "4" }, { "input": "iiiiiii", "output": "0" }, { "input": "wobervhvvkihcuyjtmqhaaigvvgiaahqmtjyuchikvvhvrebow"...
1,674,916,285
2,147,483,647
Python 3
OK
TESTS
133
46
0
str=input() if(str==str[::-1]): y=str[0] flag=0 for i in range(1,len(str)): if(str[i]!=str[0]): flag=1 print(len(str)-1) break if(flag==0): print("0") else: print(len(str))
Title: Antipalindrome Time Limit: None seconds Memory Limit: None megabytes Problem Description: A string is a palindrome if it reads the same from the left to the right and from the right to the left. For example, the strings "kek", "abacaba", "r" and "papicipap" are palindromes, while the strings "abb" and "iq" ar...
```python str=input() if(str==str[::-1]): y=str[0] flag=0 for i in range(1,len(str)): if(str[i]!=str[0]): flag=1 print(len(str)-1) break if(flag==0): print("0") else: print(len(str)) ```
3
982
A
Row
PROGRAMMING
1,200
[ "brute force", "constructive algorithms" ]
null
null
You're given a row with $n$ chairs. We call a seating of people "maximal" if the two following conditions hold: 1. There are no neighbors adjacent to anyone seated. 1. It's impossible to seat one more person without violating the first rule. The seating is given as a string consisting of zeros and ones ($0$ means t...
The first line contains a single integer $n$ ($1 \leq n \leq 1000$) — the number of chairs. The next line contains a string of $n$ characters, each of them is either zero or one, describing the seating.
Output "Yes" (without quotation marks) if the seating is "maximal". Otherwise print "No". You are allowed to print letters in whatever case you'd like (uppercase or lowercase).
[ "3\n101\n", "4\n1011\n", "5\n10001\n" ]
[ "Yes\n", "No\n", "No\n" ]
In sample case one the given seating is maximal. In sample case two the person at chair three has a neighbour to the right. In sample case three it is possible to seat yet another person into chair three.
500
[ { "input": "3\n101", "output": "Yes" }, { "input": "4\n1011", "output": "No" }, { "input": "5\n10001", "output": "No" }, { "input": "1\n0", "output": "No" }, { "input": "1\n1", "output": "Yes" }, { "input": "100\n010100101010100101001001010100101010010...
1,529,065,922
2,147,483,647
Python 3
WRONG_ANSWER
TESTS
7
92
0
n = int(input()) s = input() if s.rfind('000') == - 1 and s.rfind('11') == -1 and s != '0' and s != '00': print('Yes') else: print('NO')
Title: Row Time Limit: None seconds Memory Limit: None megabytes Problem Description: You're given a row with $n$ chairs. We call a seating of people "maximal" if the two following conditions hold: 1. There are no neighbors adjacent to anyone seated. 1. It's impossible to seat one more person without violating th...
```python n = int(input()) s = input() if s.rfind('000') == - 1 and s.rfind('11') == -1 and s != '0' and s != '00': print('Yes') else: print('NO') ```
0
32
A
Reconnaissance
PROGRAMMING
800
[ "brute force" ]
A. Reconnaissance
2
256
According to the regulations of Berland's army, a reconnaissance unit should consist of exactly two soldiers. Since these two soldiers shouldn't differ much, their heights can differ by at most *d* centimeters. Captain Bob has *n* soldiers in his detachment. Their heights are *a*1,<=*a*2,<=...,<=*a**n* centimeters. Som...
The first line contains two integers *n* and *d* (1<=≤<=*n*<=≤<=1000,<=1<=≤<=*d*<=≤<=109) — amount of soldiers in Bob's detachment and the maximum allowed height difference respectively. The second line contains *n* space-separated integers — heights of all the soldiers in Bob's detachment. These numbers don't exceed 1...
Output one number — amount of ways to form a reconnaissance unit of two soldiers, whose height difference doesn't exceed *d*.
[ "5 10\n10 20 50 60 65\n", "5 1\n55 30 29 31 55\n" ]
[ "6\n", "6\n" ]
none
500
[ { "input": "5 10\n10 20 50 60 65", "output": "6" }, { "input": "5 1\n55 30 29 31 55", "output": "6" }, { "input": "6 10\n4 6 4 1 9 3", "output": "30" }, { "input": "7 100\n19 1694 261 162 1 234 513", "output": "8" }, { "input": "8 42\n37 53 74 187 568 22 5 65", ...
1,602,138,416
2,147,483,647
PyPy 3
RUNTIME_ERROR
TESTS
0
374
2,150,400
a = input() b = input() heights = input().split() heights.sort() sum = 0 for i in range(a): for j in range [i, a]: if heights[j]-heights[i]<=d : sum = sum +2 else: break print(sum)
Title: Reconnaissance Time Limit: 2 seconds Memory Limit: 256 megabytes Problem Description: According to the regulations of Berland's army, a reconnaissance unit should consist of exactly two soldiers. Since these two soldiers shouldn't differ much, their heights can differ by at most *d* centimeters. Captain Bob h...
```python a = input() b = input() heights = input().split() heights.sort() sum = 0 for i in range(a): for j in range [i, a]: if heights[j]-heights[i]<=d : sum = sum +2 else: break print(sum) ```
-1
265
A
Colorful Stones (Simplified Edition)
PROGRAMMING
800
[ "implementation" ]
null
null
There is a sequence of colorful stones. The color of each stone is one of red, green, or blue. You are given a string *s*. The *i*-th (1-based) character of *s* represents the color of the *i*-th stone. If the character is "R", "G", or "B", the color of the corresponding stone is red, green, or blue, respectively. Ini...
The input contains two lines. The first line contains the string *s* (1<=≤<=|*s*|<=≤<=50). The second line contains the string *t* (1<=≤<=|*t*|<=≤<=50). The characters of each string will be one of "R", "G", or "B". It is guaranteed that Liss don't move out of the sequence.
Print the final 1-based position of Liss in a single line.
[ "RGB\nRRR\n", "RRRBGBRBBB\nBBBRR\n", "BRRBGBRGRBGRGRRGGBGBGBRGBRGRGGGRBRRRBRBBBGRRRGGBBB\nBBRBGGRGRGBBBRBGRBRBBBBRBRRRBGBBGBBRRBBGGRBRRBRGRB\n" ]
[ "2\n", "3\n", "15\n" ]
none
500
[ { "input": "RGB\nRRR", "output": "2" }, { "input": "RRRBGBRBBB\nBBBRR", "output": "3" }, { "input": "BRRBGBRGRBGRGRRGGBGBGBRGBRGRGGGRBRRRBRBBBGRRRGGBBB\nBBRBGGRGRGBBBRBGRBRBBBBRBRRRBGBBGBBRRBBGGRBRRBRGRB", "output": "15" }, { "input": "G\nRRBBRBRRBR", "output": "1" }, ...
1,695,020,628
2,147,483,647
Python 3
COMPILATION_ERROR
TESTS
0
0
0
stones = input() intrs = input() p = 0 for l in intrs: if intrs[i] == stones[p]: p += 1 print(p+= 1)
Title: Colorful Stones (Simplified Edition) Time Limit: None seconds Memory Limit: None megabytes Problem Description: There is a sequence of colorful stones. The color of each stone is one of red, green, or blue. You are given a string *s*. The *i*-th (1-based) character of *s* represents the color of the *i*-th st...
```python stones = input() intrs = input() p = 0 for l in intrs: if intrs[i] == stones[p]: p += 1 print(p+= 1) ```
-1
929
B
Места в самолёте
PROGRAMMING
1,300
[ "*special", "implementation" ]
null
null
В самолёте есть *n* рядов мест. Если смотреть на ряды сверху, то в каждом ряду есть 3 места слева, затем проход между рядами, затем 4 центральных места, затем ещё один проход между рядами, а затем ещё 3 места справа. Известно, что некоторые места уже заняты пассажирами. Всего есть два вида пассажиров — статусные (те, ...
В первой строке следуют два целых числа *n* и *k* (1<=≤<=*n*<=≤<=100, 1<=≤<=*k*<=≤<=10·*n*) — количество рядов мест в самолёте и количество пассажиров, которых нужно рассадить. Далее следует описание рядов мест самолёта по одному ряду в строке. Если очередной символ равен '-', то это проход между рядами. Если очередно...
В первую строку выведите минимальное суммарное число соседей у статусных пассажиров. Далее выведите план рассадки пассажиров, который минимизирует суммарное количество соседей у статусных пассажиров, в том же формате, что и во входных данных. Если в свободное место нужно посадить одного из *k* пассажиров, выведите стр...
[ "1 2\nSP.-SS.S-S.S\n", "4 9\nPP.-PPPS-S.S\nPSP-PPSP-.S.\n.S.-S..P-SS.\nP.S-P.PP-PSP\n" ]
[ "5\nSPx-SSxS-S.S\n", "15\nPPx-PPPS-S.S\nPSP-PPSP-xSx\nxSx-SxxP-SSx\nP.S-PxPP-PSP\n" ]
В первом примере нужно посадить ещё двух обычных пассажиров. Для минимизации соседей у статусных пассажиров, нужно посадить первого из них на третье слева место, а второго на любое из оставшихся двух мест, так как независимо от выбора места он станет соседом двух статусных пассажиров. Изначально, у статусного пассажи...
1,000
[ { "input": "1 2\nSP.-SS.S-S.S", "output": "5\nSPx-SSxS-S.S" }, { "input": "4 9\nPP.-PPPS-S.S\nPSP-PPSP-.S.\n.S.-S..P-SS.\nP.S-P.PP-PSP", "output": "15\nPPx-PPPS-S.S\nPSP-PPSP-xSx\nxSx-SxxP-SSx\nP.S-PxPP-PSP" }, { "input": "3 7\n.S.-SSSP-..S\nS..-.SPP-S.P\n.S.-PPPP-PSP", "output": "13...
1,520,079,229
74,329
Python 3
OK
TESTS
47
77
6,451,200
s = [] indxs = [] n, k = map(int, input().split()) t = 0 for i in range(n): row = list(input().upper()) ind = [] for j in range(len(row)): if row[j] == '.': ind.append(j) elif row[j] == 'S': if j > 0 and (row[j - 1] == 'P' or row[j - 1] == 'S'): t += 1 ...
Title: Места в самолёте Time Limit: None seconds Memory Limit: None megabytes Problem Description: В самолёте есть *n* рядов мест. Если смотреть на ряды сверху, то в каждом ряду есть 3 места слева, затем проход между рядами, затем 4 центральных места, затем ещё один проход между рядами, а затем ещё 3 места справа. ...
```python s = [] indxs = [] n, k = map(int, input().split()) t = 0 for i in range(n): row = list(input().upper()) ind = [] for j in range(len(row)): if row[j] == '.': ind.append(j) elif row[j] == 'S': if j > 0 and (row[j - 1] == 'P' or row[j - 1] == 'S'): t...
3
604
B
More Cowbell
PROGRAMMING
1,400
[ "binary search", "greedy" ]
null
null
Kevin Sun wants to move his precious collection of *n* cowbells from Naperthrill to Exeter, where there is actually grass instead of corn. Before moving, he must pack his cowbells into *k* boxes of a fixed size. In order to keep his collection safe during transportation, he won't place more than two cowbells into a sin...
The first line of the input contains two space-separated integers *n* and *k* (1<=≤<=*n*<=≤<=2·*k*<=≤<=100<=000), denoting the number of cowbells and the number of boxes, respectively. The next line contains *n* space-separated integers *s*1,<=*s*2,<=...,<=*s**n* (1<=≤<=*s*1<=≤<=*s*2<=≤<=...<=≤<=*s**n*<=≤<=1<=000<=000...
Print a single integer, the smallest *s* for which it is possible for Kevin to put all of his cowbells into *k* boxes of size *s*.
[ "2 1\n2 5\n", "4 3\n2 3 5 9\n", "3 2\n3 5 7\n" ]
[ "7\n", "9\n", "8\n" ]
In the first sample, Kevin must pack his two cowbells into the same box. In the second sample, Kevin can pack together the following sets of cowbells: {2, 3}, {5} and {9}. In the third sample, the optimal solution is {3, 5} and {7}.
1,000
[ { "input": "2 1\n2 5", "output": "7" }, { "input": "4 3\n2 3 5 9", "output": "9" }, { "input": "3 2\n3 5 7", "output": "8" }, { "input": "20 11\n1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 1", "output": "2" }, { "input": "10 10\n3 15 31 61 63 63 68 94 98 100", "outp...
1,463,589,150
2,147,483,647
Python 3
WRONG_ANSWER
TESTS
0
62
4,608,000
def main(): pass def solver(L, k): n = len(L) if k >= n: return L[len(L) - 1] else: maximum = L[len(L) - 1] pack2s = L[:2 * (n - k)] for i in range(n - k): size = pack2s[i] + pack2s[len(pack2s) - i - 1] if size > maximum: maximum = size return maximum L1 = [2, 5] k1 = 1 prin...
Title: More Cowbell Time Limit: None seconds Memory Limit: None megabytes Problem Description: Kevin Sun wants to move his precious collection of *n* cowbells from Naperthrill to Exeter, where there is actually grass instead of corn. Before moving, he must pack his cowbells into *k* boxes of a fixed size. In order t...
```python def main(): pass def solver(L, k): n = len(L) if k >= n: return L[len(L) - 1] else: maximum = L[len(L) - 1] pack2s = L[:2 * (n - k)] for i in range(n - k): size = pack2s[i] + pack2s[len(pack2s) - i - 1] if size > maximum: maximum = size return maximum L1 = [2, 5] k1...
0
35
D
Animals
PROGRAMMING
1,700
[ "dp", "greedy" ]
D. Animals
2
64
Once upon a time DravDe, an outstanding person famous for his professional achievements (as you must remember, he works in a warehouse storing Ogudar-Olok, a magical but non-alcoholic drink) came home after a hard day. That day he had to drink 9875 boxes of the drink and, having come home, he went to bed at once. Drav...
The first input line contains integers *n* and *X* (1<=≤<=*n*<=≤<=100,<=1<=≤<=*X*<=≤<=104) — amount of days in DravDe’s dream and the total amount of food (in tons) that was there initially. The second line contains integers *c**i* (1<=≤<=*c**i*<=≤<=300). Numbers in the second line are divided by a space.
Output the only number — the maximum possible amount of animals on the farm by the end of the *n*-th day given that the food was enough for everybody.
[ "3 4\n1 1 1\n", "3 6\n1 1 1\n" ]
[ "2\n", "3\n" ]
Note to the first example: DravDe leaves the second and the third animal on the farm. The second animal will eat one ton of food on the second day and one ton on the third day. The third animal will eat one ton of food on the third day.
2,000
[ { "input": "3 4\n1 1 1", "output": "2" }, { "input": "3 6\n1 1 1", "output": "3" }, { "input": "1 12\n1", "output": "1" }, { "input": "3 100\n1 1 1", "output": "3" }, { "input": "5 75\n1 1 1 1 1", "output": "5" }, { "input": "7 115\n1 1 1 1 1 1 1", ...
1,670,554,166
2,147,483,647
Python 3
WRONG_ANSWER
TESTS
10
92
0
def animals(days, food, C): f = [0] * days E = [0] * days daily_food_consumed = 0 food_available = food for i in range((days)): f[i] = f[i-1] + C[i] if (food_available >= f[i]): E[i] = E[i-1] + 1 food_available -= f[i] daily_food_consumed += C[i] ...
Title: Animals Time Limit: 2 seconds Memory Limit: 64 megabytes Problem Description: Once upon a time DravDe, an outstanding person famous for his professional achievements (as you must remember, he works in a warehouse storing Ogudar-Olok, a magical but non-alcoholic drink) came home after a hard day. That day he h...
```python def animals(days, food, C): f = [0] * days E = [0] * days daily_food_consumed = 0 food_available = food for i in range((days)): f[i] = f[i-1] + C[i] if (food_available >= f[i]): E[i] = E[i-1] + 1 food_available -= f[i] daily_food_consumed...
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,678,571,081
2,147,483,647
Python 3
OK
TESTS
23
498
14,233,600
a = int(input());*q, = map(int, input().split());print(a - max(q.count(1), q.count(2), q.count(3)))
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 a = int(input());*q, = map(int, input().split());print(a - max(q.count(1), q.count(2), q.count(3))) ```
3.848988
697
A
Pineapple Incident
PROGRAMMING
900
[ "implementation", "math" ]
null
null
Ted has a pineapple. This pineapple is able to bark like a bulldog! At time *t* (in seconds) it barks for the first time. Then every *s* seconds after it, it barks twice with 1 second interval. Thus it barks at times *t*, *t*<=+<=*s*, *t*<=+<=*s*<=+<=1, *t*<=+<=2*s*, *t*<=+<=2*s*<=+<=1, etc. Barney woke up in the morn...
The first and only line of input contains three integers *t*, *s* and *x* (0<=≤<=*t*,<=*x*<=≤<=109, 2<=≤<=*s*<=≤<=109) — the time the pineapple barks for the first time, the pineapple barking interval, and the time Barney wants to eat the pineapple respectively.
Print a single "YES" (without quotes) if the pineapple will bark at time *x* or a single "NO" (without quotes) otherwise in the only line of output.
[ "3 10 4\n", "3 10 3\n", "3 8 51\n", "3 8 52\n" ]
[ "NO\n", "YES\n", "YES\n", "YES\n" ]
In the first and the second sample cases pineapple will bark at moments 3, 13, 14, ..., so it won't bark at the moment 4 and will bark at the moment 3. In the third and fourth sample cases pineapple will bark at moments 3, 11, 12, 19, 20, 27, 28, 35, 36, 43, 44, 51, 52, 59, ..., so it will bark at both moments 51 and ...
500
[ { "input": "3 10 4", "output": "NO" }, { "input": "3 10 3", "output": "YES" }, { "input": "3 8 51", "output": "YES" }, { "input": "3 8 52", "output": "YES" }, { "input": "456947336 740144 45", "output": "NO" }, { "input": "33 232603 599417964", "ou...
1,502,156,115
2,147,483,647
Python 3
WRONG_ANSWER
TESTS
2
46
4,608,000
a,b,c=input().split() prvni,interval,jist=[int(a),int(b),int(c)] if (jist >= prvni) and ((jist%(interval+1)==prvni) or (jist%(interval+1)==prvni-1)): print('YES') else: print('NO')
Title: Pineapple Incident Time Limit: None seconds Memory Limit: None megabytes Problem Description: Ted has a pineapple. This pineapple is able to bark like a bulldog! At time *t* (in seconds) it barks for the first time. Then every *s* seconds after it, it barks twice with 1 second interval. Thus it barks at times...
```python a,b,c=input().split() prvni,interval,jist=[int(a),int(b),int(c)] if (jist >= prvni) and ((jist%(interval+1)==prvni) or (jist%(interval+1)==prvni-1)): print('YES') else: print('NO') ```
0
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,679,288,037
2,147,483,647
PyPy 3-64
OK
TESTS
34
77
0
n = int(input()) strokes = [int(i) for i in input().split()] l, r = 0, n - 1; ans = [0, 0] for i in range(0, n): if strokes[l] > strokes[r]: ans[i % 2] += strokes[l] l += 1 else: ans[i % 2] += strokes[r] r -= 1 print(*ans)
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()) strokes = [int(i) for i in input().split()] l, r = 0, n - 1; ans = [0, 0] for i in range(0, n): if strokes[l] > strokes[r]: ans[i % 2] += strokes[l] l += 1 else: ans[i % 2] += strokes[r] r -= 1 print(*ans) ```
3
216
A
Tiling with Hexagons
PROGRAMMING
1,200
[ "implementation", "math" ]
null
null
Several ages ago Berland was a kingdom. The King of Berland adored math. That's why, when he first visited one of his many palaces, he first of all paid attention to the floor in one hall. The floor was tiled with hexagonal tiles. The hall also turned out hexagonal in its shape. The King walked along the perimeter of ...
The first line contains three integers: *a*, *b* and *c* (2<=≤<=*a*,<=*b*,<=*c*<=≤<=1000).
Print a single number — the total number of tiles on the hall floor.
[ "2 3 4\n" ]
[ "18" ]
none
500
[ { "input": "2 3 4", "output": "18" }, { "input": "2 2 2", "output": "7" }, { "input": "7 8 13", "output": "224" }, { "input": "14 7 75", "output": "1578" }, { "input": "201 108 304", "output": "115032" }, { "input": "999 998 996", "output": "298302...
1,616,078,026
2,147,483,647
Python 3
WRONG_ANSWER
TESTS
3
122
0
a,b,c = sorted(map(int,input().split())) var = a*(2*c+a-1) if a==b: print(var-(a+c-1)) else: print(var)
Title: Tiling with Hexagons Time Limit: None seconds Memory Limit: None megabytes Problem Description: Several ages ago Berland was a kingdom. The King of Berland adored math. That's why, when he first visited one of his many palaces, he first of all paid attention to the floor in one hall. The floor was tiled with ...
```python a,b,c = sorted(map(int,input().split())) var = a*(2*c+a-1) if a==b: print(var-(a+c-1)) else: print(var) ```
0
581
A
Vasya the Hipster
PROGRAMMING
800
[ "implementation", "math" ]
null
null
One day Vasya the Hipster decided to count how many socks he had. It turned out that he had *a* red socks and *b* blue socks. According to the latest fashion, hipsters should wear the socks of different colors: a red one on the left foot, a blue one on the right foot. Every day Vasya puts on new socks in the morning ...
The single line of the input contains two positive integers *a* and *b* (1<=≤<=*a*,<=*b*<=≤<=100) — the number of red and blue socks that Vasya's got.
Print two space-separated integers — the maximum number of days when Vasya can wear different socks and the number of days when he can wear the same socks until he either runs out of socks or cannot make a single pair from the socks he's got. Keep in mind that at the end of the day Vasya throws away the socks that he'...
[ "3 1\n", "2 3\n", "7 3\n" ]
[ "1 1\n", "2 0\n", "3 2\n" ]
In the first sample Vasya can first put on one pair of different socks, after that he has two red socks left to wear on the second day.
500
[ { "input": "3 1", "output": "1 1" }, { "input": "2 3", "output": "2 0" }, { "input": "7 3", "output": "3 2" }, { "input": "100 100", "output": "100 0" }, { "input": "4 10", "output": "4 3" }, { "input": "6 10", "output": "6 2" }, { "input":...
1,677,457,217
2,147,483,647
Python 3
WRONG_ANSWER
TESTS
3
46
0
n = input().split() l = [] l1 = int(n[0]) l2 = int(n[1]) s = l1 - l2 d = 0 if l1 < l2: l.append(l1) if l1 > l2: l.append(l2) if s > 1: l.append(s//2) else: l.append('0') for i in l: print(i, end=' ')
Title: Vasya the Hipster Time Limit: None seconds Memory Limit: None megabytes Problem Description: One day Vasya the Hipster decided to count how many socks he had. It turned out that he had *a* red socks and *b* blue socks. According to the latest fashion, hipsters should wear the socks of different colors: a red...
```python n = input().split() l = [] l1 = int(n[0]) l2 = int(n[1]) s = l1 - l2 d = 0 if l1 < l2: l.append(l1) if l1 > l2: l.append(l2) if s > 1: l.append(s//2) else: l.append('0') for i in l: print(i, end=' ') ```
0
315
A
Sereja and Bottles
PROGRAMMING
1,400
[ "brute force" ]
null
null
Sereja and his friends went to a picnic. The guys had *n* soda bottles just for it. Sereja forgot the bottle opener as usual, so the guys had to come up with another way to open bottles. Sereja knows that the *i*-th bottle is from brand *a**i*, besides, you can use it to open other bottles of brand *b**i*. You can use...
The first line contains integer *n* (1<=≤<=*n*<=≤<=100) — the number of bottles. The next *n* lines contain the bottles' description. The *i*-th line contains two integers *a**i*,<=*b**i* (1<=≤<=*a**i*,<=*b**i*<=≤<=1000) — the description of the *i*-th bottle.
In a single line print a single integer — the answer to the problem.
[ "4\n1 1\n2 2\n3 3\n4 4\n", "4\n1 2\n2 3\n3 4\n4 1\n" ]
[ "4\n", "0\n" ]
none
500
[ { "input": "4\n1 1\n2 2\n3 3\n4 4", "output": "4" }, { "input": "4\n1 2\n2 3\n3 4\n4 1", "output": "0" }, { "input": "3\n2 828\n4 392\n4 903", "output": "3" }, { "input": "4\n2 3\n1 772\n3 870\n3 668", "output": "2" }, { "input": "5\n1 4\n6 6\n4 3\n3 4\n4 758", ...
1,620,193,826
2,147,483,647
PyPy 3
WRONG_ANSWER
TESTS
3
154
0
n = int(input()) f=[i for i in range(1,n+1)] for i in range(n): a,b = map(int,input().split()) if a!=b: if b in f: f.remove(b) print(len(f))
Title: Sereja and Bottles Time Limit: None seconds Memory Limit: None megabytes Problem Description: Sereja and his friends went to a picnic. The guys had *n* soda bottles just for it. Sereja forgot the bottle opener as usual, so the guys had to come up with another way to open bottles. Sereja knows that the *i*-th...
```python n = int(input()) f=[i for i in range(1,n+1)] for i in range(n): a,b = map(int,input().split()) if a!=b: if b in f: f.remove(b) print(len(f)) ```
0
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,489,143,549
2,147,483,647
Python 3
WRONG_ANSWER
TESTS
4
61
4,608,000
n = int(input()) row = ['Sheldon', 'Leonard', 'Penny', 'Rajesh', 'Howard'] if n==1: print(row[0]) exit() else: for i in range(0,n+1): row.append(row[i]) row.append(row[i]) # row.remove(row[i-1]) #print(row) print(row[n])
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 n = int(input()) row = ['Sheldon', 'Leonard', 'Penny', 'Rajesh', 'Howard'] if n==1: print(row[0]) exit() else: for i in range(0,n+1): row.append(row[i]) row.append(row[i]) # row.remove(row[i-1]) #print(row) print(row[n]) ```
0
47
A
Triangular numbers
PROGRAMMING
800
[ "brute force", "math" ]
A. Triangular numbers
2
256
A triangular number is the number of dots in an equilateral triangle uniformly filled with dots. For example, three dots can be arranged in a triangle; thus three is a triangular number. The *n*-th triangular number is the number of dots in a triangle with *n* dots on a side. . You can learn more about these numbers fr...
The first line contains the single number *n* (1<=≤<=*n*<=≤<=500) — the given integer.
If the given integer is a triangular number output YES, otherwise output NO.
[ "1\n", "2\n", "3\n" ]
[ "YES\n", "NO\n", "YES\n" ]
none
500
[ { "input": "1", "output": "YES" }, { "input": "2", "output": "NO" }, { "input": "3", "output": "YES" }, { "input": "4", "output": "NO" }, { "input": "5", "output": "NO" }, { "input": "6", "output": "YES" }, { "input": "7", "output": "NO...
1,620,993,022
2,147,483,647
Python 3
OK
TESTS
71
154
6,758,400
import math def solve(x): x = (-1 + math.sqrt(1+8*x)) / 2 if int(x) == x: return "YES" return "NO" # m,n = map(int,input().split()) # for _ in range(int(input())): a = int(input()) print(solve(a))
Title: Triangular numbers Time Limit: 2 seconds Memory Limit: 256 megabytes Problem Description: A triangular number is the number of dots in an equilateral triangle uniformly filled with dots. For example, three dots can be arranged in a triangle; thus three is a triangular number. The *n*-th triangular number is t...
```python import math def solve(x): x = (-1 + math.sqrt(1+8*x)) / 2 if int(x) == x: return "YES" return "NO" # m,n = map(int,input().split()) # for _ in range(int(input())): a = int(input()) print(solve(a)) ```
3.948911
802
G
Fake News (easy)
PROGRAMMING
800
[ "implementation", "strings" ]
null
null
As it's the first of April, Heidi is suspecting that the news she reads today are fake, and she does not want to look silly in front of all the contestants. She knows that a newspiece is fake if it contains heidi as a subsequence. Help Heidi assess whether the given piece is true, but please be discreet about it...
The first and only line of input contains a single nonempty string *s* of length at most 1000 composed of lowercase letters (a-z).
Output YES if the string *s* contains heidi as a subsequence and NO otherwise.
[ "abcheaibcdi\n", "hiedi\n" ]
[ "YES", "NO" ]
A string *s* contains another string *p* as a subsequence if it is possible to delete some characters from *s* and obtain *p*.
0
[ { "input": "abcheaibcdi", "output": "YES" }, { "input": "hiedi", "output": "NO" }, { "input": "ihied", "output": "NO" }, { "input": "diehi", "output": "NO" }, { "input": "deiih", "output": "NO" }, { "input": "iheid", "output": "NO" }, { "in...
1,619,250,411
2,147,483,647
Python 3
WRONG_ANSWER
TESTS
1
61
0
news = input() if 'heidi' in news: print('NO') else: print('YES')
Title: Fake News (easy) Time Limit: None seconds Memory Limit: None megabytes Problem Description: As it's the first of April, Heidi is suspecting that the news she reads today are fake, and she does not want to look silly in front of all the contestants. She knows that a newspiece is fake if it contains heidi as a ...
```python news = input() if 'heidi' in news: print('NO') else: print('YES') ```
0
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,485,833,288
2,147,483,647
Python 3
OK
TESTS
32
124
4,608,000
n = int(input()) a = list(map(int,input().split())) res = 0 for i in a: if i%2==0: n-=1 if n==1: for i in a: if i%2==1: res = a.index(i) else: for i in a: if i%2==0: res = a.index(i) print(res+1)
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()) a = list(map(int,input().split())) res = 0 for i in a: if i%2==0: n-=1 if n==1: for i in a: if i%2==1: res = a.index(i) else: for i in a: if i%2==0: res = a.index(i) print(res+1) ```
3.960417
596
A
Wilbur and Swimming Pool
PROGRAMMING
1,100
[ "geometry", "implementation" ]
null
null
After making bad dives into swimming pools, Wilbur wants to build a swimming pool in the shape of a rectangle in his backyard. He has set up coordinate axes, and he wants the sides of the rectangle to be parallel to them. Of course, the area of the rectangle must be positive. Wilbur had all four vertices of the planned...
The first line of the input contains a single integer *n* (1<=≤<=*n*<=≤<=4) — the number of vertices that were not erased by Wilbur's friend. Each of the following *n* lines contains two integers *x**i* and *y**i* (<=-<=1000<=≤<=*x**i*,<=*y**i*<=≤<=1000) —the coordinates of the *i*-th vertex that remains. Vertices are...
Print the area of the initial rectangle if it could be uniquely determined by the points remaining. Otherwise, print <=-<=1.
[ "2\n0 0\n1 1\n", "1\n1 1\n" ]
[ "1\n", "-1\n" ]
In the first sample, two opposite corners of the initial rectangle are given, and that gives enough information to say that the rectangle is actually a unit square. In the second sample there is only one vertex left and this is definitely not enough to uniquely define the area.
500
[ { "input": "2\n0 0\n1 1", "output": "1" }, { "input": "1\n1 1", "output": "-1" }, { "input": "1\n-188 17", "output": "-1" }, { "input": "1\n71 -740", "output": "-1" }, { "input": "4\n-56 -858\n-56 -174\n778 -858\n778 -174", "output": "570456" }, { "inp...
1,447,606,544
1,244
Python 3
CHALLENGED
CHALLENGES
14
46
0
read = lambda: map(int, input().split()) n = int(input()) a = [tuple(read()) for i in range(n)] if n == 4: a.sort() S = abs(a[3][0] - a[0][0]) * abs(a[3][1] - a[0][1]) elif n == 3: a.sort() S = abs(a[2][0] - a[0][0]) * abs(a[2][1] - a[0][1]) elif n == 2: if a[0][0] != a[1][0] and a[0][1] ...
Title: Wilbur and Swimming Pool Time Limit: None seconds Memory Limit: None megabytes Problem Description: After making bad dives into swimming pools, Wilbur wants to build a swimming pool in the shape of a rectangle in his backyard. He has set up coordinate axes, and he wants the sides of the rectangle to be parall...
```python read = lambda: map(int, input().split()) n = int(input()) a = [tuple(read()) for i in range(n)] if n == 4: a.sort() S = abs(a[3][0] - a[0][0]) * abs(a[3][1] - a[0][1]) elif n == 3: a.sort() S = abs(a[2][0] - a[0][0]) * abs(a[2][1] - a[0][1]) elif n == 2: if a[0][0] != a[1][0] an...
-1
199
A
Hexadecimal's theorem
PROGRAMMING
900
[ "brute force", "constructive algorithms", "implementation", "number theory" ]
null
null
Recently, a chaotic virus Hexadecimal advanced a new theorem which will shake the Universe. She thinks that each Fibonacci number can be represented as sum of three not necessary different Fibonacci numbers. Let's remember how Fibonacci numbers can be calculated. *F*0<==<=0, *F*1<==<=1, and all the next numbers are *F...
The input contains of a single integer *n* (0<=≤<=*n*<=&lt;<=109) — the number that should be represented by the rules described above. It is guaranteed that *n* is a Fibonacci number.
Output three required numbers: *a*, *b* and *c*. If there is no answer for the test you have to print "I'm too stupid to solve this problem" without the quotes. If there are multiple answers, print any of them.
[ "3\n", "13\n" ]
[ "1 1 1\n", "2 3 8\n" ]
none
500
[ { "input": "3", "output": "1 1 1" }, { "input": "13", "output": "2 3 8" }, { "input": "0", "output": "0 0 0" }, { "input": "1", "output": "1 0 0" }, { "input": "2", "output": "1 1 0" }, { "input": "1597", "output": "233 377 987" }, { "input...
1,671,313,043
2,147,483,647
PyPy 3-64
OK
TESTS
54
124
0
n = int(input()) if n <= 3: print(0, 0, n) else: a, b, c = 2, 3, 5 while c != n: a, b, c = b, c, b + c print(0, a, b)
Title: Hexadecimal's theorem Time Limit: None seconds Memory Limit: None megabytes Problem Description: Recently, a chaotic virus Hexadecimal advanced a new theorem which will shake the Universe. She thinks that each Fibonacci number can be represented as sum of three not necessary different Fibonacci numbers. Let'...
```python n = int(input()) if n <= 3: print(0, 0, n) else: a, b, c = 2, 3, 5 while c != n: a, b, c = b, c, b + c print(0, a, b) ```
3
912
B
New Year's Eve
PROGRAMMING
1,300
[ "bitmasks", "constructive algorithms", "number theory" ]
null
null
Since Grisha behaved well last year, at New Year's Eve he was visited by Ded Moroz who brought an enormous bag of gifts with him! The bag contains *n* sweet candies from the good ol' bakery, each labeled from 1 to *n* corresponding to its tastiness. No two candies have the same tastiness. The choice of candies has a d...
The sole string contains two integers *n* and *k* (1<=≤<=*k*<=≤<=*n*<=≤<=1018).
Output one number — the largest possible xor-sum.
[ "4 3\n", "6 6\n" ]
[ "7\n", "7\n" ]
In the first sample case, one optimal answer is 1, 2 and 4, giving the xor-sum of 7. In the second sample case, one can, for example, take all six candies and obtain the xor-sum of 7.
1,000
[ { "input": "4 3", "output": "7" }, { "input": "6 6", "output": "7" }, { "input": "2 2", "output": "3" }, { "input": "1022 10", "output": "1023" }, { "input": "415853337373441 52", "output": "562949953421311" }, { "input": "75 12", "output": "127" ...
1,594,033,205
2,147,483,647
Python 3
WRONG_ANSWER
TESTS
0
77
6,656,000
n,k=map(int,input().split()) temp=n bit=0 while temp: bit+=1 temp= temp/10 print((2**bit)-1)
Title: New Year's Eve Time Limit: None seconds Memory Limit: None megabytes Problem Description: Since Grisha behaved well last year, at New Year's Eve he was visited by Ded Moroz who brought an enormous bag of gifts with him! The bag contains *n* sweet candies from the good ol' bakery, each labeled from 1 to *n* co...
```python n,k=map(int,input().split()) temp=n bit=0 while temp: bit+=1 temp= temp/10 print((2**bit)-1) ```
0
61
A
Ultra-Fast Mathematician
PROGRAMMING
800
[ "implementation" ]
A. Ultra-Fast Mathematician
2
256
Shapur was an extremely gifted student. He was great at everything including Combinatorics, Algebra, Number Theory, Geometry, Calculus, etc. He was not only smart but extraordinarily fast! He could manage to sum 1018 numbers in a single second. One day in 230 AD Shapur was trying to find out if any one can possibly do...
There are two lines in each input. Each of them contains a single number. It is guaranteed that the numbers are made from 0 and 1 only and that their length is same. The numbers may start with 0. The length of each number doesn't exceed 100.
Write one line — the corresponding answer. Do not omit the leading 0s.
[ "1010100\n0100101\n", "000\n111\n", "1110\n1010\n", "01110\n01100\n" ]
[ "1110001\n", "111\n", "0100\n", "00010\n" ]
none
500
[ { "input": "1010100\n0100101", "output": "1110001" }, { "input": "000\n111", "output": "111" }, { "input": "1110\n1010", "output": "0100" }, { "input": "01110\n01100", "output": "00010" }, { "input": "011101\n000001", "output": "011100" }, { "input": "...
1,591,599,981
2,147,483,647
Python 3
OK
TESTS
102
124
0
num1 = input() num2 = input() answer = [] for i in range(len(num1)): if num1[i] != num2[i]: answer.append(1) else: answer.append(0) print(''.join([str(v) for v in answer]))
Title: Ultra-Fast Mathematician Time Limit: 2 seconds Memory Limit: 256 megabytes Problem Description: Shapur was an extremely gifted student. He was great at everything including Combinatorics, Algebra, Number Theory, Geometry, Calculus, etc. He was not only smart but extraordinarily fast! He could manage to sum 10...
```python num1 = input() num2 = input() answer = [] for i in range(len(num1)): if num1[i] != num2[i]: answer.append(1) else: answer.append(0) print(''.join([str(v) for v in answer])) ```
3.969
234
A
Lefthanders and Righthanders
PROGRAMMING
1,200
[ "implementation" ]
null
null
One fine October day a mathematics teacher Vasily Petrov went to a class and saw there *n* pupils who sat at the desks, two people at each desk. Vasily quickly realized that number *n* is even. Like all true mathematicians, Vasily has all students numbered from 1 to *n*. But Vasily Petrov did not like the way the chi...
The first input line contains a single even integer *n* (4<=≤<=*n*<=≤<=100) — the number of students in the class. The second line contains exactly *n* capital English letters "L" and "R". If the *i*-th letter at the second line equals "L", then the student number *i* is a lefthander, otherwise he is a righthander.
Print integer pairs, one pair per line. In the *i*-th line print the numbers of students that will sit at the *i*-th desk. The first number in the pair stands for the student who is sitting to the left, and the second number stands for the student who is sitting to the right. Separate the numbers in the pairs by space...
[ "6\nLLRLLL\n", "4\nRRLL\n" ]
[ "1 4\n2 5\n6 3\n", "3 1\n4 2\n" ]
none
0
[ { "input": "6\nLLRLLL", "output": "1 4\n2 5\n6 3" }, { "input": "4\nRRLL", "output": "3 1\n4 2" }, { "input": "4\nLLRR", "output": "1 3\n2 4" }, { "input": "6\nRLLRRL", "output": "1 4\n2 5\n3 6" }, { "input": "8\nLRLRLLLR", "output": "1 5\n6 2\n3 7\n4 8" }, ...
1,620,683,482
2,147,483,647
Python 3
COMPILATION_ERROR
TESTS
0
0
0
#include<stdio.h> int n; int main() { int l,r; char in[101]; freopen("input.txt","r",stdin); freopen("output.txt","w",stdout); scanf("%d",&n); scanf("%s",in); l=1; r=n/2+1; while(l<n/2+1 && r<n+1) { if(in[l-1]=='R' && in[r-1]=='L') printf("%d %d\n",r++,l++); ...
Title: Lefthanders and Righthanders Time Limit: None seconds Memory Limit: None megabytes Problem Description: One fine October day a mathematics teacher Vasily Petrov went to a class and saw there *n* pupils who sat at the desks, two people at each desk. Vasily quickly realized that number *n* is even. Like all t...
```python #include<stdio.h> int n; int main() { int l,r; char in[101]; freopen("input.txt","r",stdin); freopen("output.txt","w",stdout); scanf("%d",&n); scanf("%s",in); l=1; r=n/2+1; while(l<n/2+1 && r<n+1) { if(in[l-1]=='R' && in[r-1]=='L') printf("%d %d\n",...
-1
439
A
Devu, the Singer and Churu, the Joker
PROGRAMMING
900
[ "greedy", "implementation" ]
null
null
Devu is a renowned classical singer. He is invited to many big functions/festivals. Recently he was invited to "All World Classical Singing Festival". Other than Devu, comedian Churu was also invited. Devu has provided organizers a list of the songs and required time for singing them. He will sing *n* songs, *i**th* s...
The first line contains two space separated integers *n*, *d* (1<=≤<=*n*<=≤<=100; 1<=≤<=*d*<=≤<=10000). The second line contains *n* space-separated integers: *t*1,<=*t*2,<=...,<=*t**n* (1<=≤<=*t**i*<=≤<=100).
If there is no way to conduct all the songs of Devu, output -1. Otherwise output the maximum number of jokes that Churu can crack in the grand event.
[ "3 30\n2 2 1\n", "3 20\n2 1 1\n" ]
[ "5\n", "-1\n" ]
Consider the first example. The duration of the event is 30 minutes. There could be maximum 5 jokes in the following way: - First Churu cracks a joke in 5 minutes. - Then Devu performs the first song for 2 minutes. - Then Churu cracks 2 jokes in 10 minutes. - Now Devu performs second song for 2 minutes. - Then Ch...
500
[ { "input": "3 30\n2 2 1", "output": "5" }, { "input": "3 20\n2 1 1", "output": "-1" }, { "input": "50 10000\n5 4 10 9 9 6 7 7 7 3 3 7 7 4 7 4 10 10 1 7 10 3 1 4 5 7 2 10 10 10 2 3 4 7 6 1 8 4 7 3 8 8 4 10 1 1 9 2 6 1", "output": "1943" }, { "input": "50 10000\n4 7 15 9 11 12 ...
1,627,495,844
2,147,483,647
Python 3
OK
TESTS
26
77
6,963,200
from sys import exit info = input().split() n = int(info[0]) d = int(info[1]) songs = input().split() sum = 0 for i in range(n): songs[i] = int(songs[i]) sum += songs[i] if sum + 10*(n-1) > d: print(-1) else: jokenum = (d - sum)/5 print(int(jokenum))
Title: Devu, the Singer and Churu, the Joker Time Limit: None seconds Memory Limit: None megabytes Problem Description: Devu is a renowned classical singer. He is invited to many big functions/festivals. Recently he was invited to "All World Classical Singing Festival". Other than Devu, comedian Churu was also invit...
```python from sys import exit info = input().split() n = int(info[0]) d = int(info[1]) songs = input().split() sum = 0 for i in range(n): songs[i] = int(songs[i]) sum += songs[i] if sum + 10*(n-1) > d: print(-1) else: jokenum = (d - sum)/5 print(int(jokenum)) ```
3
279
B
Books
PROGRAMMING
1,400
[ "binary search", "brute force", "implementation", "two pointers" ]
null
null
When Valera has got some free time, he goes to the library to read some books. Today he's got *t* free minutes to read. That's why Valera took *n* books in the library and for each book he estimated the time he is going to need to read it. Let's number the books by integers from 1 to *n*. Valera needs *a**i* minutes to...
The first line contains two integers *n* and *t* (1<=≤<=*n*<=≤<=105; 1<=≤<=*t*<=≤<=109) — the number of books and the number of free minutes Valera's got. The second line contains a sequence of *n* integers *a*1,<=*a*2,<=...,<=*a**n* (1<=≤<=*a**i*<=≤<=104), where number *a**i* shows the number of minutes that the boy n...
Print a single integer — the maximum number of books Valera can read.
[ "4 5\n3 1 2 1\n", "3 3\n2 2 3\n" ]
[ "3\n", "1\n" ]
none
1,000
[ { "input": "4 5\n3 1 2 1", "output": "3" }, { "input": "3 3\n2 2 3", "output": "1" }, { "input": "1 3\n5", "output": "0" }, { "input": "1 10\n4", "output": "1" }, { "input": "2 10\n6 4", "output": "2" }, { "input": "6 10\n2 3 4 2 1 1", "output": "4...
1,691,913,799
2,147,483,647
Python 3
OK
TESTS
38
216
13,824,000
def max_books_to_read(n, t, a): left = 0 right = 0 current_sum = 0 max_books = 0 while right < n: current_sum += a[right] while current_sum > t: current_sum -= a[left] left += 1 max_books = max(max_books, right - left + 1) right += 1 re...
Title: Books Time Limit: None seconds Memory Limit: None megabytes Problem Description: When Valera has got some free time, he goes to the library to read some books. Today he's got *t* free minutes to read. That's why Valera took *n* books in the library and for each book he estimated the time he is going to need t...
```python def max_books_to_read(n, t, a): left = 0 right = 0 current_sum = 0 max_books = 0 while right < n: current_sum += a[right] while current_sum > t: current_sum -= a[left] left += 1 max_books = max(max_books, right - left + 1) right +=...
3
725
A
Jumping Ball
PROGRAMMING
1,000
[ "implementation" ]
null
null
In a new version of the famous Pinball game, one of the most important parts of the game field is a sequence of *n* bumpers. The bumpers are numbered with integers from 1 to *n* from left to right. There are two types of bumpers. They are denoted by the characters '&lt;' and '&gt;'. When the ball hits the bumper at pos...
The first line of the input contains a single integer *n* (1<=≤<=*n*<=≤<=200<=000) — the length of the sequence of bumpers. The second line contains the string, which consists of the characters '&lt;' and '&gt;'. The character at the *i*-th position of this string corresponds to the type of the *i*-th bumper.
Print one integer — the number of positions in the sequence such that the ball will eventually fall from the game field if it starts at that position.
[ "4\n&lt;&lt;&gt;&lt;\n", "5\n&gt;&gt;&gt;&gt;&gt;\n", "4\n&gt;&gt;&lt;&lt;\n" ]
[ "2", "5", "0" ]
In the first sample, the ball will fall from the field if starts at position 1 or position 2. In the second sample, any starting position will result in the ball falling from the field.
500
[ { "input": "4\n<<><", "output": "2" }, { "input": "5\n>>>>>", "output": "5" }, { "input": "4\n>><<", "output": "0" }, { "input": "3\n<<>", "output": "3" }, { "input": "3\n<<<", "output": "3" }, { "input": "3\n><<", "output": "0" }, { "input...
1,619,091,583
2,147,483,647
PyPy 3
OK
TESTS
78
124
4,710,400
n = int(input()) s = input() left, right = [0] * n, [0] * n cur = 0 for i in range(n): if s[i] == '<': cur -= 1 else: cur += 1 left[i] = cur cur = 0 for i in reversed(range(n)): if s[i] == '<': cur -= 1 else: cur += 1 right[i] = cur ans = 0 for i in range(n): if s[i] == ...
Title: Jumping Ball Time Limit: None seconds Memory Limit: None megabytes Problem Description: In a new version of the famous Pinball game, one of the most important parts of the game field is a sequence of *n* bumpers. The bumpers are numbered with integers from 1 to *n* from left to right. There are two types of b...
```python n = int(input()) s = input() left, right = [0] * n, [0] * n cur = 0 for i in range(n): if s[i] == '<': cur -= 1 else: cur += 1 left[i] = cur cur = 0 for i in reversed(range(n)): if s[i] == '<': cur -= 1 else: cur += 1 right[i] = cur ans = 0 for i in range(n): i...
3
493
D
Vasya and Chess
PROGRAMMING
1,700
[ "constructive algorithms", "games", "math" ]
null
null
Vasya decided to learn to play chess. Classic chess doesn't seem interesting to him, so he plays his own sort of chess. The queen is the piece that captures all squares on its vertical, horizontal and diagonal lines. If the cell is located on the same vertical, horizontal or diagonal line with queen, and the cell cont...
The input contains a single number *n* (2<=≤<=*n*<=≤<=109) — the size of the board.
On the first line print the answer to problem — string "white" or string "black", depending on who wins if the both players play optimally. If the answer is "white", then you should also print two integers *r* and *c* representing the cell (*r*,<=*c*), where the first player should make his first move to win. If ther...
[ "2\n", "3\n" ]
[ "white\n1 2\n", "black\n" ]
In the first sample test the white queen can capture the black queen at the first move, so the white player wins. In the second test from the statement if the white queen captures the green pawn located on the central vertical line, then it will be captured by the black queen during the next move. So the only move for...
1,500
[ { "input": "2", "output": "white\n1 2" }, { "input": "3", "output": "black" }, { "input": "4", "output": "white\n1 2" }, { "input": "6", "output": "white\n1 2" }, { "input": "10", "output": "white\n1 2" }, { "input": "16", "output": "white\n1 2" ...
1,417,876,557
2,147,483,647
Python 3
OK
TESTS
26
46
0
n=int(input()) print("white\n1 2" if (n % 2==0) else "black");
Title: Vasya and Chess Time Limit: None seconds Memory Limit: None megabytes Problem Description: Vasya decided to learn to play chess. Classic chess doesn't seem interesting to him, so he plays his own sort of chess. The queen is the piece that captures all squares on its vertical, horizontal and diagonal lines. I...
```python n=int(input()) print("white\n1 2" if (n % 2==0) else "black"); ```
3
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,692,187,626
2,147,483,647
Python 3
WRONG_ANSWER
TESTS
1
15
0
for i in range(int(input())): w=input() if len(w)>=10: print(w[0]+str(len(w)-2)+w[len(w)-1]) else: print(w)
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 for i in range(int(input())): w=input() if len(w)>=10: print(w[0]+str(len(w)-2)+w[len(w)-1]) else: print(w) ```
0
0
none
none
none
0
[ "none" ]
null
null
You are given an array *a*1,<=*a*2,<=...,<=*a**n* consisting of *n* integers, and an integer *k*. You have to split the array into exactly *k* non-empty subsegments. You'll then compute the minimum integer on each subsegment, and take the maximum integer over the *k* obtained minimums. What is the maximum possible inte...
The first line contains two integers *n* and *k* (1<=≤<=*k*<=≤<=*n*<=≤<=<=105) — the size of the array *a* and the number of subsegments you have to split the array to. The second line contains *n* integers *a*1,<=<=*a*2,<=<=...,<=<=*a**n* (<=-<=109<=<=≤<=<=*a**i*<=≤<=<=109).
Print single integer — the maximum possible integer you can get if you split the array into *k* non-empty subsegments and take maximum of minimums on the subsegments.
[ "5 2\n1 2 3 4 5\n", "5 1\n-4 -5 -3 -2 -1\n" ]
[ "5\n", "-5\n" ]
A subsegment [*l*,  *r*] (*l* ≤ *r*) of array *a* is the sequence *a*<sub class="lower-index">*l*</sub>,  *a*<sub class="lower-index">*l* + 1</sub>,  ...,  *a*<sub class="lower-index">*r*</sub>. Splitting of array *a* of *n* elements into *k* subsegments [*l*<sub class="lower-index">1</sub>, *r*<sub class="lower-index...
0
[ { "input": "5 2\n1 2 3 4 5", "output": "5" }, { "input": "5 1\n-4 -5 -3 -2 -1", "output": "-5" }, { "input": "10 2\n10 9 1 -9 -7 -9 3 8 -10 5", "output": "10" }, { "input": "10 4\n-8 -1 2 -3 9 -8 4 -3 5 9", "output": "9" }, { "input": "1 1\n504262064", "output...
1,508,057,993
3,293
Python 3
OK
TESTS
55
124
8,601,600
from sys import stdin, stdout n, k = [int(x) for x in stdin.readline().split()] a = [int(x) for x in stdin.readline().split()] if k == 1: stdout.write('{}\n'.format(min(a))) elif k == 2: m = 10**9 + 1 mm = -m for i in range(len(a)): if a[i] < m: m = a[i] if m > mm: ...
Title: none Time Limit: None seconds Memory Limit: None megabytes Problem Description: You are given an array *a*1,<=*a*2,<=...,<=*a**n* consisting of *n* integers, and an integer *k*. You have to split the array into exactly *k* non-empty subsegments. You'll then compute the minimum integer on each subsegment, and ...
```python from sys import stdin, stdout n, k = [int(x) for x in stdin.readline().split()] a = [int(x) for x in stdin.readline().split()] if k == 1: stdout.write('{}\n'.format(min(a))) elif k == 2: m = 10**9 + 1 mm = -m for i in range(len(a)): if a[i] < m: m = a[i] if m > mm: ...
3
909
C
Python Indentation
PROGRAMMING
1,800
[ "dp" ]
null
null
In Python, code blocks don't have explicit begin/end or curly braces to mark beginning and end of the block. Instead, code blocks are defined by indentation. We will consider an extremely simplified subset of Python with only two types of statements. Simple statements are written in a single line, one per line. An ex...
The first line contains a single integer *N* (1<=≤<=*N*<=≤<=5000) — the number of commands in the program. *N* lines of the program follow, each line describing a single command. Each command is either "f" (denoting "for statement") or "s" ("simple statement"). It is guaranteed that the last line is a simple statement.
Output one line containing an integer - the number of ways the given sequence of statements can be indented modulo 109<=+<=7.
[ "4\ns\nf\nf\ns\n", "4\nf\ns\nf\ns\n" ]
[ "1\n", "2\n" ]
In the first test case, there is only one way to indent the program: the second for statement must be part of the body of the first one. In the second test case, there are two ways to indent the program: the second for statement can either be part of the first one's body or a separate statement following the first one...
1,500
[ { "input": "4\ns\nf\nf\ns", "output": "1" }, { "input": "4\nf\ns\nf\ns", "output": "2" }, { "input": "156\nf\ns\nf\ns\nf\ns\ns\ns\ns\nf\ns\ns\nf\nf\ns\nf\nf\nf\nf\ns\ns\ns\nf\ns\ns\nf\nf\nf\nf\nf\nf\ns\ns\ns\ns\nf\ns\nf\ns\nf\ns\nf\nf\nf\nf\ns\ns\nf\nf\ns\ns\ns\ns\nf\ns\nf\ns\nf\ns\nf\ns...
1,514,915,189
2,147,483,647
Python 3
MEMORY_LIMIT_EXCEEDED
TESTS
4
1,466
268,390,400
# testing tle import atexit import io import sys from bisect import * from collections import * from fractions import gcd from itertools import * from math import * import os inf = float('inf') _inf = float('-inf') _INPUT_LINES = sys.stdin.read().splitlines() input = iter(_INPUT_LINES).__next__ _OUTPU...
Title: Python Indentation Time Limit: None seconds Memory Limit: None megabytes Problem Description: In Python, code blocks don't have explicit begin/end or curly braces to mark beginning and end of the block. Instead, code blocks are defined by indentation. We will consider an extremely simplified subset of Python...
```python # testing tle import atexit import io import sys from bisect import * from collections import * from fractions import gcd from itertools import * from math import * import os inf = float('inf') _inf = float('-inf') _INPUT_LINES = sys.stdin.read().splitlines() input = iter(_INPUT_LINES).__next...
0
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,520,927,295
2,147,483,647
Python 3
OK
TESTS
32
186
5,632,000
n=int(input()) input_string=input().split(" ") even_number_count=0 odd_number_count=0 for i in range(n): number=int(input_string[i]) if number%2==0: even_number_count+=1 else: odd_number_count+=1 if even_number_count>odd_number_count: for i in range(n): number=i...
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()) input_string=input().split(" ") even_number_count=0 odd_number_count=0 for i in range(n): number=int(input_string[i]) if number%2==0: even_number_count+=1 else: odd_number_count+=1 if even_number_count>odd_number_count: for i in range(n): ...
3.94301
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,687,619,547
2,147,483,647
Python 3
OK
TESTS
13
31
0
n = int(input()) txt = str(input()) copy = txt while txt.find("xxx") != -1: txt = txt.replace("xxx", "xx") print(len(copy) - len(txt))
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()) txt = str(input()) copy = txt while txt.find("xxx") != -1: txt = txt.replace("xxx", "xx") print(len(copy) - len(txt)) ```
3
15
B
Laser
PROGRAMMING
1,800
[ "math" ]
B. Laser
1
64
Petya is the most responsible worker in the Research Institute. So he was asked to make a very important experiment: to melt the chocolate bar with a new laser device. The device consists of a rectangular field of *n*<=×<=*m* cells and a robotic arm. Each cell of the field is a 1<=×<=1 square. The robotic arm has two l...
The first line contains one integer number *t* (1<=≤<=*t*<=≤<=10000) — the number of test sets. Each of the following *t* lines describes one test set. Each line contains integer numbers *n*, *m*, *x*1, *y*1, *x*2, *y*2, separated by a space (2<=≤<=*n*,<=*m*<=≤<=109, 1<=≤<=*x*1,<=*x*2<=≤<=*n*, 1<=≤<=*y*1,<=*y*2<=≤<=*m*...
Each of the *t* lines of the output should contain the answer to the corresponding input test set.
[ "2\n4 4 1 1 3 3\n4 3 1 1 2 2\n" ]
[ "8\n2\n" ]
none
0
[ { "input": "2\n4 4 1 1 3 3\n4 3 1 1 2 2", "output": "8\n2" }, { "input": "1\n2 2 1 2 2 1", "output": "2" }, { "input": "1\n2 2 1 2 2 1", "output": "2" }, { "input": "1\n3 3 3 2 1 1", "output": "5" }, { "input": "1\n3 4 1 1 1 2", "output": "0" }, { "inp...
1,675,231,326
2,147,483,647
PyPy 3-64
WRONG_ANSWER
TESTS
0
60
0
import sys; R = sys.stdin.readline for _ in range(int(R())): n,m,x1,y1,x2,y2 = map(int,R().split()) a,b = abs(x1-x2),abs(y1-y2) print(n*m-2*abs(x1-x2)*abs(y1-y2)+(2*a-n if 2*a>n else 0)*(2*b-n if 2*b>n else 0))
Title: Laser Time Limit: 1 seconds Memory Limit: 64 megabytes Problem Description: Petya is the most responsible worker in the Research Institute. So he was asked to make a very important experiment: to melt the chocolate bar with a new laser device. The device consists of a rectangular field of *n*<=×<=*m* cells an...
```python import sys; R = sys.stdin.readline for _ in range(int(R())): n,m,x1,y1,x2,y2 = map(int,R().split()) a,b = abs(x1-x2),abs(y1-y2) print(n*m-2*abs(x1-x2)*abs(y1-y2)+(2*a-n if 2*a>n else 0)*(2*b-n if 2*b>n else 0)) ```
0
101
A
Homework
PROGRAMMING
1,200
[ "greedy" ]
A. Homework
2
256
Once when Gerald studied in the first year at school, his teacher gave the class the following homework. She offered the students a string consisting of *n* small Latin letters; the task was to learn the way the letters that the string contains are written. However, as Gerald is too lazy, he has no desire whatsoever to...
The first input data line contains a string whose length is equal to *n* (1<=≤<=*n*<=≤<=105). The string consists of lowercase Latin letters. The second line contains the number *k* (0<=≤<=*k*<=≤<=105).
Print on the first line the only number *m* — the least possible number of different characters that could remain in the given string after it loses no more than *k* characters. Print on the second line the string that Gerald can get after some characters are lost. The string should have exactly *m* distinct character...
[ "aaaaa\n4\n", "abacaba\n4\n", "abcdefgh\n10\n" ]
[ "1\naaaaa\n", "1\naaaa\n", "0\n\n" ]
In the first sample the string consists of five identical letters but you are only allowed to delete 4 of them so that there was at least one letter left. Thus, the right answer is 1 and any string consisting of characters "a" from 1 to 5 in length. In the second sample you are allowed to delete 4 characters. You cann...
500
[ { "input": "aaaaa\n4", "output": "1\naaaaa" }, { "input": "abacaba\n4", "output": "1\naaaa" }, { "input": "abcdefgh\n10", "output": "0" }, { "input": "aaaaaaaaaaaaaaaaaaaa\n19", "output": "1\naaaaaaaaaaaaaaaaaaaa" }, { "input": "abcdefghijjihgedcba\n0", "outpu...
1,655,917,296
2,147,483,647
PyPy 3
OK
TESTS
48
186
3,686,400
import sys input = sys.stdin.readline from collections import Counter s = input()[:-1] n = len(s) k = int(input()) if k >= n: print(0) print('') else: c = Counter() for i in s: c[i] += 1 x = c.most_common() i = len(x) - 1 while k > 0: k -= x[i][1] i...
Title: Homework Time Limit: 2 seconds Memory Limit: 256 megabytes Problem Description: Once when Gerald studied in the first year at school, his teacher gave the class the following homework. She offered the students a string consisting of *n* small Latin letters; the task was to learn the way the letters that the s...
```python import sys input = sys.stdin.readline from collections import Counter s = input()[:-1] n = len(s) k = int(input()) if k >= n: print(0) print('') else: c = Counter() for i in s: c[i] += 1 x = c.most_common() i = len(x) - 1 while k > 0: k -= x[i][1] ...
3.946634
524
A
Возможно, вы знаете этих людей?
PROGRAMMING
1,600
[ "implementation" ]
null
null
Основой любой социальной сети является отношение дружбы между двумя пользователями в том или ином смысле. В одной известной социальной сети дружба симметрична, то есть если *a* является другом *b*, то *b* также является другом *a*. В этой же сети есть функция, которая демонстрирует множество людей, имеющих высокую ве...
В первой строке следуют два целых числа *m* и *k* (1<=≤<=*m*<=≤<=100, 0<=≤<=*k*<=≤<=100) — количество пар друзей и необходимый процент общих друзей для того, чтобы считаться предполагаемым другом. В последующих *m* строках записано по два числа *a**i*,<=*b**i* (1<=≤<=*a**i*,<=*b**i*<=≤<=109, *a**i*<=≠<=*b**i*), обозна...
Для всех упомянутых людей в порядке возрастания id выведите информацию о предполагаемых друзьях. Информация должна иметь вид "*id*:<= *k* *id*1 *id*2 ... *id**k*", где *id* — это id самого человека, *k* — количество его предполагаемых друзей, а *id*1, *id*2, ..., *id**k* — идентификаторы его предполагаемых друзей в воз...
[ "5 51\n10 23\n23 42\n39 42\n10 39\n39 58\n", "5 100\n1 2\n1 3\n1 4\n2 3\n2 4\n" ]
[ "10: 1 42\n23: 1 39\n39: 1 23\n42: 1 10\n58: 2 10 42\n", "1: 0\n2: 0\n3: 1 4\n4: 1 3\n" ]
none
500
[ { "input": "5 51\n10 23\n23 42\n39 42\n10 39\n39 58", "output": "10: 1 42\n23: 1 39\n39: 1 23\n42: 1 10\n58: 2 10 42" }, { "input": "5 100\n1 2\n1 3\n1 4\n2 3\n2 4", "output": "1: 0\n2: 0\n3: 1 4\n4: 1 3" }, { "input": "4 1\n1 2\n1 3\n2 3\n4 5", "output": "1: 0\n2: 0\n3: 0\n4: 0\n5: ...
1,426,946,960
560
Python 3
OK
TESTS
73
171
512,000
m, k = [int(x) for x in input().split()] seen = 0 users = set() friendsof = {} for i in range(m): a, b = [int(x) for x in input().split()] users.add(a) users.add(b) if a in friendsof: friendsof[a].add(b) else: friendsof[a] = set((b,)) if b in friendsof: friendsof[b].add(a) else: friendso...
Title: Возможно, вы знаете этих людей? Time Limit: None seconds Memory Limit: None megabytes Problem Description: Основой любой социальной сети является отношение дружбы между двумя пользователями в том или ином смысле. В одной известной социальной сети дружба симметрична, то есть если *a* является другом *b*, то *b...
```python m, k = [int(x) for x in input().split()] seen = 0 users = set() friendsof = {} for i in range(m): a, b = [int(x) for x in input().split()] users.add(a) users.add(b) if a in friendsof: friendsof[a].add(b) else: friendsof[a] = set((b,)) if b in friendsof: friendsof[b].add(a) else: ...
3
0
none
none
none
0
[ "none" ]
null
null
Andryusha is an orderly boy and likes to keep things in their place. Today he faced a problem to put his socks in the wardrobe. He has *n* distinct pairs of socks which are initially in a bag. The pairs are numbered from 1 to *n*. Andryusha wants to put paired socks together and put them in the wardrobe. He takes the ...
The first line contains the single integer *n* (1<=≤<=*n*<=≤<=105) — the number of sock pairs. The second line contains 2*n* integers *x*1,<=*x*2,<=...,<=*x*2*n* (1<=≤<=*x**i*<=≤<=*n*), which describe the order in which Andryusha took the socks from the bag. More precisely, *x**i* means that the *i*-th sock Andryusha ...
Print single integer — the maximum number of socks that were on the table at the same time.
[ "1\n1 1\n", "3\n2 1 1 3 2 3\n" ]
[ "1\n", "2\n" ]
In the first example Andryusha took a sock from the first pair and put it on the table. Then he took the next sock which is from the first pair as well, so he immediately puts both socks to the wardrobe. Thus, at most one sock was on the table at the same time. In the second example Andryusha behaved as follows: - ...
0
[ { "input": "1\n1 1", "output": "1" }, { "input": "3\n2 1 1 3 2 3", "output": "2" }, { "input": "5\n5 1 3 2 4 3 1 2 4 5", "output": "5" }, { "input": "10\n4 2 6 3 4 8 7 1 1 5 2 10 6 8 3 5 10 9 9 7", "output": "6" }, { "input": "50\n30 47 31 38 37 50 36 43 9 23 2 2 ...
1,529,628,848
68
PyPy 3
OK
TESTS
56
248
19,353,600
input = __import__('sys').stdin.readline MIS = lambda: map(int,input().split()) n = int(input()) table = set() ans = 0 for x in MIS(): if x in table: table.remove(x) else: table.add(x) ans = max(ans, len(table)) print(ans)
Title: none Time Limit: None seconds Memory Limit: None megabytes Problem Description: Andryusha is an orderly boy and likes to keep things in their place. Today he faced a problem to put his socks in the wardrobe. He has *n* distinct pairs of socks which are initially in a bag. The pairs are numbered from 1 to *n*...
```python input = __import__('sys').stdin.readline MIS = lambda: map(int,input().split()) n = int(input()) table = set() ans = 0 for x in MIS(): if x in table: table.remove(x) else: table.add(x) ans = max(ans, len(table)) print(ans) ```
3
921
01
Labyrinth-1
PROGRAMMING
3,200
[]
null
null
You have a robot in a two-dimensional labyrinth which consists of *N*<=×<=*M* cells. Some pairs of cells adjacent by side are separated by a wall or a door. The labyrinth itself is separated from the outside with walls around it. Some labyrinth cells are the exits. In order to leave the labyrinth the robot should reach...
The first line contains integers *i*,<= *W*,<= *N*,<= *M*,<= *x*0,<= *y*0,<= *C*,<= *D*,<= *K*,<= *E*. - 1<=≤<=*i*<=≤<=14 – labyrinth’s number, which is needed for a checking program. - 1<=≤<=*W*<=≤<=1018 – labyrinth’s weight, which is needed for a checking program. - 2<=≤<=*N*,<=*M*<=≤<=1000 – labyrinth’s height ...
Print a program in *abc* language which passes the given labyrinth. Commands have to be separated by at least one space symbol. You can use arbitrary formatting for the program.
[ "1 1 30 30 1 1 1 1 1 1\n1 1 1 2\n2 2 2 3\n1 4\n9 0\n" ]
[ "for-1111\n take\n open-up\n open-left\n open-right\n open-down\n move-left\n if-ok\n for-11\n move-left\n take\n open-up\n open-left\n open-right\n open-down\n end\n else\n move-right\n if-ok\n for-11\n move-right\n take\n open-up\n open-left\n open-right\n open-down\...
none
16.013
[]
1,581,785,198
4,178
Python 3
PARTIAL
TESTS
1
77
0
print(""" move-left for-8 move-down end """)
Title: Labyrinth-1 Time Limit: None seconds Memory Limit: None megabytes Problem Description: You have a robot in a two-dimensional labyrinth which consists of *N*<=×<=*M* cells. Some pairs of cells adjacent by side are separated by a wall or a door. The labyrinth itself is separated from the outside with walls arou...
```python print(""" move-left for-8 move-down end """) ```
2
588
A
Duff and Meat
PROGRAMMING
900
[ "greedy" ]
null
null
Duff is addicted to meat! Malek wants to keep her happy for *n* days. In order to be happy in *i*-th day, she needs to eat exactly *a**i* kilograms of meat. There is a big shop uptown and Malek wants to buy meat for her from there. In *i*-th day, they sell meat for *p**i* dollars per kilogram. Malek knows all numbers ...
The first line of input contains integer *n* (1<=≤<=*n*<=≤<=105), the number of days. In the next *n* lines, *i*-th line contains two integers *a**i* and *p**i* (1<=≤<=*a**i*,<=*p**i*<=≤<=100), the amount of meat Duff needs and the cost of meat in that day.
Print the minimum money needed to keep Duff happy for *n* days, in one line.
[ "3\n1 3\n2 2\n3 1\n", "3\n1 3\n2 1\n3 2\n" ]
[ "10\n", "8\n" ]
In the first sample case: An optimal way would be to buy 1 kg on the first day, 2 kg on the second day and 3 kg on the third day. In the second sample case: An optimal way would be to buy 1 kg on the first day and 5 kg (needed meat for the second and third day) on the second day.
750
[ { "input": "3\n1 3\n2 2\n3 1", "output": "10" }, { "input": "3\n1 3\n2 1\n3 2", "output": "8" }, { "input": "1\n39 52", "output": "2028" }, { "input": "2\n25 56\n94 17", "output": "2998" }, { "input": "5\n39 21\n95 89\n73 90\n9 55\n85 32", "output": "6321" }...
1,513,487,040
2,147,483,647
Python 3
OK
TESTS
30
358
5,632,000
n = int(input()) low = 101 ans = 0 for i in range(n): a, b = input().split() a, b = int(a), int(b) if b < low: low = b ans += a * low print(ans)
Title: Duff and Meat Time Limit: None seconds Memory Limit: None megabytes Problem Description: Duff is addicted to meat! Malek wants to keep her happy for *n* days. In order to be happy in *i*-th day, she needs to eat exactly *a**i* kilograms of meat. There is a big shop uptown and Malek wants to buy meat for her ...
```python n = int(input()) low = 101 ans = 0 for i in range(n): a, b = input().split() a, b = int(a), int(b) if b < low: low = b ans += a * low print(ans) ```
3
798
B
Mike and strings
PROGRAMMING
1,300
[ "brute force", "dp", "strings" ]
null
null
Mike has *n* strings *s*1,<=*s*2,<=...,<=*s**n* each consisting of lowercase English letters. In one move he can choose a string *s**i*, erase the first character and append it to the end of the string. For example, if he has the string "coolmike", in one move he can transform it into the string "oolmikec". Now Mike a...
The first line contains integer *n* (1<=≤<=*n*<=≤<=50) — the number of strings. This is followed by *n* lines which contain a string each. The *i*-th line corresponding to string *s**i*. Lengths of strings are equal. Lengths of each string is positive and don't exceed 50.
Print the minimal number of moves Mike needs in order to make all the strings equal or print <=-<=1 if there is no solution.
[ "4\nxzzwo\nzwoxz\nzzwox\nxzzwo\n", "2\nmolzv\nlzvmo\n", "3\nkc\nkc\nkc\n", "3\naa\naa\nab\n" ]
[ "5\n", "2\n", "0\n", "-1\n" ]
In the first sample testcase the optimal scenario is to perform operations in such a way as to transform all strings into "zwoxz".
1,000
[ { "input": "4\nxzzwo\nzwoxz\nzzwox\nxzzwo", "output": "5" }, { "input": "2\nmolzv\nlzvmo", "output": "2" }, { "input": "3\nkc\nkc\nkc", "output": "0" }, { "input": "3\naa\naa\nab", "output": "-1" }, { "input": "3\nkwkb\nkbkw\nbkwk", "output": "3" }, { ...
1,640,592,589
2,147,483,647
PyPy 3
OK
TESTS
99
108
1,945,600
n=int(input()) s=list() for _ in range(n): x=input() s.append(x) l=len(s[0]) flag=True c=1e9+10 for i in range(0,n): if(len(s[i])!=l): flag=False break t=s[i]*2 if(s[0] not in t): flag=False break f=0 for j in range(n): x=l+1 ...
Title: Mike and strings Time Limit: None seconds Memory Limit: None megabytes Problem Description: Mike has *n* strings *s*1,<=*s*2,<=...,<=*s**n* each consisting of lowercase English letters. In one move he can choose a string *s**i*, erase the first character and append it to the end of the string. For example, if...
```python n=int(input()) s=list() for _ in range(n): x=input() s.append(x) l=len(s[0]) flag=True c=1e9+10 for i in range(0,n): if(len(s[i])!=l): flag=False break t=s[i]*2 if(s[0] not in t): flag=False break f=0 for j in range(n): x=l...
3
671
B
Robin Hood
PROGRAMMING
2,000
[ "binary search", "greedy" ]
null
null
We all know the impressive story of Robin Hood. Robin Hood uses his archery skills and his wits to steal the money from rich, and return it to the poor. There are *n* citizens in Kekoland, each person has *c**i* coins. Each day, Robin Hood will take exactly 1 coin from the richest person in the city and he will give i...
The first line of the input contains two integers *n* and *k* (1<=≤<=*n*<=≤<=500<=000,<=0<=≤<=*k*<=≤<=109) — the number of citizens in Kekoland and the number of days left till Robin Hood's retirement. The second line contains *n* integers, the *i*-th of them is *c**i* (1<=≤<=*c**i*<=≤<=109) — initial wealth of the *i...
Print a single line containing the difference between richest and poorest peoples wealth.
[ "4 1\n1 1 4 2\n", "3 1\n2 2 2\n" ]
[ "2\n", "0\n" ]
Lets look at how wealth changes through day in the first sample. 1. [1, 1, 4, 2] 1. [2, 1, 3, 2] or [1, 2, 3, 2] So the answer is 3 - 1 = 2 In second sample wealth will remain the same for each person.
1,000
[ { "input": "4 1\n1 1 4 2", "output": "2" }, { "input": "3 1\n2 2 2", "output": "0" }, { "input": "10 20\n6 4 7 10 4 5 5 3 7 10", "output": "1" }, { "input": "30 7\n3 3 2 2 2 2 3 4 4 5 2 1 1 5 5 3 4 3 2 1 3 4 3 2 2 5 2 5 1 2", "output": "2" }, { "input": "2 0\n182 ...
1,607,680,615
2,147,483,647
Python 3
RUNTIME_ERROR
TESTS
7
217
22,732,800
# [https://ideone.com/WT1j4B <- https://codeforces.com/blog/entry/44821 <- https://codeforces.com/problemset/problem/671/B <- https://algoprog.ru/material/pc671pB] N = 10005 C = [0] * N def doit(): global k C[1:n + 1] = sorted(C[1:n + 1]) last = C[1] temp = k for i in range(2, n + 1): ...
Title: Robin Hood Time Limit: None seconds Memory Limit: None megabytes Problem Description: We all know the impressive story of Robin Hood. Robin Hood uses his archery skills and his wits to steal the money from rich, and return it to the poor. There are *n* citizens in Kekoland, each person has *c**i* coins. Each...
```python # [https://ideone.com/WT1j4B <- https://codeforces.com/blog/entry/44821 <- https://codeforces.com/problemset/problem/671/B <- https://algoprog.ru/material/pc671pB] N = 10005 C = [0] * N def doit(): global k C[1:n + 1] = sorted(C[1:n + 1]) last = C[1] temp = k for i in range(2, ...
-1
1,006
C
Three Parts of the Array
PROGRAMMING
1,200
[ "binary search", "data structures", "two pointers" ]
null
null
You are given an array $d_1, d_2, \dots, d_n$ consisting of $n$ integer numbers. Your task is to split this array into three parts (some of which may be empty) in such a way that each element of the array belongs to exactly one of the three parts, and each of the parts forms a consecutive contiguous subsegment (possib...
The first line of the input contains one integer $n$ ($1 \le n \le 2 \cdot 10^5$) — the number of elements in the array $d$. The second line of the input contains $n$ integers $d_1, d_2, \dots, d_n$ ($1 \le d_i \le 10^9$) — the elements of the array $d$.
Print a single integer — the maximum possible value of $sum_1$, considering that the condition $sum_1 = sum_3$ must be met. Obviously, at least one valid way to split the array exists (use $a=c=0$ and $b=n$).
[ "5\n1 3 1 1 4\n", "5\n1 3 2 1 4\n", "3\n4 1 2\n" ]
[ "5\n", "4\n", "0\n" ]
In the first example there is only one possible splitting which maximizes $sum_1$: $[1, 3, 1], [~], [1, 4]$. In the second example the only way to have $sum_1=4$ is: $[1, 3], [2, 1], [4]$. In the third example there is only one way to split the array: $[~], [4, 1, 2], [~]$.
0
[ { "input": "5\n1 3 1 1 4", "output": "5" }, { "input": "5\n1 3 2 1 4", "output": "4" }, { "input": "3\n4 1 2", "output": "0" }, { "input": "1\n1000000000", "output": "0" }, { "input": "2\n1 1", "output": "1" }, { "input": "5\n1 3 5 4 5", "output": ...
1,597,290,264
2,147,483,647
Python 3
TIME_LIMIT_EXCEEDED
TESTS
3
1,000
4,300,800
n = int(input()) arr = list(map(int, input().split(" ")))[:n] max = 0 i = 0 sum1 = 0 while i < n-1: sum1 += arr[i] sum2 = 0 k = n - 1 while i != k+1: if sum1 == sum2: if sum1 > max: max = sum1 sum2 += arr[k] k -= 1 i += 1 print(max) ...
Title: Three Parts of the Array Time Limit: None seconds Memory Limit: None megabytes Problem Description: You are given an array $d_1, d_2, \dots, d_n$ consisting of $n$ integer numbers. Your task is to split this array into three parts (some of which may be empty) in such a way that each element of the array belo...
```python n = int(input()) arr = list(map(int, input().split(" ")))[:n] max = 0 i = 0 sum1 = 0 while i < n-1: sum1 += arr[i] sum2 = 0 k = n - 1 while i != k+1: if sum1 == sum2: if sum1 > max: max = sum1 sum2 += arr[k] k -= 1 i += 1 print(max) ...
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,664,394,524
2,147,483,647
Python 3
WRONG_ANSWER
TESTS
6
92
0
m, n = input().split() m = int(m) n = int(n) orm = m orn = n if m % 2 != 0: m = m - 1 if n % 2 != 0: n = n - 1 dominos = int(m * n / 2) if orm % 2 == 0 and orn % 2 == 0: print(dominos) else: while orm > 0 and orm != 1: orm = orm - 2 dominos += 1 whil...
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 m, n = input().split() m = int(m) n = int(n) orm = m orn = n if m % 2 != 0: m = m - 1 if n % 2 != 0: n = n - 1 dominos = int(m * n / 2) if orm % 2 == 0 and orn % 2 == 0: print(dominos) else: while orm > 0 and orm != 1: orm = orm - 2 dominos += 1 ...
0
946
C
String Transformation
PROGRAMMING
1,300
[ "greedy", "strings" ]
null
null
You are given a string *s* consisting of |*s*| small english letters. In one move you can replace any character of this string to the next character in alphabetical order (a will be replaced with b, s will be replaced with t, etc.). You cannot replace letter z with any other letter. Your target is to make some number...
The only one line of the input consisting of the string *s* consisting of |*s*| (1<=≤<=|*s*|<=≤<=105) small english letters.
If you can get a string that can be obtained from the given string and will contain english alphabet as a subsequence, print it. Otherwise print «-1» (without quotes).
[ "aacceeggiikkmmooqqssuuwwyy\n", "thereisnoanswer\n" ]
[ "abcdefghijklmnopqrstuvwxyz\n", "-1\n" ]
none
0
[ { "input": "aacceeggiikkmmooqqssuuwwyy", "output": "abcdefghijklmnopqrstuvwxyz" }, { "input": "thereisnoanswer", "output": "-1" }, { "input": "jqcfvsaveaixhioaaeephbmsmfcgdyawscpyioybkgxlcrhaxs", "output": "-1" }, { "input": "rtdacjpsjjmjdhcoprjhaenlwuvpfqzurnrswngmpnkdnunaen...
1,683,919,174
2,147,483,647
PyPy 3-64
WRONG_ANSWER
TESTS
0
46
0
s = input() visited = set() for c in s: if c not in visited: visited.add(c) print(c, end="") for c in range(ord("a"), ord("z") + 1): if c not in visited: print(chr(c), end="") print()
Title: String Transformation Time Limit: None seconds Memory Limit: None megabytes Problem Description: You are given a string *s* consisting of |*s*| small english letters. In one move you can replace any character of this string to the next character in alphabetical order (a will be replaced with b, s will be rep...
```python s = input() visited = set() for c in s: if c not in visited: visited.add(c) print(c, end="") for c in range(ord("a"), ord("z") + 1): if c not in visited: print(chr(c), end="") print() ```
0
32
B
Borze
PROGRAMMING
800
[ "expression parsing", "implementation" ]
B. Borze
2
256
Ternary numeric notation is quite popular in Berland. To telegraph the ternary number the Borze alphabet is used. Digit 0 is transmitted as «.», 1 as «-.» and 2 as «--». You are to decode the Borze code, i.e. to find out the ternary number given its representation in Borze alphabet.
The first line contains a number in Borze code. The length of the string is between 1 and 200 characters. It's guaranteed that the given string is a valid Borze code of some ternary number (this number can have leading zeroes).
Output the decoded ternary number. It can have leading zeroes.
[ ".-.--\n", "--.\n", "-..-.--\n" ]
[ "012", "20", "1012" ]
none
1,000
[ { "input": ".-.--", "output": "012" }, { "input": "--.", "output": "20" }, { "input": "-..-.--", "output": "1012" }, { "input": "---..", "output": "210" }, { "input": "..--.---..", "output": "0020210" }, { "input": "-.....----.", "output": "1000022...
1,608,952,200
2,147,483,647
Python 3
OK
TESTS
30
218
0
n=str(input()) n=n.replace('--', '2') n=n.replace('-.', '1') n=n.replace('.','0') print(n)
Title: Borze Time Limit: 2 seconds Memory Limit: 256 megabytes Problem Description: Ternary numeric notation is quite popular in Berland. To telegraph the ternary number the Borze alphabet is used. Digit 0 is transmitted as «.», 1 as «-.» and 2 as «--». You are to decode the Borze code, i.e. to find out the ternary ...
```python n=str(input()) n=n.replace('--', '2') n=n.replace('-.', '1') n=n.replace('.','0') print(n) ```
3.9455
722
B
Verse Pattern
PROGRAMMING
1,200
[ "implementation", "strings" ]
null
null
You are given a text consisting of *n* lines. Each line contains some space-separated words, consisting of lowercase English letters. We define a syllable as a string that contains exactly one vowel and any arbitrary number (possibly none) of consonants. In English alphabet following letters are considered to be vowel...
The first line of the input contains a single integer *n* (1<=≤<=*n*<=≤<=100) — the number of lines in the text. The second line contains integers *p*1,<=...,<=*p**n* (0<=≤<=*p**i*<=≤<=100) — the verse pattern. Next *n* lines contain the text itself. Text consists of lowercase English letters and spaces. It's guarant...
If the given text matches the given verse pattern, then print "YES" (without quotes) in the only line of the output. Otherwise, print "NO" (without quotes).
[ "3\n2 2 3\nintel\ncode\nch allenge\n", "4\n1 2 3 1\na\nbcdefghi\njklmnopqrstu\nvwxyz\n", "4\n13 11 15 15\nto be or not to be that is the question\nwhether tis nobler in the mind to suffer\nthe slings and arrows of outrageous fortune\nor to take arms against a sea of troubles\n" ]
[ "YES\n", "NO\n", "YES\n" ]
In the first sample, one can split words into syllables in the following way: Since the word "ch" in the third line doesn't contain vowels, we can ignore it. As the result we get 2 syllabels in first two lines and 3 syllables in the third one.
500
[ { "input": "3\n2 2 3\nintel\ncode\nch allenge", "output": "YES" }, { "input": "4\n1 2 3 1\na\nbcdefghi\njklmnopqrstu\nvwxyz", "output": "NO" }, { "input": "4\n13 11 15 15\nto be or not to be that is the question\nwhether tis nobler in the mind to suffer\nthe slings and arrows of outrageo...
1,475,921,857
2,147,483,647
Python 3
OK
TESTS
54
77
4,608,000
n = int(input()) a = [int(i) for i in input().split()] k = 0 q = 0 for i in range(n): s = input() for j in s: if (j=="a" or j=="e" or j=="i" or j=="o" or j=="u" or j=="y"): q+=1 if q!=a[i]: print("NO") exit(0) q=0 print("YES")
Title: Verse Pattern Time Limit: None seconds Memory Limit: None megabytes Problem Description: You are given a text consisting of *n* lines. Each line contains some space-separated words, consisting of lowercase English letters. We define a syllable as a string that contains exactly one vowel and any arbitrary num...
```python n = int(input()) a = [int(i) for i in input().split()] k = 0 q = 0 for i in range(n): s = input() for j in s: if (j=="a" or j=="e" or j=="i" or j=="o" or j=="u" or j=="y"): q+=1 if q!=a[i]: print("NO") exit(0) q=0 print("YES") ```
3
709
A
Juicer
PROGRAMMING
900
[ "implementation" ]
null
null
Kolya is going to make fresh orange juice. He has *n* oranges of sizes *a*1,<=*a*2,<=...,<=*a**n*. Kolya will put them in the juicer in the fixed order, starting with orange of size *a*1, then orange of size *a*2 and so on. To be put in the juicer the orange must have size not exceeding *b*, so if Kolya sees an orange ...
The first line of the input contains three integers *n*, *b* and *d* (1<=≤<=*n*<=≤<=100<=000, 1<=≤<=*b*<=≤<=*d*<=≤<=1<=000<=000) — the number of oranges, the maximum size of the orange that fits in the juicer and the value *d*, which determines the condition when the waste section should be emptied. The second line co...
Print one integer — the number of times Kolya will have to empty the waste section.
[ "2 7 10\n5 6\n", "1 5 10\n7\n", "3 10 10\n5 7 7\n", "1 1 1\n1\n" ]
[ "1\n", "0\n", "1\n", "0\n" ]
In the first sample, Kolya will squeeze the juice from two oranges and empty the waste section afterwards. In the second sample, the orange won't fit in the juicer so Kolya will have no juice at all.
500
[ { "input": "2 7 10\n5 6", "output": "1" }, { "input": "1 5 10\n7", "output": "0" }, { "input": "3 10 10\n5 7 7", "output": "1" }, { "input": "1 1 1\n1", "output": "0" }, { "input": "2 951637 951638\n44069 951637", "output": "1" }, { "input": "50 100 12...
1,700,322,277
2,147,483,647
Python 3
WRONG_ANSWER
TESTS
4
46
13,619,200
n,k,d = map(int,input().split()) z = list(map(int,input().split())) res = 0 ans = 0 for i in z : if i < k : res += 1 if res == d : ans +=1 if res : ans +=1 print(ans)
Title: Juicer Time Limit: None seconds Memory Limit: None megabytes Problem Description: Kolya is going to make fresh orange juice. He has *n* oranges of sizes *a*1,<=*a*2,<=...,<=*a**n*. Kolya will put them in the juicer in the fixed order, starting with orange of size *a*1, then orange of size *a*2 and so on. To b...
```python n,k,d = map(int,input().split()) z = list(map(int,input().split())) res = 0 ans = 0 for i in z : if i < k : res += 1 if res == d : ans +=1 if res : ans +=1 print(ans) ```
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,529,524,080
2,147,483,647
Python 3
OK
TESTS
40
184
0
s = input() tt = input() ss="" for c in s: ss = c + ss if(ss == tt): 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 s = input() tt = input() ss="" for c in s: ss = c + ss if(ss == tt): print('YES') else: print('NO') ```
3.954
39
E
What Has Dirichlet Got to Do with That?
PROGRAMMING
2,000
[ "dp", "games" ]
E. What Has Dirichlet Got to Do with That?
2
64
You all know the Dirichlet principle, the point of which is that if *n* boxes have no less than *n*<=+<=1 items, that leads to the existence of a box in which there are at least two items. Having heard of that principle, but having not mastered the technique of logical thinking, 8 year olds Stas and Masha invented a g...
The only input line has three integers *a*,<=*b*,<=*n* (1<=≤<=*a*<=≤<=10000, 1<=≤<=*b*<=≤<=30, 2<=≤<=*n*<=≤<=109) — the initial number of the boxes, the number of the items and the number which constrains the number of ways, respectively. Guaranteed that the initial number of ways is strictly less than *n*.
Output "Stas" if Masha wins. Output "Masha" if Stas wins. In case of a draw, output "Missing".
[ "2 2 10\n", "5 5 16808\n", "3 1 4\n", "1 4 10\n" ]
[ "Masha\n", "Masha\n", "Stas\n", "Missing\n" ]
In the second example the initial number of ways is equal to 3125. - If Stas increases the number of boxes, he will lose, as Masha may increase the number of boxes once more during her turn. After that any Stas's move will lead to defeat. - But if Stas increases the number of items, then any Masha's move will be lo...
0
[ { "input": "2 2 10", "output": "Masha" }, { "input": "5 5 16808", "output": "Masha" }, { "input": "3 1 4", "output": "Stas" }, { "input": "1 4 10", "output": "Missing" }, { "input": "1 1 2", "output": "Missing" }, { "input": "1 1 3", "output": "Mas...
1,650,808,179
2,147,483,647
PyPy 3-64
WRONG_ANSWER
TESTS
1
92
614,400
from collections import Counter, deque from sys import stdout import time from math import factorial, log def get_ans(a, b): f1 = factorial(max(a, b)) f2 = factorial(min(a, b)) f3 = factorial(abs(a - b)) return f1 // (f2 * f3) def main(): a, b, n = [int(i) for i in input().split()]...
Title: What Has Dirichlet Got to Do with That? Time Limit: 2 seconds Memory Limit: 64 megabytes Problem Description: You all know the Dirichlet principle, the point of which is that if *n* boxes have no less than *n*<=+<=1 items, that leads to the existence of a box in which there are at least two items. Having hea...
```python from collections import Counter, deque from sys import stdout import time from math import factorial, log def get_ans(a, b): f1 = factorial(max(a, b)) f2 = factorial(min(a, b)) f3 = factorial(abs(a - b)) return f1 // (f2 * f3) def main(): a, b, n = [int(i) for i in input(...
0
788
A
Functions again
PROGRAMMING
1,600
[ "dp", "two pointers" ]
null
null
Something happened in Uzhlyandia again... There are riots on the streets... Famous Uzhlyandian superheroes Shean the Sheep and Stas the Giraffe were called in order to save the situation. Upon the arriving, they found that citizens are worried about maximum values of the Main Uzhlyandian Function *f*, which is defined ...
The first line contains single integer *n* (2<=≤<=*n*<=≤<=105) — the size of the array *a*. The second line contains *n* integers *a*1,<=*a*2,<=...,<=*a**n* (-109<=≤<=*a**i*<=≤<=109) — the array elements.
Print the only integer — the maximum value of *f*.
[ "5\n1 4 2 3 1\n", "4\n1 5 4 7\n" ]
[ "3", "6" ]
In the first sample case, the optimal value of *f* is reached on intervals [1, 2] and [2, 5]. In the second case maximal value of *f* is reachable only on the whole array.
500
[ { "input": "5\n1 4 2 3 1", "output": "3" }, { "input": "4\n1 5 4 7", "output": "6" }, { "input": "8\n16 14 12 10 8 100 50 0", "output": "92" }, { "input": "2\n1 1", "output": "0" }, { "input": "50\n-5 -9 0 44 -10 37 34 -49 11 -22 -26 44 8 -13 23 -46 34 12 -24 2 -4...
1,537,927,313
2,147,483,647
Python 3
OK
TESTS
52
483
9,216,000
lectura= lambda:map (int, input().split()) n= (list(lectura())[0]) lista= list(lectura()) fDescrita=0 alt1=1 maxV1=0 maxV2=0 C1=0 C2=0 for i in range(0, n -1): fDescrita= abs(lista[i] - lista[i + 1]) * alt1 maxV1=max(maxV1 + fDescrita, fDescrita) maxV2 = max(maxV2, maxV1) alt1 = alt1 * (-1)...
Title: Functions again Time Limit: None seconds Memory Limit: None megabytes Problem Description: Something happened in Uzhlyandia again... There are riots on the streets... Famous Uzhlyandian superheroes Shean the Sheep and Stas the Giraffe were called in order to save the situation. Upon the arriving, they found t...
```python lectura= lambda:map (int, input().split()) n= (list(lectura())[0]) lista= list(lectura()) fDescrita=0 alt1=1 maxV1=0 maxV2=0 C1=0 C2=0 for i in range(0, n -1): fDescrita= abs(lista[i] - lista[i + 1]) * alt1 maxV1=max(maxV1 + fDescrita, fDescrita) maxV2 = max(maxV2, maxV1) alt1 = a...
3
520
A
Pangram
PROGRAMMING
800
[ "implementation", "strings" ]
null
null
A word or a sentence in some language is called a pangram if all the characters of the alphabet of this language appear in it at least once. Pangrams are often used to demonstrate fonts in printing or test the output devices. You are given a string consisting of lowercase and uppercase Latin letters. Check whether thi...
The first line contains a single integer *n* (1<=≤<=*n*<=≤<=100) — the number of characters in the string. The second line contains the string. The string consists only of uppercase and lowercase Latin letters.
Output "YES", if the string is a pangram and "NO" otherwise.
[ "12\ntoosmallword\n", "35\nTheQuickBrownFoxJumpsOverTheLazyDog\n" ]
[ "NO\n", "YES\n" ]
none
500
[ { "input": "12\ntoosmallword", "output": "NO" }, { "input": "35\nTheQuickBrownFoxJumpsOverTheLazyDog", "output": "YES" }, { "input": "1\na", "output": "NO" }, { "input": "26\nqwertyuiopasdfghjklzxcvbnm", "output": "YES" }, { "input": "26\nABCDEFGHIJKLMNOPQRSTUVWXY...
1,695,556,402
2,147,483,647
PyPy 3-64
OK
TESTS
59
61
0
n=int(input()) x=input().lower() if len(set(x))==26: print("YES") else: print("NO")
Title: Pangram Time Limit: None seconds Memory Limit: None megabytes Problem Description: A word or a sentence in some language is called a pangram if all the characters of the alphabet of this language appear in it at least once. Pangrams are often used to demonstrate fonts in printing or test the output devices. ...
```python n=int(input()) x=input().lower() if len(set(x))==26: print("YES") else: print("NO") ```
3
519
B
A and B and Compilation Errors
PROGRAMMING
1,100
[ "data structures", "implementation", "sortings" ]
null
null
A and B are preparing themselves for programming contests. B loves to debug his code. But before he runs the solution and starts debugging, he has to first compile the code. Initially, the compiler displayed *n* compilation errors, each of them is represented as a positive integer. After some effort, B managed to fix...
The first line of the input contains integer *n* (3<=≤<=*n*<=≤<=105) — the initial number of compilation errors. The second line contains *n* space-separated integers *a*1,<=*a*2,<=...,<=*a**n* (1<=≤<=*a**i*<=≤<=109) — the errors the compiler displayed for the first time. The third line contains *n*<=-<=1 space-sepa...
Print two numbers on a single line: the numbers of the compilation errors that disappeared after B made the first and the second correction, respectively.
[ "5\n1 5 8 123 7\n123 7 5 1\n5 1 7\n", "6\n1 4 3 3 5 7\n3 7 5 4 3\n4 3 7 5\n" ]
[ "8\n123\n", "1\n3\n" ]
In the first test sample B first corrects the error number 8, then the error number 123. In the second test sample B first corrects the error number 1, then the error number 3. Note that if there are multiple errors with the same number, B can correct only one of them in one step.
1,000
[ { "input": "5\n1 5 8 123 7\n123 7 5 1\n5 1 7", "output": "8\n123" }, { "input": "6\n1 4 3 3 5 7\n3 7 5 4 3\n4 3 7 5", "output": "1\n3" }, { "input": "3\n1 2 3\n3 2\n2", "output": "1\n3" }, { "input": "10\n460626451 802090732 277246428 661369649 388684428 784303821 376287098 6...
1,628,885,277
2,147,483,647
PyPy 3
TIME_LIMIT_EXCEEDED
TESTS
16
2,000
36,147,200
n = int(input()) list1 = [] list2 = [] list3 = [] nlist = [] for i in list(map(int,input().split()))[:n]: list1.append(i) for i in list(map(int,input().split()))[:n-1]: list2.append(i) for i in list(map(int,input().split()))[:n-2]: list3.append(i) for i in list1: if i in list2 and list1.count(i)==list2....
Title: A and B and Compilation Errors Time Limit: None seconds Memory Limit: None megabytes Problem Description: A and B are preparing themselves for programming contests. B loves to debug his code. But before he runs the solution and starts debugging, he has to first compile the code. Initially, the compiler disp...
```python n = int(input()) list1 = [] list2 = [] list3 = [] nlist = [] for i in list(map(int,input().split()))[:n]: list1.append(i) for i in list(map(int,input().split()))[:n-1]: list2.append(i) for i in list(map(int,input().split()))[:n-2]: list3.append(i) for i in list1: if i in list2 and list1.count(...
0
632
C
The Smallest String Concatenation
PROGRAMMING
1,700
[ "sortings", "strings" ]
null
null
You're given a list of *n* strings *a*1,<=*a*2,<=...,<=*a**n*. You'd like to concatenate them together in some order such that the resulting string would be lexicographically smallest. Given the list of strings, output the lexicographically smallest concatenation.
The first line contains integer *n* — the number of strings (1<=≤<=*n*<=≤<=5·104). Each of the next *n* lines contains one string *a**i* (1<=≤<=|*a**i*|<=≤<=50) consisting of only lowercase English letters. The sum of string lengths will not exceed 5·104.
Print the only string *a* — the lexicographically smallest string concatenation.
[ "4\nabba\nabacaba\nbcd\ner\n", "5\nx\nxx\nxxa\nxxaa\nxxaaa\n", "3\nc\ncb\ncba\n" ]
[ "abacabaabbabcder\n", "xxaaaxxaaxxaxxx\n", "cbacbc\n" ]
none
0
[ { "input": "4\nabba\nabacaba\nbcd\ner", "output": "abacabaabbabcder" }, { "input": "5\nx\nxx\nxxa\nxxaa\nxxaaa", "output": "xxaaaxxaaxxaxxx" }, { "input": "3\nc\ncb\ncba", "output": "cbacbc" }, { "input": "10\naba\nabaaca\naba\nacaaaabbac\nabaacac\nb\ncabbcccaab\nbaacbb\nbcab...
1,657,121,536
2,147,483,647
PyPy 3
WRONG_ANSWER
TESTS
3
77
0
n = int(input()) list = [] for x in range(n): list.append(input()) t = len(max(list,key=len)) for x in range(n): list[x] = [list[x] + 'z'*(t - len(list[x])),len(list[x])] list.sort() ans = '' for x in range(n): ans += list[x][0].strip('z'*(t-list[x][1])) print(ans)
Title: The Smallest String Concatenation Time Limit: None seconds Memory Limit: None megabytes Problem Description: You're given a list of *n* strings *a*1,<=*a*2,<=...,<=*a**n*. You'd like to concatenate them together in some order such that the resulting string would be lexicographically smallest. Given the list ...
```python n = int(input()) list = [] for x in range(n): list.append(input()) t = len(max(list,key=len)) for x in range(n): list[x] = [list[x] + 'z'*(t - len(list[x])),len(list[x])] list.sort() ans = '' for x in range(n): ans += list[x][0].strip('z'*(t-list[x][1])) print(ans) ```
0
177
B1
Rectangular Game
PROGRAMMING
1,000
[ "number theory" ]
null
null
The Smart Beaver from ABBYY decided to have a day off. But doing nothing the whole day turned out to be too boring, and he decided to play a game with pebbles. Initially, the Beaver has *n* pebbles. He arranges them in *a* equal rows, each row has *b* pebbles (*a*<=&gt;<=1). Note that the Beaver must use all the pebble...
The single line of the input contains a single integer *n* — the initial number of pebbles the Smart Beaver has. The input limitations for getting 30 points are: - 2<=≤<=*n*<=≤<=50 The input limitations for getting 100 points are: - 2<=≤<=*n*<=≤<=109
Print a single number — the maximum possible result of the game.
[ "10\n", "8\n" ]
[ "16\n", "15\n" ]
Consider the first example (*c*<sub class="lower-index">1</sub> = 10). The possible options for the game development are: - Arrange the pebbles in 10 rows, one pebble per row. Then *c*<sub class="lower-index">2</sub> = 1, and the game ends after the first move with the result of 11. - Arrange the pebbles in 5 rows, ...
30
[ { "input": "10", "output": "16" }, { "input": "8", "output": "15" }, { "input": "4", "output": "7" }, { "input": "36", "output": "67" }, { "input": "32", "output": "63" }, { "input": "46", "output": "70" }, { "input": "6", "output": "10...
1,694,452,955
2,147,483,647
Python 3
OK
TESTS1
26
92
0
n = int(input()) total = n while(n != 1): for i in range(2, 40000): if(n % i == 0): n = n // i total += n break print(total)
Title: Rectangular Game Time Limit: None seconds Memory Limit: None megabytes Problem Description: The Smart Beaver from ABBYY decided to have a day off. But doing nothing the whole day turned out to be too boring, and he decided to play a game with pebbles. Initially, the Beaver has *n* pebbles. He arranges them in...
```python n = int(input()) total = n while(n != 1): for i in range(2, 40000): if(n % i == 0): n = n // i total += n break print(total) ```
3
322
A
Ciel and Dancing
PROGRAMMING
1,000
[ "greedy" ]
null
null
Fox Ciel and her friends are in a dancing room. There are *n* boys and *m* girls here, and they never danced before. There will be some songs, during each song, there must be exactly one boy and one girl are dancing. Besides, there is a special rule: - either the boy in the dancing pair must dance for the first time ...
The first line contains two integers *n* and *m* (1<=≤<=*n*,<=*m*<=≤<=100) — the number of boys and girls in the dancing room.
In the first line print *k* — the number of songs during which they can dance. Then in the following *k* lines, print the indexes of boys and girls dancing during songs chronologically. You can assume that the boys are indexed from 1 to *n*, and the girls are indexed from 1 to *m*.
[ "2 1\n", "2 2\n" ]
[ "2\n1 1\n2 1\n", "3\n1 1\n1 2\n2 2\n" ]
In test case 1, there are 2 boys and 1 girl. We can have 2 dances: the 1st boy and 1st girl (during the first song), the 2nd boy and 1st girl (during the second song). And in test case 2, we have 2 boys with 2 girls, the answer is 3.
500
[ { "input": "2 1", "output": "2\n1 1\n2 1" }, { "input": "2 2", "output": "3\n1 1\n1 2\n2 2" }, { "input": "1 1", "output": "1\n1 1" }, { "input": "2 3", "output": "4\n1 1\n1 2\n1 3\n2 3" }, { "input": "4 4", "output": "7\n1 1\n1 2\n1 3\n1 4\n4 4\n3 4\n2 4" }...
1,372,436,632
3,232
Python 3
OK
TESTS
28
93
102,400
n,m = map(int,input().split()) ii = set() jj = set() ans = [] for i in range(1,n+1): for j in range(1,m+1): if i not in ii or j not in jj: ans.append ((i,j)) ii.add(i) jj.add(j) print(len(ans)) for a,b in ans: print(a,b)
Title: Ciel and Dancing Time Limit: None seconds Memory Limit: None megabytes Problem Description: Fox Ciel and her friends are in a dancing room. There are *n* boys and *m* girls here, and they never danced before. There will be some songs, during each song, there must be exactly one boy and one girl are dancing. B...
```python n,m = map(int,input().split()) ii = set() jj = set() ans = [] for i in range(1,n+1): for j in range(1,m+1): if i not in ii or j not in jj: ans.append ((i,j)) ii.add(i) jj.add(j) print(len(ans)) for a,b in ans: print(a,b) ```
3
91
A
Newspaper Headline
PROGRAMMING
1,500
[ "greedy", "strings" ]
A. Newspaper Headline
2
256
A newspaper is published in Walrusland. Its heading is *s*1, it consists of lowercase Latin letters. Fangy the little walrus wants to buy several such newspapers, cut out their headings, glue them one to another in order to get one big string. After that walrus erase several letters from this string in order to get a n...
The input data contain two lines. The first line contain the heading *s*1, the second line contains the word *s*2. The lines only consist of lowercase Latin letters (1<=≤<=|*s*1|<=≤<=104,<=1<=≤<=|*s*2|<=≤<=106).
If it is impossible to get the word *s*2 in the above-described manner, print "-1" (without the quotes). Otherwise, print the least number of newspaper headings *s*1, which Fangy will need to receive the word *s*2.
[ "abc\nxyz\n", "abcd\ndabc\n" ]
[ "-1\n", "2\n" ]
none
500
[ { "input": "abc\nxyz", "output": "-1" }, { "input": "abcd\ndabc", "output": "2" }, { "input": "ab\nbabaaab", "output": "5" }, { "input": "ab\nbaaabba", "output": "6" }, { "input": "fbaaigiihhfaahgdbddgeggjdeigfadhfddja\nhbghjgijijcdafcbgiedichdeebaddfddb", "ou...
1,500,873,829
2,147,483,647
Python 3
WRONG_ANSWER
TESTS
3
122
5,120,000
from collections import Counter ws1 = input() ws2 = input() c1 = Counter(ws1) c2 = Counter(ws2) s1 = set(c1) s2 = set(c2) if not s2.issubset(s1): print('-1') elif ws1 == ws2: print(0) else: print(sum((dict((c2-c1).most_common(1))).values()) + 2)
Title: Newspaper Headline Time Limit: 2 seconds Memory Limit: 256 megabytes Problem Description: A newspaper is published in Walrusland. Its heading is *s*1, it consists of lowercase Latin letters. Fangy the little walrus wants to buy several such newspapers, cut out their headings, glue them one to another in order...
```python from collections import Counter ws1 = input() ws2 = input() c1 = Counter(ws1) c2 = Counter(ws2) s1 = set(c1) s2 = set(c2) if not s2.issubset(s1): print('-1') elif ws1 == ws2: print(0) else: print(sum((dict((c2-c1).most_common(1))).values()) + 2) ```
0
994
A
Fingerprints
PROGRAMMING
800
[ "implementation" ]
null
null
You are locked in a room with a door that has a keypad with 10 keys corresponding to digits from 0 to 9. To escape from the room, you need to enter a correct code. You also have a sequence of digits. Some keys on the keypad have fingerprints. You believe the correct code is the longest not necessarily contiguous subse...
The first line contains two integers $n$ and $m$ ($1 \le n, m \le 10$) representing the number of digits in the sequence you have and the number of keys on the keypad that have fingerprints. The next line contains $n$ distinct space-separated integers $x_1, x_2, \ldots, x_n$ ($0 \le x_i \le 9$) representing the sequen...
In a single line print a space-separated sequence of integers representing the code. If the resulting sequence is empty, both printing nothing and printing a single line break is acceptable.
[ "7 3\n3 5 7 1 6 2 8\n1 2 7\n", "4 4\n3 4 1 0\n0 1 7 9\n" ]
[ "7 1 2\n", "1 0\n" ]
In the first example, the only digits with fingerprints are $1$, $2$ and $7$. All three of them appear in the sequence you know, $7$ first, then $1$ and then $2$. Therefore the output is 7 1 2. Note that the order is important, and shall be the same as the order in the original sequence. In the second example digits $...
500
[ { "input": "7 3\n3 5 7 1 6 2 8\n1 2 7", "output": "7 1 2" }, { "input": "4 4\n3 4 1 0\n0 1 7 9", "output": "1 0" }, { "input": "9 4\n9 8 7 6 5 4 3 2 1\n2 4 6 8", "output": "8 6 4 2" }, { "input": "10 5\n3 7 1 2 4 6 9 0 5 8\n4 3 0 7 9", "output": "3 7 4 9 0" }, { "...
1,628,097,683
2,147,483,647
Python 3
OK
TESTS
31
77
6,758,400
n, k = [int(x) for x in input().split()] xs = input().split() ys = set(input().split()) for x in xs: if x in ys: print(x, end=' ') print('')
Title: Fingerprints Time Limit: None seconds Memory Limit: None megabytes Problem Description: You are locked in a room with a door that has a keypad with 10 keys corresponding to digits from 0 to 9. To escape from the room, you need to enter a correct code. You also have a sequence of digits. Some keys on the keyp...
```python n, k = [int(x) for x in input().split()] xs = input().split() ys = set(input().split()) for x in xs: if x in ys: print(x, end=' ') print('') ```
3
306
A
Candies
PROGRAMMING
800
[ "implementation" ]
null
null
Polycarpus has got *n* candies and *m* friends (*n*<=≥<=*m*). He wants to make a New Year present with candies to each friend. Polycarpus is planning to present all candies and he wants to do this in the fairest (that is, most equal) manner. He wants to choose such *a**i*, where *a**i* is the number of candies in the *...
The single line of the input contains a pair of space-separated positive integers *n*, *m* (1<=≤<=*n*,<=*m*<=≤<=100;*n*<=≥<=*m*) — the number of candies and the number of Polycarpus's friends.
Print the required sequence *a*1,<=*a*2,<=...,<=*a**m*, where *a**i* is the number of candies in the *i*-th friend's present. All numbers *a**i* must be positive integers, total up to *n*, the maximum one should differ from the minimum one by the smallest possible value.
[ "12 3\n", "15 4\n", "18 7\n" ]
[ "4 4 4 ", "3 4 4 4 ", "2 2 2 3 3 3 3 " ]
Print *a*<sub class="lower-index">*i*</sub> in any order, separate the numbers by spaces.
500
[ { "input": "12 4", "output": "3 3 3 3 " }, { "input": "15 6", "output": "2 2 2 3 3 3 " }, { "input": "18 8", "output": "2 2 2 2 2 2 3 3 " }, { "input": "1 1", "output": "1 " }, { "input": "2 1", "output": "2 " }, { "input": "100 1", "output": "100 ...
1,473,442,028
2,147,483,647
Python 3
OK
TESTS
20
92
0
n,m=map(int,input().split()) x=n//m y=n%m print(' '.join([str(x+1)]*y+[str(x)]*(m-y)))
Title: Candies Time Limit: None seconds Memory Limit: None megabytes Problem Description: Polycarpus has got *n* candies and *m* friends (*n*<=≥<=*m*). He wants to make a New Year present with candies to each friend. Polycarpus is planning to present all candies and he wants to do this in the fairest (that is, most ...
```python n,m=map(int,input().split()) x=n//m y=n%m print(' '.join([str(x+1)]*y+[str(x)]*(m-y))) ```
3
208
A
Dubstep
PROGRAMMING
900
[ "strings" ]
null
null
Vasya works as a DJ in the best Berland nightclub, and he often uses dubstep music in his performance. Recently, he has decided to take a couple of old songs and make dubstep remixes from them. Let's assume that a song consists of some number of words. To make the dubstep remix of this song, Vasya inserts a certain nu...
The input consists of a single non-empty string, consisting only of uppercase English letters, the string's length doesn't exceed 200 characters. It is guaranteed that before Vasya remixed the song, no word contained substring "WUB" in it; Vasya didn't change the word order. It is also guaranteed that initially the son...
Print the words of the initial song that Vasya used to make a dubsteb remix. Separate the words with a space.
[ "WUBWUBABCWUB\n", "WUBWEWUBAREWUBWUBTHEWUBCHAMPIONSWUBMYWUBFRIENDWUB\n" ]
[ "ABC ", "WE ARE THE CHAMPIONS MY FRIEND " ]
In the first sample: "WUBWUBABCWUB" = "WUB" + "WUB" + "ABC" + "WUB". That means that the song originally consisted of a single word "ABC", and all words "WUB" were added by Vasya. In the second sample Vasya added a single word "WUB" between all neighbouring words, in the beginning and in the end, except for words "ARE...
500
[ { "input": "WUBWUBABCWUB", "output": "ABC " }, { "input": "WUBWEWUBAREWUBWUBTHEWUBCHAMPIONSWUBMYWUBFRIENDWUB", "output": "WE ARE THE CHAMPIONS MY FRIEND " }, { "input": "WUBWUBWUBSR", "output": "SR " }, { "input": "RWUBWUBWUBLWUB", "output": "R L " }, { "input": "...
1,689,712,018
2,147,483,647
PyPy 3-64
OK
TESTS
71
124
0
text = input().replace("WUB", " ").strip() print(text)
Title: Dubstep Time Limit: None seconds Memory Limit: None megabytes Problem Description: Vasya works as a DJ in the best Berland nightclub, and he often uses dubstep music in his performance. Recently, he has decided to take a couple of old songs and make dubstep remixes from them. Let's assume that a song consist...
```python text = input().replace("WUB", " ").strip() print(text) ```
3
798
A
Mike and palindrome
PROGRAMMING
1,000
[ "brute force", "constructive algorithms", "strings" ]
null
null
Mike has a string *s* consisting of only lowercase English letters. He wants to change exactly one character from the string so that the resulting one is a palindrome. A palindrome is a string that reads the same backward as forward, for example strings "z", "aaa", "aba", "abccba" are palindromes, but strings "codefo...
The first and single line contains string *s* (1<=≤<=|*s*|<=≤<=15).
Print "YES" (without quotes) if Mike can change exactly one character so that the resulting string is palindrome or "NO" (without quotes) otherwise.
[ "abccaa\n", "abbcca\n", "abcda\n" ]
[ "YES\n", "NO\n", "YES\n" ]
none
500
[ { "input": "abccaa", "output": "YES" }, { "input": "abbcca", "output": "NO" }, { "input": "abcda", "output": "YES" }, { "input": "kyw", "output": "YES" }, { "input": "fccf", "output": "NO" }, { "input": "mnlm", "output": "YES" }, { "input":...
1,636,970,186
2,147,483,647
Python 3
COMPILATION_ERROR
TESTS
0
0
0
s = input() count = 0 for i in range(len(s)//2): if s[i]!=s[len(s)-1-i]: count +=1 if count ==1: print("yes") else: print("no)
Title: Mike and palindrome Time Limit: None seconds Memory Limit: None megabytes Problem Description: Mike has a string *s* consisting of only lowercase English letters. He wants to change exactly one character from the string so that the resulting one is a palindrome. A palindrome is a string that reads the same ...
```python s = input() count = 0 for i in range(len(s)//2): if s[i]!=s[len(s)-1-i]: count +=1 if count ==1: print("yes") else: print("no) ```
-1
672
A
Summer Camp
PROGRAMMING
800
[ "implementation" ]
null
null
Every year, hundreds of people come to summer camps, they learn new algorithms and solve hard problems. This is your first year at summer camp, and you are asked to solve the following problem. All integers starting with 1 are written in one line. The prefix of these line is "123456789101112131415...". Your task is to...
The only line of the input contains a single integer *n* (1<=≤<=*n*<=≤<=1000) — the position of the digit you need to print.
Print the *n*-th digit of the line.
[ "3\n", "11\n" ]
[ "3\n", "0\n" ]
In the first sample the digit at position 3 is '3', as both integers 1 and 2 consist on one digit. In the second sample, the digit at position 11 is '0', it belongs to the integer 10.
500
[ { "input": "3", "output": "3" }, { "input": "11", "output": "0" }, { "input": "12", "output": "1" }, { "input": "13", "output": "1" }, { "input": "29", "output": "9" }, { "input": "30", "output": "2" }, { "input": "1000", "output": "3" ...
1,681,151,508
2,147,483,647
Python 3
WRONG_ANSWER
TESTS
6
31
0
n = int(input()) if n < 10: print(n) elif n < 90 * 2 + 9: x = (n - 10) // 2 + 10 if n % 2: print(x % 10) else: print(x // 10) elif n < 900 * 3 + 90 * 2 + 9: x = (n - 10 - 90 * 2) // 3 + 100 print(x) if (n - 10 - 90 * 2) % 3 == 1: print(x % 10) elif (...
Title: Summer Camp Time Limit: None seconds Memory Limit: None megabytes Problem Description: Every year, hundreds of people come to summer camps, they learn new algorithms and solve hard problems. This is your first year at summer camp, and you are asked to solve the following problem. All integers starting with 1...
```python n = int(input()) if n < 10: print(n) elif n < 90 * 2 + 9: x = (n - 10) // 2 + 10 if n % 2: print(x % 10) else: print(x // 10) elif n < 900 * 3 + 90 * 2 + 9: x = (n - 10 - 90 * 2) // 3 + 100 print(x) if (n - 10 - 90 * 2) % 3 == 1: print(x % 10) ...
0
894
A
QAQ
PROGRAMMING
800
[ "brute force", "dp" ]
null
null
"QAQ" is a word to denote an expression of crying. Imagine "Q" as eyes with tears and "A" as a mouth. Now Diamond has given Bort a string consisting of only uppercase English letters of length *n*. There is a great number of "QAQ" in the string (Diamond is so cute!). Bort wants to know how many subsequences "QAQ" are...
The only line contains a string of length *n* (1<=≤<=*n*<=≤<=100). It's guaranteed that the string only contains uppercase English letters.
Print a single integer — the number of subsequences "QAQ" in the string.
[ "QAQAQYSYIOIWIN\n", "QAQQQZZYNOIWIN\n" ]
[ "4\n", "3\n" ]
In the first example there are 4 subsequences "QAQ": "QAQAQYSYIOIWIN", "QAQAQYSYIOIWIN", "QAQAQYSYIOIWIN", "QAQAQYSYIOIWIN".
500
[ { "input": "QAQAQYSYIOIWIN", "output": "4" }, { "input": "QAQQQZZYNOIWIN", "output": "3" }, { "input": "QA", "output": "0" }, { "input": "IAQVAQZLQBQVQFTQQQADAQJA", "output": "24" }, { "input": "QQAAQASGAYAAAAKAKAQIQEAQAIAAIAQQQQQ", "output": "378" }, { ...
1,625,063,189
2,147,483,647
PyPy 3
OK
TESTS
43
109
0
def findAllSubsequence(string, word): prefix_arr = [None for _ in range(len(string))] curr_no = 0 for i in range(len(string)): if string[i] == word[0]: curr_no += 1 prefix_arr[i] = curr_no ans = 0 for i in range(1, len(string)-1): if string[i] == ...
Title: QAQ Time Limit: None seconds Memory Limit: None megabytes Problem Description: "QAQ" is a word to denote an expression of crying. Imagine "Q" as eyes with tears and "A" as a mouth. Now Diamond has given Bort a string consisting of only uppercase English letters of length *n*. There is a great number of "QAQ"...
```python def findAllSubsequence(string, word): prefix_arr = [None for _ in range(len(string))] curr_no = 0 for i in range(len(string)): if string[i] == word[0]: curr_no += 1 prefix_arr[i] = curr_no ans = 0 for i in range(1, len(string)-1): if str...
3
450
A
Jzzhu and Children
PROGRAMMING
1,000
[ "implementation" ]
null
null
There are *n* children in Jzzhu's school. Jzzhu is going to give some candies to them. Let's number all the children from 1 to *n*. The *i*-th child wants to get at least *a**i* candies. Jzzhu asks children to line up. Initially, the *i*-th child stands at the *i*-th place of the line. Then Jzzhu start distribution of...
The first line contains two integers *n*,<=*m* (1<=≤<=*n*<=≤<=100; 1<=≤<=*m*<=≤<=100). The second line contains *n* integers *a*1,<=*a*2,<=...,<=*a**n* (1<=≤<=*a**i*<=≤<=100).
Output a single integer, representing the number of the last child.
[ "5 2\n1 3 1 4 2\n", "6 4\n1 1 2 2 3 3\n" ]
[ "4\n", "6\n" ]
Let's consider the first sample. Firstly child 1 gets 2 candies and go home. Then child 2 gets 2 candies and go to the end of the line. Currently the line looks like [3, 4, 5, 2] (indices of the children in order of the line). Then child 3 gets 2 candies and go home, and then child 4 gets 2 candies and goes to the en...
500
[ { "input": "5 2\n1 3 1 4 2", "output": "4" }, { "input": "6 4\n1 1 2 2 3 3", "output": "6" }, { "input": "7 3\n6 1 5 4 2 3 1", "output": "4" }, { "input": "10 5\n2 7 3 6 2 5 1 3 4 5", "output": "4" }, { "input": "100 1\n1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18...
1,656,699,842
2,147,483,647
PyPy 3-64
WRONG_ANSWER
TESTS
2
92
512,000
n,m=list(map(int,input().split())) arr=list(map(int,input().split())) m1=max(arr) if(m>m1): print(n) else: dic={} for i in range(n): dic[arr[i]]=i i=0 while(len(arr)!=1): # print(arr) arr[i]-=m if(arr[i]<=0): arr.pop(i) i...
Title: Jzzhu and Children Time Limit: None seconds Memory Limit: None megabytes Problem Description: There are *n* children in Jzzhu's school. Jzzhu is going to give some candies to them. Let's number all the children from 1 to *n*. The *i*-th child wants to get at least *a**i* candies. Jzzhu asks children to line ...
```python n,m=list(map(int,input().split())) arr=list(map(int,input().split())) m1=max(arr) if(m>m1): print(n) else: dic={} for i in range(n): dic[arr[i]]=i i=0 while(len(arr)!=1): # print(arr) arr[i]-=m if(arr[i]<=0): arr.pop(i) ...
0
192
A
Funky Numbers
PROGRAMMING
1,300
[ "binary search", "brute force", "implementation" ]
null
null
As you very well know, this year's funkiest numbers are so called triangular numbers (that is, integers that are representable as , where *k* is some positive integer), and the coolest numbers are those that are representable as a sum of two triangular numbers. A well-known hipster Andrew adores everything funky and c...
The first input line contains an integer *n* (1<=≤<=*n*<=≤<=109).
Print "YES" (without the quotes), if *n* can be represented as a sum of two triangular numbers, otherwise print "NO" (without the quotes).
[ "256\n", "512\n" ]
[ "YES\n", "NO\n" ]
In the first sample number <img align="middle" class="tex-formula" src="https://espresso.codeforces.com/92095692c6ea93e9e3b837a0408ba7543549d5b2.png" style="max-width: 100.0%;max-height: 100.0%;"/>. In the second sample number 512 can not be represented as a sum of two triangular numbers.
500
[ { "input": "256", "output": "YES" }, { "input": "512", "output": "NO" }, { "input": "80", "output": "NO" }, { "input": "828", "output": "YES" }, { "input": "6035", "output": "NO" }, { "input": "39210", "output": "YES" }, { "input": "79712",...
1,631,083,303
2,147,483,647
PyPy 3
RUNTIME_ERROR
TESTS
0
218
2,150,400
n=int(input()) m=2*n+0.5 l=int(n**(1/2)) flag=0 for i in range (1,l+1): if a == int((m-((i+0.5)**(2)))**(1/2)-0.5) and a != 0: print("YES") flag=1 break i=i+1 if flag==0 : print("No")
Title: Funky Numbers Time Limit: None seconds Memory Limit: None megabytes Problem Description: As you very well know, this year's funkiest numbers are so called triangular numbers (that is, integers that are representable as , where *k* is some positive integer), and the coolest numbers are those that are represent...
```python n=int(input()) m=2*n+0.5 l=int(n**(1/2)) flag=0 for i in range (1,l+1): if a == int((m-((i+0.5)**(2)))**(1/2)-0.5) and a != 0: print("YES") flag=1 break i=i+1 if flag==0 : print("No") ```
-1
6
A
Triangle
PROGRAMMING
900
[ "brute force", "geometry" ]
A. Triangle
2
64
Johnny has a younger sister Anne, who is very clever and smart. As she came home from the kindergarten, she told his brother about the task that her kindergartener asked her to solve. The task was just to construct a triangle out of four sticks of different colours. Naturally, one of the sticks is extra. It is not allo...
The first line of the input contains four space-separated positive integer numbers not exceeding 100 — lengthes of the sticks.
Output TRIANGLE if it is possible to construct a non-degenerate triangle. Output SEGMENT if the first case cannot take place and it is possible to construct a degenerate triangle. Output IMPOSSIBLE if it is impossible to construct any triangle. Remember that you are to use three sticks. It is not allowed to break the s...
[ "4 2 1 3\n", "7 2 2 4\n", "3 5 9 1\n" ]
[ "TRIANGLE\n", "SEGMENT\n", "IMPOSSIBLE\n" ]
none
0
[ { "input": "4 2 1 3", "output": "TRIANGLE" }, { "input": "7 2 2 4", "output": "SEGMENT" }, { "input": "3 5 9 1", "output": "IMPOSSIBLE" }, { "input": "3 1 5 1", "output": "IMPOSSIBLE" }, { "input": "10 10 10 10", "output": "TRIANGLE" }, { "input": "11 ...
1,520,601,704
2,147,483,647
Python 3
OK
TESTS
83
124
5,632,000
arr=[int(x) for x in input().split()] tri=0 seg=0 for (i,item) in enumerate(arr): arr2=list(arr) del arr2[i] if (arr2[0]<arr2[1]+arr2[2])&(arr2[1]<arr2[0]+arr2[2])&(arr2[2]<arr2[1]+arr2[0]): tri=1 break elif (arr2[0]==arr2[1]+arr2[2])|(arr2[1]==arr2[0]+arr2[2])|(arr2[2]==arr2[1]+arr2[0])...
Title: Triangle Time Limit: 2 seconds Memory Limit: 64 megabytes Problem Description: Johnny has a younger sister Anne, who is very clever and smart. As she came home from the kindergarten, she told his brother about the task that her kindergartener asked her to solve. The task was just to construct a triangle out o...
```python arr=[int(x) for x in input().split()] tri=0 seg=0 for (i,item) in enumerate(arr): arr2=list(arr) del arr2[i] if (arr2[0]<arr2[1]+arr2[2])&(arr2[1]<arr2[0]+arr2[2])&(arr2[2]<arr2[1]+arr2[0]): tri=1 break elif (arr2[0]==arr2[1]+arr2[2])|(arr2[1]==arr2[0]+arr2[2])|(arr2[2]==arr2[1...
3.927038
814
C
An impassioned circulation of affection
PROGRAMMING
1,600
[ "brute force", "dp", "strings", "two pointers" ]
null
null
Nadeko's birthday is approaching! As she decorated the room for the party, a long garland of Dianthus-shaped paper pieces was placed on a prominent part of the wall. Brother Koyomi will like it! Still unsatisfied with the garland, Nadeko decided to polish it again. The garland has *n* pieces numbered from 1 to *n* fro...
The first line of input contains a positive integer *n* (1<=≤<=*n*<=≤<=1<=500) — the length of the garland. The second line contains *n* lowercase English letters *s*1*s*2... *s**n* as a string — the initial colours of paper pieces on the garland. The third line contains a positive integer *q* (1<=≤<=*q*<=≤<=200<=000...
Output *q* lines: for each work plan, output one line containing an integer — the largest Koyomity achievable after repainting the garland according to it.
[ "6\nkoyomi\n3\n1 o\n4 o\n4 m\n", "15\nyamatonadeshiko\n10\n1 a\n2 a\n3 a\n4 a\n5 a\n1 b\n2 b\n3 b\n4 b\n5 b\n", "10\naaaaaaaaaa\n2\n10 b\n10 z\n" ]
[ "3\n6\n5\n", "3\n4\n5\n7\n8\n1\n2\n3\n4\n5\n", "10\n10\n" ]
In the first sample, there are three plans: - In the first plan, at most 1 piece can be repainted. Repainting the "y" piece to become "o" results in "kooomi", whose Koyomity of 3 is the best achievable; - In the second plan, at most 4 pieces can be repainted, and "oooooo" results in a Koyomity of 6; - In the third...
1,750
[ { "input": "6\nkoyomi\n3\n1 o\n4 o\n4 m", "output": "3\n6\n5" }, { "input": "15\nyamatonadeshiko\n10\n1 a\n2 a\n3 a\n4 a\n5 a\n1 b\n2 b\n3 b\n4 b\n5 b", "output": "3\n4\n5\n7\n8\n1\n2\n3\n4\n5" }, { "input": "10\naaaaaaaaaa\n2\n10 b\n10 z", "output": "10\n10" }, { "input": "1...
1,625,807,293
2,147,483,647
PyPy 3
TIME_LIMIT_EXCEEDED
TESTS
9
2,000
9,011,200
n = int(input()) s = input() q = int(input()) for i in range(q): a,b = map(str,input().split()) a = int(a) ans = 0 left,right = 0,0 while left < n and right < n: while right < n: if s[right]!=b: if a == 0: break a-=...
Title: An impassioned circulation of affection Time Limit: None seconds Memory Limit: None megabytes Problem Description: Nadeko's birthday is approaching! As she decorated the room for the party, a long garland of Dianthus-shaped paper pieces was placed on a prominent part of the wall. Brother Koyomi will like it! ...
```python n = int(input()) s = input() q = int(input()) for i in range(q): a,b = map(str,input().split()) a = int(a) ans = 0 left,right = 0,0 while left < n and right < n: while right < n: if s[right]!=b: if a == 0: break ...
0
337
A
Puzzles
PROGRAMMING
900
[ "greedy" ]
null
null
The end of the school year is near and Ms. Manana, the teacher, will soon have to say goodbye to a yet another class. She decided to prepare a goodbye present for her *n* students and give each of them a jigsaw puzzle (which, as wikipedia states, is a tiling puzzle that requires the assembly of numerous small, often od...
The first line contains space-separated integers *n* and *m* (2<=≤<=*n*<=≤<=*m*<=≤<=50). The second line contains *m* space-separated integers *f*1,<=*f*2,<=...,<=*f**m* (4<=≤<=*f**i*<=≤<=1000) — the quantities of pieces in the puzzles sold in the shop.
Print a single integer — the least possible difference the teacher can obtain.
[ "4 6\n10 12 10 7 5 22\n" ]
[ "5\n" ]
Sample 1. The class has 4 students. The shop sells 6 puzzles. If Ms. Manana buys the first four puzzles consisting of 10, 12, 10 and 7 pieces correspondingly, then the difference between the sizes of the largest and the smallest puzzle will be equal to 5. It is impossible to obtain a smaller difference. Note that the t...
500
[ { "input": "4 6\n10 12 10 7 5 22", "output": "5" }, { "input": "2 2\n4 4", "output": "0" }, { "input": "2 10\n4 5 6 7 8 9 10 11 12 12", "output": "0" }, { "input": "4 5\n818 136 713 59 946", "output": "759" }, { "input": "3 20\n446 852 783 313 549 965 40 88 86 617...
1,676,730,784
2,147,483,647
Python 3
OK
TESTS
18
92
0
q,qq = input().split() q = int(q) qq = int(qq) row = input().split() row_x = [] for _ in row: row_x.append(int(_)) def foobar(row): row = sorted(row) res = [] r = q g = 0 for _ in range(qq-q+1): d = row[r-1]-row[g] r = r +1 g = g +1 res.append(d)...
Title: Puzzles Time Limit: None seconds Memory Limit: None megabytes Problem Description: The end of the school year is near and Ms. Manana, the teacher, will soon have to say goodbye to a yet another class. She decided to prepare a goodbye present for her *n* students and give each of them a jigsaw puzzle (which, a...
```python q,qq = input().split() q = int(q) qq = int(qq) row = input().split() row_x = [] for _ in row: row_x.append(int(_)) def foobar(row): row = sorted(row) res = [] r = q g = 0 for _ in range(qq-q+1): d = row[r-1]-row[g] r = r +1 g = g +1 res...
3