message stringlengths 2 57.2k | message_type stringclasses 2 values | message_id int64 0 1 | conversation_id int64 61 108k | cluster float64 22 22 | __index_level_0__ int64 122 217k |
|---|---|---|---|---|---|
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
There are n positive integers a_1, a_2, ..., a_n. For the one move you can choose any even value c and divide by two all elements that equal c.
For example, if a=[6,8,12,6,3,12] and you choose c=6, and a is transformed into a=[3,8,12,3,3,12] after the move.
You need to find the minimal number of moves for transforming a to an array of only odd integers (each element shouldn't be divisible by 2).
Input
The first line of the input contains one integer t (1 β€ t β€ 10^4) β the number of test cases in the input. Then t test cases follow.
The first line of a test case contains n (1 β€ n β€ 2β
10^5) β the number of integers in the sequence a. The second line contains positive integers a_1, a_2, ..., a_n (1 β€ a_i β€ 10^9).
The sum of n for all test cases in the input doesn't exceed 2β
10^5.
Output
For t test cases print the answers in the order of test cases in the input. The answer for the test case is the minimal number of moves needed to make all numbers in the test case odd (i.e. not divisible by 2).
Example
Input
4
6
40 6 40 3 20 1
1
1024
4
2 4 8 16
3
3 1 7
Output
4
10
4
0
Note
In the first test case of the example, the optimal sequence of moves can be as follows:
* before making moves a=[40, 6, 40, 3, 20, 1];
* choose c=6;
* now a=[40, 3, 40, 3, 20, 1];
* choose c=40;
* now a=[20, 3, 20, 3, 20, 1];
* choose c=20;
* now a=[10, 3, 10, 3, 10, 1];
* choose c=10;
* now a=[5, 3, 5, 3, 5, 1] β all numbers are odd.
Thus, all numbers became odd after 4 moves. In 3 or fewer moves, you cannot make them all odd.
Submitted Solution:
```
# ------------------- fast io --------------------
import os
import sys
from io import BytesIO, IOBase
BUFSIZE = 8192
class FastIO(IOBase):
newlines = 0
def __init__(self, file):
self._fd = file.fileno()
self.buffer = BytesIO()
self.writable = "x" in file.mode or "r" not in file.mode
self.write = self.buffer.write if self.writable else None
def read(self):
while True:
b = os.read(self._fd, max(os.fstat(self._fd).st_size, BUFSIZE))
if not b:
break
ptr = self.buffer.tell()
self.buffer.seek(0, 2), self.buffer.write(b), self.buffer.seek(ptr)
self.newlines = 0
return self.buffer.read()
def readline(self):
while self.newlines == 0:
b = os.read(self._fd, max(os.fstat(self._fd).st_size, BUFSIZE))
self.newlines = b.count(b"\n") + (not b)
ptr = self.buffer.tell()
self.buffer.seek(0, 2), self.buffer.write(b), self.buffer.seek(ptr)
self.newlines -= 1
return self.buffer.readline()
def flush(self):
if self.writable:
os.write(self._fd, self.buffer.getvalue())
self.buffer.truncate(0), self.buffer.seek(0)
class IOWrapper(IOBase):
def __init__(self, file):
self.buffer = FastIO(file)
self.flush = self.buffer.flush
self.writable = self.buffer.writable
self.write = lambda s: self.buffer.write(s.encode("ascii"))
self.read = lambda: self.buffer.read().decode("ascii")
self.readline = lambda: self.buffer.readline().decode("ascii")
sys.stdin, sys.stdout = IOWrapper(sys.stdin), IOWrapper(sys.stdout)
input = lambda: sys.stdin.readline().rstrip("\r\n")
# ------------------- fast io --------------------
testcases=int(input())
for j in range(testcases):
n=int(input())
vals=list(map(int,input().split()))
#find all the evens
evens=set([])
for s in range(n):
if vals[s]%2==0:
evens.add(vals[s])
evens=list(evens)
evens.sort()
dict1={}
total=0
#i think ill divide everything by 2 and then turn it into a set
for s in range(len(evens)):
moves=0
while evens[s]%2==0:
evens[s]=evens[s]//2
moves+=1
if not(evens[s] in dict1):
dict1[evens[s]]=moves
else:
if moves>dict1[evens[s]]:
dict1[evens[s]]=moves
print(sum(dict1.values()))
``` | instruction | 0 | 96,248 | 22 | 192,496 |
Yes | output | 1 | 96,248 | 22 | 192,497 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
There are n positive integers a_1, a_2, ..., a_n. For the one move you can choose any even value c and divide by two all elements that equal c.
For example, if a=[6,8,12,6,3,12] and you choose c=6, and a is transformed into a=[3,8,12,3,3,12] after the move.
You need to find the minimal number of moves for transforming a to an array of only odd integers (each element shouldn't be divisible by 2).
Input
The first line of the input contains one integer t (1 β€ t β€ 10^4) β the number of test cases in the input. Then t test cases follow.
The first line of a test case contains n (1 β€ n β€ 2β
10^5) β the number of integers in the sequence a. The second line contains positive integers a_1, a_2, ..., a_n (1 β€ a_i β€ 10^9).
The sum of n for all test cases in the input doesn't exceed 2β
10^5.
Output
For t test cases print the answers in the order of test cases in the input. The answer for the test case is the minimal number of moves needed to make all numbers in the test case odd (i.e. not divisible by 2).
Example
Input
4
6
40 6 40 3 20 1
1
1024
4
2 4 8 16
3
3 1 7
Output
4
10
4
0
Note
In the first test case of the example, the optimal sequence of moves can be as follows:
* before making moves a=[40, 6, 40, 3, 20, 1];
* choose c=6;
* now a=[40, 3, 40, 3, 20, 1];
* choose c=40;
* now a=[20, 3, 20, 3, 20, 1];
* choose c=20;
* now a=[10, 3, 10, 3, 10, 1];
* choose c=10;
* now a=[5, 3, 5, 3, 5, 1] β all numbers are odd.
Thus, all numbers became odd after 4 moves. In 3 or fewer moves, you cannot make them all odd.
Submitted Solution:
```
def main():
q = int(input())
for _ in range(q):
n = int(input())
tab = list(map(int,input().split()))
nt = set()
for x in range(n):
if tab[x]%2==0:
nt.add(tab[x])
nt = list(nt)
nt.sort()
nt = nt[::-1]
if len(nt) == 0:
print(0)
continue
nt.append(-1)
i = 0
trans = 0
while i < len(nt)-1:
if nt[i]%2==0 and nt[i]//2 > nt[i+1]:
nt[i] //=2
trans += 1
else:
i += 1
trans += 1
print(trans-1)
main()
``` | instruction | 0 | 96,249 | 22 | 192,498 |
No | output | 1 | 96,249 | 22 | 192,499 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
There are n positive integers a_1, a_2, ..., a_n. For the one move you can choose any even value c and divide by two all elements that equal c.
For example, if a=[6,8,12,6,3,12] and you choose c=6, and a is transformed into a=[3,8,12,3,3,12] after the move.
You need to find the minimal number of moves for transforming a to an array of only odd integers (each element shouldn't be divisible by 2).
Input
The first line of the input contains one integer t (1 β€ t β€ 10^4) β the number of test cases in the input. Then t test cases follow.
The first line of a test case contains n (1 β€ n β€ 2β
10^5) β the number of integers in the sequence a. The second line contains positive integers a_1, a_2, ..., a_n (1 β€ a_i β€ 10^9).
The sum of n for all test cases in the input doesn't exceed 2β
10^5.
Output
For t test cases print the answers in the order of test cases in the input. The answer for the test case is the minimal number of moves needed to make all numbers in the test case odd (i.e. not divisible by 2).
Example
Input
4
6
40 6 40 3 20 1
1
1024
4
2 4 8 16
3
3 1 7
Output
4
10
4
0
Note
In the first test case of the example, the optimal sequence of moves can be as follows:
* before making moves a=[40, 6, 40, 3, 20, 1];
* choose c=6;
* now a=[40, 3, 40, 3, 20, 1];
* choose c=40;
* now a=[20, 3, 20, 3, 20, 1];
* choose c=20;
* now a=[10, 3, 10, 3, 10, 1];
* choose c=10;
* now a=[5, 3, 5, 3, 5, 1] β all numbers are odd.
Thus, all numbers became odd after 4 moves. In 3 or fewer moves, you cannot make them all odd.
Submitted Solution:
```
import heapq
def main():
q = int(input())
for _ in range(q):
n = int(input())
tab = list(map(int,input().split()))
nt = set()
for x in range(n):
if tab[x]%2==0:
nt.add(tab[x])
nt = list(nt)
nt.sort()
if len(nt) == 0:
print(0)
continue
i = len(nt)-1
trans = 0
nts = set(nt)
while i >= 0:
if (nt[i]//2)%2==0:
if nt[i]//2 in nts:
i -= 1
trans += 1
nt.pop(-1)
else:
nts.add(nt[i]//2)
heapq.heappush(nt,nt[i]//2)
nt.pop(-1)
trans += 1
else:
i -= 1
trans += 1
nt.pop(-1)
print(trans)
main()
``` | instruction | 0 | 96,250 | 22 | 192,500 |
No | output | 1 | 96,250 | 22 | 192,501 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
There are n positive integers a_1, a_2, ..., a_n. For the one move you can choose any even value c and divide by two all elements that equal c.
For example, if a=[6,8,12,6,3,12] and you choose c=6, and a is transformed into a=[3,8,12,3,3,12] after the move.
You need to find the minimal number of moves for transforming a to an array of only odd integers (each element shouldn't be divisible by 2).
Input
The first line of the input contains one integer t (1 β€ t β€ 10^4) β the number of test cases in the input. Then t test cases follow.
The first line of a test case contains n (1 β€ n β€ 2β
10^5) β the number of integers in the sequence a. The second line contains positive integers a_1, a_2, ..., a_n (1 β€ a_i β€ 10^9).
The sum of n for all test cases in the input doesn't exceed 2β
10^5.
Output
For t test cases print the answers in the order of test cases in the input. The answer for the test case is the minimal number of moves needed to make all numbers in the test case odd (i.e. not divisible by 2).
Example
Input
4
6
40 6 40 3 20 1
1
1024
4
2 4 8 16
3
3 1 7
Output
4
10
4
0
Note
In the first test case of the example, the optimal sequence of moves can be as follows:
* before making moves a=[40, 6, 40, 3, 20, 1];
* choose c=6;
* now a=[40, 3, 40, 3, 20, 1];
* choose c=40;
* now a=[20, 3, 20, 3, 20, 1];
* choose c=20;
* now a=[10, 3, 10, 3, 10, 1];
* choose c=10;
* now a=[5, 3, 5, 3, 5, 1] β all numbers are odd.
Thus, all numbers became odd after 4 moves. In 3 or fewer moves, you cannot make them all odd.
Submitted Solution:
```
def solve():
N = int(input())
L = list(set(map(int, input().split())))
L = filter(lambda x: x % 2 == 0, L)
used = set()
for l in sorted(L, reverse=True):
if all(v % l != 0 and l % 2 == 0 for v in used):
used.add(l)
ans = 0
for v in used:
cnt = 0
while v % 2 == 0:
v //= 2
cnt += 1
ans += cnt
print(ans)
T = int(input())
for _ in range(T):
solve()
``` | instruction | 0 | 96,251 | 22 | 192,502 |
No | output | 1 | 96,251 | 22 | 192,503 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
There are n positive integers a_1, a_2, ..., a_n. For the one move you can choose any even value c and divide by two all elements that equal c.
For example, if a=[6,8,12,6,3,12] and you choose c=6, and a is transformed into a=[3,8,12,3,3,12] after the move.
You need to find the minimal number of moves for transforming a to an array of only odd integers (each element shouldn't be divisible by 2).
Input
The first line of the input contains one integer t (1 β€ t β€ 10^4) β the number of test cases in the input. Then t test cases follow.
The first line of a test case contains n (1 β€ n β€ 2β
10^5) β the number of integers in the sequence a. The second line contains positive integers a_1, a_2, ..., a_n (1 β€ a_i β€ 10^9).
The sum of n for all test cases in the input doesn't exceed 2β
10^5.
Output
For t test cases print the answers in the order of test cases in the input. The answer for the test case is the minimal number of moves needed to make all numbers in the test case odd (i.e. not divisible by 2).
Example
Input
4
6
40 6 40 3 20 1
1
1024
4
2 4 8 16
3
3 1 7
Output
4
10
4
0
Note
In the first test case of the example, the optimal sequence of moves can be as follows:
* before making moves a=[40, 6, 40, 3, 20, 1];
* choose c=6;
* now a=[40, 3, 40, 3, 20, 1];
* choose c=40;
* now a=[20, 3, 20, 3, 20, 1];
* choose c=20;
* now a=[10, 3, 10, 3, 10, 1];
* choose c=10;
* now a=[5, 3, 5, 3, 5, 1] β all numbers are odd.
Thus, all numbers became odd after 4 moves. In 3 or fewer moves, you cannot make them all odd.
Submitted Solution:
```
import sys
import math
#to read string
get_string = lambda: sys.stdin.readline().strip()
#to read list of integers
get_list = lambda: list( map(int,sys.stdin.readline().strip().split()) )
#to read integers
get_int = lambda: int(sys.stdin.readline())
#to print fast
#pt = lambda x: sys.stdout.write(str(x)+'\n')
#--------------------------------WhiteHat010--------------------------------------#
for _ in range(get_int()):
get_int()
lst = sorted(list(set(get_list())),reverse = True)
n = len(lst)
for i in range(n):
if lst[i]%2 == 0 :
for j in range(i+1,n):
if lst[i]%lst[j] == 0:
lst[j] = 1
lst = [i for i in lst if i%2 == 0 ]
n = len(lst)
count = 0
# print(lst)
i = 0
while i<n:
item = lst[i]
if item%2 == 0:
while item%2 == 0:
if item in lst:
for j in range(n):
if lst[j] == item:
lst[j] = 1
item = item//2
count += 1
i += 1
print(count)
``` | instruction | 0 | 96,252 | 22 | 192,504 |
No | output | 1 | 96,252 | 22 | 192,505 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Johnny has just found the new, great tutorial: "How to become a grandmaster?". The tutorial tells many strange and unexpected for Johnny things, such as you have to be patient or that very important is solving many harder and harder problems.
The boy has found an online judge with tasks divided by topics they cover. He has picked p^{k_i} problems from i-th category (p is his favorite number). He wants to solve them in two weeks (the patience condition is too hard for Johnny, so for simplicity, he looks only at easy tasks, which can be solved in such a period). Now our future grandmaster has to decide which topics to cover first and which the second week. Help him assign topics in such a way, that workload is balanced.
Formally, given n numbers p^{k_i}, the boy wants to divide them into two disjoint sets, minimizing the absolute difference between sums of numbers in each set. Find the minimal absolute difference. Output the result modulo 10^{9}+7.
Input
Input consists of multiple test cases. The first line contains one integer t (1 β€ t β€ 10^5) β the number of test cases. Each test case is described as follows:
The first line contains two integers n and p (1 β€ n, p β€ 10^6). The second line contains n integers k_i (0 β€ k_i β€ 10^6).
The sum of n over all test cases doesn't exceed 10^6.
Output
Output one integer β the reminder of division the answer by 1 000 000 007.
Example
Input
4
5 2
2 3 4 4 3
3 1
2 10 1000
4 5
0 1 1 100
1 8
89
Output
4
1
146981438
747093407
Note
You have to minimize the difference, not it's remainder. For example, if the minimum difference is equal to 2, but there is also a distribution where the difference is 10^9 + 8, then the answer is 2, not 1.
In the first test case of the example, there're the following numbers: 4, 8, 16, 16, and 8. We can divide them into such two sets: {4, 8, 16} and {8, 16}. Then the difference between the sums of numbers in sets would be 4. | instruction | 0 | 96,276 | 22 | 192,552 |
Tags: greedy, implementation, math, sortings
Correct Solution:
```
import sys
input = sys.stdin.readline
for f in range(int(input())):
n,p=map(int,input().split())
k=list(map(int,input().split()))
mod=1000000007
k.sort(reverse=True)
left=-1
right={}
for x in k:
if left==-1:
left=x
else:
if x==left or p==1:
left=-1
right={}
continue
if x in right:
right[x]+=1
else:
right[x]=1
if right[x]==p:
i=x
done=True
while i<left and done:
if right[i]==p:
right[i]=0
if i+1 in right:
right[i+1]+=1
else:
right[i+1]=1
i+=1
else:
done=False
if i==left:
left=-1
right={}
sol=0
if left>=0:
sol=pow(p,left,mod)
for x in right:
sol-=right[x]*pow(p,x,mod)
sol%=mod
print(sol)
``` | output | 1 | 96,276 | 22 | 192,553 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Johnny has just found the new, great tutorial: "How to become a grandmaster?". The tutorial tells many strange and unexpected for Johnny things, such as you have to be patient or that very important is solving many harder and harder problems.
The boy has found an online judge with tasks divided by topics they cover. He has picked p^{k_i} problems from i-th category (p is his favorite number). He wants to solve them in two weeks (the patience condition is too hard for Johnny, so for simplicity, he looks only at easy tasks, which can be solved in such a period). Now our future grandmaster has to decide which topics to cover first and which the second week. Help him assign topics in such a way, that workload is balanced.
Formally, given n numbers p^{k_i}, the boy wants to divide them into two disjoint sets, minimizing the absolute difference between sums of numbers in each set. Find the minimal absolute difference. Output the result modulo 10^{9}+7.
Input
Input consists of multiple test cases. The first line contains one integer t (1 β€ t β€ 10^5) β the number of test cases. Each test case is described as follows:
The first line contains two integers n and p (1 β€ n, p β€ 10^6). The second line contains n integers k_i (0 β€ k_i β€ 10^6).
The sum of n over all test cases doesn't exceed 10^6.
Output
Output one integer β the reminder of division the answer by 1 000 000 007.
Example
Input
4
5 2
2 3 4 4 3
3 1
2 10 1000
4 5
0 1 1 100
1 8
89
Output
4
1
146981438
747093407
Note
You have to minimize the difference, not it's remainder. For example, if the minimum difference is equal to 2, but there is also a distribution where the difference is 10^9 + 8, then the answer is 2, not 1.
In the first test case of the example, there're the following numbers: 4, 8, 16, 16, and 8. We can divide them into such two sets: {4, 8, 16} and {8, 16}. Then the difference between the sums of numbers in sets would be 4. | instruction | 0 | 96,277 | 22 | 192,554 |
Tags: greedy, implementation, math, sortings
Correct Solution:
```
import sys
readline = sys.stdin.readline
T = int(readline())
Ans = [None]*T
MOD = 10**9+7
mod = 10**9+9
for qu in range(T):
N, P = map(int, readline().split())
A = list(map(int, readline().split()))
if P == 1:
if N&1:
Ans[qu] = 1
else:
Ans[qu] = 0
continue
if N == 1:
Ans[qu] = pow(P, A[0], MOD)
continue
A.sort(reverse = True)
cans = 0
carry = 0
res = 0
ra = 0
for a in A:
if carry == 0:
carry = pow(P, a, mod)
cans = pow(P, a, MOD)
continue
res = (res + pow(P, a, mod))%mod
ra = (ra + pow(P, a, MOD))%MOD
if res == carry and ra == cans:
carry = 0
cans = 0
ra = 0
res = 0
Ans[qu] = (cans-ra)%MOD
print('\n'.join(map(str, Ans)))
``` | output | 1 | 96,277 | 22 | 192,555 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Johnny has just found the new, great tutorial: "How to become a grandmaster?". The tutorial tells many strange and unexpected for Johnny things, such as you have to be patient or that very important is solving many harder and harder problems.
The boy has found an online judge with tasks divided by topics they cover. He has picked p^{k_i} problems from i-th category (p is his favorite number). He wants to solve them in two weeks (the patience condition is too hard for Johnny, so for simplicity, he looks only at easy tasks, which can be solved in such a period). Now our future grandmaster has to decide which topics to cover first and which the second week. Help him assign topics in such a way, that workload is balanced.
Formally, given n numbers p^{k_i}, the boy wants to divide them into two disjoint sets, minimizing the absolute difference between sums of numbers in each set. Find the minimal absolute difference. Output the result modulo 10^{9}+7.
Input
Input consists of multiple test cases. The first line contains one integer t (1 β€ t β€ 10^5) β the number of test cases. Each test case is described as follows:
The first line contains two integers n and p (1 β€ n, p β€ 10^6). The second line contains n integers k_i (0 β€ k_i β€ 10^6).
The sum of n over all test cases doesn't exceed 10^6.
Output
Output one integer β the reminder of division the answer by 1 000 000 007.
Example
Input
4
5 2
2 3 4 4 3
3 1
2 10 1000
4 5
0 1 1 100
1 8
89
Output
4
1
146981438
747093407
Note
You have to minimize the difference, not it's remainder. For example, if the minimum difference is equal to 2, but there is also a distribution where the difference is 10^9 + 8, then the answer is 2, not 1.
In the first test case of the example, there're the following numbers: 4, 8, 16, 16, and 8. We can divide them into such two sets: {4, 8, 16} and {8, 16}. Then the difference between the sums of numbers in sets would be 4. | instruction | 0 | 96,278 | 22 | 192,556 |
Tags: greedy, implementation, math, sortings
Correct Solution:
```
#!/usr/bin/env python3
import sys
input = sys.stdin.readline
MOD = 10**9 + 7
t = int(input())
for _ in range(t):
n, p = map(int, input().split())
k = [int(item) for item in input().split()]
if p == 1:
print(n % 2)
continue
k.sort(reverse=True)
initialized = False
right = dict()
for val in k:
if not initialized:
left_index = val
initialized = True
continue
if val in right:
right[val] += 1
else:
right[val] = 1
while right[val] == p:
right[val] = 0
if val + 1 in right:
right[val + 1] += 1
else:
right[val + 1] = 1
val += 1
if val == left_index:
initialized = False
left_index = 0
right = dict()
if not initialized:
print(0)
else:
ans = pow(p, left_index, MOD)
for key, val in right.items():
ans -= pow(p, key, MOD) * val
ans %= MOD
print(ans)
``` | output | 1 | 96,278 | 22 | 192,557 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Johnny has just found the new, great tutorial: "How to become a grandmaster?". The tutorial tells many strange and unexpected for Johnny things, such as you have to be patient or that very important is solving many harder and harder problems.
The boy has found an online judge with tasks divided by topics they cover. He has picked p^{k_i} problems from i-th category (p is his favorite number). He wants to solve them in two weeks (the patience condition is too hard for Johnny, so for simplicity, he looks only at easy tasks, which can be solved in such a period). Now our future grandmaster has to decide which topics to cover first and which the second week. Help him assign topics in such a way, that workload is balanced.
Formally, given n numbers p^{k_i}, the boy wants to divide them into two disjoint sets, minimizing the absolute difference between sums of numbers in each set. Find the minimal absolute difference. Output the result modulo 10^{9}+7.
Input
Input consists of multiple test cases. The first line contains one integer t (1 β€ t β€ 10^5) β the number of test cases. Each test case is described as follows:
The first line contains two integers n and p (1 β€ n, p β€ 10^6). The second line contains n integers k_i (0 β€ k_i β€ 10^6).
The sum of n over all test cases doesn't exceed 10^6.
Output
Output one integer β the reminder of division the answer by 1 000 000 007.
Example
Input
4
5 2
2 3 4 4 3
3 1
2 10 1000
4 5
0 1 1 100
1 8
89
Output
4
1
146981438
747093407
Note
You have to minimize the difference, not it's remainder. For example, if the minimum difference is equal to 2, but there is also a distribution where the difference is 10^9 + 8, then the answer is 2, not 1.
In the first test case of the example, there're the following numbers: 4, 8, 16, 16, and 8. We can divide them into such two sets: {4, 8, 16} and {8, 16}. Then the difference between the sums of numbers in sets would be 4. | instruction | 0 | 96,279 | 22 | 192,558 |
Tags: greedy, implementation, math, sortings
Correct Solution:
```
from sys import stdin, stdout
import math
from collections import defaultdict
def main():
MOD7 = 1000000007
t = int(stdin.readline())
pw = [0] * 21
for w in range(20,-1,-1):
pw[w] = int(math.pow(2,w))
for ks in range(t):
n,p = list(map(int, stdin.readline().split()))
arr = list(map(int, stdin.readline().split()))
if p == 1:
if n % 2 ==0:
stdout.write("0\n")
else:
stdout.write("1\n")
continue
arr.sort(reverse=True)
left = -1
i = 0
val = [0] * 21
tmp = p
val[0] = p
slot = defaultdict(int)
for x in range(1,21):
tmp = (tmp * tmp) % MOD7
val[x] = tmp
while i < n:
x = arr[i]
if left == -1:
left = x
else:
slot[x] += 1
tmp = x
if x == left:
left = -1
slot.pop(x)
else:
while slot[tmp] % p == 0:
slot[tmp+1] += 1
slot.pop(tmp)
tmp += 1
if tmp == left:
left = -1
slot.pop(tmp)
i+=1
if left == -1:
stdout.write("0\n")
continue
res = 1
for w in range(20,-1,-1):
pww = pw[w]
if pww <= left:
left -= pww
res = (res * val[w]) % MOD7
if left == 0:
break
for x,c in slot.items():
tp = 1
for w in range(20,-1,-1):
pww = pw[w]
if pww <= x:
x -= pww
tp = (tp * val[w]) % MOD7
if x == 0:
break
res = (res - tp * c) % MOD7
stdout.write(str(res)+"\n")
main()
``` | output | 1 | 96,279 | 22 | 192,559 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Johnny has just found the new, great tutorial: "How to become a grandmaster?". The tutorial tells many strange and unexpected for Johnny things, such as you have to be patient or that very important is solving many harder and harder problems.
The boy has found an online judge with tasks divided by topics they cover. He has picked p^{k_i} problems from i-th category (p is his favorite number). He wants to solve them in two weeks (the patience condition is too hard for Johnny, so for simplicity, he looks only at easy tasks, which can be solved in such a period). Now our future grandmaster has to decide which topics to cover first and which the second week. Help him assign topics in such a way, that workload is balanced.
Formally, given n numbers p^{k_i}, the boy wants to divide them into two disjoint sets, minimizing the absolute difference between sums of numbers in each set. Find the minimal absolute difference. Output the result modulo 10^{9}+7.
Input
Input consists of multiple test cases. The first line contains one integer t (1 β€ t β€ 10^5) β the number of test cases. Each test case is described as follows:
The first line contains two integers n and p (1 β€ n, p β€ 10^6). The second line contains n integers k_i (0 β€ k_i β€ 10^6).
The sum of n over all test cases doesn't exceed 10^6.
Output
Output one integer β the reminder of division the answer by 1 000 000 007.
Example
Input
4
5 2
2 3 4 4 3
3 1
2 10 1000
4 5
0 1 1 100
1 8
89
Output
4
1
146981438
747093407
Note
You have to minimize the difference, not it's remainder. For example, if the minimum difference is equal to 2, but there is also a distribution where the difference is 10^9 + 8, then the answer is 2, not 1.
In the first test case of the example, there're the following numbers: 4, 8, 16, 16, and 8. We can divide them into such two sets: {4, 8, 16} and {8, 16}. Then the difference between the sums of numbers in sets would be 4. | instruction | 0 | 96,280 | 22 | 192,560 |
Tags: greedy, implementation, math, sortings
Correct Solution:
```
import os,io
input=io.BytesIO(os.read(0,os.fstat(0).st_size)).readline
def fastExponentiation(a,b,N): # Calculates a^b mod N in log b time
ans = 1
bDiv2 = b
aPow2 = a
while bDiv2 > 0:
if bDiv2 % 2 != 0:
ans *= aPow2
ans %= N
bDiv2 //= 2
aPow2 = aPow2 * aPow2
aPow2 %= N
return ans
MOD = 1000000007
t = int(input())
for _ in range(t):
n,p = map(int,input().split())
k = list(map(int,input().split()))
k.sort(reverse = True)
estDiff = 0
curDiff = 0
curIndex = 0
lastK = -1
currentK = -1
allMinus = False
if p == 1:
print(n % 2)
continue
while True:
if curIndex >= n:
break
currentK = k[curIndex]
if estDiff >= 1 and (lastK - currentK >= 20 or estDiff * pow(p,lastK - currentK) >= n):
allMinus = True
break
else:
multiplier = fastExponentiation(p,lastK - currentK,MOD)
cnt = 0
while curIndex < n and currentK == k[curIndex]:
cnt += 1
curIndex += 1
if cnt >= estDiff * multiplier:
if (cnt + estDiff * multiplier) % 2 == 0:
estDiff = 0
curDiff = 0
else:
estDiff = 1
curDiff = fastExponentiation(p,currentK,MOD)
curDiff %= MOD
else:
estDiff = estDiff * multiplier - cnt
curDiff -= cnt * fastExponentiation(p,currentK,MOD)
curDiff %= MOD
lastK = currentK
if allMinus:
for elem in k[curIndex:]:
curDiff -= fastExponentiation(p,elem,MOD)
curDiff %= MOD
print(curDiff % MOD)
``` | output | 1 | 96,280 | 22 | 192,561 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Johnny has just found the new, great tutorial: "How to become a grandmaster?". The tutorial tells many strange and unexpected for Johnny things, such as you have to be patient or that very important is solving many harder and harder problems.
The boy has found an online judge with tasks divided by topics they cover. He has picked p^{k_i} problems from i-th category (p is his favorite number). He wants to solve them in two weeks (the patience condition is too hard for Johnny, so for simplicity, he looks only at easy tasks, which can be solved in such a period). Now our future grandmaster has to decide which topics to cover first and which the second week. Help him assign topics in such a way, that workload is balanced.
Formally, given n numbers p^{k_i}, the boy wants to divide them into two disjoint sets, minimizing the absolute difference between sums of numbers in each set. Find the minimal absolute difference. Output the result modulo 10^{9}+7.
Input
Input consists of multiple test cases. The first line contains one integer t (1 β€ t β€ 10^5) β the number of test cases. Each test case is described as follows:
The first line contains two integers n and p (1 β€ n, p β€ 10^6). The second line contains n integers k_i (0 β€ k_i β€ 10^6).
The sum of n over all test cases doesn't exceed 10^6.
Output
Output one integer β the reminder of division the answer by 1 000 000 007.
Example
Input
4
5 2
2 3 4 4 3
3 1
2 10 1000
4 5
0 1 1 100
1 8
89
Output
4
1
146981438
747093407
Note
You have to minimize the difference, not it's remainder. For example, if the minimum difference is equal to 2, but there is also a distribution where the difference is 10^9 + 8, then the answer is 2, not 1.
In the first test case of the example, there're the following numbers: 4, 8, 16, 16, and 8. We can divide them into such two sets: {4, 8, 16} and {8, 16}. Then the difference between the sums of numbers in sets would be 4. | instruction | 0 | 96,281 | 22 | 192,562 |
Tags: greedy, implementation, math, sortings
Correct Solution:
```
import sys
input=sys.stdin.buffer.readline
mod=10**9+7
for _ in range(int(input())):
n,p=map(int,input().split())
limit=0
temp=1
if p==1:
k=list(map(int,input().split()))
print(n%2)
continue
while 10**7>=temp*p:
limit+=1
temp*=p
k=list(map(int,input().split()))
k.sort()
ans=0
for i in range(n):
ans=(ans+pow(p,k[i],mod))%mod
#print(ans)
net=[[k[i],1] for i in range(n)]
for i in range(n-1):
kurai=net[i][0]
kurai2=net[i+1][0]
sa=kurai2-kurai
if limit>=sa:
q=net[i][1]//(p**sa)
net[i][1]%=p**sa
net[i+1][1]+=q
new=[]
while net:
if not new:
new.append(net[-1])
net.pop()
else:
if new[-1][0]==net[-1][0]:
net.pop()
else:
new.append(net[-1])
net.pop()
net=new[::-1]
id=len(net)-1
#print(net)
check=[]
for i in range(n-1,-1,-1):
kurai=k[i]
if kurai!=net[id][0]:
kurai1=net[id-1][0]
kurai2=net[id][0]
sa=kurai2-kurai1
if sa>limit:
net[id-1][1]+=10**7*(net[id][1]!=0)
else:
net[id-1][1]+=min(10**7,net[id][1]*pow(p,sa))
id-=1
#print(kurai,net)
if net[id][1]>1:
ans=(ans-2*pow(p,kurai,mod))%mod
net[id][1]-=2
check.append(kurai)
#print(check)
print(ans)
``` | output | 1 | 96,281 | 22 | 192,563 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Johnny has just found the new, great tutorial: "How to become a grandmaster?". The tutorial tells many strange and unexpected for Johnny things, such as you have to be patient or that very important is solving many harder and harder problems.
The boy has found an online judge with tasks divided by topics they cover. He has picked p^{k_i} problems from i-th category (p is his favorite number). He wants to solve them in two weeks (the patience condition is too hard for Johnny, so for simplicity, he looks only at easy tasks, which can be solved in such a period). Now our future grandmaster has to decide which topics to cover first and which the second week. Help him assign topics in such a way, that workload is balanced.
Formally, given n numbers p^{k_i}, the boy wants to divide them into two disjoint sets, minimizing the absolute difference between sums of numbers in each set. Find the minimal absolute difference. Output the result modulo 10^{9}+7.
Input
Input consists of multiple test cases. The first line contains one integer t (1 β€ t β€ 10^5) β the number of test cases. Each test case is described as follows:
The first line contains two integers n and p (1 β€ n, p β€ 10^6). The second line contains n integers k_i (0 β€ k_i β€ 10^6).
The sum of n over all test cases doesn't exceed 10^6.
Output
Output one integer β the reminder of division the answer by 1 000 000 007.
Example
Input
4
5 2
2 3 4 4 3
3 1
2 10 1000
4 5
0 1 1 100
1 8
89
Output
4
1
146981438
747093407
Note
You have to minimize the difference, not it's remainder. For example, if the minimum difference is equal to 2, but there is also a distribution where the difference is 10^9 + 8, then the answer is 2, not 1.
In the first test case of the example, there're the following numbers: 4, 8, 16, 16, and 8. We can divide them into such two sets: {4, 8, 16} and {8, 16}. Then the difference between the sums of numbers in sets would be 4. | instruction | 0 | 96,282 | 22 | 192,564 |
Tags: greedy, implementation, math, sortings
Correct Solution:
```
# ------------------- fast io --------------------
import os
import sys
from io import BytesIO, IOBase
BUFSIZE = 8192
class FastIO(IOBase):
newlines = 0
def __init__(self, file):
self._fd = file.fileno()
self.buffer = BytesIO()
self.writable = "x" in file.mode or "r" not in file.mode
self.write = self.buffer.write if self.writable else None
def read(self):
while True:
b = os.read(self._fd, max(os.fstat(self._fd).st_size, BUFSIZE))
if not b:
break
ptr = self.buffer.tell()
self.buffer.seek(0, 2), self.buffer.write(b), self.buffer.seek(ptr)
self.newlines = 0
return self.buffer.read()
def readline(self):
while self.newlines == 0:
b = os.read(self._fd, max(os.fstat(self._fd).st_size, BUFSIZE))
self.newlines = b.count(b"\n") + (not b)
ptr = self.buffer.tell()
self.buffer.seek(0, 2), self.buffer.write(b), self.buffer.seek(ptr)
self.newlines -= 1
return self.buffer.readline()
def flush(self):
if self.writable:
os.write(self._fd, self.buffer.getvalue())
self.buffer.truncate(0), self.buffer.seek(0)
class IOWrapper(IOBase):
def __init__(self, file):
self.buffer = FastIO(file)
self.flush = self.buffer.flush
self.writable = self.buffer.writable
self.write = lambda s: self.buffer.write(s.encode("ascii"))
self.read = lambda: self.buffer.read().decode("ascii")
self.readline = lambda: self.buffer.readline().decode("ascii")
sys.stdin, sys.stdout = IOWrapper(sys.stdin), IOWrapper(sys.stdout)
input = lambda: sys.stdin.readline().rstrip("\r\n")
# ------------------- fast io --------------------
for j in range(int(input())):
n,p=map(int,input().split());vals=list(map(int,input().split()));vals.sort()
if p==1:
if n%2==0:
print(0)
else:
print(1)
else:
mod=10**9 +7;powers={0:1};last=0
for s in range(n):
if not(vals[s] in powers):
powers[vals[s]]=pow(p,vals[s],mod)
a0=0;a1=0;broke=False;ind=0
cv=0;find=0;num=0
for s in range(n-1,-1,-1):
if find==0:
if cv%2==0:
a0+=powers[vals[s]]
else:
a1+=powers[vals[s]]
cv+=1;find=1;num=vals[s]
else:
if vals[s]==num:
find-=1
else:
diff=num-vals[s];num=vals[s]
while diff>0:
find*=p;diff-=1
if find>s:
broke=True;ind=s;break
if broke==True:
break
find-=1
if cv%2==0:
a0+=powers[vals[s]]
else:
a1+=powers[vals[s]]
a0=a0%mod;a1=a1%mod
if broke==True:
if cv%2==0:
for s in range(ind+1):
a0+=powers[vals[s]];a0=a0%mod
print((a1-a0)%mod)
else:
for s in range(ind+1):
a1+=powers[vals[s]];a1=a1%mod
print((a0-a1)%mod)
else:
if cv%2==0:
print((a1-a0)%mod)
else:
print((a0-a1)%mod)
``` | output | 1 | 96,282 | 22 | 192,565 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Johnny has just found the new, great tutorial: "How to become a grandmaster?". The tutorial tells many strange and unexpected for Johnny things, such as you have to be patient or that very important is solving many harder and harder problems.
The boy has found an online judge with tasks divided by topics they cover. He has picked p^{k_i} problems from i-th category (p is his favorite number). He wants to solve them in two weeks (the patience condition is too hard for Johnny, so for simplicity, he looks only at easy tasks, which can be solved in such a period). Now our future grandmaster has to decide which topics to cover first and which the second week. Help him assign topics in such a way, that workload is balanced.
Formally, given n numbers p^{k_i}, the boy wants to divide them into two disjoint sets, minimizing the absolute difference between sums of numbers in each set. Find the minimal absolute difference. Output the result modulo 10^{9}+7.
Input
Input consists of multiple test cases. The first line contains one integer t (1 β€ t β€ 10^5) β the number of test cases. Each test case is described as follows:
The first line contains two integers n and p (1 β€ n, p β€ 10^6). The second line contains n integers k_i (0 β€ k_i β€ 10^6).
The sum of n over all test cases doesn't exceed 10^6.
Output
Output one integer β the reminder of division the answer by 1 000 000 007.
Example
Input
4
5 2
2 3 4 4 3
3 1
2 10 1000
4 5
0 1 1 100
1 8
89
Output
4
1
146981438
747093407
Note
You have to minimize the difference, not it's remainder. For example, if the minimum difference is equal to 2, but there is also a distribution where the difference is 10^9 + 8, then the answer is 2, not 1.
In the first test case of the example, there're the following numbers: 4, 8, 16, 16, and 8. We can divide them into such two sets: {4, 8, 16} and {8, 16}. Then the difference between the sums of numbers in sets would be 4. | instruction | 0 | 96,283 | 22 | 192,566 |
Tags: greedy, implementation, math, sortings
Correct Solution:
```
import sys
input = sys.stdin.readline
mod=1000000007
t=int(input())
for tests in range(t):
n,p=map(int,input().split())
K=sorted(map(int,input().split()),reverse=True)
if p==1:
if n%2==0:
print(0)
else:
print(1)
continue
ANS=[0,0]
flag=0
for i in range(n):
k=K[i]
if ANS[0]==0:
ANS=[1,k]
elif ANS[1]==k:
ANS[0]-=1
else:
while ANS[1]>k:
ANS[0]*=p
ANS[1]-=1
if ANS[0]>10**7:
flag=1
lastind=i
break
if flag==1:
A=ANS[0]*pow(p,ANS[1],mod)%mod
#print(A,ANS)
for j in range(lastind,n):
A=(A-pow(p,K[j],mod))%mod
print(A)
break
else:
ANS[0]-=1
if flag==0:
print(ANS[0]*pow(p,ANS[1],mod)%mod)
``` | output | 1 | 96,283 | 22 | 192,567 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Let us call two integers x and y adjacent if (lcm(x, y))/(gcd(x, y)) is a perfect square. For example, 3 and 12 are adjacent, but 6 and 9 are not.
Here gcd(x, y) denotes the [greatest common divisor (GCD)](https://en.wikipedia.org/wiki/Greatest_common_divisor) of integers x and y, and lcm(x, y) denotes the [least common multiple (LCM)](https://en.wikipedia.org/wiki/Least_common_multiple) of integers x and y.
You are given an array a of length n. Each second the following happens: each element a_i of the array is replaced by the product of all elements of the array (including itself), that are adjacent to the current value.
Let d_i be the number of adjacent elements to a_i (including a_i itself). The beauty of the array is defined as max_{1 β€ i β€ n} d_i.
You are given q queries: each query is described by an integer w, and you have to output the beauty of the array after w seconds.
Input
The first input line contains a single integer t (1 β€ t β€ 10^5) β the number of test cases.
The first line of each test case contains a single integer n (1 β€ n β€ 3 β
10^5) β the length of the array.
The following line contains n integers a_1, β¦, a_n (1 β€ a_i β€ 10^6) β array elements.
The next line contain a single integer q (1 β€ q β€ 3 β
10^5) β the number of queries.
The following q lines contain a single integer w each (0 β€ w β€ 10^{18}) β the queries themselves.
It is guaranteed that the sum of values n over all test cases does not exceed 3 β
10^5, and the sum of values q over all test cases does not exceed 3 β
10^5
Output
For each query output a single integer β the beauty of the array at the corresponding moment.
Example
Input
2
4
6 8 4 2
1
0
6
12 3 20 5 80 1
1
1
Output
2
3
Note
In the first test case, the initial array contains elements [6, 8, 4, 2]. Element a_4=2 in this array is adjacent to a_4=2 (since (lcm(2, 2))/(gcd(2, 2))=2/2=1=1^2) and a_2=8 (since (lcm(8,2))/(gcd(8, 2))=8/2=4=2^2). Hence, d_4=2, and this is the maximal possible value d_i in this array.
In the second test case, the initial array contains elements [12, 3, 20, 5, 80, 1]. The elements adjacent to 12 are \{12, 3\}, the elements adjacent to 3 are \{12, 3\}, the elements adjacent to 20 are \{20, 5, 80\}, the elements adjacent to 5 are \{20, 5, 80\}, the elements adjacent to 80 are \{20, 5, 80\}, the elements adjacent to 1 are \{1\}. After one second, the array is transformed into [36, 36, 8000, 8000, 8000, 1]. | instruction | 0 | 96,340 | 22 | 192,680 |
Tags: bitmasks, graphs, hashing, math, number theory
Correct Solution:
```
import os,io
input=io.BytesIO(os.read(0,os.fstat(0).st_size)).readline
primes=[]
for i in range(2,1001):
flag=0
for j in range(2,i):
if i%j==0:
flag=1
break
if flag==0:
primes.append(i)
t=int(input())
for _ in range(t):
n=int(input())
a=list(map(int,input().split()))
dic={}
for i in a:
curr=1
for p in primes:
if i==1:
break
count=0
while i%p==0:
i//=p
count+=1
if count%2==1:
curr*=p
curr*=i
if curr in dic:
dic[curr]+=1
else:
dic[curr]=1
ans1=0
ans2=0
for s in dic:
ans1=max(ans1,dic[s])
if 1 in dic:
ans2+=dic[1]
for s in dic:
if s==1:
continue
if dic[s]%2==0:
ans2+=dic[s]
if ans2==0:
ans2=1
q=int(input())
for i in range(q):
w=int(input())
if w==0:
print(ans1)
else:
print(max(ans1,ans2))
``` | output | 1 | 96,340 | 22 | 192,681 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Let us call two integers x and y adjacent if (lcm(x, y))/(gcd(x, y)) is a perfect square. For example, 3 and 12 are adjacent, but 6 and 9 are not.
Here gcd(x, y) denotes the [greatest common divisor (GCD)](https://en.wikipedia.org/wiki/Greatest_common_divisor) of integers x and y, and lcm(x, y) denotes the [least common multiple (LCM)](https://en.wikipedia.org/wiki/Least_common_multiple) of integers x and y.
You are given an array a of length n. Each second the following happens: each element a_i of the array is replaced by the product of all elements of the array (including itself), that are adjacent to the current value.
Let d_i be the number of adjacent elements to a_i (including a_i itself). The beauty of the array is defined as max_{1 β€ i β€ n} d_i.
You are given q queries: each query is described by an integer w, and you have to output the beauty of the array after w seconds.
Input
The first input line contains a single integer t (1 β€ t β€ 10^5) β the number of test cases.
The first line of each test case contains a single integer n (1 β€ n β€ 3 β
10^5) β the length of the array.
The following line contains n integers a_1, β¦, a_n (1 β€ a_i β€ 10^6) β array elements.
The next line contain a single integer q (1 β€ q β€ 3 β
10^5) β the number of queries.
The following q lines contain a single integer w each (0 β€ w β€ 10^{18}) β the queries themselves.
It is guaranteed that the sum of values n over all test cases does not exceed 3 β
10^5, and the sum of values q over all test cases does not exceed 3 β
10^5
Output
For each query output a single integer β the beauty of the array at the corresponding moment.
Example
Input
2
4
6 8 4 2
1
0
6
12 3 20 5 80 1
1
1
Output
2
3
Note
In the first test case, the initial array contains elements [6, 8, 4, 2]. Element a_4=2 in this array is adjacent to a_4=2 (since (lcm(2, 2))/(gcd(2, 2))=2/2=1=1^2) and a_2=8 (since (lcm(8,2))/(gcd(8, 2))=8/2=4=2^2). Hence, d_4=2, and this is the maximal possible value d_i in this array.
In the second test case, the initial array contains elements [12, 3, 20, 5, 80, 1]. The elements adjacent to 12 are \{12, 3\}, the elements adjacent to 3 are \{12, 3\}, the elements adjacent to 20 are \{20, 5, 80\}, the elements adjacent to 5 are \{20, 5, 80\}, the elements adjacent to 80 are \{20, 5, 80\}, the elements adjacent to 1 are \{1\}. After one second, the array is transformed into [36, 36, 8000, 8000, 8000, 1]. | instruction | 0 | 96,341 | 22 | 192,682 |
Tags: bitmasks, graphs, hashing, math, number theory
Correct Solution:
```
# ------------------- fast io --------------------
import os
import sys
from io import BytesIO, IOBase
BUFSIZE = 8192
class FastIO(IOBase):
newlines = 0
def __init__(self, file):
self._fd = file.fileno()
self.buffer = BytesIO()
self.writable = "x" in file.mode or "r" not in file.mode
self.write = self.buffer.write if self.writable else None
def read(self):
while True:
b = os.read(self._fd, max(os.fstat(self._fd).st_size, BUFSIZE))
if not b:
break
ptr = self.buffer.tell()
self.buffer.seek(0, 2), self.buffer.write(b), self.buffer.seek(ptr)
self.newlines = 0
return self.buffer.read()
def readline(self):
while self.newlines == 0:
b = os.read(self._fd, max(os.fstat(self._fd).st_size, BUFSIZE))
self.newlines = b.count(b"\n") + (not b)
ptr = self.buffer.tell()
self.buffer.seek(0, 2), self.buffer.write(b), self.buffer.seek(ptr)
self.newlines -= 1
return self.buffer.readline()
def flush(self):
if self.writable:
os.write(self._fd, self.buffer.getvalue())
self.buffer.truncate(0), self.buffer.seek(0)
class IOWrapper(IOBase):
def __init__(self, file):
self.buffer = FastIO(file)
self.flush = self.buffer.flush
self.writable = self.buffer.writable
self.write = lambda s: self.buffer.write(s.encode("ascii"))
self.read = lambda: self.buffer.read().decode("ascii")
self.readline = lambda: self.buffer.readline().decode("ascii")
sys.stdin, sys.stdout = IOWrapper(sys.stdin), IOWrapper(sys.stdout)
input = lambda: sys.stdin.readline().rstrip("\r\n")
# ------------------- fast io --------------------
import math;from bisect import bisect_left as bsl
def main():
primes=[2]
for s in range(3,int(math.sqrt(10**6))+2,2):
ind=min(bsl(primes,int(math.sqrt(s))+1),len(primes)-1)
broke=False
for i in range(ind+1):
if s%primes[i]==0:
broke=True;break
if broke==False:
primes.append(s)
for j in range(int(input())):
n=int(input())
vals=list(map(int,input().split()))
#squares vs non squares
sq=[];nsq=[]
for s in range(n):
if int(math.sqrt(vals[s]))**2==vals[s]:
sq.append(vals[s])
else:
nsq.append(vals[s])
dict1={};sec0=len(sq);sec1=len(sq)
#sort it by the minimum non even powered prime factor
for i in nsq:
#find its prime factors and multiplicity
temp=i;ind=min(bsl(primes,math.ceil(math.sqrt(i))+1),len(primes)-1)
tt=[]
for s in range(ind+1):
if temp%primes[s]==0:
count=0
while temp%primes[s]==0:
temp//=primes[s];count+=1
if count%2==1:
tt.append(primes[s])
if temp!=1:
tt.append(temp)
tt=tuple(tt)
if not(tt in dict1):
dict1[tt]=1
else:
dict1[tt]+=1
sec0=max(dict1[tt],sec0)
for i in dict1.values():
if i%2==0:
sec1+=i
if len(dict1)>0:
sec1=max(sec1,max(dict1.values()))
#x*y is perf square
q=int(input())
for s in range(q):
w=int(input())
if w==0:
print(sec0)
else:
print(sec1)
main()
``` | output | 1 | 96,341 | 22 | 192,683 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Let us call two integers x and y adjacent if (lcm(x, y))/(gcd(x, y)) is a perfect square. For example, 3 and 12 are adjacent, but 6 and 9 are not.
Here gcd(x, y) denotes the [greatest common divisor (GCD)](https://en.wikipedia.org/wiki/Greatest_common_divisor) of integers x and y, and lcm(x, y) denotes the [least common multiple (LCM)](https://en.wikipedia.org/wiki/Least_common_multiple) of integers x and y.
You are given an array a of length n. Each second the following happens: each element a_i of the array is replaced by the product of all elements of the array (including itself), that are adjacent to the current value.
Let d_i be the number of adjacent elements to a_i (including a_i itself). The beauty of the array is defined as max_{1 β€ i β€ n} d_i.
You are given q queries: each query is described by an integer w, and you have to output the beauty of the array after w seconds.
Input
The first input line contains a single integer t (1 β€ t β€ 10^5) β the number of test cases.
The first line of each test case contains a single integer n (1 β€ n β€ 3 β
10^5) β the length of the array.
The following line contains n integers a_1, β¦, a_n (1 β€ a_i β€ 10^6) β array elements.
The next line contain a single integer q (1 β€ q β€ 3 β
10^5) β the number of queries.
The following q lines contain a single integer w each (0 β€ w β€ 10^{18}) β the queries themselves.
It is guaranteed that the sum of values n over all test cases does not exceed 3 β
10^5, and the sum of values q over all test cases does not exceed 3 β
10^5
Output
For each query output a single integer β the beauty of the array at the corresponding moment.
Example
Input
2
4
6 8 4 2
1
0
6
12 3 20 5 80 1
1
1
Output
2
3
Note
In the first test case, the initial array contains elements [6, 8, 4, 2]. Element a_4=2 in this array is adjacent to a_4=2 (since (lcm(2, 2))/(gcd(2, 2))=2/2=1=1^2) and a_2=8 (since (lcm(8,2))/(gcd(8, 2))=8/2=4=2^2). Hence, d_4=2, and this is the maximal possible value d_i in this array.
In the second test case, the initial array contains elements [12, 3, 20, 5, 80, 1]. The elements adjacent to 12 are \{12, 3\}, the elements adjacent to 3 are \{12, 3\}, the elements adjacent to 20 are \{20, 5, 80\}, the elements adjacent to 5 are \{20, 5, 80\}, the elements adjacent to 80 are \{20, 5, 80\}, the elements adjacent to 1 are \{1\}. After one second, the array is transformed into [36, 36, 8000, 8000, 8000, 1]. | instruction | 0 | 96,342 | 22 | 192,684 |
Tags: bitmasks, graphs, hashing, math, number theory
Correct Solution:
```
import os
import sys
from io import BytesIO, IOBase
# region fastio
BUFSIZE = 8192
class FastIO(IOBase):
def __init__(self, file):
self.newlines = 0
self._fd = file.fileno()
self.buffer = BytesIO()
self.writable = "x" in file.mode or "r" not in file.mode
self.write = self.buffer.write if self.writable else None
def read(self):
while True:
b = os.read(self._fd, max(os.fstat(self._fd).st_size, BUFSIZE))
if not b:
break
ptr = self.buffer.tell()
self.buffer.seek(0, 2), self.buffer.write(b), self.buffer.seek(ptr)
self.newlines = 0
return self.buffer.read()
def readline(self):
while self.newlines == 0:
b = os.read(self._fd, max(os.fstat(self._fd).st_size, BUFSIZE))
self.newlines = b.count(b"\n") + (not b)
ptr = self.buffer.tell()
self.buffer.seek(0, 2), self.buffer.write(b), self.buffer.seek(ptr)
self.newlines -= 1
return self.buffer.readline()
def flush(self):
if self.writable:
os.write(self._fd, self.buffer.getvalue())
self.buffer.truncate(0), self.buffer.seek(0)
class IOWrapper(IOBase):
def __init__(self, file):
self.buffer = FastIO(file)
self.flush = self.buffer.flush
self.writable = self.buffer.writable
self.write = lambda s: self.buffer.write(s.encode("ascii"))
self.read = lambda: self.buffer.read().decode("ascii")
self.readline = lambda: self.buffer.readline().decode("ascii")
sys.stdin, sys.stdout = IOWrapper(sys.stdin), IOWrapper(sys.stdout)
input = lambda: sys.stdin.readline()
# --------------------------------------------------------------------
def RL(): return map(int, sys.stdin.readline().split())
def RLL(): return list(map(int, sys.stdin.readline().split()))
def N(): return int(input())
def S(): return input().strip()
def print_list(l): print(' '.join(map(str, l)))
# sys.setrecursionlimit(100000)
# import random
# from functools import reduce
# from functools import lru_cache
# from heapq import *
# from collections import deque as dq
# from math import ceil
# import bisect as bs
from collections import Counter
# from collections import defaultdict as dc
M = 10 ** 6 + 1
def getPrimes(n):
if n < 3:
return []
output = [1] * n
output[0], output[1] = 0, 0
for i in range(2, int(n ** 0.5) + 1):
if output[i]:
output[i * i:n:i] = [0] * ((n - 1 - i * i) // i + 1)
return [i for i in range(n) if output[i] == 1]
primes = getPrimes(1000)
primes = [v ** 2 for v in primes]
for _ in range(N()):
n = N()
a = RLL()
k = Counter()
for v in a:
for p in primes:
if p > v: break
while v % p == 0:
v //= p
k[v] += 1
d1, d2 = k[1], k[1]
del k[1]
for count in k.values():
if count & 1 == 0:
d1 += count
if count > d2:
d2 = count
d1 = max(d1, d2)
for _ in range(N()):
if N() == 0:
print(d2)
else:
print(d1)
``` | output | 1 | 96,342 | 22 | 192,685 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Let us call two integers x and y adjacent if (lcm(x, y))/(gcd(x, y)) is a perfect square. For example, 3 and 12 are adjacent, but 6 and 9 are not.
Here gcd(x, y) denotes the [greatest common divisor (GCD)](https://en.wikipedia.org/wiki/Greatest_common_divisor) of integers x and y, and lcm(x, y) denotes the [least common multiple (LCM)](https://en.wikipedia.org/wiki/Least_common_multiple) of integers x and y.
You are given an array a of length n. Each second the following happens: each element a_i of the array is replaced by the product of all elements of the array (including itself), that are adjacent to the current value.
Let d_i be the number of adjacent elements to a_i (including a_i itself). The beauty of the array is defined as max_{1 β€ i β€ n} d_i.
You are given q queries: each query is described by an integer w, and you have to output the beauty of the array after w seconds.
Input
The first input line contains a single integer t (1 β€ t β€ 10^5) β the number of test cases.
The first line of each test case contains a single integer n (1 β€ n β€ 3 β
10^5) β the length of the array.
The following line contains n integers a_1, β¦, a_n (1 β€ a_i β€ 10^6) β array elements.
The next line contain a single integer q (1 β€ q β€ 3 β
10^5) β the number of queries.
The following q lines contain a single integer w each (0 β€ w β€ 10^{18}) β the queries themselves.
It is guaranteed that the sum of values n over all test cases does not exceed 3 β
10^5, and the sum of values q over all test cases does not exceed 3 β
10^5
Output
For each query output a single integer β the beauty of the array at the corresponding moment.
Example
Input
2
4
6 8 4 2
1
0
6
12 3 20 5 80 1
1
1
Output
2
3
Note
In the first test case, the initial array contains elements [6, 8, 4, 2]. Element a_4=2 in this array is adjacent to a_4=2 (since (lcm(2, 2))/(gcd(2, 2))=2/2=1=1^2) and a_2=8 (since (lcm(8,2))/(gcd(8, 2))=8/2=4=2^2). Hence, d_4=2, and this is the maximal possible value d_i in this array.
In the second test case, the initial array contains elements [12, 3, 20, 5, 80, 1]. The elements adjacent to 12 are \{12, 3\}, the elements adjacent to 3 are \{12, 3\}, the elements adjacent to 20 are \{20, 5, 80\}, the elements adjacent to 5 are \{20, 5, 80\}, the elements adjacent to 80 are \{20, 5, 80\}, the elements adjacent to 1 are \{1\}. After one second, the array is transformed into [36, 36, 8000, 8000, 8000, 1]. | instruction | 0 | 96,343 | 22 | 192,686 |
Tags: bitmasks, graphs, hashing, math, number theory
Correct Solution:
```
import math,sys
#from itertools import permutations, combinations;import heapq,random;
from collections import defaultdict,deque
import bisect as bi
def yes():print('YES')
def no():print('NO')
#sys.stdin=open('input.txt','r');sys.stdout=open('output.txt','w');
def I():return (int(sys.stdin.readline()))
def In():return(map(int,sys.stdin.readline().split()))
def Sn():return sys.stdin.readline().strip()
#sys.setrecursionlimit(1500)
def dict(a):
d={}
for x in a:
if d.get(x,-1)!=-1:
d[x]+=1
else:
d[x]=1
return d
def find_gt(a, x):
'Find leftmost value greater than x'
i = bi.bisect_left(a, x)
if i != len(a):
return i
else:
return -1
def SieveOfEratosthenes(n):
prime = [True for i in range(n + 1)]
p = 2
while (p * p <= n):
if (prime[p] == True):
for i in range(p * 2, n + 1, p):
prime[i] = False
p += 1
prime[0]= False
prime[1]= False
ans={}
for p in range(n + 1):
if prime[p]:
ans[p]=1
return ans
def sieve():
MAXN=(10**6)+1
spf = [0 for i in range(MAXN)]
spf[1] = 1
for i in range(2, MAXN):
spf[i] = i
for i in range(4, MAXN, 2):
spf[i] = 2
for i in range(3, math.ceil(math.sqrt(MAXN))):
if (spf[i] == i):
for j in range(i * i, MAXN, i):
if (spf[j] == j):
spf[j] = i
return spf
def main(spf):
try:
n=I()
l=list(In())
d={}
used={}
for x in l:
if used.get(x,-1)!=-1:
temp=used[x]
else:
z={}
X=x
while (x != 1):
pa=spf[x]
if z.get(pa,-1)!=-1:
z[pa]+=1
z[pa]%=2
else:
z[pa]=1
x = x // spf[x]
temp=1
for y in z:
temp*=(y)**(z[y])
used[X]=temp
if d.get(temp,-1)!=-1:
d[temp]+=1
else:
d[temp]=1
a,b=0,0
for x in d:
if x==1 or d[x]%2==0:
b+=d[x]
a=max(a,d[x])
for q in range(I()):
Q=I()
if Q==0:
print(a)
else:
print(max(a,b))
except:
pass
M = 998244353
P = 1000000007
if __name__ == '__main__':
spf=sieve()
for _ in range(I()):main(spf)
#for _ in range(1):main()
#End#
# ******************* All The Best ******************* #
``` | output | 1 | 96,343 | 22 | 192,687 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Let us call two integers x and y adjacent if (lcm(x, y))/(gcd(x, y)) is a perfect square. For example, 3 and 12 are adjacent, but 6 and 9 are not.
Here gcd(x, y) denotes the [greatest common divisor (GCD)](https://en.wikipedia.org/wiki/Greatest_common_divisor) of integers x and y, and lcm(x, y) denotes the [least common multiple (LCM)](https://en.wikipedia.org/wiki/Least_common_multiple) of integers x and y.
You are given an array a of length n. Each second the following happens: each element a_i of the array is replaced by the product of all elements of the array (including itself), that are adjacent to the current value.
Let d_i be the number of adjacent elements to a_i (including a_i itself). The beauty of the array is defined as max_{1 β€ i β€ n} d_i.
You are given q queries: each query is described by an integer w, and you have to output the beauty of the array after w seconds.
Input
The first input line contains a single integer t (1 β€ t β€ 10^5) β the number of test cases.
The first line of each test case contains a single integer n (1 β€ n β€ 3 β
10^5) β the length of the array.
The following line contains n integers a_1, β¦, a_n (1 β€ a_i β€ 10^6) β array elements.
The next line contain a single integer q (1 β€ q β€ 3 β
10^5) β the number of queries.
The following q lines contain a single integer w each (0 β€ w β€ 10^{18}) β the queries themselves.
It is guaranteed that the sum of values n over all test cases does not exceed 3 β
10^5, and the sum of values q over all test cases does not exceed 3 β
10^5
Output
For each query output a single integer β the beauty of the array at the corresponding moment.
Example
Input
2
4
6 8 4 2
1
0
6
12 3 20 5 80 1
1
1
Output
2
3
Note
In the first test case, the initial array contains elements [6, 8, 4, 2]. Element a_4=2 in this array is adjacent to a_4=2 (since (lcm(2, 2))/(gcd(2, 2))=2/2=1=1^2) and a_2=8 (since (lcm(8,2))/(gcd(8, 2))=8/2=4=2^2). Hence, d_4=2, and this is the maximal possible value d_i in this array.
In the second test case, the initial array contains elements [12, 3, 20, 5, 80, 1]. The elements adjacent to 12 are \{12, 3\}, the elements adjacent to 3 are \{12, 3\}, the elements adjacent to 20 are \{20, 5, 80\}, the elements adjacent to 5 are \{20, 5, 80\}, the elements adjacent to 80 are \{20, 5, 80\}, the elements adjacent to 1 are \{1\}. After one second, the array is transformed into [36, 36, 8000, 8000, 8000, 1]. | instruction | 0 | 96,344 | 22 | 192,688 |
Tags: bitmasks, graphs, hashing, math, number theory
Correct Solution:
```
import sys, io, os
input = io.BytesIO(os.read(0, os.fstat(0).st_size)).readline
MAX = 10 ** 6 + 5
find = list(range(MAX))
for i in range(1,1001):
for j in range(0,MAX,i*i):
find[j] = j//i//i
t = int(input())
out = []
for _ in range(t):
n = int(input())
counts = dict()
best = 0
for v in map(int, input().split()):
u = find[v]
if u not in counts:
counts[u] = 0
counts[u] += 1
best = max(best, counts[u])
tol = 0
for u in counts:
if u == 1 or counts[u] % 2 == 0:
tol += counts[u]
q = int(input())
for _ in range(q):
v = int(input())
if v == 0:
out.append(best)
else:
out.append(max(best,tol))
print('\n'.join(map(str,out)))
``` | output | 1 | 96,344 | 22 | 192,689 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Let us call two integers x and y adjacent if (lcm(x, y))/(gcd(x, y)) is a perfect square. For example, 3 and 12 are adjacent, but 6 and 9 are not.
Here gcd(x, y) denotes the [greatest common divisor (GCD)](https://en.wikipedia.org/wiki/Greatest_common_divisor) of integers x and y, and lcm(x, y) denotes the [least common multiple (LCM)](https://en.wikipedia.org/wiki/Least_common_multiple) of integers x and y.
You are given an array a of length n. Each second the following happens: each element a_i of the array is replaced by the product of all elements of the array (including itself), that are adjacent to the current value.
Let d_i be the number of adjacent elements to a_i (including a_i itself). The beauty of the array is defined as max_{1 β€ i β€ n} d_i.
You are given q queries: each query is described by an integer w, and you have to output the beauty of the array after w seconds.
Input
The first input line contains a single integer t (1 β€ t β€ 10^5) β the number of test cases.
The first line of each test case contains a single integer n (1 β€ n β€ 3 β
10^5) β the length of the array.
The following line contains n integers a_1, β¦, a_n (1 β€ a_i β€ 10^6) β array elements.
The next line contain a single integer q (1 β€ q β€ 3 β
10^5) β the number of queries.
The following q lines contain a single integer w each (0 β€ w β€ 10^{18}) β the queries themselves.
It is guaranteed that the sum of values n over all test cases does not exceed 3 β
10^5, and the sum of values q over all test cases does not exceed 3 β
10^5
Output
For each query output a single integer β the beauty of the array at the corresponding moment.
Example
Input
2
4
6 8 4 2
1
0
6
12 3 20 5 80 1
1
1
Output
2
3
Note
In the first test case, the initial array contains elements [6, 8, 4, 2]. Element a_4=2 in this array is adjacent to a_4=2 (since (lcm(2, 2))/(gcd(2, 2))=2/2=1=1^2) and a_2=8 (since (lcm(8,2))/(gcd(8, 2))=8/2=4=2^2). Hence, d_4=2, and this is the maximal possible value d_i in this array.
In the second test case, the initial array contains elements [12, 3, 20, 5, 80, 1]. The elements adjacent to 12 are \{12, 3\}, the elements adjacent to 3 are \{12, 3\}, the elements adjacent to 20 are \{20, 5, 80\}, the elements adjacent to 5 are \{20, 5, 80\}, the elements adjacent to 80 are \{20, 5, 80\}, the elements adjacent to 1 are \{1\}. After one second, the array is transformed into [36, 36, 8000, 8000, 8000, 1]. | instruction | 0 | 96,345 | 22 | 192,690 |
Tags: bitmasks, graphs, hashing, math, number theory
Correct Solution:
```
from sys import stdin
T = int(stdin.readline())
dct = {i:i for i in range(1000001)}
for i in range(2, 1001):
for j in range(1, (10 ** 6) // (i ** 2) + 1):
dct[(i**2)*j] = j
for _ in range(T):
n = int(stdin.readline())
arr = list(map(int, stdin.readline().split()))
q = int(stdin.readline())
seen = {}
for i in range(n):
num = dct[arr[i]]
if num not in seen:
seen[num] = 1
else:
seen[num] += 1
max1 = 1
max2 = 0
for val in seen.values():
max1 = max(max1, val)
if val%2==0:
max2 += val
if 1 in seen:
if seen[1]%2 == 0:
pass
else:
max2 += seen[1]
for k in range(q):
if int(stdin.readline()) >= 1:
print(max(max1, max2))
else:
print(max1)
``` | output | 1 | 96,345 | 22 | 192,691 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Let us call two integers x and y adjacent if (lcm(x, y))/(gcd(x, y)) is a perfect square. For example, 3 and 12 are adjacent, but 6 and 9 are not.
Here gcd(x, y) denotes the [greatest common divisor (GCD)](https://en.wikipedia.org/wiki/Greatest_common_divisor) of integers x and y, and lcm(x, y) denotes the [least common multiple (LCM)](https://en.wikipedia.org/wiki/Least_common_multiple) of integers x and y.
You are given an array a of length n. Each second the following happens: each element a_i of the array is replaced by the product of all elements of the array (including itself), that are adjacent to the current value.
Let d_i be the number of adjacent elements to a_i (including a_i itself). The beauty of the array is defined as max_{1 β€ i β€ n} d_i.
You are given q queries: each query is described by an integer w, and you have to output the beauty of the array after w seconds.
Input
The first input line contains a single integer t (1 β€ t β€ 10^5) β the number of test cases.
The first line of each test case contains a single integer n (1 β€ n β€ 3 β
10^5) β the length of the array.
The following line contains n integers a_1, β¦, a_n (1 β€ a_i β€ 10^6) β array elements.
The next line contain a single integer q (1 β€ q β€ 3 β
10^5) β the number of queries.
The following q lines contain a single integer w each (0 β€ w β€ 10^{18}) β the queries themselves.
It is guaranteed that the sum of values n over all test cases does not exceed 3 β
10^5, and the sum of values q over all test cases does not exceed 3 β
10^5
Output
For each query output a single integer β the beauty of the array at the corresponding moment.
Example
Input
2
4
6 8 4 2
1
0
6
12 3 20 5 80 1
1
1
Output
2
3
Note
In the first test case, the initial array contains elements [6, 8, 4, 2]. Element a_4=2 in this array is adjacent to a_4=2 (since (lcm(2, 2))/(gcd(2, 2))=2/2=1=1^2) and a_2=8 (since (lcm(8,2))/(gcd(8, 2))=8/2=4=2^2). Hence, d_4=2, and this is the maximal possible value d_i in this array.
In the second test case, the initial array contains elements [12, 3, 20, 5, 80, 1]. The elements adjacent to 12 are \{12, 3\}, the elements adjacent to 3 are \{12, 3\}, the elements adjacent to 20 are \{20, 5, 80\}, the elements adjacent to 5 are \{20, 5, 80\}, the elements adjacent to 80 are \{20, 5, 80\}, the elements adjacent to 1 are \{1\}. After one second, the array is transformed into [36, 36, 8000, 8000, 8000, 1]. | instruction | 0 | 96,346 | 22 | 192,692 |
Tags: bitmasks, graphs, hashing, math, number theory
Correct Solution:
```
import sys
input = lambda: sys.stdin.readline().rstrip()
def gcd(a, b):
while b: a, b = b, a % b
return a
def isPrimeMR(n):
d = n - 1
d = d // (d & -d)
L = [2, 7, 61] if n < 1<<32 else [2, 3, 5, 7, 11, 13, 17] if n < 1<<48 else [2, 3, 5, 7, 11, 13, 17, 19, 23, 29, 31, 37]
for a in L:
t = d
y = pow(a, t, n)
if y == 1: continue
while y != n - 1:
y = y * y % n
if y == 1 or t == n - 1: return 0
t <<= 1
return 1
def findFactorRho(n):
m = 1 << n.bit_length() // 8
for c in range(1, 99):
f = lambda x: (x * x + c) % n
y, r, q, g = 2, 1, 1, 1
while g == 1:
x = y
for i in range(r):
y = f(y)
k = 0
while k < r and g == 1:
ys = y
for i in range(min(m, r - k)):
y = f(y)
q = q * abs(x - y) % n
g = gcd(q, n)
k += m
r <<= 1
if g == n:
g = 1
while g == 1:
ys = f(ys)
g = gcd(abs(x - ys), n)
if g < n:
if isPrimeMR(g): return g
elif isPrimeMR(n // g): return n // g
return findFactorRho(g)
def primeFactor(n):
i = 2
ret = {}
rhoFlg = 0
while i * i <= n:
k = 0
while n % i == 0:
n //= i
k += 1
if k: ret[i] = k
i += i % 2 + (3 if i % 3 == 1 else 1)
if i == 101 and n >= 2 ** 20:
while n > 1:
if isPrimeMR(n):
ret[n], n = 1, 1
else:
rhoFlg = 1
j = findFactorRho(n)
k = 0
while n % j == 0:
n //= j
k += 1
ret[j] = k
if n > 1: ret[n] = 1
if rhoFlg: ret = {x: ret[x] for x in sorted(ret)}
return ret
def divisors(N):
pf = primeFactor(N)
ret = [1]
for p in pf:
ret_prev = ret
ret = []
for i in range(pf[p]+1):
for r in ret_prev:
ret.append(r * (p ** i))
return sorted(ret)
def squareFree(n):
pf = primeFactor(n)
s = 1
for p in pf:
s *= p ** (pf[p] % 2)
return s
T = int(input())
for _ in range(T):
N = int(input())
A = [squareFree(int(a)) for a in input().split()]
D = {}
for a in A:
if a not in D:
D[a] = 1
else:
D[a] += 1
D2 = {}
for d in D.keys():
v = d if D[d] % 2 else 1
if v not in D2:
D2[v] = D[d]
else:
D2[v] += D[d]
X = [max(D.values()), max(D2.values())]
Q = int(input())
for _ in range(Q):
q = int(input())
print(X[min(q, 1)])
``` | output | 1 | 96,346 | 22 | 192,693 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Let us call two integers x and y adjacent if (lcm(x, y))/(gcd(x, y)) is a perfect square. For example, 3 and 12 are adjacent, but 6 and 9 are not.
Here gcd(x, y) denotes the [greatest common divisor (GCD)](https://en.wikipedia.org/wiki/Greatest_common_divisor) of integers x and y, and lcm(x, y) denotes the [least common multiple (LCM)](https://en.wikipedia.org/wiki/Least_common_multiple) of integers x and y.
You are given an array a of length n. Each second the following happens: each element a_i of the array is replaced by the product of all elements of the array (including itself), that are adjacent to the current value.
Let d_i be the number of adjacent elements to a_i (including a_i itself). The beauty of the array is defined as max_{1 β€ i β€ n} d_i.
You are given q queries: each query is described by an integer w, and you have to output the beauty of the array after w seconds.
Input
The first input line contains a single integer t (1 β€ t β€ 10^5) β the number of test cases.
The first line of each test case contains a single integer n (1 β€ n β€ 3 β
10^5) β the length of the array.
The following line contains n integers a_1, β¦, a_n (1 β€ a_i β€ 10^6) β array elements.
The next line contain a single integer q (1 β€ q β€ 3 β
10^5) β the number of queries.
The following q lines contain a single integer w each (0 β€ w β€ 10^{18}) β the queries themselves.
It is guaranteed that the sum of values n over all test cases does not exceed 3 β
10^5, and the sum of values q over all test cases does not exceed 3 β
10^5
Output
For each query output a single integer β the beauty of the array at the corresponding moment.
Example
Input
2
4
6 8 4 2
1
0
6
12 3 20 5 80 1
1
1
Output
2
3
Note
In the first test case, the initial array contains elements [6, 8, 4, 2]. Element a_4=2 in this array is adjacent to a_4=2 (since (lcm(2, 2))/(gcd(2, 2))=2/2=1=1^2) and a_2=8 (since (lcm(8,2))/(gcd(8, 2))=8/2=4=2^2). Hence, d_4=2, and this is the maximal possible value d_i in this array.
In the second test case, the initial array contains elements [12, 3, 20, 5, 80, 1]. The elements adjacent to 12 are \{12, 3\}, the elements adjacent to 3 are \{12, 3\}, the elements adjacent to 20 are \{20, 5, 80\}, the elements adjacent to 5 are \{20, 5, 80\}, the elements adjacent to 80 are \{20, 5, 80\}, the elements adjacent to 1 are \{1\}. After one second, the array is transformed into [36, 36, 8000, 8000, 8000, 1]. | instruction | 0 | 96,347 | 22 | 192,694 |
Tags: bitmasks, graphs, hashing, math, number theory
Correct Solution:
```
from sys import stdin
dct = {i:i for i in range(1000001)}
for i in range(2, 1001):
for j in range(1, (10 ** 6) // (i ** 2) + 1):
dct[(i ** 2) * j] = j
t = int(stdin.readline())
for _ in range(t):
n = int(stdin.readline())
elements = map(int, stdin.readline().split())
q = int(stdin.readline())
dct2 = {}
for i in elements:
if dct[i] not in dct2:
dct2[dct[i]] = 1
else:
dct2[dct[i]] += 1
chan = 0
maxx = 0
for so, gia in dct2.items():
if so == 1:
maxx = max(gia, maxx)
chan += gia
else:
maxx = max(gia, maxx)
if gia % 2 == 0:
chan += gia
maxx2 = max(chan, maxx)
for times in range(q):
quer = stdin.readline()
if quer == "0\n":
print(maxx)
else:
print(maxx2)
``` | output | 1 | 96,347 | 22 | 192,695 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Let us call two integers x and y adjacent if (lcm(x, y))/(gcd(x, y)) is a perfect square. For example, 3 and 12 are adjacent, but 6 and 9 are not.
Here gcd(x, y) denotes the [greatest common divisor (GCD)](https://en.wikipedia.org/wiki/Greatest_common_divisor) of integers x and y, and lcm(x, y) denotes the [least common multiple (LCM)](https://en.wikipedia.org/wiki/Least_common_multiple) of integers x and y.
You are given an array a of length n. Each second the following happens: each element a_i of the array is replaced by the product of all elements of the array (including itself), that are adjacent to the current value.
Let d_i be the number of adjacent elements to a_i (including a_i itself). The beauty of the array is defined as max_{1 β€ i β€ n} d_i.
You are given q queries: each query is described by an integer w, and you have to output the beauty of the array after w seconds.
Input
The first input line contains a single integer t (1 β€ t β€ 10^5) β the number of test cases.
The first line of each test case contains a single integer n (1 β€ n β€ 3 β
10^5) β the length of the array.
The following line contains n integers a_1, β¦, a_n (1 β€ a_i β€ 10^6) β array elements.
The next line contain a single integer q (1 β€ q β€ 3 β
10^5) β the number of queries.
The following q lines contain a single integer w each (0 β€ w β€ 10^{18}) β the queries themselves.
It is guaranteed that the sum of values n over all test cases does not exceed 3 β
10^5, and the sum of values q over all test cases does not exceed 3 β
10^5
Output
For each query output a single integer β the beauty of the array at the corresponding moment.
Example
Input
2
4
6 8 4 2
1
0
6
12 3 20 5 80 1
1
1
Output
2
3
Note
In the first test case, the initial array contains elements [6, 8, 4, 2]. Element a_4=2 in this array is adjacent to a_4=2 (since (lcm(2, 2))/(gcd(2, 2))=2/2=1=1^2) and a_2=8 (since (lcm(8,2))/(gcd(8, 2))=8/2=4=2^2). Hence, d_4=2, and this is the maximal possible value d_i in this array.
In the second test case, the initial array contains elements [12, 3, 20, 5, 80, 1]. The elements adjacent to 12 are \{12, 3\}, the elements adjacent to 3 are \{12, 3\}, the elements adjacent to 20 are \{20, 5, 80\}, the elements adjacent to 5 are \{20, 5, 80\}, the elements adjacent to 80 are \{20, 5, 80\}, the elements adjacent to 1 are \{1\}. After one second, the array is transformed into [36, 36, 8000, 8000, 8000, 1].
Submitted Solution:
```
#lcm(x,y)/gcd(x,y)=(x*y)/(gcd(x,y)**2) is a perfect sq iff (x*y) is a perfect sq
#Perfect squares are adjacent to each other. Non perfect squares are
#adjacent to non perfect squares with the same val when single prime factors
#are multiplied together.
from collections import defaultdict as dd
import sys
input=sys.stdin.buffer.readline #FOR READING PURE INTEGER INPUTS (space separation ok)
def multiLineArrayPrint(arr):
print('\n'.join([str(x) for x in arr]))
#if x is prime, isPrime[x]=0. Else, isPrime[x] is the smallest (prime) factor of x that is not 1.
MAXPRIME=10**6
isPrime=[0 for _ in range(MAXPRIME+1)]
isPrime[0]=-1;isPrime[1]=-1 #0 and 1 are not prime numbers
for i in range(2,MAXPRIME//2+1):
if isPrime[i]==0: #i is prime
for multiple in range(i*i,MAXPRIME+1,i):
if isPrime[multiple]==0:
isPrime[multiple]=i
def getPrimeFactorRepresentation(x): #only include prime factors with odd cnts, and multiply them
primeFactorCnts=dd(lambda:0)
while True:
p=isPrime[x]
if p==0:
primeFactorCnts[x]+=1
break
if p==-1:
break
primeFactorCnts[p]+=1
x//=p
res=1
for k,v in primeFactorCnts.items():
if v%2==1:
res*=k
return res #returns 1 if it's already a perfect square
allAns=[]
t=int(input())
for _ in range(t):
n=int(input())
a=[int(x) for x in input().split()]
cntsZeroSeconds=dd(lambda:0)
for x in a:
p=getPrimeFactorRepresentation(x)
cntsZeroSeconds[p]+=1
cntsOneSecondAndBeyond=dd(lambda:0)
for value,cnt in cntsZeroSeconds.items():
if value==1:
cntsOneSecondAndBeyond[1]+=cnt
elif cnt%2==0: #even number meaning when multiplied together, all become square numbers
cntsOneSecondAndBeyond[1]+=cnt
else:
cntsOneSecondAndBeyond[value]+=cnt
zeroSecAns=max(cntsZeroSeconds.values())
oneSecAndBeyondAns=max(cntsOneSecondAndBeyond.values())
# print('cntsZeroS:{} cntsOneSec:{} zeroSecAns:{} oneSec:{}'.format(cntsZeroSeconds,
# cntsOneSecondAndBeyond,zeroSecAns,oneSecAndBeyondAns))
#
q=int(input())
for __ in range(q):
w=int(input())
if w==0:
allAns.append(zeroSecAns)
else:
allAns.append(oneSecAndBeyondAns)
multiLineArrayPrint(allAns)
``` | instruction | 0 | 96,348 | 22 | 192,696 |
Yes | output | 1 | 96,348 | 22 | 192,697 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Let us call two integers x and y adjacent if (lcm(x, y))/(gcd(x, y)) is a perfect square. For example, 3 and 12 are adjacent, but 6 and 9 are not.
Here gcd(x, y) denotes the [greatest common divisor (GCD)](https://en.wikipedia.org/wiki/Greatest_common_divisor) of integers x and y, and lcm(x, y) denotes the [least common multiple (LCM)](https://en.wikipedia.org/wiki/Least_common_multiple) of integers x and y.
You are given an array a of length n. Each second the following happens: each element a_i of the array is replaced by the product of all elements of the array (including itself), that are adjacent to the current value.
Let d_i be the number of adjacent elements to a_i (including a_i itself). The beauty of the array is defined as max_{1 β€ i β€ n} d_i.
You are given q queries: each query is described by an integer w, and you have to output the beauty of the array after w seconds.
Input
The first input line contains a single integer t (1 β€ t β€ 10^5) β the number of test cases.
The first line of each test case contains a single integer n (1 β€ n β€ 3 β
10^5) β the length of the array.
The following line contains n integers a_1, β¦, a_n (1 β€ a_i β€ 10^6) β array elements.
The next line contain a single integer q (1 β€ q β€ 3 β
10^5) β the number of queries.
The following q lines contain a single integer w each (0 β€ w β€ 10^{18}) β the queries themselves.
It is guaranteed that the sum of values n over all test cases does not exceed 3 β
10^5, and the sum of values q over all test cases does not exceed 3 β
10^5
Output
For each query output a single integer β the beauty of the array at the corresponding moment.
Example
Input
2
4
6 8 4 2
1
0
6
12 3 20 5 80 1
1
1
Output
2
3
Note
In the first test case, the initial array contains elements [6, 8, 4, 2]. Element a_4=2 in this array is adjacent to a_4=2 (since (lcm(2, 2))/(gcd(2, 2))=2/2=1=1^2) and a_2=8 (since (lcm(8,2))/(gcd(8, 2))=8/2=4=2^2). Hence, d_4=2, and this is the maximal possible value d_i in this array.
In the second test case, the initial array contains elements [12, 3, 20, 5, 80, 1]. The elements adjacent to 12 are \{12, 3\}, the elements adjacent to 3 are \{12, 3\}, the elements adjacent to 20 are \{20, 5, 80\}, the elements adjacent to 5 are \{20, 5, 80\}, the elements adjacent to 80 are \{20, 5, 80\}, the elements adjacent to 1 are \{1\}. After one second, the array is transformed into [36, 36, 8000, 8000, 8000, 1].
Submitted Solution:
```
import sys
input = sys.stdin.readline
from collections import Counter
Primes=[2, 3, 5, 7, 11, 13, 17, 19, 23, 29, 31, 37, 41, 43, 47, 53, 59, 61, 67, 71, 73, 79, 83, 89, 97, 101, 103, 107, 109, 113, 127, 131, 137, 139, 149, 151, 157, 163, 167, 173, 179, 181, 191, 193, 197, 199, 211, 223, 227, 229, 233, 239, 241, 251, 257, 263, 269, 271, 277, 281, 283, 293, 307, 311, 313, 317, 331, 337, 347, 349, 353, 359, 367, 373, 379, 383, 389, 397, 401, 409, 419, 421, 431, 433, 439, 443, 449, 457, 461, 463, 467, 479, 487, 491, 499, 503, 509, 521, 523, 541, 547, 557, 563, 569, 571, 577, 587, 593, 599, 601, 607, 613, 617, 619, 631, 641, 643, 647, 653, 659, 661, 673, 677, 683, 691, 701, 709, 719, 727, 733, 739, 743, 751, 757, 761, 769, 773, 787, 797, 809, 811, 821, 823, 827, 829, 839, 853, 857, 859, 863, 877, 881, 883, 887, 907, 911, 919, 929, 937, 941, 947, 953, 967, 971, 977, 983, 991, 997]
t=int(input())
for tests in range(t):
n=int(input())
A=list(map(int,input().split()))
B=[]
for a in A:
for p in Primes:
while a%(p**2)==0:
a//=(p**2)
B.append(a)
C=Counter(B)
MAX=0
EVEN=0
for c in C:
MAX=max(MAX,C[c])
if C[c]%2==0 or c==1:
EVEN+=C[c]
q=int(input())
for queries in range(q):
w=int(input())
if w==0:
print(MAX)
else:
print(max(MAX,EVEN))
``` | instruction | 0 | 96,349 | 22 | 192,698 |
Yes | output | 1 | 96,349 | 22 | 192,699 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Let us call two integers x and y adjacent if (lcm(x, y))/(gcd(x, y)) is a perfect square. For example, 3 and 12 are adjacent, but 6 and 9 are not.
Here gcd(x, y) denotes the [greatest common divisor (GCD)](https://en.wikipedia.org/wiki/Greatest_common_divisor) of integers x and y, and lcm(x, y) denotes the [least common multiple (LCM)](https://en.wikipedia.org/wiki/Least_common_multiple) of integers x and y.
You are given an array a of length n. Each second the following happens: each element a_i of the array is replaced by the product of all elements of the array (including itself), that are adjacent to the current value.
Let d_i be the number of adjacent elements to a_i (including a_i itself). The beauty of the array is defined as max_{1 β€ i β€ n} d_i.
You are given q queries: each query is described by an integer w, and you have to output the beauty of the array after w seconds.
Input
The first input line contains a single integer t (1 β€ t β€ 10^5) β the number of test cases.
The first line of each test case contains a single integer n (1 β€ n β€ 3 β
10^5) β the length of the array.
The following line contains n integers a_1, β¦, a_n (1 β€ a_i β€ 10^6) β array elements.
The next line contain a single integer q (1 β€ q β€ 3 β
10^5) β the number of queries.
The following q lines contain a single integer w each (0 β€ w β€ 10^{18}) β the queries themselves.
It is guaranteed that the sum of values n over all test cases does not exceed 3 β
10^5, and the sum of values q over all test cases does not exceed 3 β
10^5
Output
For each query output a single integer β the beauty of the array at the corresponding moment.
Example
Input
2
4
6 8 4 2
1
0
6
12 3 20 5 80 1
1
1
Output
2
3
Note
In the first test case, the initial array contains elements [6, 8, 4, 2]. Element a_4=2 in this array is adjacent to a_4=2 (since (lcm(2, 2))/(gcd(2, 2))=2/2=1=1^2) and a_2=8 (since (lcm(8,2))/(gcd(8, 2))=8/2=4=2^2). Hence, d_4=2, and this is the maximal possible value d_i in this array.
In the second test case, the initial array contains elements [12, 3, 20, 5, 80, 1]. The elements adjacent to 12 are \{12, 3\}, the elements adjacent to 3 are \{12, 3\}, the elements adjacent to 20 are \{20, 5, 80\}, the elements adjacent to 5 are \{20, 5, 80\}, the elements adjacent to 80 are \{20, 5, 80\}, the elements adjacent to 1 are \{1\}. After one second, the array is transformed into [36, 36, 8000, 8000, 8000, 1].
Submitted Solution:
```
import sys
from os import environ
from collections import defaultdict
if environ['USERNAME']=='kissz':
inp=open('in0.txt','r').readline
def debug(*args):
print(*args,file=sys.stderr)
else:
inp=sys.stdin.readline
def debug(*args):
pass
# SCRIPT STARTS HERE
lookup=[i for i in range(1000001)]
for i in range(2,1001):
i2=i**2
for j in range(i2,1000001,i2):
lookup[j]=j//i2
for _ in range(int(inp())):
inp()
X=[*map(int,inp().split())]
q=int(inp())
classes=defaultdict(int)
for x in X:
classes[lookup[x]]+=1
beauty=max(classes.values())
ans=[beauty,
max(beauty,classes[1]+sum(cnt for cl,cnt in classes.items() if (not cnt%2) and cl>1))]
for _ in range(q):
w=int(inp())
print(ans[w>0])
def create_test():
from random import randint
with open('in0.txt','w') as f:
print(1,file=f)
print(300000,file=f)
print(*[randint(1,1000000) for _ in range(300000)],file=f)
print(300000,file=f)
for _ in range(300000): print(randint(0,1),file=f)
``` | instruction | 0 | 96,350 | 22 | 192,700 |
Yes | output | 1 | 96,350 | 22 | 192,701 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Let us call two integers x and y adjacent if (lcm(x, y))/(gcd(x, y)) is a perfect square. For example, 3 and 12 are adjacent, but 6 and 9 are not.
Here gcd(x, y) denotes the [greatest common divisor (GCD)](https://en.wikipedia.org/wiki/Greatest_common_divisor) of integers x and y, and lcm(x, y) denotes the [least common multiple (LCM)](https://en.wikipedia.org/wiki/Least_common_multiple) of integers x and y.
You are given an array a of length n. Each second the following happens: each element a_i of the array is replaced by the product of all elements of the array (including itself), that are adjacent to the current value.
Let d_i be the number of adjacent elements to a_i (including a_i itself). The beauty of the array is defined as max_{1 β€ i β€ n} d_i.
You are given q queries: each query is described by an integer w, and you have to output the beauty of the array after w seconds.
Input
The first input line contains a single integer t (1 β€ t β€ 10^5) β the number of test cases.
The first line of each test case contains a single integer n (1 β€ n β€ 3 β
10^5) β the length of the array.
The following line contains n integers a_1, β¦, a_n (1 β€ a_i β€ 10^6) β array elements.
The next line contain a single integer q (1 β€ q β€ 3 β
10^5) β the number of queries.
The following q lines contain a single integer w each (0 β€ w β€ 10^{18}) β the queries themselves.
It is guaranteed that the sum of values n over all test cases does not exceed 3 β
10^5, and the sum of values q over all test cases does not exceed 3 β
10^5
Output
For each query output a single integer β the beauty of the array at the corresponding moment.
Example
Input
2
4
6 8 4 2
1
0
6
12 3 20 5 80 1
1
1
Output
2
3
Note
In the first test case, the initial array contains elements [6, 8, 4, 2]. Element a_4=2 in this array is adjacent to a_4=2 (since (lcm(2, 2))/(gcd(2, 2))=2/2=1=1^2) and a_2=8 (since (lcm(8,2))/(gcd(8, 2))=8/2=4=2^2). Hence, d_4=2, and this is the maximal possible value d_i in this array.
In the second test case, the initial array contains elements [12, 3, 20, 5, 80, 1]. The elements adjacent to 12 are \{12, 3\}, the elements adjacent to 3 are \{12, 3\}, the elements adjacent to 20 are \{20, 5, 80\}, the elements adjacent to 5 are \{20, 5, 80\}, the elements adjacent to 80 are \{20, 5, 80\}, the elements adjacent to 1 are \{1\}. After one second, the array is transformed into [36, 36, 8000, 8000, 8000, 1].
Submitted Solution:
```
import sys,os,io
input = sys.stdin.readline
#input = io.BytesIO(os.read(0,os.fstat(0).st_size)).readline
def sieve(n):
is_prime = [True for _ in range(n+1)]
is_prime[1] = False
for i in range(2, n+1):
if is_prime[i]:
j = 2 * i
while j <= n:
is_prime[j] = False
j += i
table = [i*i for i in range(1, n+1) if is_prime[i]]
return table
from collections import Counter
primes = sieve(1001)
T = int(input())
ans = []
for t in range(T):
N = int(input())
A = list(map(int,input().split()))
for i in range(N):
for p in primes:
if p>A[i]: break
while A[i]%p==0:
A[i] //= p
cnts = Counter(A)
zero = max(cnts.values())
one = 0
for k,v in cnts.items():
if k==1 or v%2==0:
one += v
one = max(zero, one)
Q = int(input())
for i in range(Q):
w = int(input())
if w==0:
ans.append(zero)
else:
ans.append(one)
print(*ans, sep='\n')
``` | instruction | 0 | 96,351 | 22 | 192,702 |
Yes | output | 1 | 96,351 | 22 | 192,703 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Let us call two integers x and y adjacent if (lcm(x, y))/(gcd(x, y)) is a perfect square. For example, 3 and 12 are adjacent, but 6 and 9 are not.
Here gcd(x, y) denotes the [greatest common divisor (GCD)](https://en.wikipedia.org/wiki/Greatest_common_divisor) of integers x and y, and lcm(x, y) denotes the [least common multiple (LCM)](https://en.wikipedia.org/wiki/Least_common_multiple) of integers x and y.
You are given an array a of length n. Each second the following happens: each element a_i of the array is replaced by the product of all elements of the array (including itself), that are adjacent to the current value.
Let d_i be the number of adjacent elements to a_i (including a_i itself). The beauty of the array is defined as max_{1 β€ i β€ n} d_i.
You are given q queries: each query is described by an integer w, and you have to output the beauty of the array after w seconds.
Input
The first input line contains a single integer t (1 β€ t β€ 10^5) β the number of test cases.
The first line of each test case contains a single integer n (1 β€ n β€ 3 β
10^5) β the length of the array.
The following line contains n integers a_1, β¦, a_n (1 β€ a_i β€ 10^6) β array elements.
The next line contain a single integer q (1 β€ q β€ 3 β
10^5) β the number of queries.
The following q lines contain a single integer w each (0 β€ w β€ 10^{18}) β the queries themselves.
It is guaranteed that the sum of values n over all test cases does not exceed 3 β
10^5, and the sum of values q over all test cases does not exceed 3 β
10^5
Output
For each query output a single integer β the beauty of the array at the corresponding moment.
Example
Input
2
4
6 8 4 2
1
0
6
12 3 20 5 80 1
1
1
Output
2
3
Note
In the first test case, the initial array contains elements [6, 8, 4, 2]. Element a_4=2 in this array is adjacent to a_4=2 (since (lcm(2, 2))/(gcd(2, 2))=2/2=1=1^2) and a_2=8 (since (lcm(8,2))/(gcd(8, 2))=8/2=4=2^2). Hence, d_4=2, and this is the maximal possible value d_i in this array.
In the second test case, the initial array contains elements [12, 3, 20, 5, 80, 1]. The elements adjacent to 12 are \{12, 3\}, the elements adjacent to 3 are \{12, 3\}, the elements adjacent to 20 are \{20, 5, 80\}, the elements adjacent to 5 are \{20, 5, 80\}, the elements adjacent to 80 are \{20, 5, 80\}, the elements adjacent to 1 are \{1\}. After one second, the array is transformed into [36, 36, 8000, 8000, 8000, 1].
Submitted Solution:
```
import bisect
import collections
import copy
import functools
import heapq
import itertools
import math
import random
import re
import sys
import time
import string
from typing import List
sys.setrecursionlimit(99999)
mn = 10**6+5
f = [0]*mn
for i in range(1,mn):
if f[i]==0:
j = 1
while i*j*j<mn:
f[i*j*j] = i
j+=1
t, = map(int,sys.stdin.readline().split())
for _ in [0]*t:
n, = map(int, sys.stdin.readline().split())
cnt = collections.defaultdict(int)
for ar in map(int, sys.stdin.readline().split()):
cnt[f[ar]]+=1
ans1 = max(cnt.values())
ans2 = 0
for k,v in cnt.items():
if k==1 or v%2==0:
ans2+= v
q, = map(int, sys.stdin.readline().split())
for __ in range(q):
w, = map(int, sys.stdin.readline().split())
if w==0:
print(ans1)
else:
print(ans2)
``` | instruction | 0 | 96,352 | 22 | 192,704 |
No | output | 1 | 96,352 | 22 | 192,705 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Let us call two integers x and y adjacent if (lcm(x, y))/(gcd(x, y)) is a perfect square. For example, 3 and 12 are adjacent, but 6 and 9 are not.
Here gcd(x, y) denotes the [greatest common divisor (GCD)](https://en.wikipedia.org/wiki/Greatest_common_divisor) of integers x and y, and lcm(x, y) denotes the [least common multiple (LCM)](https://en.wikipedia.org/wiki/Least_common_multiple) of integers x and y.
You are given an array a of length n. Each second the following happens: each element a_i of the array is replaced by the product of all elements of the array (including itself), that are adjacent to the current value.
Let d_i be the number of adjacent elements to a_i (including a_i itself). The beauty of the array is defined as max_{1 β€ i β€ n} d_i.
You are given q queries: each query is described by an integer w, and you have to output the beauty of the array after w seconds.
Input
The first input line contains a single integer t (1 β€ t β€ 10^5) β the number of test cases.
The first line of each test case contains a single integer n (1 β€ n β€ 3 β
10^5) β the length of the array.
The following line contains n integers a_1, β¦, a_n (1 β€ a_i β€ 10^6) β array elements.
The next line contain a single integer q (1 β€ q β€ 3 β
10^5) β the number of queries.
The following q lines contain a single integer w each (0 β€ w β€ 10^{18}) β the queries themselves.
It is guaranteed that the sum of values n over all test cases does not exceed 3 β
10^5, and the sum of values q over all test cases does not exceed 3 β
10^5
Output
For each query output a single integer β the beauty of the array at the corresponding moment.
Example
Input
2
4
6 8 4 2
1
0
6
12 3 20 5 80 1
1
1
Output
2
3
Note
In the first test case, the initial array contains elements [6, 8, 4, 2]. Element a_4=2 in this array is adjacent to a_4=2 (since (lcm(2, 2))/(gcd(2, 2))=2/2=1=1^2) and a_2=8 (since (lcm(8,2))/(gcd(8, 2))=8/2=4=2^2). Hence, d_4=2, and this is the maximal possible value d_i in this array.
In the second test case, the initial array contains elements [12, 3, 20, 5, 80, 1]. The elements adjacent to 12 are \{12, 3\}, the elements adjacent to 3 are \{12, 3\}, the elements adjacent to 20 are \{20, 5, 80\}, the elements adjacent to 5 are \{20, 5, 80\}, the elements adjacent to 80 are \{20, 5, 80\}, the elements adjacent to 1 are \{1\}. After one second, the array is transformed into [36, 36, 8000, 8000, 8000, 1].
Submitted Solution:
```
primes = []
def getPrimes(N):
global primes
primes = [2]
v = 3
while True:
if v > N:
break
isP = True
for k in primes:
if k*k > v:
break
if v%k == 0:
isP = False
break
if isP:
primes.append(v)
v += 2
def getTup(n):
d = {}
for p in primes:
if p*p > n:
break
if n%p == 0:
c = 0
while n%p == 0:
c += 1
n //= p
d[p] = c
if n != 1:
if n in d:
d[n] += 1
else:
d[n] = 1
t = [i for i in d if d[i]%2 == 1]
return hash(tuple(sorted(t)))
def dadd(d, val, c):
if val in d:
d[val] += c
else:
d[val] = c
def nextd(d):
d2 = {}
for tup in d:
count = d[tup]
if count%2 == 1:
dadd(d2, tup, count)
else:
dadd(d2, tuple(), count)
return d2
getPrimes(2000)
t = int(input())
for i in range(t):
n = int(input())
s = [int(a) for a in input().split(" ")]
d = {}
for i in s:
dadd(d, getTup(i), 1)
d2 = nextd(d)
A = max(d[i] for i in d)
B = max(d2[i] for i in d2)
q = int(input())
for j in range(q):
w = int(input())
if w == 0:
print(A)
else:
print(B)
``` | instruction | 0 | 96,353 | 22 | 192,706 |
No | output | 1 | 96,353 | 22 | 192,707 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Let us call two integers x and y adjacent if (lcm(x, y))/(gcd(x, y)) is a perfect square. For example, 3 and 12 are adjacent, but 6 and 9 are not.
Here gcd(x, y) denotes the [greatest common divisor (GCD)](https://en.wikipedia.org/wiki/Greatest_common_divisor) of integers x and y, and lcm(x, y) denotes the [least common multiple (LCM)](https://en.wikipedia.org/wiki/Least_common_multiple) of integers x and y.
You are given an array a of length n. Each second the following happens: each element a_i of the array is replaced by the product of all elements of the array (including itself), that are adjacent to the current value.
Let d_i be the number of adjacent elements to a_i (including a_i itself). The beauty of the array is defined as max_{1 β€ i β€ n} d_i.
You are given q queries: each query is described by an integer w, and you have to output the beauty of the array after w seconds.
Input
The first input line contains a single integer t (1 β€ t β€ 10^5) β the number of test cases.
The first line of each test case contains a single integer n (1 β€ n β€ 3 β
10^5) β the length of the array.
The following line contains n integers a_1, β¦, a_n (1 β€ a_i β€ 10^6) β array elements.
The next line contain a single integer q (1 β€ q β€ 3 β
10^5) β the number of queries.
The following q lines contain a single integer w each (0 β€ w β€ 10^{18}) β the queries themselves.
It is guaranteed that the sum of values n over all test cases does not exceed 3 β
10^5, and the sum of values q over all test cases does not exceed 3 β
10^5
Output
For each query output a single integer β the beauty of the array at the corresponding moment.
Example
Input
2
4
6 8 4 2
1
0
6
12 3 20 5 80 1
1
1
Output
2
3
Note
In the first test case, the initial array contains elements [6, 8, 4, 2]. Element a_4=2 in this array is adjacent to a_4=2 (since (lcm(2, 2))/(gcd(2, 2))=2/2=1=1^2) and a_2=8 (since (lcm(8,2))/(gcd(8, 2))=8/2=4=2^2). Hence, d_4=2, and this is the maximal possible value d_i in this array.
In the second test case, the initial array contains elements [12, 3, 20, 5, 80, 1]. The elements adjacent to 12 are \{12, 3\}, the elements adjacent to 3 are \{12, 3\}, the elements adjacent to 20 are \{20, 5, 80\}, the elements adjacent to 5 are \{20, 5, 80\}, the elements adjacent to 80 are \{20, 5, 80\}, the elements adjacent to 1 are \{1\}. After one second, the array is transformed into [36, 36, 8000, 8000, 8000, 1].
Submitted Solution:
```
import sys
from collections import Counter
from collections import defaultdict as dd
input = sys.stdin.readline
class UnionFind():
def __init__(self):
self.root = dd(lambda: -1)
self.rnk = Counter()
def Find_Root(self, x):
if self.root[x] < 0:
return x
else:
self.root[x] = self.Find_Root(self.root[x])
return self.root[x]
def Unite(self, x, y):
x = self.Find_Root(x)
y = self.Find_Root(y)
if x == y:
return
elif self.rnk[x] > self.rnk[y]:
self.root[x] += self.root[y]
self.root[y] = x
else:
self.root[y] += self.root[x]
self.root[x] = y
if self.rnk[x] == self.rnk[y]:
self.rnk[y] += 1
def isSameGroup(self, x, y):
return self.Find_Root(x) == self.Find_Root(y)
def Count(self, x):
return -self.root[self.Find_Root(x)]
for _ in range(int(input())):
N = int(input())
a = list(map(int, input().split()))
qtable = [0] * 2
for q in range(2):
c = Counter()
uf = UnionFind()
for x in a: c[x] += 1
table = [0] * N
mx = max(a)
for i in range(N):
x = a[i]
j = 1
while x * (j ** 2) <= mx:
table[i] += c[x * (j ** 2)]
if c[x * (j ** 2)]: uf.Unite(x, x * (j ** 2))
j += 1
qtable[q] = max(table)
if q: break
vals = Counter()
for k in uf.root.keys():
vals[k] = k ** c[k]
for k in uf.root.keys():
root = uf.Find_Root(k)
if k != root: vals[root] *= vals[k]
for k in uf.root.keys():
root = uf.Find_Root(k)
vals[k] = vals[root]
for i in range(N): a[i] = vals[a[i]]
Q = int(input())
for _ in range(Q):
q = int(input())
print(qtable[min(1, q)])
``` | instruction | 0 | 96,354 | 22 | 192,708 |
No | output | 1 | 96,354 | 22 | 192,709 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Let us call two integers x and y adjacent if (lcm(x, y))/(gcd(x, y)) is a perfect square. For example, 3 and 12 are adjacent, but 6 and 9 are not.
Here gcd(x, y) denotes the [greatest common divisor (GCD)](https://en.wikipedia.org/wiki/Greatest_common_divisor) of integers x and y, and lcm(x, y) denotes the [least common multiple (LCM)](https://en.wikipedia.org/wiki/Least_common_multiple) of integers x and y.
You are given an array a of length n. Each second the following happens: each element a_i of the array is replaced by the product of all elements of the array (including itself), that are adjacent to the current value.
Let d_i be the number of adjacent elements to a_i (including a_i itself). The beauty of the array is defined as max_{1 β€ i β€ n} d_i.
You are given q queries: each query is described by an integer w, and you have to output the beauty of the array after w seconds.
Input
The first input line contains a single integer t (1 β€ t β€ 10^5) β the number of test cases.
The first line of each test case contains a single integer n (1 β€ n β€ 3 β
10^5) β the length of the array.
The following line contains n integers a_1, β¦, a_n (1 β€ a_i β€ 10^6) β array elements.
The next line contain a single integer q (1 β€ q β€ 3 β
10^5) β the number of queries.
The following q lines contain a single integer w each (0 β€ w β€ 10^{18}) β the queries themselves.
It is guaranteed that the sum of values n over all test cases does not exceed 3 β
10^5, and the sum of values q over all test cases does not exceed 3 β
10^5
Output
For each query output a single integer β the beauty of the array at the corresponding moment.
Example
Input
2
4
6 8 4 2
1
0
6
12 3 20 5 80 1
1
1
Output
2
3
Note
In the first test case, the initial array contains elements [6, 8, 4, 2]. Element a_4=2 in this array is adjacent to a_4=2 (since (lcm(2, 2))/(gcd(2, 2))=2/2=1=1^2) and a_2=8 (since (lcm(8,2))/(gcd(8, 2))=8/2=4=2^2). Hence, d_4=2, and this is the maximal possible value d_i in this array.
In the second test case, the initial array contains elements [12, 3, 20, 5, 80, 1]. The elements adjacent to 12 are \{12, 3\}, the elements adjacent to 3 are \{12, 3\}, the elements adjacent to 20 are \{20, 5, 80\}, the elements adjacent to 5 are \{20, 5, 80\}, the elements adjacent to 80 are \{20, 5, 80\}, the elements adjacent to 1 are \{1\}. After one second, the array is transformed into [36, 36, 8000, 8000, 8000, 1].
Submitted Solution:
```
import io
import os
from collections import Counter
def sievePrimeFactors(n):
arr = list(range(n))
factors = [[] for i in range(n)]
factors[0] = []
factors[1] = []
for i in range(2, n):
factor = arr[i]
if factor != 1:
for j in range(i, n, i):
arr[j] //= factor
if factors[j] and factors[j][-1] == factor:
factors[j].pop()
else:
factors[j].append(factor)
return factors
factorization = [tuple(f) for f in sievePrimeFactors(10 ** 6 + 1)]
"""
def lcm(x, y):
return x * y // gcd(x, y)
def isSquare(x):
return int(x ** 0.5) ** 2 == x
def solveBrute(N, A, Q, W):
for t in range(3):
B = [1] * N
D = [0 for i in range(N)]
for i in range(N):
for j in range(N):
x = A[i]
y = A[j]
num = x * y
denom = gcd(x, y) ** 2
if num % denom == 0 and isSquare(num // denom):
D[i] += 1
B[i] *= A[j]
A = B
print("time", t, A, D)
"""
def solve(N, A, Q, W):
freq = Counter()
for x in A:
freq[factorization[x]] += 1
D = [max(freq.values())]
while True:
merged = False
freq2 = Counter()
mx = 0
for k, v in freq.items():
if v % 2 == 0:
k = ()
if k in freq2:
merged = True
freq2[k] += v
mx = max(mx, freq2[k])
else:
mx = max(mx, v)
if not merged:
break
freq = freq2
D.append(mx)
ans = []
for w in W:
if len(w) <= 7 and int(w) < len(D):
ans.append(D[int(w)])
else:
ans.append(D[-1])
return " ".join(map(str, ans))
DEBUG = False
if DEBUG:
import random
random.seed(0)
for _ in range(1):
N = 3 * 10 ** 5
A = [random.randint(1, 10 ** 6) for i in range(N)]
Q = 3 * 10 ** 5
W = [str(random.randint(1, 10 ** 18)) for i in range(Q)]
# print("tc", _, N, A)
ans1 = solve(N, A, Q, W)
# print(ans1)
exit()
if __name__ == "__main__":
input = io.BytesIO(os.read(0, os.fstat(0).st_size)).readline
TC = int(input())
for tc in range(1, TC + 1):
(N,) = [int(x) for x in input().split()]
A = [int(x) for x in input().split()]
(Q,) = [int(x) for x in input().split()]
W = [str(input().decode().rstrip()) for i in range(Q)]
ans = solve(N, A, Q, W)
print(ans)
``` | instruction | 0 | 96,355 | 22 | 192,710 |
No | output | 1 | 96,355 | 22 | 192,711 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Little Petya has a birthday soon. Due this wonderful event, Petya's friends decided to give him sweets. The total number of Petya's friends equals to n.
Let us remind you the definition of the greatest common divisor: GCD(a1, ..., ak) = d, where d represents such a maximal positive number that each ai (1 β€ i β€ k) is evenly divisible by d. At that, we assume that all ai's are greater than zero.
Knowing that Petya is keen on programming, his friends has agreed beforehand that the 1-st friend gives a1 sweets, the 2-nd one gives a2 sweets, ..., the n-th one gives an sweets. At the same time, for any i and j (1 β€ i, j β€ n) they want the GCD(ai, aj) not to be equal to 1. However, they also want the following condition to be satisfied: GCD(a1, a2, ..., an) = 1. One more: all the ai should be distinct.
Help the friends to choose the suitable numbers a1, ..., an.
Input
The first line contains an integer n (2 β€ n β€ 50).
Output
If there is no answer, print "-1" without quotes. Otherwise print a set of n distinct positive numbers a1, a2, ..., an. Each line must contain one number. Each number must consist of not more than 100 digits, and must not contain any leading zeros. If there are several solutions to that problem, print any of them.
Do not forget, please, that all of the following conditions must be true:
* For every i and j (1 β€ i, j β€ n): GCD(ai, aj) β 1
* GCD(a1, a2, ..., an) = 1
* For every i and j (1 β€ i, j β€ n, i β j): ai β aj
Please, do not use %lld specificator to read or write 64-bit integers in C++. It is preffered to use cout (also you may use %I64d).
Examples
Input
3
Output
99
55
11115
Input
4
Output
385
360
792
8360 | instruction | 0 | 96,599 | 22 | 193,198 |
Tags: constructive algorithms, math, number theory
Correct Solution:
```
n = int(input());
if n==2:
print(-1);
exit();
MX = 1001;
isp = [1 for i in range(0, MX)];
isp[0] = isp[1] = 0;
primes = []
for i in range(2, MX):
if (not isp[i]): continue;
primes.append(i);
for j in range(i*i, MX, i):
isp[j] = 0;
product = 1;
for i in range(n):
product *= primes[i];
for i in range(n):
print(product//primes[i]);
``` | output | 1 | 96,599 | 22 | 193,199 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Little Petya has a birthday soon. Due this wonderful event, Petya's friends decided to give him sweets. The total number of Petya's friends equals to n.
Let us remind you the definition of the greatest common divisor: GCD(a1, ..., ak) = d, where d represents such a maximal positive number that each ai (1 β€ i β€ k) is evenly divisible by d. At that, we assume that all ai's are greater than zero.
Knowing that Petya is keen on programming, his friends has agreed beforehand that the 1-st friend gives a1 sweets, the 2-nd one gives a2 sweets, ..., the n-th one gives an sweets. At the same time, for any i and j (1 β€ i, j β€ n) they want the GCD(ai, aj) not to be equal to 1. However, they also want the following condition to be satisfied: GCD(a1, a2, ..., an) = 1. One more: all the ai should be distinct.
Help the friends to choose the suitable numbers a1, ..., an.
Input
The first line contains an integer n (2 β€ n β€ 50).
Output
If there is no answer, print "-1" without quotes. Otherwise print a set of n distinct positive numbers a1, a2, ..., an. Each line must contain one number. Each number must consist of not more than 100 digits, and must not contain any leading zeros. If there are several solutions to that problem, print any of them.
Do not forget, please, that all of the following conditions must be true:
* For every i and j (1 β€ i, j β€ n): GCD(ai, aj) β 1
* GCD(a1, a2, ..., an) = 1
* For every i and j (1 β€ i, j β€ n, i β j): ai β aj
Please, do not use %lld specificator to read or write 64-bit integers in C++. It is preffered to use cout (also you may use %I64d).
Examples
Input
3
Output
99
55
11115
Input
4
Output
385
360
792
8360 | instruction | 0 | 96,600 | 22 | 193,200 |
Tags: constructive algorithms, math, number theory
Correct Solution:
```
p = [True] * 230
i = 2
while i*i <= len(p):
if p[i]:
for j in range(i+i, len(p), i):
p[j] = False
i += 1
p = [i for i in range(2, len(p)) if p[i]]
n = int(input())
if n == 2:
print(-1)
else:
x = 1
for i in range(n): x *= p[i]
for i in range(n):
print(x // p[i])
``` | output | 1 | 96,600 | 22 | 193,201 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Little Petya has a birthday soon. Due this wonderful event, Petya's friends decided to give him sweets. The total number of Petya's friends equals to n.
Let us remind you the definition of the greatest common divisor: GCD(a1, ..., ak) = d, where d represents such a maximal positive number that each ai (1 β€ i β€ k) is evenly divisible by d. At that, we assume that all ai's are greater than zero.
Knowing that Petya is keen on programming, his friends has agreed beforehand that the 1-st friend gives a1 sweets, the 2-nd one gives a2 sweets, ..., the n-th one gives an sweets. At the same time, for any i and j (1 β€ i, j β€ n) they want the GCD(ai, aj) not to be equal to 1. However, they also want the following condition to be satisfied: GCD(a1, a2, ..., an) = 1. One more: all the ai should be distinct.
Help the friends to choose the suitable numbers a1, ..., an.
Input
The first line contains an integer n (2 β€ n β€ 50).
Output
If there is no answer, print "-1" without quotes. Otherwise print a set of n distinct positive numbers a1, a2, ..., an. Each line must contain one number. Each number must consist of not more than 100 digits, and must not contain any leading zeros. If there are several solutions to that problem, print any of them.
Do not forget, please, that all of the following conditions must be true:
* For every i and j (1 β€ i, j β€ n): GCD(ai, aj) β 1
* GCD(a1, a2, ..., an) = 1
* For every i and j (1 β€ i, j β€ n, i β j): ai β aj
Please, do not use %lld specificator to read or write 64-bit integers in C++. It is preffered to use cout (also you may use %I64d).
Examples
Input
3
Output
99
55
11115
Input
4
Output
385
360
792
8360 | instruction | 0 | 96,601 | 22 | 193,202 |
Tags: constructive algorithms, math, number theory
Correct Solution:
```
def isPrime(n):
if n == 1:
return False
for i in range(2, n):
if n%i == 0:
return False
return True
primes = []
for i in range(2, 1000):
if isPrime(i):
primes.append(i)
if len(primes) == 50:
break
n = int(input())
if n == 2:
print(-1)
exit()
prod = 1
for i in range(n):
prod *= primes[i]
for i in range(n):
print(prod//primes[i])
``` | output | 1 | 96,601 | 22 | 193,203 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Little Petya has a birthday soon. Due this wonderful event, Petya's friends decided to give him sweets. The total number of Petya's friends equals to n.
Let us remind you the definition of the greatest common divisor: GCD(a1, ..., ak) = d, where d represents such a maximal positive number that each ai (1 β€ i β€ k) is evenly divisible by d. At that, we assume that all ai's are greater than zero.
Knowing that Petya is keen on programming, his friends has agreed beforehand that the 1-st friend gives a1 sweets, the 2-nd one gives a2 sweets, ..., the n-th one gives an sweets. At the same time, for any i and j (1 β€ i, j β€ n) they want the GCD(ai, aj) not to be equal to 1. However, they also want the following condition to be satisfied: GCD(a1, a2, ..., an) = 1. One more: all the ai should be distinct.
Help the friends to choose the suitable numbers a1, ..., an.
Input
The first line contains an integer n (2 β€ n β€ 50).
Output
If there is no answer, print "-1" without quotes. Otherwise print a set of n distinct positive numbers a1, a2, ..., an. Each line must contain one number. Each number must consist of not more than 100 digits, and must not contain any leading zeros. If there are several solutions to that problem, print any of them.
Do not forget, please, that all of the following conditions must be true:
* For every i and j (1 β€ i, j β€ n): GCD(ai, aj) β 1
* GCD(a1, a2, ..., an) = 1
* For every i and j (1 β€ i, j β€ n, i β j): ai β aj
Please, do not use %lld specificator to read or write 64-bit integers in C++. It is preffered to use cout (also you may use %I64d).
Examples
Input
3
Output
99
55
11115
Input
4
Output
385
360
792
8360 | instruction | 0 | 96,602 | 22 | 193,204 |
Tags: constructive algorithms, math, number theory
Correct Solution:
```
st = [2, 3, 5, 7, 11, 13, 17, 19, 23, 29, 31, 37, 41, 43, 47, 53, 59, 61, 67, 71, 73, 79, 83, 89, 97, 101, 103, 107, 109, 113, 127, 131, 137, 139, 149, 151, 157, 163, 167, 173, 179, 181, 191, 193, 197, 199, 211, 223, 227, 229, 233, 239, 241, 251, 257, 263, 269, 271, 277, 281, 283, 293, 307, 311, 313, 317, 331, 337, 347, 349, 353, 359, 367, 373, 379, 383, 389, 397]
#print(len(st))
n = int(input())
arr = []
x = 1
for i in range(n-1):
arr.append(2*st[i+1])
x = x*st[i+1]
arr.append(x*st[n+1])
if n>2:
for x in arr:
print(x)
else:
print(-1)
#print(len(str(arr[len(arr)-1])))
``` | output | 1 | 96,602 | 22 | 193,205 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Little Petya has a birthday soon. Due this wonderful event, Petya's friends decided to give him sweets. The total number of Petya's friends equals to n.
Let us remind you the definition of the greatest common divisor: GCD(a1, ..., ak) = d, where d represents such a maximal positive number that each ai (1 β€ i β€ k) is evenly divisible by d. At that, we assume that all ai's are greater than zero.
Knowing that Petya is keen on programming, his friends has agreed beforehand that the 1-st friend gives a1 sweets, the 2-nd one gives a2 sweets, ..., the n-th one gives an sweets. At the same time, for any i and j (1 β€ i, j β€ n) they want the GCD(ai, aj) not to be equal to 1. However, they also want the following condition to be satisfied: GCD(a1, a2, ..., an) = 1. One more: all the ai should be distinct.
Help the friends to choose the suitable numbers a1, ..., an.
Input
The first line contains an integer n (2 β€ n β€ 50).
Output
If there is no answer, print "-1" without quotes. Otherwise print a set of n distinct positive numbers a1, a2, ..., an. Each line must contain one number. Each number must consist of not more than 100 digits, and must not contain any leading zeros. If there are several solutions to that problem, print any of them.
Do not forget, please, that all of the following conditions must be true:
* For every i and j (1 β€ i, j β€ n): GCD(ai, aj) β 1
* GCD(a1, a2, ..., an) = 1
* For every i and j (1 β€ i, j β€ n, i β j): ai β aj
Please, do not use %lld specificator to read or write 64-bit integers in C++. It is preffered to use cout (also you may use %I64d).
Examples
Input
3
Output
99
55
11115
Input
4
Output
385
360
792
8360 | instruction | 0 | 96,603 | 22 | 193,206 |
Tags: constructive algorithms, math, number theory
Correct Solution:
```
#!/usr/bin/env python3
primes = []
def sieve(n):
isPrime = [True for i in range(n+1)]
primes.append(2)
for i in range(4, n + 1, 2):
isPrime[i] = False
for i in range(3, n + 1, 2):
if (isPrime[i]):
primes.append(i)
j = i
while i*j <= n:
isPrime[i*j] = False
j += 1
n = int(input())
if n == 2:
print(-1)
else:
sieve(250)
sup = 1
for i in range(n):
sup *= primes[i]
for i in range(n):
print(sup // primes[i])
``` | output | 1 | 96,603 | 22 | 193,207 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Little Petya has a birthday soon. Due this wonderful event, Petya's friends decided to give him sweets. The total number of Petya's friends equals to n.
Let us remind you the definition of the greatest common divisor: GCD(a1, ..., ak) = d, where d represents such a maximal positive number that each ai (1 β€ i β€ k) is evenly divisible by d. At that, we assume that all ai's are greater than zero.
Knowing that Petya is keen on programming, his friends has agreed beforehand that the 1-st friend gives a1 sweets, the 2-nd one gives a2 sweets, ..., the n-th one gives an sweets. At the same time, for any i and j (1 β€ i, j β€ n) they want the GCD(ai, aj) not to be equal to 1. However, they also want the following condition to be satisfied: GCD(a1, a2, ..., an) = 1. One more: all the ai should be distinct.
Help the friends to choose the suitable numbers a1, ..., an.
Input
The first line contains an integer n (2 β€ n β€ 50).
Output
If there is no answer, print "-1" without quotes. Otherwise print a set of n distinct positive numbers a1, a2, ..., an. Each line must contain one number. Each number must consist of not more than 100 digits, and must not contain any leading zeros. If there are several solutions to that problem, print any of them.
Do not forget, please, that all of the following conditions must be true:
* For every i and j (1 β€ i, j β€ n): GCD(ai, aj) β 1
* GCD(a1, a2, ..., an) = 1
* For every i and j (1 β€ i, j β€ n, i β j): ai β aj
Please, do not use %lld specificator to read or write 64-bit integers in C++. It is preffered to use cout (also you may use %I64d).
Examples
Input
3
Output
99
55
11115
Input
4
Output
385
360
792
8360 | instruction | 0 | 96,604 | 22 | 193,208 |
Tags: constructive algorithms, math, number theory
Correct Solution:
```
def main():
n = int(input())
if n == 2:
print(-1)
return
primes = []
for i in range(2, 10000):
ok = True
for j in range(2, i):
if j * j > i:
break;
if i % j == 0:
ok = False
break
if ok:
primes.append(i)
if len(primes) == n:
break
for i in range(n):
x = 1
for j in range(n):
if i == j:
continue
x *= primes[j]
print(x)
main()
``` | output | 1 | 96,604 | 22 | 193,209 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Little Petya has a birthday soon. Due this wonderful event, Petya's friends decided to give him sweets. The total number of Petya's friends equals to n.
Let us remind you the definition of the greatest common divisor: GCD(a1, ..., ak) = d, where d represents such a maximal positive number that each ai (1 β€ i β€ k) is evenly divisible by d. At that, we assume that all ai's are greater than zero.
Knowing that Petya is keen on programming, his friends has agreed beforehand that the 1-st friend gives a1 sweets, the 2-nd one gives a2 sweets, ..., the n-th one gives an sweets. At the same time, for any i and j (1 β€ i, j β€ n) they want the GCD(ai, aj) not to be equal to 1. However, they also want the following condition to be satisfied: GCD(a1, a2, ..., an) = 1. One more: all the ai should be distinct.
Help the friends to choose the suitable numbers a1, ..., an.
Input
The first line contains an integer n (2 β€ n β€ 50).
Output
If there is no answer, print "-1" without quotes. Otherwise print a set of n distinct positive numbers a1, a2, ..., an. Each line must contain one number. Each number must consist of not more than 100 digits, and must not contain any leading zeros. If there are several solutions to that problem, print any of them.
Do not forget, please, that all of the following conditions must be true:
* For every i and j (1 β€ i, j β€ n): GCD(ai, aj) β 1
* GCD(a1, a2, ..., an) = 1
* For every i and j (1 β€ i, j β€ n, i β j): ai β aj
Please, do not use %lld specificator to read or write 64-bit integers in C++. It is preffered to use cout (also you may use %I64d).
Examples
Input
3
Output
99
55
11115
Input
4
Output
385
360
792
8360 | instruction | 0 | 96,605 | 22 | 193,210 |
Tags: constructive algorithms, math, number theory
Correct Solution:
```
def main():
SIZE = 100000
sieve = [True]*SIZE
p = list()
for it1 in range(2,SIZE):
if sieve[it1]:
for it2 in range(it1*it1,SIZE,it1):
sieve[it2] = False
p.append(it1)
n = int(input())
if n==2:
print(-1)
exit(0)
v = [1]*n
pib = 0
for it1 in range(n):
for it2 in range(it1+1,n):
if pib==n+2:
pib = 0
v[it1] *= p[pib]
v[it2] *= p[pib]
pib += 1
print('\n'.join(str(it) for it in v))
if __name__=="__main__":
main()
``` | output | 1 | 96,605 | 22 | 193,211 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Little Petya has a birthday soon. Due this wonderful event, Petya's friends decided to give him sweets. The total number of Petya's friends equals to n.
Let us remind you the definition of the greatest common divisor: GCD(a1, ..., ak) = d, where d represents such a maximal positive number that each ai (1 β€ i β€ k) is evenly divisible by d. At that, we assume that all ai's are greater than zero.
Knowing that Petya is keen on programming, his friends has agreed beforehand that the 1-st friend gives a1 sweets, the 2-nd one gives a2 sweets, ..., the n-th one gives an sweets. At the same time, for any i and j (1 β€ i, j β€ n) they want the GCD(ai, aj) not to be equal to 1. However, they also want the following condition to be satisfied: GCD(a1, a2, ..., an) = 1. One more: all the ai should be distinct.
Help the friends to choose the suitable numbers a1, ..., an.
Input
The first line contains an integer n (2 β€ n β€ 50).
Output
If there is no answer, print "-1" without quotes. Otherwise print a set of n distinct positive numbers a1, a2, ..., an. Each line must contain one number. Each number must consist of not more than 100 digits, and must not contain any leading zeros. If there are several solutions to that problem, print any of them.
Do not forget, please, that all of the following conditions must be true:
* For every i and j (1 β€ i, j β€ n): GCD(ai, aj) β 1
* GCD(a1, a2, ..., an) = 1
* For every i and j (1 β€ i, j β€ n, i β j): ai β aj
Please, do not use %lld specificator to read or write 64-bit integers in C++. It is preffered to use cout (also you may use %I64d).
Examples
Input
3
Output
99
55
11115
Input
4
Output
385
360
792
8360 | instruction | 0 | 96,606 | 22 | 193,212 |
Tags: constructive algorithms, math, number theory
Correct Solution:
```
a=[]
for i in range(2,1000):
pr=1
for j in range(2,i):
if(i%j==0):
pr=0
if pr == 1:
a.append(i)
def gcd(x,y):
if(y==0):
return x
return gcd(y,x%y)
cur=1
n=int(input())
if(n==2):
print(-1)
exit()
for i in range(n):
#print(a[i])
cur=cur*a[i]
b=[]
for i in range(n):
print(cur//a[i])
#b.append(cur/a[i])
``` | output | 1 | 96,606 | 22 | 193,213 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Little Petya has a birthday soon. Due this wonderful event, Petya's friends decided to give him sweets. The total number of Petya's friends equals to n.
Let us remind you the definition of the greatest common divisor: GCD(a1, ..., ak) = d, where d represents such a maximal positive number that each ai (1 β€ i β€ k) is evenly divisible by d. At that, we assume that all ai's are greater than zero.
Knowing that Petya is keen on programming, his friends has agreed beforehand that the 1-st friend gives a1 sweets, the 2-nd one gives a2 sweets, ..., the n-th one gives an sweets. At the same time, for any i and j (1 β€ i, j β€ n) they want the GCD(ai, aj) not to be equal to 1. However, they also want the following condition to be satisfied: GCD(a1, a2, ..., an) = 1. One more: all the ai should be distinct.
Help the friends to choose the suitable numbers a1, ..., an.
Input
The first line contains an integer n (2 β€ n β€ 50).
Output
If there is no answer, print "-1" without quotes. Otherwise print a set of n distinct positive numbers a1, a2, ..., an. Each line must contain one number. Each number must consist of not more than 100 digits, and must not contain any leading zeros. If there are several solutions to that problem, print any of them.
Do not forget, please, that all of the following conditions must be true:
* For every i and j (1 β€ i, j β€ n): GCD(ai, aj) β 1
* GCD(a1, a2, ..., an) = 1
* For every i and j (1 β€ i, j β€ n, i β j): ai β aj
Please, do not use %lld specificator to read or write 64-bit integers in C++. It is preffered to use cout (also you may use %I64d).
Examples
Input
3
Output
99
55
11115
Input
4
Output
385
360
792
8360
Submitted Solution:
```
primes = [0] * 55
def generatePrimes(n):
p = [True] * (n + 1)
p[0] = p[1] = False
i = 2
while (i * i <= n):
if (p[i]):
j = i * i
while (j <= n):
p[j] = False
j = j + i
i = i + 1
i = 2
idx = 0
while (i <= n):
if (p[i]):
primes[idx] = i
idx = idx + 1
i = i + 1
n = int(input().strip())
if (n == 2):
print(-1)
quit()
generatePrimes(250)
primeIdx = 0
a = [1] * 55
for i in range(0, n):
for j in range(0, n):
if (i != j):
a[j] = a[j] * primes[primeIdx]
primeIdx = primeIdx + 1
for i in range(0, n):
print(a[i])
``` | instruction | 0 | 96,607 | 22 | 193,214 |
Yes | output | 1 | 96,607 | 22 | 193,215 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Little Petya has a birthday soon. Due this wonderful event, Petya's friends decided to give him sweets. The total number of Petya's friends equals to n.
Let us remind you the definition of the greatest common divisor: GCD(a1, ..., ak) = d, where d represents such a maximal positive number that each ai (1 β€ i β€ k) is evenly divisible by d. At that, we assume that all ai's are greater than zero.
Knowing that Petya is keen on programming, his friends has agreed beforehand that the 1-st friend gives a1 sweets, the 2-nd one gives a2 sweets, ..., the n-th one gives an sweets. At the same time, for any i and j (1 β€ i, j β€ n) they want the GCD(ai, aj) not to be equal to 1. However, they also want the following condition to be satisfied: GCD(a1, a2, ..., an) = 1. One more: all the ai should be distinct.
Help the friends to choose the suitable numbers a1, ..., an.
Input
The first line contains an integer n (2 β€ n β€ 50).
Output
If there is no answer, print "-1" without quotes. Otherwise print a set of n distinct positive numbers a1, a2, ..., an. Each line must contain one number. Each number must consist of not more than 100 digits, and must not contain any leading zeros. If there are several solutions to that problem, print any of them.
Do not forget, please, that all of the following conditions must be true:
* For every i and j (1 β€ i, j β€ n): GCD(ai, aj) β 1
* GCD(a1, a2, ..., an) = 1
* For every i and j (1 β€ i, j β€ n, i β j): ai β aj
Please, do not use %lld specificator to read or write 64-bit integers in C++. It is preffered to use cout (also you may use %I64d).
Examples
Input
3
Output
99
55
11115
Input
4
Output
385
360
792
8360
Submitted Solution:
```
n = int(input())
if(n == 2):
print(-1)
else:
print(99)
print(55)
k = 0
for i in range(0, n - 2):
print(2*2*15*(k + 1))
k += 1
``` | instruction | 0 | 96,608 | 22 | 193,216 |
Yes | output | 1 | 96,608 | 22 | 193,217 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Little Petya has a birthday soon. Due this wonderful event, Petya's friends decided to give him sweets. The total number of Petya's friends equals to n.
Let us remind you the definition of the greatest common divisor: GCD(a1, ..., ak) = d, where d represents such a maximal positive number that each ai (1 β€ i β€ k) is evenly divisible by d. At that, we assume that all ai's are greater than zero.
Knowing that Petya is keen on programming, his friends has agreed beforehand that the 1-st friend gives a1 sweets, the 2-nd one gives a2 sweets, ..., the n-th one gives an sweets. At the same time, for any i and j (1 β€ i, j β€ n) they want the GCD(ai, aj) not to be equal to 1. However, they also want the following condition to be satisfied: GCD(a1, a2, ..., an) = 1. One more: all the ai should be distinct.
Help the friends to choose the suitable numbers a1, ..., an.
Input
The first line contains an integer n (2 β€ n β€ 50).
Output
If there is no answer, print "-1" without quotes. Otherwise print a set of n distinct positive numbers a1, a2, ..., an. Each line must contain one number. Each number must consist of not more than 100 digits, and must not contain any leading zeros. If there are several solutions to that problem, print any of them.
Do not forget, please, that all of the following conditions must be true:
* For every i and j (1 β€ i, j β€ n): GCD(ai, aj) β 1
* GCD(a1, a2, ..., an) = 1
* For every i and j (1 β€ i, j β€ n, i β j): ai β aj
Please, do not use %lld specificator to read or write 64-bit integers in C++. It is preffered to use cout (also you may use %I64d).
Examples
Input
3
Output
99
55
11115
Input
4
Output
385
360
792
8360
Submitted Solution:
```
def isPrime(n):
i = 2
while (i * i <= n):
if (n % i == 0):
return 0
i += 1
return n > 1
m = int(input())
if (m == 2):
print(-1)
exit(0)
i = 2
primes = []
while(len(primes) <= m + 1):
if (isPrime(i)):
primes.append(i);
i += 1
p = 1
for j in range(0, m - 1):
print(primes[j] * primes[m]);
p *= primes[j]
print(p * primes[m - 1])
``` | instruction | 0 | 96,609 | 22 | 193,218 |
Yes | output | 1 | 96,609 | 22 | 193,219 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Little Petya has a birthday soon. Due this wonderful event, Petya's friends decided to give him sweets. The total number of Petya's friends equals to n.
Let us remind you the definition of the greatest common divisor: GCD(a1, ..., ak) = d, where d represents such a maximal positive number that each ai (1 β€ i β€ k) is evenly divisible by d. At that, we assume that all ai's are greater than zero.
Knowing that Petya is keen on programming, his friends has agreed beforehand that the 1-st friend gives a1 sweets, the 2-nd one gives a2 sweets, ..., the n-th one gives an sweets. At the same time, for any i and j (1 β€ i, j β€ n) they want the GCD(ai, aj) not to be equal to 1. However, they also want the following condition to be satisfied: GCD(a1, a2, ..., an) = 1. One more: all the ai should be distinct.
Help the friends to choose the suitable numbers a1, ..., an.
Input
The first line contains an integer n (2 β€ n β€ 50).
Output
If there is no answer, print "-1" without quotes. Otherwise print a set of n distinct positive numbers a1, a2, ..., an. Each line must contain one number. Each number must consist of not more than 100 digits, and must not contain any leading zeros. If there are several solutions to that problem, print any of them.
Do not forget, please, that all of the following conditions must be true:
* For every i and j (1 β€ i, j β€ n): GCD(ai, aj) β 1
* GCD(a1, a2, ..., an) = 1
* For every i and j (1 β€ i, j β€ n, i β j): ai β aj
Please, do not use %lld specificator to read or write 64-bit integers in C++. It is preffered to use cout (also you may use %I64d).
Examples
Input
3
Output
99
55
11115
Input
4
Output
385
360
792
8360
Submitted Solution:
```
a= int(input())
if(a == 2):
print(-1)
exit(0)
v = []
for i in range(2,1000):
if(i < 4):
v.append(i)
continue
p = 0
for z in range(2,i):
if(i != z and i%z == 0):
p = 1
break
if(p != 0): continue
v.append(i)
c = 1
for i in range(a): c *= v[i]
k = []
for i in range(a):
print(int(c//v[i]))
``` | instruction | 0 | 96,610 | 22 | 193,220 |
Yes | output | 1 | 96,610 | 22 | 193,221 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Little Petya has a birthday soon. Due this wonderful event, Petya's friends decided to give him sweets. The total number of Petya's friends equals to n.
Let us remind you the definition of the greatest common divisor: GCD(a1, ..., ak) = d, where d represents such a maximal positive number that each ai (1 β€ i β€ k) is evenly divisible by d. At that, we assume that all ai's are greater than zero.
Knowing that Petya is keen on programming, his friends has agreed beforehand that the 1-st friend gives a1 sweets, the 2-nd one gives a2 sweets, ..., the n-th one gives an sweets. At the same time, for any i and j (1 β€ i, j β€ n) they want the GCD(ai, aj) not to be equal to 1. However, they also want the following condition to be satisfied: GCD(a1, a2, ..., an) = 1. One more: all the ai should be distinct.
Help the friends to choose the suitable numbers a1, ..., an.
Input
The first line contains an integer n (2 β€ n β€ 50).
Output
If there is no answer, print "-1" without quotes. Otherwise print a set of n distinct positive numbers a1, a2, ..., an. Each line must contain one number. Each number must consist of not more than 100 digits, and must not contain any leading zeros. If there are several solutions to that problem, print any of them.
Do not forget, please, that all of the following conditions must be true:
* For every i and j (1 β€ i, j β€ n): GCD(ai, aj) β 1
* GCD(a1, a2, ..., an) = 1
* For every i and j (1 β€ i, j β€ n, i β j): ai β aj
Please, do not use %lld specificator to read or write 64-bit integers in C++. It is preffered to use cout (also you may use %I64d).
Examples
Input
3
Output
99
55
11115
Input
4
Output
385
360
792
8360
Submitted Solution:
```
isprime = [1 for i in range(2000)]
isprime[0] = 0
isprime[1] = 0
for i in range(2,2000,1):
if(isprime[i]):
j = i*i
while j < 2000:
isprime[j] = 0
j += i
prime = []
for i in range(2,2000,1):
if(isprime[i]):
prime.append(i)
n = int(input())
for i in range(n):
val = 1
for j in range(n):
if i==j : continue
val *= prime[j]
print(val, end=' ')
print('')
``` | instruction | 0 | 96,611 | 22 | 193,222 |
No | output | 1 | 96,611 | 22 | 193,223 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Little Petya has a birthday soon. Due this wonderful event, Petya's friends decided to give him sweets. The total number of Petya's friends equals to n.
Let us remind you the definition of the greatest common divisor: GCD(a1, ..., ak) = d, where d represents such a maximal positive number that each ai (1 β€ i β€ k) is evenly divisible by d. At that, we assume that all ai's are greater than zero.
Knowing that Petya is keen on programming, his friends has agreed beforehand that the 1-st friend gives a1 sweets, the 2-nd one gives a2 sweets, ..., the n-th one gives an sweets. At the same time, for any i and j (1 β€ i, j β€ n) they want the GCD(ai, aj) not to be equal to 1. However, they also want the following condition to be satisfied: GCD(a1, a2, ..., an) = 1. One more: all the ai should be distinct.
Help the friends to choose the suitable numbers a1, ..., an.
Input
The first line contains an integer n (2 β€ n β€ 50).
Output
If there is no answer, print "-1" without quotes. Otherwise print a set of n distinct positive numbers a1, a2, ..., an. Each line must contain one number. Each number must consist of not more than 100 digits, and must not contain any leading zeros. If there are several solutions to that problem, print any of them.
Do not forget, please, that all of the following conditions must be true:
* For every i and j (1 β€ i, j β€ n): GCD(ai, aj) β 1
* GCD(a1, a2, ..., an) = 1
* For every i and j (1 β€ i, j β€ n, i β j): ai β aj
Please, do not use %lld specificator to read or write 64-bit integers in C++. It is preffered to use cout (also you may use %I64d).
Examples
Input
3
Output
99
55
11115
Input
4
Output
385
360
792
8360
Submitted Solution:
```
p = [2, 3, 5, 7, 11, 13, 17, 19, 23, 29, 31, 37, 41, 43, 47, 53, 59, 61, 67, 71, 73, 79, 83, 89, 97, 101, 103, 107, 109, 113, 127, 131, 137, 139, 149, 151, 157, 163, 167, 173, 179, 181, 191, 193, 197, 199, 211, 223, 227, 229, 233, 239, 241, 251, 257, 263, 269, 271, 277, 281, 283, 293, 307, 311, 313, 317, 331, 337, 347, 349, 353, 359, 367, 373, 379, 383, 389, 397, 401, 409, 419, 421, 431, 433, 439, 443, 449, 457, 461, 463, 467, 479, 487, 491, 499, 503, 509, 521, 523, 541, 547, 557, 563, 569, 571, 577, 587, 593, 599, 601, 607, 613, 617, 619, 631, 641, 643, 647, 653, 659, 661, 673, 677, 683, 691, 701, 709, 719, 727, 733, 739, 743, 751, 757, 761, 769, 773, 787, 797, 809, 811, 821, 823, 827, 829, 839, 853, 857, 859, 863, 877, 881, 883, 887, 907, 911, 919, 929, 937, 941, 947, 953, 967, 971, 977, 983, 991, 997, 1009, 1013, 1019, 1021, 1031, 1033, 1039, 1049, 1051, 1061, 1063, 1069, 1087, 1091, 1093, 1097, 1103, 1109, 1117, 1123, 1129, 1151, 1153, 1163, 1171, 1181, 1187, 1193, 1201, 1213, 1217, 1223, 1229, 1231, 1237, 1249, 1259, 1277, 1279, 1283, 1289, 1291, 1297, 1301, 1303, 1307, 1319, 1321, 1327, 1361, 1367, 1373, 1381, 1399, 1409, 1423, 1427, 1429, 1433, 1439, 1447, 1451, 1453, 1459, 1471, 1481, 1483, 1487, 1489, 1493, 1499, 1511, 1523, 1531, 1543, 1549, 1553, 1559, 1567, 1571, 1579, 1583, 1597, 1601, 1607, 1609, 1613, 1619, 1621, 1627, 1637, 1657, 1663, 1667, 1669, 1693, 1697, 1699, 1709, 1721, 1723, 1733, 1741, 1747, 1753, 1759, 1777, 1783, 1787, 1789, 1801, 1811, 1823, 1831, 1847, 1861, 1867, 1871, 1873, 1877, 1879, 1889, 1901, 1907, 1913, 1931, 1933, 1949, 1951, 1973, 1979, 1987, 1993, 1997, 1999, 2003, 2011, 2017, 2027, 2029, 2039, 2053, 2063, 2069, 2081, 2083, 2087, 2089, 2099, 2111, 2113, 2129, 2131, 2137, 2141, 2143, 2153, 2161, 2179, 2203, 2207, 2213, 2221, 2237, 2239, 2243, 2251, 2267, 2269, 2273, 2281, 2287, 2293, 2297, 2309, 2311, 2333, 2339, 2341, 2347, 2351, 2357, 2371, 2377, 2381, 2383, 2389, 2393, 2399, 2411, 2417, 2423, 2437, 2441, 2447, 2459, 2467, 2473, 2477, 2503, 2521, 2531, 2539, 2543, 2549, 2551, 2557, 2579, 2591, 2593, 2609, 2617, 2621, 2633, 2647, 2657, 2659, 2663, 2671, 2677, 2683, 2687, 2689, 2693, 2699, 2707, 2711, 2713, 2719, 2729, 2731, 2741, 2749, 2753, 2767, 2777, 2789, 2791, 2797, 2801, 2803, 2819, 2833, 2837, 2843, 2851, 2857, 2861, 2879, 2887, 2897, 2903, 2909, 2917, 2927, 2939, 2953, 2957, 2963, 2969, 2971, 2999, 3001, 3011, 3019, 3023, 3037, 3041, 3049, 3061, 3067, 3079, 3083, 3089, 3109, 3119, 3121, 3137, 3163, 3167, 3169, 3181, 3187, 3191, 3203, 3209, 3217, 3221, 3229, 3251, 3253, 3257, 3259, 3271, 3299, 3301, 3307, 3313, 3319, 3323, 3329, 3331, 3343, 3347, 3359, 3361, 3371, 3373, 3389, 3391, 3407, 3413, 3433, 3449, 3457, 3461, 3463, 3467, 3469, 3491, 3499, 3511, 3517, 3527, 3529, 3533, 3539, 3541, 3547, 3557, 3559, 3571, 3581, 3583, 3593, 3607, 3613, 3617, 3623, 3631, 3637, 3643, 3659, 3671, 3673, 3677, 3691, 3697, 3701, 3709, 3719, 3727, 3733, 3739, 3761, 3767, 3769, 3779, 3793, 3797, 3803, 3821, 3823, 3833, 3847, 3851, 3853, 3863, 3877, 3881, 3889, 3907, 3911, 3917, 3919, 3923, 3929, 3931, 3943, 3947, 3967, 3989, 4001, 4003, 4007, 4013, 4019, 4021, 4027, 4049, 4051, 4057, 4073, 4079, 4091, 4093, 4099, 4111, 4127, 4129, 4133, 4139, 4153, 4157, 4159, 4177, 4201, 4211, 4217, 4219, 4229, 4231, 4241, 4243, 4253, 4259, 4261, 4271, 4273, 4283, 4289, 4297, 4327, 4337, 4339, 4349, 4357, 4363, 4373, 4391, 4397, 4409, 4421, 4423, 4441, 4447, 4451, 4457, 4463, 4481, 4483, 4493, 4507, 4513, 4517, 4519, 4523, 4547, 4549, 4561, 4567, 4583, 4591, 4597, 4603, 4621, 4637, 4639, 4643, 4649, 4651, 4657, 4663, 4673, 4679, 4691, 4703, 4721, 4723, 4729, 4733, 4751, 4759, 4783, 4787, 4789, 4793, 4799, 4801, 4813, 4817, 4831, 4861, 4871, 4877, 4889, 4903, 4909, 4919, 4931, 4933, 4937, 4943, 4951, 4957, 4967, 4969, 4973, 4987, 4993, 4999, 5003, 5009, 5011, 5021, 5023, 5039, 5051, 5059, 5077, 5081, 5087, 5099, 5101, 5107, 5113, 5119, 5147, 5153, 5167, 5171, 5179, 5189, 5197, 5209, 5227, 5231, 5233, 5237, 5261, 5273, 5279, 5281, 5297, 5303, 5309, 5323, 5333, 5347, 5351, 5381, 5387, 5393, 5399, 5407, 5413, 5417, 5419, 5431, 5437, 5441, 5443, 5449, 5471, 5477, 5479, 5483, 5501, 5503, 5507, 5519, 5521, 5527, 5531, 5557, 5563, 5569, 5573, 5581, 5591, 5623, 5639, 5641, 5647, 5651, 5653, 5657, 5659, 5669, 5683, 5689, 5693, 5701, 5711, 5717, 5737, 5741, 5743, 5749, 5779, 5783, 5791, 5801, 5807, 5813, 5821, 5827, 5839, 5843, 5849, 5851, 5857, 5861, 5867, 5869, 5879, 5881, 5897, 5903, 5923, 5927, 5939, 5953, 5981, 5987, 6007, 6011, 6029, 6037, 6043, 6047, 6053, 6067, 6073, 6079, 6089, 6091, 6101, 6113, 6121, 6131, 6133, 6143, 6151, 6163, 6173, 6197, 6199, 6203, 6211, 6217, 6221, 6229, 6247, 6257, 6263, 6269, 6271, 6277, 6287, 6299, 6301, 6311, 6317, 6323, 6329, 6337, 6343, 6353, 6359, 6361, 6367, 6373, 6379, 6389, 6397, 6421, 6427, 6449, 6451, 6469, 6473, 6481, 6491, 6521, 6529, 6547, 6551, 6553, 6563, 6569, 6571, 6577, 6581, 6599, 6607, 6619, 6637, 6653, 6659, 6661, 6673, 6679, 6689, 6691, 6701, 6703, 6709, 6719, 6733, 6737, 6761, 6763, 6779, 6781, 6791, 6793, 6803, 6823, 6827, 6829, 6833, 6841, 6857, 6863, 6869, 6871, 6883, 6899, 6907, 6911, 6917, 6947, 6949, 6959, 6961, 6967, 6971, 6977, 6983, 6991, 6997, 7001, 7013, 7019, 7027, 7039, 7043, 7057, 7069, 7079, 7103, 7109, 7121, 7127, 7129, 7151, 7159, 7177, 7187, 7193, 7207, 7211, 7213, 7219, 7229, 7237, 7243, 7247, 7253, 7283, 7297, 7307, 7309, 7321, 7331, 7333, 7349, 7351, 7369, 7393, 7411, 7417, 7433, 7451, 7457, 7459, 7477, 7481, 7487, 7489, 7499, 7507, 7517, 7523, 7529, 7537, 7541, 7547, 7549, 7559, 7561, 7573, 7577, 7583, 7589, 7591, 7603, 7607, 7621, 7639, 7643, 7649, 7669, 7673, 7681, 7687, 7691, 7699, 7703, 7717, 7723, 7727, 7741, 7753, 7757, 7759, 7789, 7793, 7817, 7823, 7829, 7841, 7853, 7867, 7873, 7877, 7879, 7883, 7901, 7907, 7919, 7927, 7933, 7937, 7949, 7951, 7963, 7993, 8009, 8011, 8017, 8039, 8053, 8059, 8069, 8081, 8087, 8089, 8093, 8101, 8111, 8117, 8123, 8147, 8161, 8167, 8171, 8179, 8191, 8209, 8219, 8221, 8231, 8233, 8237, 8243, 8263, 8269, 8273, 8287, 8291, 8293, 8297, 8311, 8317, 8329, 8353, 8363, 8369, 8377, 8387, 8389, 8419, 8423, 8429, 8431, 8443, 8447, 8461, 8467, 8501, 8513, 8521, 8527, 8537, 8539, 8543, 8563, 8573, 8581, 8597, 8599, 8609, 8623, 8627, 8629, 8641, 8647, 8663, 8669, 8677, 8681, 8689, 8693, 8699, 8707, 8713, 8719, 8731, 8737, 8741, 8747, 8753, 8761, 8779, 8783, 8803, 8807, 8819, 8821, 8831, 8837, 8839, 8849, 8861, 8863, 8867, 8887, 8893, 8923, 8929, 8933, 8941, 8951, 8963, 8969, 8971, 8999, 9001, 9007, 9011, 9013, 9029, 9041, 9043, 9049, 9059, 9067, 9091, 9103, 9109, 9127, 9133, 9137, 9151, 9157, 9161, 9173, 9181, 9187, 9199, 9203, 9209, 9221, 9227, 9239, 9241, 9257, 9277, 9281, 9283, 9293, 9311, 9319, 9323, 9337, 9341, 9343, 9349, 9371, 9377, 9391, 9397, 9403, 9413, 9419, 9421, 9431, 9433, 9437, 9439, 9461, 9463, 9467, 9473, 9479, 9491, 9497, 9511, 9521, 9533, 9539, 9547, 9551, 9587, 9601, 9613, 9619, 9623, 9629, 9631, 9643, 9649, 9661, 9677, 9679, 9689, 9697, 9719, 9721, 9733, 9739, 9743, 9749, 9767, 9769, 9781, 9787, 9791, 9803, 9811, 9817, 9829, 9833, 9839, 9851, 9857, 9859, 9871, 9883, 9887, 9901, 9907, 9923, 9929, 9931, 9941, 9949, 9967, 9973, 10007, 10009, 10037, 10039, 10061, 10067, 10069, 10079, 10091, 10093, 10099, 10103, 10111, 10133, 10139, 10141, 10151, 10159, 10163, 10169, 10177, 10181, 10193, 10211, 10223, 10243, 10247, 10253, 10259, 10267, 10271, 10273, 10289, 10301, 10303, 10313, 10321, 10331, 10333, 10337, 10343, 10357, 10369, 10391, 10399, 10427, 10429, 10433, 10453, 10457, 10459, 10463, 10477, 10487, 10499, 10501, 10513, 10529, 10531, 10559, 10567, 10589, 10597, 10601, 10607, 10613, 10627, 10631, 10639, 10651, 10657, 10663, 10667, 10687, 10691, 10709, 10711, 10723, 10729, 10733, 10739, 10753, 10771, 10781, 10789, 10799, 10831, 10837, 10847, 10853, 10859, 10861, 10867, 10883, 10889, 10891, 10903, 10909, 10937, 10939, 10949, 10957, 10973, 10979, 10987, 10993, 11003, 11027, 11047, 11057, 11059, 11069, 11071, 11083, 11087, 11093, 11113, 11117, 11119, 11131, 11149, 11159, 11161, 11171, 11173, 11177, 11197, 11213, 11239, 11243, 11251, 11257, 11261, 11273, 11279, 11287, 11299, 11311, 11317, 11321, 11329, 11351, 11353, 11369, 11383, 11393, 11399, 11411, 11423, 11437, 11443, 11447, 11467, 11471, 11483, 11489, 11491, 11497, 11503, 11519, 11527, 11549, 11551, 11579, 11587, 11593, 11597, 11617, 11621, 11633, 11657, 11677, 11681, 11689, 11699, 11701, 11717, 11719, 11731, 11743, 11777, 11779, 11783, 11789, 11801, 11807, 11813, 11821, 11827, 11831, 11833, 11839, 11863, 11867, 11887, 11897, 11903, 11909, 11923, 11927, 11933, 11939, 11941, 11953, 11959, 11969, 11971, 11981, 11987, 12007, 12011, 12037, 12041, 12043, 12049, 12071, 12073, 12097, 12101, 12107, 12109, 12113, 12119, 12143, 12149, 12157, 12161, 12163, 12197, 12203, 12211, 12227, 12239, 12241, 12251, 12253, 12263, 12269, 12277, 12281, 12289, 12301, 12323, 12329, 12343, 12347, 12373, 12377, 12379, 12391, 12401, 12409, 12413, 12421, 12433, 12437, 12451, 12457, 12473, 12479, 12487, 12491, 12497, 12503, 12511, 12517, 12527, 12539, 12541, 12547, 12553, 12569, 12577, 12583, 12589, 12601, 12611, 12613, 12619, 12637, 12641, 12647, 12653, 12659, 12671, 12689, 12697, 12703, 12713, 12721, 12739, 12743, 12757, 12763, 12781, 12791, 12799, 12809, 12821, 12823, 12829, 12841, 12853, 12889, 12893, 12899, 12907, 12911, 12917, 12919, 12923, 12941, 12953, 12959, 12967, 12973, 12979, 12983, 13001, 13003, 13007, 13009, 13033, 13037, 13043, 13049, 13063, 13093, 13099, 13103, 13109, 13121, 13127, 13147, 13151, 13159, 13163, 13171, 13177, 13183, 13187, 13217, 13219, 13229, 13241, 13249, 13259, 13267, 13291, 13297, 13309, 13313, 13327, 13331, 13337, 13339, 13367, 13381, 13397, 13399, 13411, 13417, 13421, 13441, 13451, 13457, 13463, 13469, 13477, 13487, 13499, 13513, 13523, 13537, 13553, 13567, 13577, 13591, 13597, 13613, 13619, 13627, 13633, 13649, 13669, 13679, 13681, 13687, 13691, 13693, 13697, 13709, 13711, 13721, 13723, 13729, 13751, 13757, 13759, 13763, 13781, 13789, 13799, 13807, 13829, 13831, 13841, 13859, 13873, 13877, 13879, 13883, 13901, 13903, 13907, 13913, 13921, 13931, 13933, 13963, 13967, 13997, 13999, 14009, 14011, 14029, 14033, 14051, 14057, 14071, 14081, 14083, 14087, 14107, 14143, 14149, 14153, 14159, 14173, 14177, 14197, 14207, 14221, 14243, 14249, 14251, 14281, 14293, 14303, 14321, 14323, 14327, 14341, 14347, 14369, 14387, 14389, 14401, 14407, 14411, 14419, 14423, 14431, 14437, 14447, 14449, 14461, 14479, 14489, 14503, 14519, 14533, 14537, 14543, 14549, 14551, 14557, 14561, 14563, 14591, 14593, 14621, 14627, 14629, 14633, 14639, 14653, 14657, 14669, 14683, 14699, 14713, 14717, 14723, 14731, 14737, 14741, 14747, 14753, 14759, 14767, 14771, 14779, 14783, 14797, 14813, 14821, 14827, 14831, 14843, 14851, 14867, 14869, 14879, 14887, 14891, 14897, 14923, 14929, 14939, 14947, 14951, 14957, 14969, 14983]
n = int(input())
if n == 2:
print(-1)
exit(0)
a = [2] * n
a[n - 1] = 14983
last = 1
for i in range(1, n):
c = a.count(a[i])
if c != 1:
a[i] *= p[last]
last += 1
for i in a:
print(i)
``` | instruction | 0 | 96,612 | 22 | 193,224 |
No | output | 1 | 96,612 | 22 | 193,225 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Little Petya has a birthday soon. Due this wonderful event, Petya's friends decided to give him sweets. The total number of Petya's friends equals to n.
Let us remind you the definition of the greatest common divisor: GCD(a1, ..., ak) = d, where d represents such a maximal positive number that each ai (1 β€ i β€ k) is evenly divisible by d. At that, we assume that all ai's are greater than zero.
Knowing that Petya is keen on programming, his friends has agreed beforehand that the 1-st friend gives a1 sweets, the 2-nd one gives a2 sweets, ..., the n-th one gives an sweets. At the same time, for any i and j (1 β€ i, j β€ n) they want the GCD(ai, aj) not to be equal to 1. However, they also want the following condition to be satisfied: GCD(a1, a2, ..., an) = 1. One more: all the ai should be distinct.
Help the friends to choose the suitable numbers a1, ..., an.
Input
The first line contains an integer n (2 β€ n β€ 50).
Output
If there is no answer, print "-1" without quotes. Otherwise print a set of n distinct positive numbers a1, a2, ..., an. Each line must contain one number. Each number must consist of not more than 100 digits, and must not contain any leading zeros. If there are several solutions to that problem, print any of them.
Do not forget, please, that all of the following conditions must be true:
* For every i and j (1 β€ i, j β€ n): GCD(ai, aj) β 1
* GCD(a1, a2, ..., an) = 1
* For every i and j (1 β€ i, j β€ n, i β j): ai β aj
Please, do not use %lld specificator to read or write 64-bit integers in C++. It is preffered to use cout (also you may use %I64d).
Examples
Input
3
Output
99
55
11115
Input
4
Output
385
360
792
8360
Submitted Solution:
```
import sys
from math import gcd,sqrt,ceil,log2
from collections import defaultdict,Counter,deque
from bisect import bisect_left,bisect_right
import math
sys.setrecursionlimit(2*10**5+10)
import heapq
from itertools import permutations
# input=sys.stdin.readline
# def print(x):
# sys.stdout.write(str(x)+"\n")
# sys.stdin = open('input.txt', 'r')
# sys.stdout = open('output.txt', 'w')
import os
import sys
from io import BytesIO, IOBase
BUFSIZE = 8192
aa='abcdefghijklmnopqrstuvwxyz'
class FastIO(IOBase):
newlines = 0
def __init__(self, file):
self._fd = file.fileno()
self.buffer = BytesIO()
self.writable = "x" in file.mode or "r" not in file.mode
self.write = self.buffer.write if self.writable else None
def read(self):
while True:
b = os.read(self._fd, max(os.fstat(self._fd).st_size, BUFSIZE))
if not b:
break
ptr = self.buffer.tell()
self.buffer.seek(0, 2), self.buffer.write(b), self.buffer.seek(ptr)
self.newlines = 0
return self.buffer.read()
def readline(self):
while self.newlines == 0:
b = os.read(self._fd, max(os.fstat(self._fd).st_size, BUFSIZE))
self.newlines = b.count(b"\n") + (not b)
ptr = self.buffer.tell()
self.buffer.seek(0, 2), self.buffer.write(b), self.buffer.seek(ptr)
self.newlines -= 1
return self.buffer.readline()
def flush(self):
if self.writable:
os.write(self._fd, self.buffer.getvalue())
self.buffer.truncate(0), self.buffer.seek(0)
class IOWrapper(IOBase):
def __init__(self, file):
self.buffer = FastIO(file)
self.flush = self.buffer.flush
self.writable = self.buffer.writable
self.write = lambda s: self.buffer.write(s.encode("ascii"))
self.read = lambda: self.buffer.read().decode("ascii")
self.readline = lambda: self.buffer.readline().decode("ascii")
sys.stdin, sys.stdout = IOWrapper(sys.stdin), IOWrapper(sys.stdout)
input = lambda: sys.stdin.readline().rstrip("\r\n")
# import sys
# import io, os
# input = io.BytesIO(os.read(0,os.fstat(0).st_size)).readline
def get_sum(bit,i):
s = 0
i+=1
while i>0:
s+=bit[i]
i-=i&(-i)
return s
def update(bit,n,i,v):
i+=1
while i<=n:
bit[i]+=v
i+=i&(-i)
def modInverse(b,m):
g = math.gcd(b, m)
if (g != 1):
return -1
else:
return pow(b, m - 2, m)
def primeFactors(n):
sa = []
# sa.add(n)
while n % 2 == 0:
sa.append(2)
n = n // 2
for i in range(3,int(math.sqrt(n))+1,2):
while n % i== 0:
sa.append(i)
n = n // i
# sa.add(n)
if n > 2:
sa.append(n)
return sa
def seive(n):
pri = [True]*(n+1)
p = 2
while p*p<=n:
if pri[p] == True:
for i in range(p*p,n+1,p):
pri[i] = False
p+=1
return pri
def check_prim(n):
if n<0:
return False
for i in range(2,int(sqrt(n))+1):
if n%i == 0:
return False
return True
def getZarr(string, z):
n = len(string)
# [L,R] make a window which matches
# with prefix of s
l, r, k = 0, 0, 0
for i in range(1, n):
# if i>R nothing matches so we will calculate.
# Z[i] using naive way.
if i > r:
l, r = i, i
# R-L = 0 in starting, so it will start
# checking from 0'th index. For example,
# for "ababab" and i = 1, the value of R
# remains 0 and Z[i] becomes 0. For string
# "aaaaaa" and i = 1, Z[i] and R become 5
while r < n and string[r - l] == string[r]:
r += 1
z[i] = r - l
r -= 1
else:
# k = i-L so k corresponds to number which
# matches in [L,R] interval.
k = i - l
# if Z[k] is less than remaining interval
# then Z[i] will be equal to Z[k].
# For example, str = "ababab", i = 3, R = 5
# and L = 2
if z[k] < r - i + 1:
z[i] = z[k]
# For example str = "aaaaaa" and i = 2,
# R is 5, L is 0
else:
# else start from R and check manually
l = i
while r < n and string[r - l] == string[r]:
r += 1
z[i] = r - l
r -= 1
def search(text, pattern):
# Create concatenated string "P$T"
concat = pattern + "$" + text
l = len(concat)
z = [0] * l
getZarr(concat, z)
ha = []
for i in range(l):
if z[i] == len(pattern):
ha.append(i - len(pattern) - 1)
return ha
# n,k = map(int,input().split())
# l = list(map(int,input().split()))
#
# n = int(input())
# l = list(map(int,input().split()))
#
# hash = defaultdict(list)
# la = []
#
# for i in range(n):
# la.append([l[i],i+1])
#
# la.sort(key = lambda x: (x[0],-x[1]))
# ans = []
# r = n
# flag = 0
# lo = []
# ha = [i for i in range(n,0,-1)]
# yo = []
# for a,b in la:
#
# if a == 1:
# ans.append([r,b])
# # hash[(1,1)].append([b,r])
# lo.append((r,b))
# ha.pop(0)
# yo.append([r,b])
# r-=1
#
# elif a == 2:
# # print(yo,lo)
# # print(hash[1,1])
# if lo == []:
# flag = 1
# break
# c,d = lo.pop(0)
# yo.pop(0)
# if b>=d:
# flag = 1
# break
# ans.append([c,b])
# yo.append([c,b])
#
#
#
# elif a == 3:
#
# if yo == []:
# flag = 1
# break
# c,d = yo.pop(0)
# if b>=d:
# flag = 1
# break
# if ha == []:
# flag = 1
# break
#
# ka = ha.pop(0)
#
# ans.append([ka,b])
# ans.append([ka,d])
# yo.append([ka,b])
#
# if flag:
# print(-1)
# else:
# print(len(ans))
# for a,b in ans:
# print(a,b)
def mergeIntervals(arr):
# Sorting based on the increasing order
# of the start intervals
arr.sort(key = lambda x: x[0])
# array to hold the merged intervals
m = []
s = -10000
max = -100000
for i in range(len(arr)):
a = arr[i]
if a[0] > max:
if i != 0:
m.append([s,max])
max = a[1]
s = a[0]
else:
if a[1] >= max:
max = a[1]
#'max' value gives the last point of
# that particular interval
# 's' gives the starting point of that interval
# 'm' array contains the list of all merged intervals
if max != -100000 and [s, max] not in m:
m.append([s, max])
return m
class SortedList:
def __init__(self, iterable=[], _load=200):
"""Initialize sorted list instance."""
values = sorted(iterable)
self._len = _len = len(values)
self._load = _load
self._lists = _lists = [values[i:i + _load] for i in range(0, _len, _load)]
self._list_lens = [len(_list) for _list in _lists]
self._mins = [_list[0] for _list in _lists]
self._fen_tree = []
self._rebuild = True
def _fen_build(self):
"""Build a fenwick tree instance."""
self._fen_tree[:] = self._list_lens
_fen_tree = self._fen_tree
for i in range(len(_fen_tree)):
if i | i + 1 < len(_fen_tree):
_fen_tree[i | i + 1] += _fen_tree[i]
self._rebuild = False
def _fen_update(self, index, value):
"""Update `fen_tree[index] += value`."""
if not self._rebuild:
_fen_tree = self._fen_tree
while index < len(_fen_tree):
_fen_tree[index] += value
index |= index + 1
def _fen_query(self, end):
"""Return `sum(_fen_tree[:end])`."""
if self._rebuild:
self._fen_build()
_fen_tree = self._fen_tree
x = 0
while end:
x += _fen_tree[end - 1]
end &= end - 1
return x
def _fen_findkth(self, k):
"""Return a pair of (the largest `idx` such that `sum(_fen_tree[:idx]) <= k`, `k - sum(_fen_tree[:idx])`)."""
_list_lens = self._list_lens
if k < _list_lens[0]:
return 0, k
if k >= self._len - _list_lens[-1]:
return len(_list_lens) - 1, k + _list_lens[-1] - self._len
if self._rebuild:
self._fen_build()
_fen_tree = self._fen_tree
idx = -1
for d in reversed(range(len(_fen_tree).bit_length())):
right_idx = idx + (1 << d)
if right_idx < len(_fen_tree) and k >= _fen_tree[right_idx]:
idx = right_idx
k -= _fen_tree[idx]
return idx + 1, k
def _delete(self, pos, idx):
"""Delete value at the given `(pos, idx)`."""
_lists = self._lists
_mins = self._mins
_list_lens = self._list_lens
self._len -= 1
self._fen_update(pos, -1)
del _lists[pos][idx]
_list_lens[pos] -= 1
if _list_lens[pos]:
_mins[pos] = _lists[pos][0]
else:
del _lists[pos]
del _list_lens[pos]
del _mins[pos]
self._rebuild = True
def _loc_left(self, value):
"""Return an index pair that corresponds to the first position of `value` in the sorted list."""
if not self._len:
return 0, 0
_lists = self._lists
_mins = self._mins
lo, pos = -1, len(_lists) - 1
while lo + 1 < pos:
mi = (lo + pos) >> 1
if value <= _mins[mi]:
pos = mi
else:
lo = mi
if pos and value <= _lists[pos - 1][-1]:
pos -= 1
_list = _lists[pos]
lo, idx = -1, len(_list)
while lo + 1 < idx:
mi = (lo + idx) >> 1
if value <= _list[mi]:
idx = mi
else:
lo = mi
return pos, idx
def _loc_right(self, value):
"""Return an index pair that corresponds to the last position of `value` in the sorted list."""
if not self._len:
return 0, 0
_lists = self._lists
_mins = self._mins
pos, hi = 0, len(_lists)
while pos + 1 < hi:
mi = (pos + hi) >> 1
if value < _mins[mi]:
hi = mi
else:
pos = mi
_list = _lists[pos]
lo, idx = -1, len(_list)
while lo + 1 < idx:
mi = (lo + idx) >> 1
if value < _list[mi]:
idx = mi
else:
lo = mi
return pos, idx
def add(self, value):
"""Add `value` to sorted list."""
_load = self._load
_lists = self._lists
_mins = self._mins
_list_lens = self._list_lens
self._len += 1
if _lists:
pos, idx = self._loc_right(value)
self._fen_update(pos, 1)
_list = _lists[pos]
_list.insert(idx, value)
_list_lens[pos] += 1
_mins[pos] = _list[0]
if _load + _load < len(_list):
_lists.insert(pos + 1, _list[_load:])
_list_lens.insert(pos + 1, len(_list) - _load)
_mins.insert(pos + 1, _list[_load])
_list_lens[pos] = _load
del _list[_load:]
self._rebuild = True
else:
_lists.append([value])
_mins.append(value)
_list_lens.append(1)
self._rebuild = True
def discard(self, value):
"""Remove `value` from sorted list if it is a member."""
_lists = self._lists
if _lists:
pos, idx = self._loc_right(value)
if idx and _lists[pos][idx - 1] == value:
self._delete(pos, idx - 1)
def remove(self, value):
"""Remove `value` from sorted list; `value` must be a member."""
_len = self._len
self.discard(value)
if _len == self._len:
raise ValueError('{0!r} not in list'.format(value))
def pop(self, index=-1):
"""Remove and return value at `index` in sorted list."""
pos, idx = self._fen_findkth(self._len + index if index < 0 else index)
value = self._lists[pos][idx]
self._delete(pos, idx)
return value
def bisect_left(self, value):
"""Return the first index to insert `value` in the sorted list."""
pos, idx = self._loc_left(value)
return self._fen_query(pos) + idx
def bisect_right(self, value):
"""Return the last index to insert `value` in the sorted list."""
pos, idx = self._loc_right(value)
return self._fen_query(pos) + idx
def count(self, value):
"""Return number of occurrences of `value` in the sorted list."""
return self.bisect_right(value) - self.bisect_left(value)
def __len__(self):
"""Return the size of the sorted list."""
return self._len
def __getitem__(self, index):
"""Lookup value at `index` in sorted list."""
pos, idx = self._fen_findkth(self._len + index if index < 0 else index)
return self._lists[pos][idx]
def __delitem__(self, index):
"""Remove value at `index` from sorted list."""
pos, idx = self._fen_findkth(self._len + index if index < 0 else index)
self._delete(pos, idx)
def __contains__(self, value):
"""Return true if `value` is an element of the sorted list."""
_lists = self._lists
if _lists:
pos, idx = self._loc_left(value)
return idx < len(_lists[pos]) and _lists[pos][idx] == value
return False
def __iter__(self):
"""Return an iterator over the sorted list."""
return (value for _list in self._lists for value in _list)
def __reversed__(self):
"""Return a reverse iterator over the sorted list."""
return (value for _list in reversed(self._lists) for value in reversed(_list))
def __repr__(self):
"""Return string representation of sorted list."""
return 'SortedList({0})'.format(list(self))
def ncr(n, r, p):
num = den = 1
for i in range(r):
num = (num * (n - i)) % p
den = (den * (i + 1)) % p
return (num * pow(den,
p - 2, p)) % p
def sol(n):
seti = set()
for i in range(1,int(sqrt(n))+1):
if n%i == 0:
seti.add(n//i)
seti.add(i)
return seti
def lcm(a,b):
return (a*b)//gcd(a,b)
#
# n,p = map(int,input().split())
#
# s = input()
#
# if n <=2:
# if n == 1:
# pass
# if n == 2:
# pass
# i = n-1
# idx = -1
# while i>=0:
# z = ord(s[i])-96
# k = chr(z+1+96)
# flag = 1
# if i-1>=0:
# if s[i-1]!=k:
# flag+=1
# else:
# flag+=1
# if i-2>=0:
# if s[i-2]!=k:
# flag+=1
# else:
# flag+=1
# if flag == 2:
# idx = i
# s[i] = k
# break
# if idx == -1:
# print('NO')
# exit()
# for i in range(idx+1,n):
# if
#
def moore_voting(l):
count1 = 0
count2 = 0
first = 10**18
second = 10**18
n = len(l)
for i in range(n):
if l[i] == first:
count1+=1
elif l[i] == second:
count2+=1
elif count1 == 0:
count1+=1
first = l[i]
elif count2 == 0:
count2+=1
second = l[i]
else:
count1-=1
count2-=1
for i in range(n):
if l[i] == first:
count1+=1
elif l[i] == second:
count2+=1
if count1>n//3:
return first
if count2>n//3:
return second
return -1
def find_parent(u,parent):
if u!=parent[u]:
parent[u] = find_parent(parent[u],parent)
return parent[u]
def dis_union(n):
par = [i for i in range(n+1)]
rank = [1]*(n+1)
k = int(input())
for i in range(k):
a,b = map(int,input().split())
z1,z2 = find_parent(a,par),find_parent(b,par)
if z1!=z2:
par[z1] = z2
rank[z2]+=rank[z1]
def dijkstra(n,tot,hash):
hea = [[0,n]]
dis = [10**18]*(tot+1)
dis[n] = 0
boo = defaultdict(bool)
check = defaultdict(int)
while hea:
a,b = heapq.heappop(hea)
if boo[b]:
continue
boo[b] = True
for i,w in hash[b]:
if b == 1:
c = 0
if (1,i,w) in nodes:
c = nodes[(1,i,w)]
del nodes[(1,i,w)]
if dis[b]+w<dis[i]:
dis[i] = dis[b]+w
check[i] = c
elif dis[b]+w == dis[i] and c == 0:
dis[i] = dis[b]+w
check[i] = c
else:
if dis[b]+w<=dis[i]:
dis[i] = dis[b]+w
check[i] = check[b]
heapq.heappush(hea,[dis[i],i])
return check
def power(x,y,p):
res = 1
x = x%p
if x == 0:
return 0
while y>0:
if (y&1) == 1:
res*=x
x = x*x
y = y>>1
return res
#
#
#
# t = int(input())
#
# for _ in range(t):
#
# n,m = map(int,input().split())
# l = []
# for i in range(n):
# la = list(map(int,input().split()))
# l.append(la)
# seti = set()
# for i in range(n):
# for j in range(m):
# flag = 0
# if i-1>=0 and l[i][j] == l[i-1][j]:
# flag = 1
# if j-1>=0 and l[i][j-1] == l[i][j]:
# flag = 1
# if flag:
# seti.add((i,j))
# l[i][j]+=1
#
#
# for i in range(n-1,-1,-1):
# for j in range(m-1,-1,-1):
# flag = 0
# if i+1<n and l[i][j] == l[i+1][j] and (i,j) not in seti:
# flag = 1
# if j+1<m and l[i][j] == l[i][j+1] and (i,j) not in seti:
# flag = 1
#
#
# if flag == 1:
# l[i][j]+=1
#
#
#
#
# for i in l:
# print(*i)
#
n = int(input())
# print(gcd(55,11115))
ans = []
i = 1
while len(ans)!=n-1:
if i+1 == 11:
i+=1
continue
ans.append((i+1)*(11))
i+=1
k = 1
for i in range(2,100):
if i!=11 and check_prim(i):
k*=i
ans.append(k)
if n == 2:
print(11)
print(k)
exit()
for i in ans:
print(i)
``` | instruction | 0 | 96,613 | 22 | 193,226 |
No | output | 1 | 96,613 | 22 | 193,227 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Little Petya has a birthday soon. Due this wonderful event, Petya's friends decided to give him sweets. The total number of Petya's friends equals to n.
Let us remind you the definition of the greatest common divisor: GCD(a1, ..., ak) = d, where d represents such a maximal positive number that each ai (1 β€ i β€ k) is evenly divisible by d. At that, we assume that all ai's are greater than zero.
Knowing that Petya is keen on programming, his friends has agreed beforehand that the 1-st friend gives a1 sweets, the 2-nd one gives a2 sweets, ..., the n-th one gives an sweets. At the same time, for any i and j (1 β€ i, j β€ n) they want the GCD(ai, aj) not to be equal to 1. However, they also want the following condition to be satisfied: GCD(a1, a2, ..., an) = 1. One more: all the ai should be distinct.
Help the friends to choose the suitable numbers a1, ..., an.
Input
The first line contains an integer n (2 β€ n β€ 50).
Output
If there is no answer, print "-1" without quotes. Otherwise print a set of n distinct positive numbers a1, a2, ..., an. Each line must contain one number. Each number must consist of not more than 100 digits, and must not contain any leading zeros. If there are several solutions to that problem, print any of them.
Do not forget, please, that all of the following conditions must be true:
* For every i and j (1 β€ i, j β€ n): GCD(ai, aj) β 1
* GCD(a1, a2, ..., an) = 1
* For every i and j (1 β€ i, j β€ n, i β j): ai β aj
Please, do not use %lld specificator to read or write 64-bit integers in C++. It is preffered to use cout (also you may use %I64d).
Examples
Input
3
Output
99
55
11115
Input
4
Output
385
360
792
8360
Submitted Solution:
```
p = [True]*(10000000+5)
primes = []
def criba(N):
p[0] = p[1] = False
i = 2;
while(i*i<=N):
if p[i]:
for j in range(i*i,N,i):
p[j] = False;
i = i+1
for i in range(2,N):
if p[i]: primes.append(i);
criba(1000000+5)
n = int(input())
if n==2:
print("-1")
else:
a = 1
for i in range(0,n):
a = a*primes[i]
for i in range(0,n):
print(int(a/primes[i]))
``` | instruction | 0 | 96,614 | 22 | 193,228 |
No | output | 1 | 96,614 | 22 | 193,229 |
Provide a correct Python 3 solution for this coding contest problem.
You are given integers N and M.
Consider a sequence a of length N consisting of positive integers such that a_1 + a_2 + ... + a_N = M. Find the maximum possible value of the greatest common divisor of a_1, a_2, ..., a_N.
Constraints
* All values in input are integers.
* 1 \leq N \leq 10^5
* N \leq M \leq 10^9
Input
Input is given from Standard Input in the following format:
N M
Output
Print the maximum possible value of the greatest common divisor of a sequence a_1, a_2, ..., a_N that satisfies the condition.
Examples
Input
3 14
Output
2
Input
10 123
Output
3
Input
100000 1000000000
Output
10000 | instruction | 0 | 97,671 | 22 | 195,342 |
"Correct Solution:
```
import math
N, M = [int(i) for i in input().split()]
for i in range(M//N, 0, -1):
if M % i == 0:
print(i)
break
``` | output | 1 | 97,671 | 22 | 195,343 |
Provide a correct Python 3 solution for this coding contest problem.
You are given integers N and M.
Consider a sequence a of length N consisting of positive integers such that a_1 + a_2 + ... + a_N = M. Find the maximum possible value of the greatest common divisor of a_1, a_2, ..., a_N.
Constraints
* All values in input are integers.
* 1 \leq N \leq 10^5
* N \leq M \leq 10^9
Input
Input is given from Standard Input in the following format:
N M
Output
Print the maximum possible value of the greatest common divisor of a sequence a_1, a_2, ..., a_N that satisfies the condition.
Examples
Input
3 14
Output
2
Input
10 123
Output
3
Input
100000 1000000000
Output
10000 | instruction | 0 | 97,672 | 22 | 195,344 |
"Correct Solution:
```
N,M=map(int,input().split())
ans=0
for i in range(1,int(M**0.5)+1):
if M%i==0:
if M/i>=N: ans=max(ans,i)
if i>=N: ans=max(ans,M//i)
print(ans)
``` | output | 1 | 97,672 | 22 | 195,345 |
Provide a correct Python 3 solution for this coding contest problem.
You are given integers N and M.
Consider a sequence a of length N consisting of positive integers such that a_1 + a_2 + ... + a_N = M. Find the maximum possible value of the greatest common divisor of a_1, a_2, ..., a_N.
Constraints
* All values in input are integers.
* 1 \leq N \leq 10^5
* N \leq M \leq 10^9
Input
Input is given from Standard Input in the following format:
N M
Output
Print the maximum possible value of the greatest common divisor of a sequence a_1, a_2, ..., a_N that satisfies the condition.
Examples
Input
3 14
Output
2
Input
10 123
Output
3
Input
100000 1000000000
Output
10000 | instruction | 0 | 97,673 | 22 | 195,346 |
"Correct Solution:
```
n, m = list(map(int, input().split(" ")))
ds = [x for x in range(1, int(m**.5)+1) if m%x==0]
ds = ds + [m//x for x in ds]
ds = [x for x in ds if x<=m//n]
print(max(ds))
``` | output | 1 | 97,673 | 22 | 195,347 |
Provide a correct Python 3 solution for this coding contest problem.
You are given integers N and M.
Consider a sequence a of length N consisting of positive integers such that a_1 + a_2 + ... + a_N = M. Find the maximum possible value of the greatest common divisor of a_1, a_2, ..., a_N.
Constraints
* All values in input are integers.
* 1 \leq N \leq 10^5
* N \leq M \leq 10^9
Input
Input is given from Standard Input in the following format:
N M
Output
Print the maximum possible value of the greatest common divisor of a sequence a_1, a_2, ..., a_N that satisfies the condition.
Examples
Input
3 14
Output
2
Input
10 123
Output
3
Input
100000 1000000000
Output
10000 | instruction | 0 | 97,674 | 22 | 195,348 |
"Correct Solution:
```
N,M=map(int,input().split())
a=1
for i in range(1,4*10000):
if M%i:
continue
if M//i>=N and i>a:
a=i
if i>=N and M//i>a:
a=M//i
print(a)
``` | output | 1 | 97,674 | 22 | 195,349 |
Provide a correct Python 3 solution for this coding contest problem.
You are given integers N and M.
Consider a sequence a of length N consisting of positive integers such that a_1 + a_2 + ... + a_N = M. Find the maximum possible value of the greatest common divisor of a_1, a_2, ..., a_N.
Constraints
* All values in input are integers.
* 1 \leq N \leq 10^5
* N \leq M \leq 10^9
Input
Input is given from Standard Input in the following format:
N M
Output
Print the maximum possible value of the greatest common divisor of a sequence a_1, a_2, ..., a_N that satisfies the condition.
Examples
Input
3 14
Output
2
Input
10 123
Output
3
Input
100000 1000000000
Output
10000 | instruction | 0 | 97,675 | 22 | 195,350 |
"Correct Solution:
```
from math import sqrt
N, M = map(int, input().split())
ans = max(M // i if M // i <= M / N else i for i in range(1, int(sqrt(M)) + 1) if M % i == 0 and i <= M / N)
print(ans)
``` | output | 1 | 97,675 | 22 | 195,351 |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.