message stringlengths 2 49.9k | message_type stringclasses 2 values | message_id int64 0 1 | conversation_id int64 446 108k | cluster float64 13 13 | __index_level_0__ int64 892 217k |
|---|---|---|---|---|---|
Provide tags and a correct Python 3 solution for this coding contest problem.
You are given an undirected weighted connected graph with n vertices and m edges without loops and multiple edges.
The i-th edge is e_i = (u_i, v_i, w_i); the distance between vertices u_i and v_i along the edge e_i is w_i (1 β€ w_i). The graph is connected, i. e. for any pair of vertices, there is at least one path between them consisting only of edges of the given graph.
A minimum spanning tree (MST) in case of positive weights is a subset of the edges of a connected weighted undirected graph that connects all the vertices together and has minimum total cost among all such subsets (total cost is the sum of costs of chosen edges).
You can modify the given graph. The only operation you can perform is the following: increase the weight of some edge by 1. You can increase the weight of each edge multiple (possibly, zero) times.
Suppose that the initial MST cost is k. Your problem is to increase weights of some edges with minimum possible number of operations in such a way that the cost of MST in the obtained graph remains k, but MST is unique (it means that there is only one way to choose MST in the obtained graph).
Your problem is to calculate the minimum number of operations required to do it.
Input
The first line of the input contains two integers n and m (1 β€ n β€ 2 β
10^5, n - 1 β€ m β€ 2 β
10^5) β the number of vertices and the number of edges in the initial graph.
The next m lines contain three integers each. The i-th line contains the description of the i-th edge e_i. It is denoted by three integers u_i, v_i and w_i (1 β€ u_i, v_i β€ n, u_i β v_i, 1 β€ w β€ 10^9), where u_i and v_i are vertices connected by the i-th edge and w_i is the weight of this edge.
It is guaranteed that the given graph doesn't contain loops and multiple edges (i.e. for each i from 1 to m u_i β v_i and for each unordered pair of vertices (u, v) there is at most one edge connecting this pair of vertices). It is also guaranteed that the given graph is connected.
Output
Print one integer β the minimum number of operations to unify MST of the initial graph without changing the cost of MST.
Examples
Input
8 10
1 2 1
2 3 2
2 4 5
1 4 2
6 3 3
6 1 3
3 5 2
3 7 1
4 8 1
6 2 4
Output
1
Input
4 3
2 1 3
4 3 4
2 4 1
Output
0
Input
3 3
1 2 1
2 3 2
1 3 3
Output
0
Input
3 3
1 2 1
2 3 3
1 3 3
Output
1
Input
1 0
Output
0
Input
5 6
1 2 2
2 3 1
4 5 3
2 4 2
1 4 2
1 5 3
Output
2
Note
The picture corresponding to the first example: <image>
You can, for example, increase weight of the edge (1, 6) or (6, 3) by 1 to unify MST.
The picture corresponding to the last example: <image>
You can, for example, increase weights of edges (1, 5) and (2, 4) by 1 to unify MST. | instruction | 0 | 75,016 | 13 | 150,032 |
Tags: binary search, dsu, graphs, greedy
Correct Solution:
```
import sys
input = sys.stdin.readline
n,m=map(int,input().split())
EDGE=[list(map(int,input().split())) for i in range(m)]
EDGE.sort(key=lambda x:x[2])
WCHANGE=[]
for i in range(1,m):
if EDGE[i-1][2]!=EDGE[i][2]:
WCHANGE.append(i)
WCHANGE.append(m)
Group=[i for i in range(n+1)]
def find(x):
while Group[x] != x:
x=Group[x]
return x
def Union(x,y):
if find(x) != find(y):
Group[find(y)]=Group[find(x)]=min(find(y),find(x))
NOW=0
noneed=[0]*m
ANS=0
for wc in WCHANGE:
for j in range(NOW,wc):
if find(EDGE[j][0])==find(EDGE[j][1]):
noneed[j]=1
for j in range(NOW,wc):
if noneed[j]==1:
continue
x,y,w=EDGE[j]
if find(x)!=find(y):
Union(x,y)
else:
ANS+=1
NOW=wc
print(ANS)
``` | output | 1 | 75,016 | 13 | 150,033 |
Provide tags and a correct Python 3 solution for this coding contest problem.
You are given an undirected weighted connected graph with n vertices and m edges without loops and multiple edges.
The i-th edge is e_i = (u_i, v_i, w_i); the distance between vertices u_i and v_i along the edge e_i is w_i (1 β€ w_i). The graph is connected, i. e. for any pair of vertices, there is at least one path between them consisting only of edges of the given graph.
A minimum spanning tree (MST) in case of positive weights is a subset of the edges of a connected weighted undirected graph that connects all the vertices together and has minimum total cost among all such subsets (total cost is the sum of costs of chosen edges).
You can modify the given graph. The only operation you can perform is the following: increase the weight of some edge by 1. You can increase the weight of each edge multiple (possibly, zero) times.
Suppose that the initial MST cost is k. Your problem is to increase weights of some edges with minimum possible number of operations in such a way that the cost of MST in the obtained graph remains k, but MST is unique (it means that there is only one way to choose MST in the obtained graph).
Your problem is to calculate the minimum number of operations required to do it.
Input
The first line of the input contains two integers n and m (1 β€ n β€ 2 β
10^5, n - 1 β€ m β€ 2 β
10^5) β the number of vertices and the number of edges in the initial graph.
The next m lines contain three integers each. The i-th line contains the description of the i-th edge e_i. It is denoted by three integers u_i, v_i and w_i (1 β€ u_i, v_i β€ n, u_i β v_i, 1 β€ w β€ 10^9), where u_i and v_i are vertices connected by the i-th edge and w_i is the weight of this edge.
It is guaranteed that the given graph doesn't contain loops and multiple edges (i.e. for each i from 1 to m u_i β v_i and for each unordered pair of vertices (u, v) there is at most one edge connecting this pair of vertices). It is also guaranteed that the given graph is connected.
Output
Print one integer β the minimum number of operations to unify MST of the initial graph without changing the cost of MST.
Examples
Input
8 10
1 2 1
2 3 2
2 4 5
1 4 2
6 3 3
6 1 3
3 5 2
3 7 1
4 8 1
6 2 4
Output
1
Input
4 3
2 1 3
4 3 4
2 4 1
Output
0
Input
3 3
1 2 1
2 3 2
1 3 3
Output
0
Input
3 3
1 2 1
2 3 3
1 3 3
Output
1
Input
1 0
Output
0
Input
5 6
1 2 2
2 3 1
4 5 3
2 4 2
1 4 2
1 5 3
Output
2
Note
The picture corresponding to the first example: <image>
You can, for example, increase weight of the edge (1, 6) or (6, 3) by 1 to unify MST.
The picture corresponding to the last example: <image>
You can, for example, increase weights of edges (1, 5) and (2, 4) by 1 to unify MST. | instruction | 0 | 75,017 | 13 | 150,034 |
Tags: binary search, dsu, graphs, greedy
Correct Solution:
```
[n, m] = map(int, input().rstrip().split(' '))
edges = []
ds = [i for i in range(n + 1)]
ans = 0
def head(x):
if x == ds[x]:
return x
ds[x] = head(ds[x])
return ds[x]
def union(x, y):
X = head(x)
Y = head(y)
ds[max(X, Y)] = min(X, Y)
for i in range(m):
[u, v, w] = map(int, input().rstrip().split(' '))
edges.append((u, v, w))
edges.sort(key=lambda x: x[2])
i = 0
while i < m:
s = {}
cnt = 0
w = edges[i][2]
while i < m and edges[i][2] == w:
u = head(edges[i][0])
v = head(edges[i][1])
i += 1
if u == v:
continue
U = min(u, v)
V = max(u, v)
s[(U, V)] = s.get((U, V), 0) + 1
for (u, v), tot in s.items():
if head(u) != head(v):
ans += tot - 1
union(u, v)
else:
ans += tot
print(ans)
``` | output | 1 | 75,017 | 13 | 150,035 |
Provide tags and a correct Python 3 solution for this coding contest problem.
You are given an undirected weighted connected graph with n vertices and m edges without loops and multiple edges.
The i-th edge is e_i = (u_i, v_i, w_i); the distance between vertices u_i and v_i along the edge e_i is w_i (1 β€ w_i). The graph is connected, i. e. for any pair of vertices, there is at least one path between them consisting only of edges of the given graph.
A minimum spanning tree (MST) in case of positive weights is a subset of the edges of a connected weighted undirected graph that connects all the vertices together and has minimum total cost among all such subsets (total cost is the sum of costs of chosen edges).
You can modify the given graph. The only operation you can perform is the following: increase the weight of some edge by 1. You can increase the weight of each edge multiple (possibly, zero) times.
Suppose that the initial MST cost is k. Your problem is to increase weights of some edges with minimum possible number of operations in such a way that the cost of MST in the obtained graph remains k, but MST is unique (it means that there is only one way to choose MST in the obtained graph).
Your problem is to calculate the minimum number of operations required to do it.
Input
The first line of the input contains two integers n and m (1 β€ n β€ 2 β
10^5, n - 1 β€ m β€ 2 β
10^5) β the number of vertices and the number of edges in the initial graph.
The next m lines contain three integers each. The i-th line contains the description of the i-th edge e_i. It is denoted by three integers u_i, v_i and w_i (1 β€ u_i, v_i β€ n, u_i β v_i, 1 β€ w β€ 10^9), where u_i and v_i are vertices connected by the i-th edge and w_i is the weight of this edge.
It is guaranteed that the given graph doesn't contain loops and multiple edges (i.e. for each i from 1 to m u_i β v_i and for each unordered pair of vertices (u, v) there is at most one edge connecting this pair of vertices). It is also guaranteed that the given graph is connected.
Output
Print one integer β the minimum number of operations to unify MST of the initial graph without changing the cost of MST.
Examples
Input
8 10
1 2 1
2 3 2
2 4 5
1 4 2
6 3 3
6 1 3
3 5 2
3 7 1
4 8 1
6 2 4
Output
1
Input
4 3
2 1 3
4 3 4
2 4 1
Output
0
Input
3 3
1 2 1
2 3 2
1 3 3
Output
0
Input
3 3
1 2 1
2 3 3
1 3 3
Output
1
Input
1 0
Output
0
Input
5 6
1 2 2
2 3 1
4 5 3
2 4 2
1 4 2
1 5 3
Output
2
Note
The picture corresponding to the first example: <image>
You can, for example, increase weight of the edge (1, 6) or (6, 3) by 1 to unify MST.
The picture corresponding to the last example: <image>
You can, for example, increase weights of edges (1, 5) and (2, 4) by 1 to unify MST. | instruction | 0 | 75,018 | 13 | 150,036 |
Tags: binary search, dsu, graphs, greedy
Correct Solution:
```
# https://codeforces.com/problemset/problem/1108/F
n, m = map(int, input().split())
edge = [list(map(int, input().split())) for _ in range(m)]
edge = sorted(edge,key=lambda x: x[2])
class Union:
def __init__(self, n):
self.p = [i for i in range(n+1)]
self.rank = [0] * (n+1)
def find(self, x):
if self.p[x] != x:
self.p[x] = self.find(self.p[x])
return self.p[x]
def union(self, x, y):
x = self.find(x)
y = self.find(y)
if x != y:
if self.rank[x] < self.rank[y]:
self.p[x] = y
self.rank[y] += self.rank[x]
else:
self.p[y] = x
self.rank[x] += self.rank[y]
cnt = 0
used = [0] * m
l, r = 0, 1
U = Union(n)
while l < m:
try:
while r < m and edge[r][2] == edge[l][2]:
r+=1
except:
print('bl1')
try:
for i in range(l, r):
u, v, w = edge[i]
if U.find(u) == U.find(v):
used[i] = 1
except:
print('bl2')
try:
for i in range(l, r):
if used[i] == 1:
continue
u, v, w = edge[i]
if U.find(u) == U.find(v):
cnt +=1
else:
U.union(u, v)
except:
print('bl3')
print(u, v)
print(U.find(u))
print(U.find(v))
l = r
r = l+1
print(cnt)
``` | output | 1 | 75,018 | 13 | 150,037 |
Provide tags and a correct Python 3 solution for this coding contest problem.
You are given an undirected weighted connected graph with n vertices and m edges without loops and multiple edges.
The i-th edge is e_i = (u_i, v_i, w_i); the distance between vertices u_i and v_i along the edge e_i is w_i (1 β€ w_i). The graph is connected, i. e. for any pair of vertices, there is at least one path between them consisting only of edges of the given graph.
A minimum spanning tree (MST) in case of positive weights is a subset of the edges of a connected weighted undirected graph that connects all the vertices together and has minimum total cost among all such subsets (total cost is the sum of costs of chosen edges).
You can modify the given graph. The only operation you can perform is the following: increase the weight of some edge by 1. You can increase the weight of each edge multiple (possibly, zero) times.
Suppose that the initial MST cost is k. Your problem is to increase weights of some edges with minimum possible number of operations in such a way that the cost of MST in the obtained graph remains k, but MST is unique (it means that there is only one way to choose MST in the obtained graph).
Your problem is to calculate the minimum number of operations required to do it.
Input
The first line of the input contains two integers n and m (1 β€ n β€ 2 β
10^5, n - 1 β€ m β€ 2 β
10^5) β the number of vertices and the number of edges in the initial graph.
The next m lines contain three integers each. The i-th line contains the description of the i-th edge e_i. It is denoted by three integers u_i, v_i and w_i (1 β€ u_i, v_i β€ n, u_i β v_i, 1 β€ w β€ 10^9), where u_i and v_i are vertices connected by the i-th edge and w_i is the weight of this edge.
It is guaranteed that the given graph doesn't contain loops and multiple edges (i.e. for each i from 1 to m u_i β v_i and for each unordered pair of vertices (u, v) there is at most one edge connecting this pair of vertices). It is also guaranteed that the given graph is connected.
Output
Print one integer β the minimum number of operations to unify MST of the initial graph without changing the cost of MST.
Examples
Input
8 10
1 2 1
2 3 2
2 4 5
1 4 2
6 3 3
6 1 3
3 5 2
3 7 1
4 8 1
6 2 4
Output
1
Input
4 3
2 1 3
4 3 4
2 4 1
Output
0
Input
3 3
1 2 1
2 3 2
1 3 3
Output
0
Input
3 3
1 2 1
2 3 3
1 3 3
Output
1
Input
1 0
Output
0
Input
5 6
1 2 2
2 3 1
4 5 3
2 4 2
1 4 2
1 5 3
Output
2
Note
The picture corresponding to the first example: <image>
You can, for example, increase weight of the edge (1, 6) or (6, 3) by 1 to unify MST.
The picture corresponding to the last example: <image>
You can, for example, increase weights of edges (1, 5) and (2, 4) by 1 to unify MST. | instruction | 0 | 75,019 | 13 | 150,038 |
Tags: binary search, dsu, graphs, greedy
Correct Solution:
```
a=input().split()
n,m=int(a[0]),int(a[1])
f=[i for i in range(0,n+1)]
class edge:
def __init__(self,U,V,W):
self.u=U
self.v=V
self.w=W
l=[]
for i in range(m):
a = input().split()
u,v,w=int(a[0]),int(a[1]),int(a[2])
l.append(edge(u,v,w))
l.sort(key=lambda x:x.w)
def r(a):
if a!=f[a]:
f[a]=r(f[a])
return f[a]
cnt=0
i=0
while i<m:
j=i
while l[i].w==l[j].w:
j=j+1
if j==m:
break
num=0
for k in range(i,j):
x=r(l[k].u)
y=r(l[k].v)
if x!=y:
num=num+1
for k in range(i, j):
x = r(l[k].u)
y = r(l[k].v)
if x != y:
f[y]=x
num = num -1
cnt=cnt+num
i=j
print(cnt)
``` | output | 1 | 75,019 | 13 | 150,039 |
Provide tags and a correct Python 3 solution for this coding contest problem.
You are given an undirected weighted connected graph with n vertices and m edges without loops and multiple edges.
The i-th edge is e_i = (u_i, v_i, w_i); the distance between vertices u_i and v_i along the edge e_i is w_i (1 β€ w_i). The graph is connected, i. e. for any pair of vertices, there is at least one path between them consisting only of edges of the given graph.
A minimum spanning tree (MST) in case of positive weights is a subset of the edges of a connected weighted undirected graph that connects all the vertices together and has minimum total cost among all such subsets (total cost is the sum of costs of chosen edges).
You can modify the given graph. The only operation you can perform is the following: increase the weight of some edge by 1. You can increase the weight of each edge multiple (possibly, zero) times.
Suppose that the initial MST cost is k. Your problem is to increase weights of some edges with minimum possible number of operations in such a way that the cost of MST in the obtained graph remains k, but MST is unique (it means that there is only one way to choose MST in the obtained graph).
Your problem is to calculate the minimum number of operations required to do it.
Input
The first line of the input contains two integers n and m (1 β€ n β€ 2 β
10^5, n - 1 β€ m β€ 2 β
10^5) β the number of vertices and the number of edges in the initial graph.
The next m lines contain three integers each. The i-th line contains the description of the i-th edge e_i. It is denoted by three integers u_i, v_i and w_i (1 β€ u_i, v_i β€ n, u_i β v_i, 1 β€ w β€ 10^9), where u_i and v_i are vertices connected by the i-th edge and w_i is the weight of this edge.
It is guaranteed that the given graph doesn't contain loops and multiple edges (i.e. for each i from 1 to m u_i β v_i and for each unordered pair of vertices (u, v) there is at most one edge connecting this pair of vertices). It is also guaranteed that the given graph is connected.
Output
Print one integer β the minimum number of operations to unify MST of the initial graph without changing the cost of MST.
Examples
Input
8 10
1 2 1
2 3 2
2 4 5
1 4 2
6 3 3
6 1 3
3 5 2
3 7 1
4 8 1
6 2 4
Output
1
Input
4 3
2 1 3
4 3 4
2 4 1
Output
0
Input
3 3
1 2 1
2 3 2
1 3 3
Output
0
Input
3 3
1 2 1
2 3 3
1 3 3
Output
1
Input
1 0
Output
0
Input
5 6
1 2 2
2 3 1
4 5 3
2 4 2
1 4 2
1 5 3
Output
2
Note
The picture corresponding to the first example: <image>
You can, for example, increase weight of the edge (1, 6) or (6, 3) by 1 to unify MST.
The picture corresponding to the last example: <image>
You can, for example, increase weights of edges (1, 5) and (2, 4) by 1 to unify MST. | instruction | 0 | 75,020 | 13 | 150,040 |
Tags: binary search, dsu, graphs, greedy
Correct Solution:
```
import collections as cc
import itertools as it
import bisect as bi
I=lambda:list(map(int,input().split()))
n,m=I()
ed=[I() for i in range(m)]
ed.sort(key=lambda x:x[2])
ch=[]
for i in range(1,m):
if ed[i-1][2]!=ed[i][2]:
ch.append(i)
ch.append(m)
parent=[i for i in range(n+1)]
def find(x):
while x!=parent[x]:
x=parent[x]
return x
def union(x,y):
a=find(x)
b=find(y)
parent[a]=parent[b]=min(a,b)
cur=0
cur=0
no=[0]*m
ans=0
for i in ch:
for j in range(cur,i):
if find(ed[j][0])==find(ed[j][1]):
no[j]=1
for j in range(cur,i):
if no[j]==1:
continue
x,y,w=ed[j]
if find(x)!=find(y):
union(x,y)
else:
ans+=1
cur=i
print(ans)
``` | output | 1 | 75,020 | 13 | 150,041 |
Provide tags and a correct Python 3 solution for this coding contest problem.
You are given an undirected weighted connected graph with n vertices and m edges without loops and multiple edges.
The i-th edge is e_i = (u_i, v_i, w_i); the distance between vertices u_i and v_i along the edge e_i is w_i (1 β€ w_i). The graph is connected, i. e. for any pair of vertices, there is at least one path between them consisting only of edges of the given graph.
A minimum spanning tree (MST) in case of positive weights is a subset of the edges of a connected weighted undirected graph that connects all the vertices together and has minimum total cost among all such subsets (total cost is the sum of costs of chosen edges).
You can modify the given graph. The only operation you can perform is the following: increase the weight of some edge by 1. You can increase the weight of each edge multiple (possibly, zero) times.
Suppose that the initial MST cost is k. Your problem is to increase weights of some edges with minimum possible number of operations in such a way that the cost of MST in the obtained graph remains k, but MST is unique (it means that there is only one way to choose MST in the obtained graph).
Your problem is to calculate the minimum number of operations required to do it.
Input
The first line of the input contains two integers n and m (1 β€ n β€ 2 β
10^5, n - 1 β€ m β€ 2 β
10^5) β the number of vertices and the number of edges in the initial graph.
The next m lines contain three integers each. The i-th line contains the description of the i-th edge e_i. It is denoted by three integers u_i, v_i and w_i (1 β€ u_i, v_i β€ n, u_i β v_i, 1 β€ w β€ 10^9), where u_i and v_i are vertices connected by the i-th edge and w_i is the weight of this edge.
It is guaranteed that the given graph doesn't contain loops and multiple edges (i.e. for each i from 1 to m u_i β v_i and for each unordered pair of vertices (u, v) there is at most one edge connecting this pair of vertices). It is also guaranteed that the given graph is connected.
Output
Print one integer β the minimum number of operations to unify MST of the initial graph without changing the cost of MST.
Examples
Input
8 10
1 2 1
2 3 2
2 4 5
1 4 2
6 3 3
6 1 3
3 5 2
3 7 1
4 8 1
6 2 4
Output
1
Input
4 3
2 1 3
4 3 4
2 4 1
Output
0
Input
3 3
1 2 1
2 3 2
1 3 3
Output
0
Input
3 3
1 2 1
2 3 3
1 3 3
Output
1
Input
1 0
Output
0
Input
5 6
1 2 2
2 3 1
4 5 3
2 4 2
1 4 2
1 5 3
Output
2
Note
The picture corresponding to the first example: <image>
You can, for example, increase weight of the edge (1, 6) or (6, 3) by 1 to unify MST.
The picture corresponding to the last example: <image>
You can, for example, increase weights of edges (1, 5) and (2, 4) by 1 to unify MST. | instruction | 0 | 75,021 | 13 | 150,042 |
Tags: binary search, dsu, graphs, greedy
Correct Solution:
```
n,m=map(int,input().split())
class edge:
def __init__(self,U,V,W):
self.u=U
self.v=V
self.w=W
l=[]
for i in range(m):
u,v,w=map(int,input().split())
l.append(edge(u,v,w))
l.sort(key=lambda x:x.w)
f=[i for i in range(0,n+1)]
def r(a):
if a!=f[a]:
f[a]=r(f[a])
return f[a]
cnt=0
i=0
while i<m:
j=i
while l[i].w==l[j].w:
j=j+1
if j==m:
break
num=0
for k in range(i,j):
x=r(l[k].u)
y=r(l[k].v)
if x!=y:
num=num+1
for k in range(i, j):
x = r(l[k].u)
y = r(l[k].v)
if x != y:
f[y]=x
num = num -1
cnt=cnt+num
i=j
print(cnt)
``` | output | 1 | 75,021 | 13 | 150,043 |
Provide tags and a correct Python 3 solution for this coding contest problem.
You are given an undirected weighted connected graph with n vertices and m edges without loops and multiple edges.
The i-th edge is e_i = (u_i, v_i, w_i); the distance between vertices u_i and v_i along the edge e_i is w_i (1 β€ w_i). The graph is connected, i. e. for any pair of vertices, there is at least one path between them consisting only of edges of the given graph.
A minimum spanning tree (MST) in case of positive weights is a subset of the edges of a connected weighted undirected graph that connects all the vertices together and has minimum total cost among all such subsets (total cost is the sum of costs of chosen edges).
You can modify the given graph. The only operation you can perform is the following: increase the weight of some edge by 1. You can increase the weight of each edge multiple (possibly, zero) times.
Suppose that the initial MST cost is k. Your problem is to increase weights of some edges with minimum possible number of operations in such a way that the cost of MST in the obtained graph remains k, but MST is unique (it means that there is only one way to choose MST in the obtained graph).
Your problem is to calculate the minimum number of operations required to do it.
Input
The first line of the input contains two integers n and m (1 β€ n β€ 2 β
10^5, n - 1 β€ m β€ 2 β
10^5) β the number of vertices and the number of edges in the initial graph.
The next m lines contain three integers each. The i-th line contains the description of the i-th edge e_i. It is denoted by three integers u_i, v_i and w_i (1 β€ u_i, v_i β€ n, u_i β v_i, 1 β€ w β€ 10^9), where u_i and v_i are vertices connected by the i-th edge and w_i is the weight of this edge.
It is guaranteed that the given graph doesn't contain loops and multiple edges (i.e. for each i from 1 to m u_i β v_i and for each unordered pair of vertices (u, v) there is at most one edge connecting this pair of vertices). It is also guaranteed that the given graph is connected.
Output
Print one integer β the minimum number of operations to unify MST of the initial graph without changing the cost of MST.
Examples
Input
8 10
1 2 1
2 3 2
2 4 5
1 4 2
6 3 3
6 1 3
3 5 2
3 7 1
4 8 1
6 2 4
Output
1
Input
4 3
2 1 3
4 3 4
2 4 1
Output
0
Input
3 3
1 2 1
2 3 2
1 3 3
Output
0
Input
3 3
1 2 1
2 3 3
1 3 3
Output
1
Input
1 0
Output
0
Input
5 6
1 2 2
2 3 1
4 5 3
2 4 2
1 4 2
1 5 3
Output
2
Note
The picture corresponding to the first example: <image>
You can, for example, increase weight of the edge (1, 6) or (6, 3) by 1 to unify MST.
The picture corresponding to the last example: <image>
You can, for example, increase weights of edges (1, 5) and (2, 4) by 1 to unify MST. | instruction | 0 | 75,022 | 13 | 150,044 |
Tags: binary search, dsu, graphs, greedy
Correct Solution:
```
n,m = map(int,input().split())
l = []
for i in range(m):
a,b,c = map(int,input().split())
l.append((c,a,b))
l.sort()
f = [i for i in range(n+1)]
def r(a):
if a!=f[a]:
f[a]=r(f[a])
return f[a]
cnt = 0
i=0
while i < m:
j = i
while j < m and l[j][0] == l[i][0]:
j=j+1
num=0
for k in range(i,j):
x=r(l[k][1])
y=r(l[k][2])
if x!=y:
num=num+1
for k in range(i,j):
x = r(l[k][1])
y = r(l[k][2])
if x != y:
f[y]=x
num = num -1
cnt=cnt+num
i=j
print(cnt)
``` | output | 1 | 75,022 | 13 | 150,045 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
You are given an undirected weighted connected graph with n vertices and m edges without loops and multiple edges.
The i-th edge is e_i = (u_i, v_i, w_i); the distance between vertices u_i and v_i along the edge e_i is w_i (1 β€ w_i). The graph is connected, i. e. for any pair of vertices, there is at least one path between them consisting only of edges of the given graph.
A minimum spanning tree (MST) in case of positive weights is a subset of the edges of a connected weighted undirected graph that connects all the vertices together and has minimum total cost among all such subsets (total cost is the sum of costs of chosen edges).
You can modify the given graph. The only operation you can perform is the following: increase the weight of some edge by 1. You can increase the weight of each edge multiple (possibly, zero) times.
Suppose that the initial MST cost is k. Your problem is to increase weights of some edges with minimum possible number of operations in such a way that the cost of MST in the obtained graph remains k, but MST is unique (it means that there is only one way to choose MST in the obtained graph).
Your problem is to calculate the minimum number of operations required to do it.
Input
The first line of the input contains two integers n and m (1 β€ n β€ 2 β
10^5, n - 1 β€ m β€ 2 β
10^5) β the number of vertices and the number of edges in the initial graph.
The next m lines contain three integers each. The i-th line contains the description of the i-th edge e_i. It is denoted by three integers u_i, v_i and w_i (1 β€ u_i, v_i β€ n, u_i β v_i, 1 β€ w β€ 10^9), where u_i and v_i are vertices connected by the i-th edge and w_i is the weight of this edge.
It is guaranteed that the given graph doesn't contain loops and multiple edges (i.e. for each i from 1 to m u_i β v_i and for each unordered pair of vertices (u, v) there is at most one edge connecting this pair of vertices). It is also guaranteed that the given graph is connected.
Output
Print one integer β the minimum number of operations to unify MST of the initial graph without changing the cost of MST.
Examples
Input
8 10
1 2 1
2 3 2
2 4 5
1 4 2
6 3 3
6 1 3
3 5 2
3 7 1
4 8 1
6 2 4
Output
1
Input
4 3
2 1 3
4 3 4
2 4 1
Output
0
Input
3 3
1 2 1
2 3 2
1 3 3
Output
0
Input
3 3
1 2 1
2 3 3
1 3 3
Output
1
Input
1 0
Output
0
Input
5 6
1 2 2
2 3 1
4 5 3
2 4 2
1 4 2
1 5 3
Output
2
Note
The picture corresponding to the first example: <image>
You can, for example, increase weight of the edge (1, 6) or (6, 3) by 1 to unify MST.
The picture corresponding to the last example: <image>
You can, for example, increase weights of edges (1, 5) and (2, 4) by 1 to unify MST.
Submitted Solution:
```
# Anton Timofeev
import sys
def get(v):
if v == prev[v]:
return v
prev[v] = get(prev[v])
return prev[v]
def join(u, v):
u = get(u); v = get(v)
if u != v:
if size[u] < size[v]:
u, v = v, u
prev[v] = u
size[u] += size[v]
n, m = map(int, sys.stdin.readline().split())
edges = [0] * m
for i in range(m):
u, v, w = map(int, sys.stdin.readline().split())
edges[i] = (u - 1, v - 1, w)
edges.sort(key=lambda e: e[2])
# print(edges)
prev = list(range(n))
size = [1] * n
res = 0
l, r = 0, 1
while l < m:
while r < m and edges[l][2] == edges[r][2]:
r += 1
res += r - l
for i in range(l, r):
if get(edges[i][0]) == get(edges[i][1]):
res -= 1
for i in range(l, r):
if get(edges[i][0]) != get(edges[i][1]):
join(edges[i][0], edges[i][1])
# print(f"join: {edges[i]}")
res -= 1
l = r
print(res)
``` | instruction | 0 | 75,023 | 13 | 150,046 |
Yes | output | 1 | 75,023 | 13 | 150,047 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
You are given an undirected weighted connected graph with n vertices and m edges without loops and multiple edges.
The i-th edge is e_i = (u_i, v_i, w_i); the distance between vertices u_i and v_i along the edge e_i is w_i (1 β€ w_i). The graph is connected, i. e. for any pair of vertices, there is at least one path between them consisting only of edges of the given graph.
A minimum spanning tree (MST) in case of positive weights is a subset of the edges of a connected weighted undirected graph that connects all the vertices together and has minimum total cost among all such subsets (total cost is the sum of costs of chosen edges).
You can modify the given graph. The only operation you can perform is the following: increase the weight of some edge by 1. You can increase the weight of each edge multiple (possibly, zero) times.
Suppose that the initial MST cost is k. Your problem is to increase weights of some edges with minimum possible number of operations in such a way that the cost of MST in the obtained graph remains k, but MST is unique (it means that there is only one way to choose MST in the obtained graph).
Your problem is to calculate the minimum number of operations required to do it.
Input
The first line of the input contains two integers n and m (1 β€ n β€ 2 β
10^5, n - 1 β€ m β€ 2 β
10^5) β the number of vertices and the number of edges in the initial graph.
The next m lines contain three integers each. The i-th line contains the description of the i-th edge e_i. It is denoted by three integers u_i, v_i and w_i (1 β€ u_i, v_i β€ n, u_i β v_i, 1 β€ w β€ 10^9), where u_i and v_i are vertices connected by the i-th edge and w_i is the weight of this edge.
It is guaranteed that the given graph doesn't contain loops and multiple edges (i.e. for each i from 1 to m u_i β v_i and for each unordered pair of vertices (u, v) there is at most one edge connecting this pair of vertices). It is also guaranteed that the given graph is connected.
Output
Print one integer β the minimum number of operations to unify MST of the initial graph without changing the cost of MST.
Examples
Input
8 10
1 2 1
2 3 2
2 4 5
1 4 2
6 3 3
6 1 3
3 5 2
3 7 1
4 8 1
6 2 4
Output
1
Input
4 3
2 1 3
4 3 4
2 4 1
Output
0
Input
3 3
1 2 1
2 3 2
1 3 3
Output
0
Input
3 3
1 2 1
2 3 3
1 3 3
Output
1
Input
1 0
Output
0
Input
5 6
1 2 2
2 3 1
4 5 3
2 4 2
1 4 2
1 5 3
Output
2
Note
The picture corresponding to the first example: <image>
You can, for example, increase weight of the edge (1, 6) or (6, 3) by 1 to unify MST.
The picture corresponding to the last example: <image>
You can, for example, increase weights of edges (1, 5) and (2, 4) by 1 to unify MST.
Submitted Solution:
```
# -*- coding: utf-8 -*-
# @Time : 2019/1/23 23:46
# @Author : LunaFire
# @Email : gilgemesh2012@gmail.com
# @File : F. MST Unification.py
class UnionFind(object):
def __init__(self, n):
self.root = [i for i in range(n)]
self.size = [1 for i in range(n)]
def find(self, x):
if self.root[x] == x:
return x
self.root[x] = self.find(self.root[x])
return self.root[x]
def union(self, x, y):
x, y = self.find(x), self.find(y)
if x == y:
return False
if self.size[x] < self.size[y]:
x, y = y, x
self.size[x] += self.size[y]
self.root[y] = x
return True
def main():
n, m = map(int, input().split())
edge_list = []
for _ in range(m):
edge_list.append(list(map(int, input().split())))
union_find = UnionFind(n + 1)
edge_list.sort(key=lambda x: x[2])
p1 = ret = 0
while p1 < m:
p2 = p1
while p2 < m and edge_list[p1][2] == edge_list[p2][2]:
p2 += 1
avail = used = 0
for i in range(p1, p2):
if union_find.find(edge_list[i][0]) != union_find.find(edge_list[i][1]):
avail += 1
for i in range(p1, p2):
if union_find.union(edge_list[i][0], edge_list[i][1]):
used += 1
ret += avail - used
p1 = p2
print(ret)
if __name__ == '__main__':
main()
``` | instruction | 0 | 75,024 | 13 | 150,048 |
Yes | output | 1 | 75,024 | 13 | 150,049 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
You are given an undirected weighted connected graph with n vertices and m edges without loops and multiple edges.
The i-th edge is e_i = (u_i, v_i, w_i); the distance between vertices u_i and v_i along the edge e_i is w_i (1 β€ w_i). The graph is connected, i. e. for any pair of vertices, there is at least one path between them consisting only of edges of the given graph.
A minimum spanning tree (MST) in case of positive weights is a subset of the edges of a connected weighted undirected graph that connects all the vertices together and has minimum total cost among all such subsets (total cost is the sum of costs of chosen edges).
You can modify the given graph. The only operation you can perform is the following: increase the weight of some edge by 1. You can increase the weight of each edge multiple (possibly, zero) times.
Suppose that the initial MST cost is k. Your problem is to increase weights of some edges with minimum possible number of operations in such a way that the cost of MST in the obtained graph remains k, but MST is unique (it means that there is only one way to choose MST in the obtained graph).
Your problem is to calculate the minimum number of operations required to do it.
Input
The first line of the input contains two integers n and m (1 β€ n β€ 2 β
10^5, n - 1 β€ m β€ 2 β
10^5) β the number of vertices and the number of edges in the initial graph.
The next m lines contain three integers each. The i-th line contains the description of the i-th edge e_i. It is denoted by three integers u_i, v_i and w_i (1 β€ u_i, v_i β€ n, u_i β v_i, 1 β€ w β€ 10^9), where u_i and v_i are vertices connected by the i-th edge and w_i is the weight of this edge.
It is guaranteed that the given graph doesn't contain loops and multiple edges (i.e. for each i from 1 to m u_i β v_i and for each unordered pair of vertices (u, v) there is at most one edge connecting this pair of vertices). It is also guaranteed that the given graph is connected.
Output
Print one integer β the minimum number of operations to unify MST of the initial graph without changing the cost of MST.
Examples
Input
8 10
1 2 1
2 3 2
2 4 5
1 4 2
6 3 3
6 1 3
3 5 2
3 7 1
4 8 1
6 2 4
Output
1
Input
4 3
2 1 3
4 3 4
2 4 1
Output
0
Input
3 3
1 2 1
2 3 2
1 3 3
Output
0
Input
3 3
1 2 1
2 3 3
1 3 3
Output
1
Input
1 0
Output
0
Input
5 6
1 2 2
2 3 1
4 5 3
2 4 2
1 4 2
1 5 3
Output
2
Note
The picture corresponding to the first example: <image>
You can, for example, increase weight of the edge (1, 6) or (6, 3) by 1 to unify MST.
The picture corresponding to the last example: <image>
You can, for example, increase weights of edges (1, 5) and (2, 4) by 1 to unify MST.
Submitted Solution:
```
import sys
input = sys.stdin.readline
I = lambda : list(map(int,input().split()))
n,m=I()
ed=[I() for i in range(m)]
ed.sort(key=lambda x:x[2])
p=[i for i in range(n)]
def find(x):
while x!=p[x]:
x=p[x]
return x
def union(a,b):
x=find(a)
y=find(b)
if x!=y:
p[y]=p[x]=min(x,y)
return 1
return 0
an=0;ce=0
pos=[1]*m
i=0
while ce<n-1:
#print(i,ce,pos)
x,y,w=ed[i]
for j in range(i,m):
if ed[j][2]!=w:
break
a,b,c=ed[j]
if find(a-1)==find(b-1):
pos[j]=0
for j in range(i,m):
x,y,b=ed[j]
if ed[j][2]!=w:
break
if pos[j]:
d=union(x-1,y-1)
#print(d,p)
if d==0:
an+=1
else:
ce+=1
if ce==n-1:
break
i=j
print(an)
``` | instruction | 0 | 75,025 | 13 | 150,050 |
Yes | output | 1 | 75,025 | 13 | 150,051 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
You are given an undirected weighted connected graph with n vertices and m edges without loops and multiple edges.
The i-th edge is e_i = (u_i, v_i, w_i); the distance between vertices u_i and v_i along the edge e_i is w_i (1 β€ w_i). The graph is connected, i. e. for any pair of vertices, there is at least one path between them consisting only of edges of the given graph.
A minimum spanning tree (MST) in case of positive weights is a subset of the edges of a connected weighted undirected graph that connects all the vertices together and has minimum total cost among all such subsets (total cost is the sum of costs of chosen edges).
You can modify the given graph. The only operation you can perform is the following: increase the weight of some edge by 1. You can increase the weight of each edge multiple (possibly, zero) times.
Suppose that the initial MST cost is k. Your problem is to increase weights of some edges with minimum possible number of operations in such a way that the cost of MST in the obtained graph remains k, but MST is unique (it means that there is only one way to choose MST in the obtained graph).
Your problem is to calculate the minimum number of operations required to do it.
Input
The first line of the input contains two integers n and m (1 β€ n β€ 2 β
10^5, n - 1 β€ m β€ 2 β
10^5) β the number of vertices and the number of edges in the initial graph.
The next m lines contain three integers each. The i-th line contains the description of the i-th edge e_i. It is denoted by three integers u_i, v_i and w_i (1 β€ u_i, v_i β€ n, u_i β v_i, 1 β€ w β€ 10^9), where u_i and v_i are vertices connected by the i-th edge and w_i is the weight of this edge.
It is guaranteed that the given graph doesn't contain loops and multiple edges (i.e. for each i from 1 to m u_i β v_i and for each unordered pair of vertices (u, v) there is at most one edge connecting this pair of vertices). It is also guaranteed that the given graph is connected.
Output
Print one integer β the minimum number of operations to unify MST of the initial graph without changing the cost of MST.
Examples
Input
8 10
1 2 1
2 3 2
2 4 5
1 4 2
6 3 3
6 1 3
3 5 2
3 7 1
4 8 1
6 2 4
Output
1
Input
4 3
2 1 3
4 3 4
2 4 1
Output
0
Input
3 3
1 2 1
2 3 2
1 3 3
Output
0
Input
3 3
1 2 1
2 3 3
1 3 3
Output
1
Input
1 0
Output
0
Input
5 6
1 2 2
2 3 1
4 5 3
2 4 2
1 4 2
1 5 3
Output
2
Note
The picture corresponding to the first example: <image>
You can, for example, increase weight of the edge (1, 6) or (6, 3) by 1 to unify MST.
The picture corresponding to the last example: <image>
You can, for example, increase weights of edges (1, 5) and (2, 4) by 1 to unify MST.
Submitted Solution:
```
n,m = map(int,input().split())
l = []
for i in range(m):
a,b,c = map(int,input().split())
l.append((c,a,b))
l.sort()
f = [i for i in range(n+1)]
def r(a):
if a!=f[a]:
f[a]=r(f[a])
return f[a]
cnt = 0
i=0
while i < m:
j = i
while j < m and l[j][0] == l[i][0]:
j=j+1
num=0
for k in range(i,j):
x=r(l[k][1])
y=r(l[k][2])
if x!=y:
num=num+1
for k in range(i,j):
x = r(l[k][1])
y = r(l[k][2])
if x != y:
f[y]=x
num = num -1
cnt=cnt+num
i=j
print(cnt)
#JSR
``` | instruction | 0 | 75,026 | 13 | 150,052 |
Yes | output | 1 | 75,026 | 13 | 150,053 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
You are given an undirected weighted connected graph with n vertices and m edges without loops and multiple edges.
The i-th edge is e_i = (u_i, v_i, w_i); the distance between vertices u_i and v_i along the edge e_i is w_i (1 β€ w_i). The graph is connected, i. e. for any pair of vertices, there is at least one path between them consisting only of edges of the given graph.
A minimum spanning tree (MST) in case of positive weights is a subset of the edges of a connected weighted undirected graph that connects all the vertices together and has minimum total cost among all such subsets (total cost is the sum of costs of chosen edges).
You can modify the given graph. The only operation you can perform is the following: increase the weight of some edge by 1. You can increase the weight of each edge multiple (possibly, zero) times.
Suppose that the initial MST cost is k. Your problem is to increase weights of some edges with minimum possible number of operations in such a way that the cost of MST in the obtained graph remains k, but MST is unique (it means that there is only one way to choose MST in the obtained graph).
Your problem is to calculate the minimum number of operations required to do it.
Input
The first line of the input contains two integers n and m (1 β€ n β€ 2 β
10^5, n - 1 β€ m β€ 2 β
10^5) β the number of vertices and the number of edges in the initial graph.
The next m lines contain three integers each. The i-th line contains the description of the i-th edge e_i. It is denoted by three integers u_i, v_i and w_i (1 β€ u_i, v_i β€ n, u_i β v_i, 1 β€ w β€ 10^9), where u_i and v_i are vertices connected by the i-th edge and w_i is the weight of this edge.
It is guaranteed that the given graph doesn't contain loops and multiple edges (i.e. for each i from 1 to m u_i β v_i and for each unordered pair of vertices (u, v) there is at most one edge connecting this pair of vertices). It is also guaranteed that the given graph is connected.
Output
Print one integer β the minimum number of operations to unify MST of the initial graph without changing the cost of MST.
Examples
Input
8 10
1 2 1
2 3 2
2 4 5
1 4 2
6 3 3
6 1 3
3 5 2
3 7 1
4 8 1
6 2 4
Output
1
Input
4 3
2 1 3
4 3 4
2 4 1
Output
0
Input
3 3
1 2 1
2 3 2
1 3 3
Output
0
Input
3 3
1 2 1
2 3 3
1 3 3
Output
1
Input
1 0
Output
0
Input
5 6
1 2 2
2 3 1
4 5 3
2 4 2
1 4 2
1 5 3
Output
2
Note
The picture corresponding to the first example: <image>
You can, for example, increase weight of the edge (1, 6) or (6, 3) by 1 to unify MST.
The picture corresponding to the last example: <image>
You can, for example, increase weights of edges (1, 5) and (2, 4) by 1 to unify MST.
Submitted Solution:
```
import sys
input=sys.stdin.readline
def find(x,par):
while(x!=par[x]):
x=par[x]
return x
n,m=map(int,input().split())
A=[]
for i in range(m):
A.append(list(map(int,input().split())))
A.sort(key=lambda x:x[2])
par=[i for i in range(n+1)]
i=0
ans=0
#print(A)
while(i<m):
j=i
C={}
if(find(A[j][1],par)==find(A[j][0],par)):
C[j]=1
else:
C[j]=0
j=j+1
while(j<m):
if (A[j][2]==A[j-1][2]):
if(find(A[j][1],par)==find(A[j][0],par)):
C[j]=1
else:
C[j]=0
j=j+1
else:
break
for k in range(i,j):
if(C[k]==0):
a,b=find(A[k][0],par),find(A[k][1],par)
if(a!=b):
par[A[k][0]],par[A[k][1]]=min(a,b),min(a,b)
else:
ans=ans+1
i=j
print(ans)
``` | instruction | 0 | 75,027 | 13 | 150,054 |
No | output | 1 | 75,027 | 13 | 150,055 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
You are given an undirected weighted connected graph with n vertices and m edges without loops and multiple edges.
The i-th edge is e_i = (u_i, v_i, w_i); the distance between vertices u_i and v_i along the edge e_i is w_i (1 β€ w_i). The graph is connected, i. e. for any pair of vertices, there is at least one path between them consisting only of edges of the given graph.
A minimum spanning tree (MST) in case of positive weights is a subset of the edges of a connected weighted undirected graph that connects all the vertices together and has minimum total cost among all such subsets (total cost is the sum of costs of chosen edges).
You can modify the given graph. The only operation you can perform is the following: increase the weight of some edge by 1. You can increase the weight of each edge multiple (possibly, zero) times.
Suppose that the initial MST cost is k. Your problem is to increase weights of some edges with minimum possible number of operations in such a way that the cost of MST in the obtained graph remains k, but MST is unique (it means that there is only one way to choose MST in the obtained graph).
Your problem is to calculate the minimum number of operations required to do it.
Input
The first line of the input contains two integers n and m (1 β€ n β€ 2 β
10^5, n - 1 β€ m β€ 2 β
10^5) β the number of vertices and the number of edges in the initial graph.
The next m lines contain three integers each. The i-th line contains the description of the i-th edge e_i. It is denoted by three integers u_i, v_i and w_i (1 β€ u_i, v_i β€ n, u_i β v_i, 1 β€ w β€ 10^9), where u_i and v_i are vertices connected by the i-th edge and w_i is the weight of this edge.
It is guaranteed that the given graph doesn't contain loops and multiple edges (i.e. for each i from 1 to m u_i β v_i and for each unordered pair of vertices (u, v) there is at most one edge connecting this pair of vertices). It is also guaranteed that the given graph is connected.
Output
Print one integer β the minimum number of operations to unify MST of the initial graph without changing the cost of MST.
Examples
Input
8 10
1 2 1
2 3 2
2 4 5
1 4 2
6 3 3
6 1 3
3 5 2
3 7 1
4 8 1
6 2 4
Output
1
Input
4 3
2 1 3
4 3 4
2 4 1
Output
0
Input
3 3
1 2 1
2 3 2
1 3 3
Output
0
Input
3 3
1 2 1
2 3 3
1 3 3
Output
1
Input
1 0
Output
0
Input
5 6
1 2 2
2 3 1
4 5 3
2 4 2
1 4 2
1 5 3
Output
2
Note
The picture corresponding to the first example: <image>
You can, for example, increase weight of the edge (1, 6) or (6, 3) by 1 to unify MST.
The picture corresponding to the last example: <image>
You can, for example, increase weights of edges (1, 5) and (2, 4) by 1 to unify MST.
Submitted Solution:
```
class DisjoinSet:
def __init__(self, n):
self.n = n
self.dad = [i for i in range(n + 1)]
self.cant = [1] * (n + 1)
def SetOf(self, n):
if self.dad[n] == n:
return n
self.dad[n] = self.SetOf(self.dad[n])
return self.dad[n]
def Merge(self, a, b):
a, b = self.SetOf(a), self.SetOf(b)
if a != b:
if self.cant[b] > self.cant[a]:
a, b = b, a
self.cant[a] += self.cant[b]
self.dad[b] = a
return True
return False
def Kruskal(l, n):
l.sort()
i = 0
ds = DisjoinSet(n)
cant = 0
change, actual = 0, 0
val = -1
while cant < n - 1 and i < len(l):
c, x, y = l[i]
if ds.Merge(x, y):
cant += 1
else:
if c != val:
change += actual
actual = 1
else:
actual += 1
i += 1
if i > 0 and val != l[i - 1][0]:
change += actual
actual = 0
val = l[i - 1][0]
while i < len(l) and val == l[i][0]:
i += 1
actual += 1
return change + actual
n, m = input().split()
n, m = int(n), int(m)
e = []
for i in range(m):
x, y, c = input().split()
e.append((int(c), int(x), int(y)))
print(Kruskal(e, n))
``` | instruction | 0 | 75,028 | 13 | 150,056 |
No | output | 1 | 75,028 | 13 | 150,057 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
You are given an undirected weighted connected graph with n vertices and m edges without loops and multiple edges.
The i-th edge is e_i = (u_i, v_i, w_i); the distance between vertices u_i and v_i along the edge e_i is w_i (1 β€ w_i). The graph is connected, i. e. for any pair of vertices, there is at least one path between them consisting only of edges of the given graph.
A minimum spanning tree (MST) in case of positive weights is a subset of the edges of a connected weighted undirected graph that connects all the vertices together and has minimum total cost among all such subsets (total cost is the sum of costs of chosen edges).
You can modify the given graph. The only operation you can perform is the following: increase the weight of some edge by 1. You can increase the weight of each edge multiple (possibly, zero) times.
Suppose that the initial MST cost is k. Your problem is to increase weights of some edges with minimum possible number of operations in such a way that the cost of MST in the obtained graph remains k, but MST is unique (it means that there is only one way to choose MST in the obtained graph).
Your problem is to calculate the minimum number of operations required to do it.
Input
The first line of the input contains two integers n and m (1 β€ n β€ 2 β
10^5, n - 1 β€ m β€ 2 β
10^5) β the number of vertices and the number of edges in the initial graph.
The next m lines contain three integers each. The i-th line contains the description of the i-th edge e_i. It is denoted by three integers u_i, v_i and w_i (1 β€ u_i, v_i β€ n, u_i β v_i, 1 β€ w β€ 10^9), where u_i and v_i are vertices connected by the i-th edge and w_i is the weight of this edge.
It is guaranteed that the given graph doesn't contain loops and multiple edges (i.e. for each i from 1 to m u_i β v_i and for each unordered pair of vertices (u, v) there is at most one edge connecting this pair of vertices). It is also guaranteed that the given graph is connected.
Output
Print one integer β the minimum number of operations to unify MST of the initial graph without changing the cost of MST.
Examples
Input
8 10
1 2 1
2 3 2
2 4 5
1 4 2
6 3 3
6 1 3
3 5 2
3 7 1
4 8 1
6 2 4
Output
1
Input
4 3
2 1 3
4 3 4
2 4 1
Output
0
Input
3 3
1 2 1
2 3 2
1 3 3
Output
0
Input
3 3
1 2 1
2 3 3
1 3 3
Output
1
Input
1 0
Output
0
Input
5 6
1 2 2
2 3 1
4 5 3
2 4 2
1 4 2
1 5 3
Output
2
Note
The picture corresponding to the first example: <image>
You can, for example, increase weight of the edge (1, 6) or (6, 3) by 1 to unify MST.
The picture corresponding to the last example: <image>
You can, for example, increase weights of edges (1, 5) and (2, 4) by 1 to unify MST.
Submitted Solution:
```
import sys
import heapq
# 26
input = lambda: sys.stdin.readline().strip()
ipnut = input
def find(a):
st = []
while a!=dsu[a]:
st.append(a)
a = dsu[a]
for j in st:
dsu[j]=a
return a
def union(a,b,f):
a = find(a)
b = find(b)
if f:
dsu[a]=b
else:
dsu[b]=a
n,m = map(int,input().split())
dsu = [i for i in range(n)]
h = []
for i in range(m):
a,b,c = map(int,ipnut().split())
heapq.heappush(h,(c,a-1,b-1))
lc = 0
ans = 0
while h:
c,a,b = heapq.heappop(h)
if find(a)==find(b):
if lc==c:
ans+=1
else:
union(a,b,i%2)
lc = c
print(ans)
``` | instruction | 0 | 75,029 | 13 | 150,058 |
No | output | 1 | 75,029 | 13 | 150,059 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
You are given an undirected weighted connected graph with n vertices and m edges without loops and multiple edges.
The i-th edge is e_i = (u_i, v_i, w_i); the distance between vertices u_i and v_i along the edge e_i is w_i (1 β€ w_i). The graph is connected, i. e. for any pair of vertices, there is at least one path between them consisting only of edges of the given graph.
A minimum spanning tree (MST) in case of positive weights is a subset of the edges of a connected weighted undirected graph that connects all the vertices together and has minimum total cost among all such subsets (total cost is the sum of costs of chosen edges).
You can modify the given graph. The only operation you can perform is the following: increase the weight of some edge by 1. You can increase the weight of each edge multiple (possibly, zero) times.
Suppose that the initial MST cost is k. Your problem is to increase weights of some edges with minimum possible number of operations in such a way that the cost of MST in the obtained graph remains k, but MST is unique (it means that there is only one way to choose MST in the obtained graph).
Your problem is to calculate the minimum number of operations required to do it.
Input
The first line of the input contains two integers n and m (1 β€ n β€ 2 β
10^5, n - 1 β€ m β€ 2 β
10^5) β the number of vertices and the number of edges in the initial graph.
The next m lines contain three integers each. The i-th line contains the description of the i-th edge e_i. It is denoted by three integers u_i, v_i and w_i (1 β€ u_i, v_i β€ n, u_i β v_i, 1 β€ w β€ 10^9), where u_i and v_i are vertices connected by the i-th edge and w_i is the weight of this edge.
It is guaranteed that the given graph doesn't contain loops and multiple edges (i.e. for each i from 1 to m u_i β v_i and for each unordered pair of vertices (u, v) there is at most one edge connecting this pair of vertices). It is also guaranteed that the given graph is connected.
Output
Print one integer β the minimum number of operations to unify MST of the initial graph without changing the cost of MST.
Examples
Input
8 10
1 2 1
2 3 2
2 4 5
1 4 2
6 3 3
6 1 3
3 5 2
3 7 1
4 8 1
6 2 4
Output
1
Input
4 3
2 1 3
4 3 4
2 4 1
Output
0
Input
3 3
1 2 1
2 3 2
1 3 3
Output
0
Input
3 3
1 2 1
2 3 3
1 3 3
Output
1
Input
1 0
Output
0
Input
5 6
1 2 2
2 3 1
4 5 3
2 4 2
1 4 2
1 5 3
Output
2
Note
The picture corresponding to the first example: <image>
You can, for example, increase weight of the edge (1, 6) or (6, 3) by 1 to unify MST.
The picture corresponding to the last example: <image>
You can, for example, increase weights of edges (1, 5) and (2, 4) by 1 to unify MST.
Submitted Solution:
```
import heapq
n, m = map(int, input().split())
nodes = [dict() for i in range(n + 1)]
for i in range(m):
u, v, w = map(int, input().split())
nodes[u][v] = w
nodes[v][u] = w
coloured = set()
visited = [False for i in range(n + 1)]
q = []
heapq.heappush(q, (0, 1, 0))
while q:
w, n, o = heapq.heappop(q)
if visited[n]:
continue
edge = tuple(sorted([n, o]))
if edge in coloured:
coloured.remove(edge)
if q:
w1, n1, o1 = q[0]
if w == w1:
coloured.add(tuple(sorted([n1, o1])))
visited[n] = True
for node, weight in nodes[n].items():
if not visited[node]:
heapq.heappush(q, (weight, node, n))
print(len(coloured))
``` | instruction | 0 | 75,030 | 13 | 150,060 |
No | output | 1 | 75,030 | 13 | 150,061 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
You are given a rooted tree on n vertices. The vertices are numbered from 1 to n; the root is the vertex number 1.
Each vertex has two integers associated with it: a_i and b_i. We denote the set of all ancestors of v (including v itself) by R(v). The awesomeness of a vertex v is defined as
$$$\left| β_{w β R(v)} a_w\right| β
\left|β_{w β R(v)} b_w\right|,$$$
where |x| denotes the absolute value of x.
Process q queries of one of the following forms:
* 1 v x β increase a_v by a positive integer x.
* 2 v β report the maximum awesomeness in the subtree of vertex v.
Input
The first line contains two integers n and q (1 β€ n β€ 2β
10^5, 1 β€ q β€ 10^5) β the number of vertices in the tree and the number of queries, respectively.
The second line contains n - 1 integers p_2, p_3, ..., p_n (1 β€ p_i < i), where p_i means that there is an edge between vertices i and p_i.
The third line contains n integers a_1, a_2, ..., a_n (-5000 β€ a_i β€ 5000), the initial values of a_i for each vertex.
The fourth line contains n integers b_1, b_2, ..., b_n (-5000 β€ b_i β€ 5000), the values of b_i for each vertex.
Each of the next q lines describes a query. It has one of the following forms:
* 1 v x (1 β€ v β€ n, 1β€ x β€ 5000).
* 2 v (1 β€ v β€ n).
Output
For each query of the second type, print a single line with the maximum awesomeness in the respective subtree.
Example
Input
5 6
1 1 2 2
10 -3 -7 -3 -10
10 3 9 3 6
2 1
2 2
1 2 6
2 1
1 2 5
2 1
Output
100
91
169
240
Note
The initial awesomeness of the vertices is [100, 91, 57, 64, 57]. The most awesome vertex in the subtree of vertex 1 (the first query) is 1, and the most awesome vertex in the subtree of vertex 2 (the second query) is 2.
After the first update (the third query), the awesomeness changes to [100, 169, 57, 160, 57] and thus the most awesome vertex in the whole tree (the fourth query) is now 2.
After the second update (the fifth query), the awesomeness becomes [100, 234, 57, 240, 152], hence the most awesome vertex (the sixth query) is now 4.
Submitted Solution:
```
print("hh")
``` | instruction | 0 | 75,061 | 13 | 150,122 |
No | output | 1 | 75,061 | 13 | 150,123 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Ayush and Ashish play a game on an unrooted tree consisting of n nodes numbered 1 to n. Players make the following move in turns:
* Select any leaf node in the tree and remove it together with any edge which has this node as one of its endpoints. A leaf node is a node with degree less than or equal to 1.
A tree is a connected undirected graph without cycles.
There is a special node numbered x. The player who removes this node wins the game.
Ayush moves first. Determine the winner of the game if each player plays optimally.
Input
The first line of the input contains a single integer t (1 β€ t β€ 10) β the number of testcases. The description of the test cases follows.
The first line of each testcase contains two integers n and x (1β€ n β€ 1000, 1 β€ x β€ n) β the number of nodes in the tree and the special node respectively.
Each of the next n-1 lines contain two integers u, v (1 β€ u, v β€ n, u β v), meaning that there is an edge between nodes u and v in the tree.
Output
For every test case, if Ayush wins the game, print "Ayush", otherwise print "Ashish" (without quotes).
Examples
Input
1
3 1
2 1
3 1
Output
Ashish
Input
1
3 2
1 2
1 3
Output
Ayush
Note
For the 1st test case, Ayush can only remove node 2 or 3, after which node 1 becomes a leaf node and Ashish can remove it in his turn.
For the 2nd test case, Ayush can remove node 2 in the first move itself. | instruction | 0 | 75,177 | 13 | 150,354 |
Tags: games, trees
Correct Solution:
```
#------------------------------warmup----------------------------
import os
import sys
import math
from io import BytesIO, IOBase
from fractions import Fraction
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")
#-------------------game starts now----------------------------------------------------
for t in range (int(input())):
n,k=map(int,input().split())
v = [[] for i in range(n)]
tot=set()
def addEdge(x, y):
v[x].append(y)
v[y].append(x)
def printPath(stack):
for i in range(len(stack)):
tot.add(stack[i])
def DFS(vis, x, y, stack):
stack.append(x)
if (x == y):
printPath(stack)
return
vis[x] = True
flag = 0
if (len(v[x]) > 0):
for j in v[x]:
if (vis[j] == False):
DFS(vis, j, y, stack)
flag = 1
del stack[-1]
def DFSCall(x, y, n, stack):
vis = [0 for i in range(n + 1)]
DFS(vis, x, y, stack)
v1=[0]*n
s=set()
for i in range (n-1):
a1,a2=map(int,input().split())
addEdge(a1-1,a2-1)
v1[a1-1]+=1
v1[a2-1]+=1
for i in range (n):
if v1[i]<=1:
s.add(i)
if k-1 in s:
print("Ayush")
continue
for i in s:
stack=[]
DFSCall(k-1,i,n,stack)
if len(tot)%2==1:
print("Ashish")
else:
print("Ayush")
``` | output | 1 | 75,177 | 13 | 150,355 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Ayush and Ashish play a game on an unrooted tree consisting of n nodes numbered 1 to n. Players make the following move in turns:
* Select any leaf node in the tree and remove it together with any edge which has this node as one of its endpoints. A leaf node is a node with degree less than or equal to 1.
A tree is a connected undirected graph without cycles.
There is a special node numbered x. The player who removes this node wins the game.
Ayush moves first. Determine the winner of the game if each player plays optimally.
Input
The first line of the input contains a single integer t (1 β€ t β€ 10) β the number of testcases. The description of the test cases follows.
The first line of each testcase contains two integers n and x (1β€ n β€ 1000, 1 β€ x β€ n) β the number of nodes in the tree and the special node respectively.
Each of the next n-1 lines contain two integers u, v (1 β€ u, v β€ n, u β v), meaning that there is an edge between nodes u and v in the tree.
Output
For every test case, if Ayush wins the game, print "Ayush", otherwise print "Ashish" (without quotes).
Examples
Input
1
3 1
2 1
3 1
Output
Ashish
Input
1
3 2
1 2
1 3
Output
Ayush
Note
For the 1st test case, Ayush can only remove node 2 or 3, after which node 1 becomes a leaf node and Ashish can remove it in his turn.
For the 2nd test case, Ayush can remove node 2 in the first move itself. | instruction | 0 | 75,178 | 13 | 150,356 |
Tags: games, trees
Correct Solution:
```
import sys
import math
from collections import defaultdict
# sys.stdin = open('input.txt', 'r')
# sys.stdout = open('output.txt', 'w')
def solve(test):
n, x = map(int, input().split())
rec = defaultdict(int)
for i in range(n - 1):
u, v = map(int, input().split())
rec[u] += 1
rec[v] += 1
if n == 1 or rec[x] == 1:
print('Ayush')
else:
if not ((n - 2) & 1):
print('Ayush')
else:
print('Ashish')
if __name__ == "__main__":
test_cases = int(input())
for t in range(1, test_cases + 1):
solve(t)
``` | output | 1 | 75,178 | 13 | 150,357 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Ayush and Ashish play a game on an unrooted tree consisting of n nodes numbered 1 to n. Players make the following move in turns:
* Select any leaf node in the tree and remove it together with any edge which has this node as one of its endpoints. A leaf node is a node with degree less than or equal to 1.
A tree is a connected undirected graph without cycles.
There is a special node numbered x. The player who removes this node wins the game.
Ayush moves first. Determine the winner of the game if each player plays optimally.
Input
The first line of the input contains a single integer t (1 β€ t β€ 10) β the number of testcases. The description of the test cases follows.
The first line of each testcase contains two integers n and x (1β€ n β€ 1000, 1 β€ x β€ n) β the number of nodes in the tree and the special node respectively.
Each of the next n-1 lines contain two integers u, v (1 β€ u, v β€ n, u β v), meaning that there is an edge between nodes u and v in the tree.
Output
For every test case, if Ayush wins the game, print "Ayush", otherwise print "Ashish" (without quotes).
Examples
Input
1
3 1
2 1
3 1
Output
Ashish
Input
1
3 2
1 2
1 3
Output
Ayush
Note
For the 1st test case, Ayush can only remove node 2 or 3, after which node 1 becomes a leaf node and Ashish can remove it in his turn.
For the 2nd test case, Ayush can remove node 2 in the first move itself. | instruction | 0 | 75,179 | 13 | 150,358 |
Tags: games, trees
Correct Solution:
```
t = int(input())
for _ in range(t):
n ,x = map(int,input().split())
deg = [0 for i in range(n)]
for i in range(n-1):
u,v = map(int,input().split())
deg[u-1] += 1
deg[v-1] += 1
if deg[x-1] <= 1:
print("Ayush")
else:
if n%2:
print("Ashish")
else:
print("Ayush")
``` | output | 1 | 75,179 | 13 | 150,359 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Ayush and Ashish play a game on an unrooted tree consisting of n nodes numbered 1 to n. Players make the following move in turns:
* Select any leaf node in the tree and remove it together with any edge which has this node as one of its endpoints. A leaf node is a node with degree less than or equal to 1.
A tree is a connected undirected graph without cycles.
There is a special node numbered x. The player who removes this node wins the game.
Ayush moves first. Determine the winner of the game if each player plays optimally.
Input
The first line of the input contains a single integer t (1 β€ t β€ 10) β the number of testcases. The description of the test cases follows.
The first line of each testcase contains two integers n and x (1β€ n β€ 1000, 1 β€ x β€ n) β the number of nodes in the tree and the special node respectively.
Each of the next n-1 lines contain two integers u, v (1 β€ u, v β€ n, u β v), meaning that there is an edge between nodes u and v in the tree.
Output
For every test case, if Ayush wins the game, print "Ayush", otherwise print "Ashish" (without quotes).
Examples
Input
1
3 1
2 1
3 1
Output
Ashish
Input
1
3 2
1 2
1 3
Output
Ayush
Note
For the 1st test case, Ayush can only remove node 2 or 3, after which node 1 becomes a leaf node and Ashish can remove it in his turn.
For the 2nd test case, Ayush can remove node 2 in the first move itself. | instruction | 0 | 75,180 | 13 | 150,360 |
Tags: games, trees
Correct Solution:
```
t = int(input())
def solve():
n, x = map(int, input().split())
d = 0
for i in range(n-1):
a, b = map(int, input().split())
if a == x or b == x:
d += 1
if d <= 1 or n % 2 == 0:
print("Ayush")
else:
print("Ashish")
for i in range(t):
solve()
``` | output | 1 | 75,180 | 13 | 150,361 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Ayush and Ashish play a game on an unrooted tree consisting of n nodes numbered 1 to n. Players make the following move in turns:
* Select any leaf node in the tree and remove it together with any edge which has this node as one of its endpoints. A leaf node is a node with degree less than or equal to 1.
A tree is a connected undirected graph without cycles.
There is a special node numbered x. The player who removes this node wins the game.
Ayush moves first. Determine the winner of the game if each player plays optimally.
Input
The first line of the input contains a single integer t (1 β€ t β€ 10) β the number of testcases. The description of the test cases follows.
The first line of each testcase contains two integers n and x (1β€ n β€ 1000, 1 β€ x β€ n) β the number of nodes in the tree and the special node respectively.
Each of the next n-1 lines contain two integers u, v (1 β€ u, v β€ n, u β v), meaning that there is an edge between nodes u and v in the tree.
Output
For every test case, if Ayush wins the game, print "Ayush", otherwise print "Ashish" (without quotes).
Examples
Input
1
3 1
2 1
3 1
Output
Ashish
Input
1
3 2
1 2
1 3
Output
Ayush
Note
For the 1st test case, Ayush can only remove node 2 or 3, after which node 1 becomes a leaf node and Ashish can remove it in his turn.
For the 2nd test case, Ayush can remove node 2 in the first move itself. | instruction | 0 | 75,181 | 13 | 150,362 |
Tags: games, trees
Correct Solution:
```
for _ in range(int(input())):
n, x = list(map(int,input().split()))
arr = []
child = []
for i in range(n-1):
a,b = map(int,input().split())
arr.append(a)
arr.append(b)
if a == x:
child.append(b)
elif b == x:
child.append(a)
arr = list(set(arr))
if len(child) == 0 or len(child) == 1:
print("Ayush")
elif (len(arr) - 2)%2 == 0:
print("Ayush")
else:
print("Ashish")
``` | output | 1 | 75,181 | 13 | 150,363 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Ayush and Ashish play a game on an unrooted tree consisting of n nodes numbered 1 to n. Players make the following move in turns:
* Select any leaf node in the tree and remove it together with any edge which has this node as one of its endpoints. A leaf node is a node with degree less than or equal to 1.
A tree is a connected undirected graph without cycles.
There is a special node numbered x. The player who removes this node wins the game.
Ayush moves first. Determine the winner of the game if each player plays optimally.
Input
The first line of the input contains a single integer t (1 β€ t β€ 10) β the number of testcases. The description of the test cases follows.
The first line of each testcase contains two integers n and x (1β€ n β€ 1000, 1 β€ x β€ n) β the number of nodes in the tree and the special node respectively.
Each of the next n-1 lines contain two integers u, v (1 β€ u, v β€ n, u β v), meaning that there is an edge between nodes u and v in the tree.
Output
For every test case, if Ayush wins the game, print "Ayush", otherwise print "Ashish" (without quotes).
Examples
Input
1
3 1
2 1
3 1
Output
Ashish
Input
1
3 2
1 2
1 3
Output
Ayush
Note
For the 1st test case, Ayush can only remove node 2 or 3, after which node 1 becomes a leaf node and Ashish can remove it in his turn.
For the 2nd test case, Ayush can remove node 2 in the first move itself. | instruction | 0 | 75,182 | 13 | 150,364 |
Tags: games, trees
Correct Solution:
```
def solve():
x, y = [int(x) for x in input().split()]
p = 0
for j in range(x-1):
n, m = [int(x) for x in input().split()]
if n == y or m == y:
p += 1
if p <= 1:
return "Ayush"
return ["Ayush ", "Ashish"][x % 2]
test = int(input())
for i in range(test):
print(solve())
``` | output | 1 | 75,182 | 13 | 150,365 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Ayush and Ashish play a game on an unrooted tree consisting of n nodes numbered 1 to n. Players make the following move in turns:
* Select any leaf node in the tree and remove it together with any edge which has this node as one of its endpoints. A leaf node is a node with degree less than or equal to 1.
A tree is a connected undirected graph without cycles.
There is a special node numbered x. The player who removes this node wins the game.
Ayush moves first. Determine the winner of the game if each player plays optimally.
Input
The first line of the input contains a single integer t (1 β€ t β€ 10) β the number of testcases. The description of the test cases follows.
The first line of each testcase contains two integers n and x (1β€ n β€ 1000, 1 β€ x β€ n) β the number of nodes in the tree and the special node respectively.
Each of the next n-1 lines contain two integers u, v (1 β€ u, v β€ n, u β v), meaning that there is an edge between nodes u and v in the tree.
Output
For every test case, if Ayush wins the game, print "Ayush", otherwise print "Ashish" (without quotes).
Examples
Input
1
3 1
2 1
3 1
Output
Ashish
Input
1
3 2
1 2
1 3
Output
Ayush
Note
For the 1st test case, Ayush can only remove node 2 or 3, after which node 1 becomes a leaf node and Ashish can remove it in his turn.
For the 2nd test case, Ayush can remove node 2 in the first move itself. | instruction | 0 | 75,183 | 13 | 150,366 |
Tags: games, trees
Correct Solution:
```
t = int(input())
for _ in range(t):
n, s = list(map(int, input().split()))
graph = {i: [] for i in range(1002)}
for _ in range(n-1):
a, b = list(map(int, input().split()))
graph[a].append(b)
graph[b].append(a)
winner = ['Ayush', 'Ashish']
if len(graph[s]) <= 1:
print(winner[0])
elif n%2==1:
print(winner[1])
else:
print(winner[0])
``` | output | 1 | 75,183 | 13 | 150,367 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Ayush and Ashish play a game on an unrooted tree consisting of n nodes numbered 1 to n. Players make the following move in turns:
* Select any leaf node in the tree and remove it together with any edge which has this node as one of its endpoints. A leaf node is a node with degree less than or equal to 1.
A tree is a connected undirected graph without cycles.
There is a special node numbered x. The player who removes this node wins the game.
Ayush moves first. Determine the winner of the game if each player plays optimally.
Input
The first line of the input contains a single integer t (1 β€ t β€ 10) β the number of testcases. The description of the test cases follows.
The first line of each testcase contains two integers n and x (1β€ n β€ 1000, 1 β€ x β€ n) β the number of nodes in the tree and the special node respectively.
Each of the next n-1 lines contain two integers u, v (1 β€ u, v β€ n, u β v), meaning that there is an edge between nodes u and v in the tree.
Output
For every test case, if Ayush wins the game, print "Ayush", otherwise print "Ashish" (without quotes).
Examples
Input
1
3 1
2 1
3 1
Output
Ashish
Input
1
3 2
1 2
1 3
Output
Ayush
Note
For the 1st test case, Ayush can only remove node 2 or 3, after which node 1 becomes a leaf node and Ashish can remove it in his turn.
For the 2nd test case, Ayush can remove node 2 in the first move itself. | instruction | 0 | 75,184 | 13 | 150,368 |
Tags: games, trees
Correct Solution:
```
import sys,math
from collections import deque
#input = sys.stdin.buffer.readline
def solve():
n,x = map(int,input().split())
x-=1
edgeList = [[] for _ in range(n)]
for i in range(n-1):
a,b = map(int,input().split())
edgeList[a-1].append(b-1)
edgeList[b-1].append(a-1)
if len(edgeList[x])<=1:
print("Ayush")
return;
if n%2==1:
print("Ashish")
else:
print("Ayush")
for _ in range(int(input())):
solve()
``` | output | 1 | 75,184 | 13 | 150,369 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Ayush and Ashish play a game on an unrooted tree consisting of n nodes numbered 1 to n. Players make the following move in turns:
* Select any leaf node in the tree and remove it together with any edge which has this node as one of its endpoints. A leaf node is a node with degree less than or equal to 1.
A tree is a connected undirected graph without cycles.
There is a special node numbered x. The player who removes this node wins the game.
Ayush moves first. Determine the winner of the game if each player plays optimally.
Input
The first line of the input contains a single integer t (1 β€ t β€ 10) β the number of testcases. The description of the test cases follows.
The first line of each testcase contains two integers n and x (1β€ n β€ 1000, 1 β€ x β€ n) β the number of nodes in the tree and the special node respectively.
Each of the next n-1 lines contain two integers u, v (1 β€ u, v β€ n, u β v), meaning that there is an edge between nodes u and v in the tree.
Output
For every test case, if Ayush wins the game, print "Ayush", otherwise print "Ashish" (without quotes).
Examples
Input
1
3 1
2 1
3 1
Output
Ashish
Input
1
3 2
1 2
1 3
Output
Ayush
Note
For the 1st test case, Ayush can only remove node 2 or 3, after which node 1 becomes a leaf node and Ashish can remove it in his turn.
For the 2nd test case, Ayush can remove node 2 in the first move itself.
Submitted Solution:
```
#------------------------------what is this I don't know....just makes my mess faster--------------------------------------
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")
#----------------------------------Real game starts here--------------------------------------
'''
___________________THIS IS AESTROIX CODE________________________
KARMANYA GUPTA
'''
#_______________________________________________________________#
def fact(x):
if x == 0:
return 1
else:
return x * fact(x-1)
def lower_bound(li, num): #return 0 if all are greater or equal to
answer = -1
start = 0
end = len(li)-1
while(start <= end):
middle = (end+start)//2
if li[middle] >= num:
answer = middle
end = middle - 1
else:
start = middle + 1
return answer #index where x is not less than num
def upper_bound(li, num): #return n-1 if all are small or equal
answer = -1
start = 0
end = len(li)-1
while(start <= end):
middle = (end+start)//2
if li[middle] <= num:
answer = middle
start = middle + 1
else:
end = middle - 1
return answer #index where x is not greater than num
def abs(x):
return x if x >=0 else -x
def binary_search(li, val, lb, ub):
ans = 0
while(lb <= ub):
mid = (lb+ub)//2
#print(mid, li[mid])
if li[mid] > val:
ub = mid-1
elif val > li[mid]:
lb = mid + 1
else:
ans = 1
break
return ans
def sieve_of_eratosthenes(n):
ans = []
arr = [1]*(n+1)
arr[0],arr[1], i = 0, 0, 2
while(i*i <= n):
if arr[i] == 1:
j = i+i
while(j <= n):
arr[j] = 0
j += i
i += 1
for k in range(n):
if arr[k] == 1:
ans.append(k)
return ans
#_______________________________________________________________#
from math import *
for _ in range(int(input())):
n, x = map(int, input().split())
li = [0]*n
for i in range(n-1):
u, v = map(int, input().split())
li[u-1] += 1
li[v-1] += 1
if li[x-1] <= 1:
print("Ayush")
else:
print("AAysuhsihs h"[n%2::2])
``` | instruction | 0 | 75,185 | 13 | 150,370 |
Yes | output | 1 | 75,185 | 13 | 150,371 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Ayush and Ashish play a game on an unrooted tree consisting of n nodes numbered 1 to n. Players make the following move in turns:
* Select any leaf node in the tree and remove it together with any edge which has this node as one of its endpoints. A leaf node is a node with degree less than or equal to 1.
A tree is a connected undirected graph without cycles.
There is a special node numbered x. The player who removes this node wins the game.
Ayush moves first. Determine the winner of the game if each player plays optimally.
Input
The first line of the input contains a single integer t (1 β€ t β€ 10) β the number of testcases. The description of the test cases follows.
The first line of each testcase contains two integers n and x (1β€ n β€ 1000, 1 β€ x β€ n) β the number of nodes in the tree and the special node respectively.
Each of the next n-1 lines contain two integers u, v (1 β€ u, v β€ n, u β v), meaning that there is an edge between nodes u and v in the tree.
Output
For every test case, if Ayush wins the game, print "Ayush", otherwise print "Ashish" (without quotes).
Examples
Input
1
3 1
2 1
3 1
Output
Ashish
Input
1
3 2
1 2
1 3
Output
Ayush
Note
For the 1st test case, Ayush can only remove node 2 or 3, after which node 1 becomes a leaf node and Ashish can remove it in his turn.
For the 2nd test case, Ayush can remove node 2 in the first move itself.
Submitted Solution:
```
from math import *
from collections import *
from operator import itemgetter
import bisect
from heapq import *
i = lambda: input()
ii = lambda: int(input())
iia = lambda: list(map(int,input().split()))
isa = lambda: list(input().split())
I = lambda:list(map(int,input().split()))
chrIdx = lambda x: ord(x)-96
idxChr = lambda x: chr(96+x)
t = ii()
for _ in range(t):
n,x = iia()
edges = []
for i in range(n-1):
xx,yy = iia()
edges.append(xx)
edges.append(yy)
d = Counter(edges)
if(d[x]==1 or n==1):
print('Ayush')
else:
if (n-3)%2==1:
print('Ayush')
else:
print('Ashish')
``` | instruction | 0 | 75,186 | 13 | 150,372 |
Yes | output | 1 | 75,186 | 13 | 150,373 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Ayush and Ashish play a game on an unrooted tree consisting of n nodes numbered 1 to n. Players make the following move in turns:
* Select any leaf node in the tree and remove it together with any edge which has this node as one of its endpoints. A leaf node is a node with degree less than or equal to 1.
A tree is a connected undirected graph without cycles.
There is a special node numbered x. The player who removes this node wins the game.
Ayush moves first. Determine the winner of the game if each player plays optimally.
Input
The first line of the input contains a single integer t (1 β€ t β€ 10) β the number of testcases. The description of the test cases follows.
The first line of each testcase contains two integers n and x (1β€ n β€ 1000, 1 β€ x β€ n) β the number of nodes in the tree and the special node respectively.
Each of the next n-1 lines contain two integers u, v (1 β€ u, v β€ n, u β v), meaning that there is an edge between nodes u and v in the tree.
Output
For every test case, if Ayush wins the game, print "Ayush", otherwise print "Ashish" (without quotes).
Examples
Input
1
3 1
2 1
3 1
Output
Ashish
Input
1
3 2
1 2
1 3
Output
Ayush
Note
For the 1st test case, Ayush can only remove node 2 or 3, after which node 1 becomes a leaf node and Ashish can remove it in his turn.
For the 2nd test case, Ayush can remove node 2 in the first move itself.
Submitted Solution:
```
def add_edge(a, b):
adjlist[a].append(b)
adjlist[b].append(a)
for _ in range(int(input())):
n, x = map(int, input().split())
x -= 1
adjlist = [[] for i in range(n)]
for i in range(n - 1):
a, b = map(int, input().split())
a -= 1
b -= 1
add_edge(a, b)
cnt = 0
if len(adjlist[x]) <= 1:
print("Ayush")
continue
for i in range(n):
if i == x:
cnt += len(adjlist[i])
else:
if len(adjlist[i]) >= 1:
cnt += len(adjlist[i]) - 1
if cnt % 2 == 1:
print("Ayush")
else:
print("Ashish")
``` | instruction | 0 | 75,187 | 13 | 150,374 |
Yes | output | 1 | 75,187 | 13 | 150,375 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Ayush and Ashish play a game on an unrooted tree consisting of n nodes numbered 1 to n. Players make the following move in turns:
* Select any leaf node in the tree and remove it together with any edge which has this node as one of its endpoints. A leaf node is a node with degree less than or equal to 1.
A tree is a connected undirected graph without cycles.
There is a special node numbered x. The player who removes this node wins the game.
Ayush moves first. Determine the winner of the game if each player plays optimally.
Input
The first line of the input contains a single integer t (1 β€ t β€ 10) β the number of testcases. The description of the test cases follows.
The first line of each testcase contains two integers n and x (1β€ n β€ 1000, 1 β€ x β€ n) β the number of nodes in the tree and the special node respectively.
Each of the next n-1 lines contain two integers u, v (1 β€ u, v β€ n, u β v), meaning that there is an edge between nodes u and v in the tree.
Output
For every test case, if Ayush wins the game, print "Ayush", otherwise print "Ashish" (without quotes).
Examples
Input
1
3 1
2 1
3 1
Output
Ashish
Input
1
3 2
1 2
1 3
Output
Ayush
Note
For the 1st test case, Ayush can only remove node 2 or 3, after which node 1 becomes a leaf node and Ashish can remove it in his turn.
For the 2nd test case, Ayush can remove node 2 in the first move itself.
Submitted Solution:
```
def main():
for i in range(int(input())):
solve()
def solve():
n, x = map(int, input().split())
a = []
c = 0
for i in range(n-1):
u, v= map(int, input().split())
if u == x or v == x:
c+=1
if c == 1 or n == 1:
print("Ayush")
return
if (n) % 2 == 1:
print("Ashish")
else:
print("Ayush")
main()
``` | instruction | 0 | 75,188 | 13 | 150,376 |
Yes | output | 1 | 75,188 | 13 | 150,377 |
Evaluate the correctness of the submitted Python 2 solution to the coding contest problem. Provide a "Yes" or "No" response.
Ayush and Ashish play a game on an unrooted tree consisting of n nodes numbered 1 to n. Players make the following move in turns:
* Select any leaf node in the tree and remove it together with any edge which has this node as one of its endpoints. A leaf node is a node with degree less than or equal to 1.
A tree is a connected undirected graph without cycles.
There is a special node numbered x. The player who removes this node wins the game.
Ayush moves first. Determine the winner of the game if each player plays optimally.
Input
The first line of the input contains a single integer t (1 β€ t β€ 10) β the number of testcases. The description of the test cases follows.
The first line of each testcase contains two integers n and x (1β€ n β€ 1000, 1 β€ x β€ n) β the number of nodes in the tree and the special node respectively.
Each of the next n-1 lines contain two integers u, v (1 β€ u, v β€ n, u β v), meaning that there is an edge between nodes u and v in the tree.
Output
For every test case, if Ayush wins the game, print "Ayush", otherwise print "Ashish" (without quotes).
Examples
Input
1
3 1
2 1
3 1
Output
Ashish
Input
1
3 2
1 2
1 3
Output
Ayush
Note
For the 1st test case, Ayush can only remove node 2 or 3, after which node 1 becomes a leaf node and Ashish can remove it in his turn.
For the 2nd test case, Ayush can remove node 2 in the first move itself.
Submitted Solution:
```
from sys import stdin, stdout
from collections import Counter, defaultdict
from itertools import permutations, combinations
raw_input = stdin.readline
pr = stdout.write
mod=10**9+7
def ni():
return int(raw_input())
def li():
return map(int,raw_input().split())
def pn(n):
stdout.write(str(n)+'\n')
def pa(arr):
pr(' '.join(map(str,arr))+'\n')
# fast read function for total integer input
def inp():
# this function returns whole input of
# space/line seperated integers
# Use Ctrl+D to flush stdin.
return map(int,stdin.read().split())
range = xrange # not for python 3.0+
for t in range(ni()):
n,x=li()
d=[[] for i in range(n+1)]
for i in range(n-1):
u,v=li()
d[u].append(v)
d[v].append(u)
if n<=2 or len(d[x])<=1:
pr('Ayush\n')
else:
if n%2==0:
pr('Ayush\n')
else:
pr('Ashish\n')
``` | instruction | 0 | 75,189 | 13 | 150,378 |
Yes | output | 1 | 75,189 | 13 | 150,379 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Ayush and Ashish play a game on an unrooted tree consisting of n nodes numbered 1 to n. Players make the following move in turns:
* Select any leaf node in the tree and remove it together with any edge which has this node as one of its endpoints. A leaf node is a node with degree less than or equal to 1.
A tree is a connected undirected graph without cycles.
There is a special node numbered x. The player who removes this node wins the game.
Ayush moves first. Determine the winner of the game if each player plays optimally.
Input
The first line of the input contains a single integer t (1 β€ t β€ 10) β the number of testcases. The description of the test cases follows.
The first line of each testcase contains two integers n and x (1β€ n β€ 1000, 1 β€ x β€ n) β the number of nodes in the tree and the special node respectively.
Each of the next n-1 lines contain two integers u, v (1 β€ u, v β€ n, u β v), meaning that there is an edge between nodes u and v in the tree.
Output
For every test case, if Ayush wins the game, print "Ayush", otherwise print "Ashish" (without quotes).
Examples
Input
1
3 1
2 1
3 1
Output
Ashish
Input
1
3 2
1 2
1 3
Output
Ayush
Note
For the 1st test case, Ayush can only remove node 2 or 3, after which node 1 becomes a leaf node and Ashish can remove it in his turn.
For the 2nd test case, Ayush can remove node 2 in the first move itself.
Submitted Solution:
```
from math import inf as inf
from math import *
from collections import *
import sys
input=sys.stdin.readline
t=int(input())
while(t):
t-=1
n,x=map(int,input().split())
s=0
for i in range(n-1):
u,v=map(int,input().split())
if(u==x or v==x):
s+=1
if(n==1 or s==1):
print("Ayush")
if(n%2):
print("Ashish")
else:
print("Ayush")
``` | instruction | 0 | 75,190 | 13 | 150,380 |
No | output | 1 | 75,190 | 13 | 150,381 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Ayush and Ashish play a game on an unrooted tree consisting of n nodes numbered 1 to n. Players make the following move in turns:
* Select any leaf node in the tree and remove it together with any edge which has this node as one of its endpoints. A leaf node is a node with degree less than or equal to 1.
A tree is a connected undirected graph without cycles.
There is a special node numbered x. The player who removes this node wins the game.
Ayush moves first. Determine the winner of the game if each player plays optimally.
Input
The first line of the input contains a single integer t (1 β€ t β€ 10) β the number of testcases. The description of the test cases follows.
The first line of each testcase contains two integers n and x (1β€ n β€ 1000, 1 β€ x β€ n) β the number of nodes in the tree and the special node respectively.
Each of the next n-1 lines contain two integers u, v (1 β€ u, v β€ n, u β v), meaning that there is an edge between nodes u and v in the tree.
Output
For every test case, if Ayush wins the game, print "Ayush", otherwise print "Ashish" (without quotes).
Examples
Input
1
3 1
2 1
3 1
Output
Ashish
Input
1
3 2
1 2
1 3
Output
Ayush
Note
For the 1st test case, Ayush can only remove node 2 or 3, after which node 1 becomes a leaf node and Ashish can remove it in his turn.
For the 2nd test case, Ayush can remove node 2 in the first move itself.
Submitted Solution:
```
import sys
from collections import defaultdict as dd
import heapq
import math
try:
sys.stdin = open('input.txt', 'r')
sys.stdout = open('output.txt', 'w')
except:
pass
input = sys.stdin.readline
import queue
# function to determine level of
# each node starting from x using BFS
def printLevels(graph, V, x):
# array to store level of each node
level = [None] * V
marked = [False] * V
# create a queue
que = queue.Queue()
# enqueue element x
que.put(x)
# initialize level of source
# node to 0
level[x] = 0
# marked it as visited
marked[x] = True
# do until queue is empty
while (not que.empty()):
# get the first element of queue
x = que.get()
# traverse neighbors of node x
for i in range(len(graph[x])):
# b is neighbor of node x
b = graph[x][i]
# if b is not marked already
if (not marked[b]):
# enqueue b in queue
que.put(b)
# level of b is level of x + 1
level[b] = level[x] + 1
# mark b
marked[b] = True
return level
for i in range(int(input())):
n,x=map(int,input().split())
g=[[] for j in range(n)]
for j in range(n-1):
e,r=map(int,input().split())
g[e-1].append(r-1)
g[r-1].append(e-1)
for k in range(n):
if len(g[k])>1:
l=k
break
t=printLevels(g,n, x-1)
a=t[x-1]
t=sorted(t)
p=0
for k in t:
if k<=a or k==(a+1):
p+=1
else:
break
if len(g[x-1])>1 and (n-p+1)%2==1:
print('Ashish')
else:
print('Ayush')
``` | instruction | 0 | 75,191 | 13 | 150,382 |
No | output | 1 | 75,191 | 13 | 150,383 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Ayush and Ashish play a game on an unrooted tree consisting of n nodes numbered 1 to n. Players make the following move in turns:
* Select any leaf node in the tree and remove it together with any edge which has this node as one of its endpoints. A leaf node is a node with degree less than or equal to 1.
A tree is a connected undirected graph without cycles.
There is a special node numbered x. The player who removes this node wins the game.
Ayush moves first. Determine the winner of the game if each player plays optimally.
Input
The first line of the input contains a single integer t (1 β€ t β€ 10) β the number of testcases. The description of the test cases follows.
The first line of each testcase contains two integers n and x (1β€ n β€ 1000, 1 β€ x β€ n) β the number of nodes in the tree and the special node respectively.
Each of the next n-1 lines contain two integers u, v (1 β€ u, v β€ n, u β v), meaning that there is an edge between nodes u and v in the tree.
Output
For every test case, if Ayush wins the game, print "Ayush", otherwise print "Ashish" (without quotes).
Examples
Input
1
3 1
2 1
3 1
Output
Ashish
Input
1
3 2
1 2
1 3
Output
Ayush
Note
For the 1st test case, Ayush can only remove node 2 or 3, after which node 1 becomes a leaf node and Ashish can remove it in his turn.
For the 2nd test case, Ayush can remove node 2 in the first move itself.
Submitted Solution:
```
from collections import defaultdict
from collections import deque
for _ in range(int(input())):
n, x = map(int, input().split())
g = defaultdict(set)
for _ in range(n - 1):
a, b = map(int, input().split())
g[a].add(b)
g[b].add(a)
if g[1] == 1:
print('Ayush')
continue
else:
print('Ayush' if n % 2 == 1 else 'Ashish')
``` | instruction | 0 | 75,192 | 13 | 150,384 |
No | output | 1 | 75,192 | 13 | 150,385 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Ayush and Ashish play a game on an unrooted tree consisting of n nodes numbered 1 to n. Players make the following move in turns:
* Select any leaf node in the tree and remove it together with any edge which has this node as one of its endpoints. A leaf node is a node with degree less than or equal to 1.
A tree is a connected undirected graph without cycles.
There is a special node numbered x. The player who removes this node wins the game.
Ayush moves first. Determine the winner of the game if each player plays optimally.
Input
The first line of the input contains a single integer t (1 β€ t β€ 10) β the number of testcases. The description of the test cases follows.
The first line of each testcase contains two integers n and x (1β€ n β€ 1000, 1 β€ x β€ n) β the number of nodes in the tree and the special node respectively.
Each of the next n-1 lines contain two integers u, v (1 β€ u, v β€ n, u β v), meaning that there is an edge between nodes u and v in the tree.
Output
For every test case, if Ayush wins the game, print "Ayush", otherwise print "Ashish" (without quotes).
Examples
Input
1
3 1
2 1
3 1
Output
Ashish
Input
1
3 2
1 2
1 3
Output
Ayush
Note
For the 1st test case, Ayush can only remove node 2 or 3, after which node 1 becomes a leaf node and Ashish can remove it in his turn.
For the 2nd test case, Ayush can remove node 2 in the first move itself.
Submitted Solution:
```
from collections import defaultdict
def solve():
n, special = map(int, input().split())
edges = [tuple(map(int, input().split())) for _ in range(n - 1)]
def play():
tree = defaultdict(set)
for x, y in edges:
tree[x].add(y)
tree[y].add(x)
if len(tree[special]) == 1:
return 'Ayush'
queue = tree[special]
seen = {y for y in tree[special]}
count = 0
while queue:
level = []
for x in queue:
if x not in seen:
seen.add(x)
count += 1
level.append(x)
queue = level
return 'Ashish' if (count & 1 or not count) else 'Ayush'
print(play())
for _ in range(int(input())):
solve()
``` | instruction | 0 | 75,193 | 13 | 150,386 |
No | output | 1 | 75,193 | 13 | 150,387 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Let's define a forest as a non-directed acyclic graph (also without loops and parallel edges). One day Misha played with the forest consisting of n vertices. For each vertex v from 0 to n - 1 he wrote down two integers, degreev and sv, were the first integer is the number of vertices adjacent to vertex v, and the second integer is the XOR sum of the numbers of vertices adjacent to v (if there were no adjacent vertices, he wrote down 0).
Next day Misha couldn't remember what graph he initially had. Misha has values degreev and sv left, though. Help him find the number of edges and the edges of the initial graph. It is guaranteed that there exists a forest that corresponds to the numbers written by Misha.
Input
The first line contains integer n (1 β€ n β€ 216), the number of vertices in the graph.
The i-th of the next lines contains numbers degreei and si (0 β€ degreei β€ n - 1, 0 β€ si < 216), separated by a space.
Output
In the first line print number m, the number of edges of the graph.
Next print m lines, each containing two distinct numbers, a and b (0 β€ a β€ n - 1, 0 β€ b β€ n - 1), corresponding to edge (a, b).
Edges can be printed in any order; vertices of the edge can also be printed in any order.
Examples
Input
3
2 3
1 0
1 0
Output
2
1 0
2 0
Input
2
1 1
1 0
Output
1
0 1
Note
The XOR sum of numbers is the result of bitwise adding numbers modulo 2. This operation exists in many modern programming languages. For example, in languages C++, Java and Python it is represented as "^", and in Pascal β as "xor". | instruction | 0 | 75,435 | 13 | 150,870 |
Tags: constructive algorithms, data structures, greedy, sortings, trees
Correct Solution:
```
def main():
n, l, ones, j = int(input()), [], [], 0
for i in range(n):
degree, s = map(int, input().split())
l.append((degree, s))
j += degree
if degree == 1:
ones.append(i)
print(j // 2)
while ones:
i = ones.pop()
degree, j = l[i]
if degree == 1:
print(i, j)
degree, s = l[j]
s ^= i
degree -= 1
l[j] = degree, s
if degree == 1:
ones.append(j)
if __name__ == '__main__':
main()
``` | output | 1 | 75,435 | 13 | 150,871 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Let's define a forest as a non-directed acyclic graph (also without loops and parallel edges). One day Misha played with the forest consisting of n vertices. For each vertex v from 0 to n - 1 he wrote down two integers, degreev and sv, were the first integer is the number of vertices adjacent to vertex v, and the second integer is the XOR sum of the numbers of vertices adjacent to v (if there were no adjacent vertices, he wrote down 0).
Next day Misha couldn't remember what graph he initially had. Misha has values degreev and sv left, though. Help him find the number of edges and the edges of the initial graph. It is guaranteed that there exists a forest that corresponds to the numbers written by Misha.
Input
The first line contains integer n (1 β€ n β€ 216), the number of vertices in the graph.
The i-th of the next lines contains numbers degreei and si (0 β€ degreei β€ n - 1, 0 β€ si < 216), separated by a space.
Output
In the first line print number m, the number of edges of the graph.
Next print m lines, each containing two distinct numbers, a and b (0 β€ a β€ n - 1, 0 β€ b β€ n - 1), corresponding to edge (a, b).
Edges can be printed in any order; vertices of the edge can also be printed in any order.
Examples
Input
3
2 3
1 0
1 0
Output
2
1 0
2 0
Input
2
1 1
1 0
Output
1
0 1
Note
The XOR sum of numbers is the result of bitwise adding numbers modulo 2. This operation exists in many modern programming languages. For example, in languages C++, Java and Python it is represented as "^", and in Pascal β as "xor". | instruction | 0 | 75,436 | 13 | 150,872 |
Tags: constructive algorithms, data structures, greedy, sortings, trees
Correct Solution:
```
import math,string,itertools,fractions,heapq,collections,re,array,bisect
from itertools import chain, dropwhile, permutations, combinations
from collections import defaultdict
def main2(n,d,s,info=0):
# correct, but slow
edges = []
m = mm = sum(d)//2
while m>0:
f = filter(lambda x: x[0]==1,zip(d,range(n)))
for _,i in f:
if d[i]==1:
d[i] = 0
d[s[i]] -= 1
s[s[i]] ^= i
m -= 1
edges.append([i,s[i]])
print(mm)
for u,v in edges:
print(u,v)
def main(n,d,s,info=0):
edges = []
curr = []
for i in range(n):
if d[i]==1: curr.append(i)
while len(curr):
i = curr.pop()
if d[i]==1:
d[i] = 0
d[s[i]] -= 1
s[s[i]] ^= i
edges.append([i,s[i]])
if d[s[i]] == 1:
curr.append(s[i])
print(len(edges))
for u,v in edges:
print(u,v)
def main_input(info=0):
n = int(input())
d,s = list(range(n)), list(range(n))
for i in range(n):
d[i],s[i] = map(int,input().split())
main(n,d,s,info=info)
if __name__ == "__main__":
main_input()
``` | output | 1 | 75,436 | 13 | 150,873 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Let's define a forest as a non-directed acyclic graph (also without loops and parallel edges). One day Misha played with the forest consisting of n vertices. For each vertex v from 0 to n - 1 he wrote down two integers, degreev and sv, were the first integer is the number of vertices adjacent to vertex v, and the second integer is the XOR sum of the numbers of vertices adjacent to v (if there were no adjacent vertices, he wrote down 0).
Next day Misha couldn't remember what graph he initially had. Misha has values degreev and sv left, though. Help him find the number of edges and the edges of the initial graph. It is guaranteed that there exists a forest that corresponds to the numbers written by Misha.
Input
The first line contains integer n (1 β€ n β€ 216), the number of vertices in the graph.
The i-th of the next lines contains numbers degreei and si (0 β€ degreei β€ n - 1, 0 β€ si < 216), separated by a space.
Output
In the first line print number m, the number of edges of the graph.
Next print m lines, each containing two distinct numbers, a and b (0 β€ a β€ n - 1, 0 β€ b β€ n - 1), corresponding to edge (a, b).
Edges can be printed in any order; vertices of the edge can also be printed in any order.
Examples
Input
3
2 3
1 0
1 0
Output
2
1 0
2 0
Input
2
1 1
1 0
Output
1
0 1
Note
The XOR sum of numbers is the result of bitwise adding numbers modulo 2. This operation exists in many modern programming languages. For example, in languages C++, Java and Python it is represented as "^", and in Pascal β as "xor". | instruction | 0 | 75,437 | 13 | 150,874 |
Tags: constructive algorithms, data structures, greedy, sortings, trees
Correct Solution:
```
n, st, xors, sumst, buf = int(input()), [], [], 0, []
for i in range(n):
s=input().split()
st.append(int(s[0])); xors.append(int(s[1])); sumst+=st[i]
if st[i]==1:
buf.append(i)
if sumst % 2 != 0:
print("0"); exit(0)
print(sumst // 2 )
while buf:
v=buf.pop()
if st[v]==1:
print(str(v)+" "+str(xors[v]))
xors[xors[v]]^=v; st[xors[v]]-=1
if st[xors[v]]==1:
buf.append(xors[v])
``` | output | 1 | 75,437 | 13 | 150,875 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Let's define a forest as a non-directed acyclic graph (also without loops and parallel edges). One day Misha played with the forest consisting of n vertices. For each vertex v from 0 to n - 1 he wrote down two integers, degreev and sv, were the first integer is the number of vertices adjacent to vertex v, and the second integer is the XOR sum of the numbers of vertices adjacent to v (if there were no adjacent vertices, he wrote down 0).
Next day Misha couldn't remember what graph he initially had. Misha has values degreev and sv left, though. Help him find the number of edges and the edges of the initial graph. It is guaranteed that there exists a forest that corresponds to the numbers written by Misha.
Input
The first line contains integer n (1 β€ n β€ 216), the number of vertices in the graph.
The i-th of the next lines contains numbers degreei and si (0 β€ degreei β€ n - 1, 0 β€ si < 216), separated by a space.
Output
In the first line print number m, the number of edges of the graph.
Next print m lines, each containing two distinct numbers, a and b (0 β€ a β€ n - 1, 0 β€ b β€ n - 1), corresponding to edge (a, b).
Edges can be printed in any order; vertices of the edge can also be printed in any order.
Examples
Input
3
2 3
1 0
1 0
Output
2
1 0
2 0
Input
2
1 1
1 0
Output
1
0 1
Note
The XOR sum of numbers is the result of bitwise adding numbers modulo 2. This operation exists in many modern programming languages. For example, in languages C++, Java and Python it is represented as "^", and in Pascal β as "xor". | instruction | 0 | 75,438 | 13 | 150,876 |
Tags: constructive algorithms, data structures, greedy, sortings, trees
Correct Solution:
```
from collections import deque
n = int(input())
process = deque()
vs = []
for i in range(n):
d, s = map(int, input().split())
if d == 1:
process.append(i)
vs.append((d, s))
edges = []
while process:
a = process.popleft()
d, s = vs[a]
if d == 0:
continue
dd, ss = vs[s]
vs[s] = (dd - 1, ss ^ a)
if dd == 2:
process.append(s)
edges.append((a, s))
print(len(edges))
for a, b in edges:
print(a, b)
# Made By Mostafa_Khaled
``` | output | 1 | 75,438 | 13 | 150,877 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Let's define a forest as a non-directed acyclic graph (also without loops and parallel edges). One day Misha played with the forest consisting of n vertices. For each vertex v from 0 to n - 1 he wrote down two integers, degreev and sv, were the first integer is the number of vertices adjacent to vertex v, and the second integer is the XOR sum of the numbers of vertices adjacent to v (if there were no adjacent vertices, he wrote down 0).
Next day Misha couldn't remember what graph he initially had. Misha has values degreev and sv left, though. Help him find the number of edges and the edges of the initial graph. It is guaranteed that there exists a forest that corresponds to the numbers written by Misha.
Input
The first line contains integer n (1 β€ n β€ 216), the number of vertices in the graph.
The i-th of the next lines contains numbers degreei and si (0 β€ degreei β€ n - 1, 0 β€ si < 216), separated by a space.
Output
In the first line print number m, the number of edges of the graph.
Next print m lines, each containing two distinct numbers, a and b (0 β€ a β€ n - 1, 0 β€ b β€ n - 1), corresponding to edge (a, b).
Edges can be printed in any order; vertices of the edge can also be printed in any order.
Examples
Input
3
2 3
1 0
1 0
Output
2
1 0
2 0
Input
2
1 1
1 0
Output
1
0 1
Note
The XOR sum of numbers is the result of bitwise adding numbers modulo 2. This operation exists in many modern programming languages. For example, in languages C++, Java and Python it is represented as "^", and in Pascal β as "xor". | instruction | 0 | 75,439 | 13 | 150,878 |
Tags: constructive algorithms, data structures, greedy, sortings, trees
Correct Solution:
```
n = int(input())
d = []
v = []
for i in range(n):
(a, b) = map(int, input().split())
v.append([a, b, i])
g = dict()
for i in range(n+20):
g[i] = set()
for i in v:
if i[0] in g:
g[i[0]].add(i[2])
else:
g[i[0]] = set()
g[i[0]].add(i[2])
ans = []
while len(g[1]) > 0:
i = g[1].pop()
a = v[i][2]
b = v[i][1]
g[v[a][0]].discard(v[a][2])
g[v[a][0]-1].add(v[a][2])
v[a][0] -= 1
g[v[b][0]].discard(v[b][2])
g[v[b][0]-1].add(v[b][2])
v[b][0] -= 1
v[b][1] ^= a
ans.append((a, b))
print(len(ans))
for i in ans:
print(*i)
'''
9
2 5
4 3
7 6
8 3
5 0
6 1
3 9
1 0
9 0
'''
``` | output | 1 | 75,439 | 13 | 150,879 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Let's define a forest as a non-directed acyclic graph (also without loops and parallel edges). One day Misha played with the forest consisting of n vertices. For each vertex v from 0 to n - 1 he wrote down two integers, degreev and sv, were the first integer is the number of vertices adjacent to vertex v, and the second integer is the XOR sum of the numbers of vertices adjacent to v (if there were no adjacent vertices, he wrote down 0).
Next day Misha couldn't remember what graph he initially had. Misha has values degreev and sv left, though. Help him find the number of edges and the edges of the initial graph. It is guaranteed that there exists a forest that corresponds to the numbers written by Misha.
Input
The first line contains integer n (1 β€ n β€ 216), the number of vertices in the graph.
The i-th of the next lines contains numbers degreei and si (0 β€ degreei β€ n - 1, 0 β€ si < 216), separated by a space.
Output
In the first line print number m, the number of edges of the graph.
Next print m lines, each containing two distinct numbers, a and b (0 β€ a β€ n - 1, 0 β€ b β€ n - 1), corresponding to edge (a, b).
Edges can be printed in any order; vertices of the edge can also be printed in any order.
Examples
Input
3
2 3
1 0
1 0
Output
2
1 0
2 0
Input
2
1 1
1 0
Output
1
0 1
Note
The XOR sum of numbers is the result of bitwise adding numbers modulo 2. This operation exists in many modern programming languages. For example, in languages C++, Java and Python it is represented as "^", and in Pascal β as "xor". | instruction | 0 | 75,440 | 13 | 150,880 |
Tags: constructive algorithms, data structures, greedy, sortings, trees
Correct Solution:
```
n = int(input())
v = []
deg1 = []
degsum = 0
has_v = [True]*n
for i in range(n):
d, s = map(int, input().split())
degsum += d
if d == 1: deg1.append(i)
if d == 0: has_v[i] = False
v.append([d, s])
print(degsum//2)
edge = []
while deg1 != []:
f = deg1.pop()
if has_v[f] is False: continue
v[f][0] -= 1
has_v[f] = False
t = v[f][1]
print(f, t)
v[t][0] -= 1
v[t][1] ^= f
if v[t][0] == 1:
deg1.append(t)
elif v[t][0] == 0:
has_v[t] = False
``` | output | 1 | 75,440 | 13 | 150,881 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Let's define a forest as a non-directed acyclic graph (also without loops and parallel edges). One day Misha played with the forest consisting of n vertices. For each vertex v from 0 to n - 1 he wrote down two integers, degreev and sv, were the first integer is the number of vertices adjacent to vertex v, and the second integer is the XOR sum of the numbers of vertices adjacent to v (if there were no adjacent vertices, he wrote down 0).
Next day Misha couldn't remember what graph he initially had. Misha has values degreev and sv left, though. Help him find the number of edges and the edges of the initial graph. It is guaranteed that there exists a forest that corresponds to the numbers written by Misha.
Input
The first line contains integer n (1 β€ n β€ 216), the number of vertices in the graph.
The i-th of the next lines contains numbers degreei and si (0 β€ degreei β€ n - 1, 0 β€ si < 216), separated by a space.
Output
In the first line print number m, the number of edges of the graph.
Next print m lines, each containing two distinct numbers, a and b (0 β€ a β€ n - 1, 0 β€ b β€ n - 1), corresponding to edge (a, b).
Edges can be printed in any order; vertices of the edge can also be printed in any order.
Examples
Input
3
2 3
1 0
1 0
Output
2
1 0
2 0
Input
2
1 1
1 0
Output
1
0 1
Note
The XOR sum of numbers is the result of bitwise adding numbers modulo 2. This operation exists in many modern programming languages. For example, in languages C++, Java and Python it is represented as "^", and in Pascal β as "xor". | instruction | 0 | 75,441 | 13 | 150,882 |
Tags: constructive algorithms, data structures, greedy, sortings, trees
Correct Solution:
```
from collections import deque
class CodeforcesTask504ASolution:
def __init__(self):
self.result = ''
self.n = 0
self.vertices = []
def read_input(self):
self.n = int(input())
for x in range(self.n):
self.vertices.append([int(y) for y in input().split(" ")])
def process_task(self):
used = 0
proc = deque()
for x in range(self.n):
if self.vertices[x][0] == 1:
proc.append(x)
elif self.vertices[x][0] == 0:
if self.vertices[x][1] != 0:
raise ValueError
used += 1
edges = []
while proc:
from_ = proc.popleft()
used += 1
if self.vertices[from_][0] == 0:
if self.vertices[from_][1] != 0:
raise ValueError
continue
self.vertices[from_][0] -= 1
to_ = self.vertices[from_][1]
self.vertices[from_][1] = 0
if to_ >= self.n:
raise ValueError
edges.append((from_, to_))
self.vertices[to_][1] ^= from_
if self.vertices[to_][0] == 0:
raise ValueError
self.vertices[to_][0] -= 1
if self.vertices[to_][0] == 1:
proc.append(to_)
if used != self.n:
raise ValueError
self.result = "{0}\n{1}".format(len(edges), "\n".join([" ".join([str(x) for x in edge]) for edge in edges]))
def get_result(self):
return self.result
if __name__ == "__main__":
Solution = CodeforcesTask504ASolution()
Solution.read_input()
Solution.process_task()
print(Solution.get_result())
``` | output | 1 | 75,441 | 13 | 150,883 |
Provide tags and a correct Python 3 solution for this coding contest problem.
Let's define a forest as a non-directed acyclic graph (also without loops and parallel edges). One day Misha played with the forest consisting of n vertices. For each vertex v from 0 to n - 1 he wrote down two integers, degreev and sv, were the first integer is the number of vertices adjacent to vertex v, and the second integer is the XOR sum of the numbers of vertices adjacent to v (if there were no adjacent vertices, he wrote down 0).
Next day Misha couldn't remember what graph he initially had. Misha has values degreev and sv left, though. Help him find the number of edges and the edges of the initial graph. It is guaranteed that there exists a forest that corresponds to the numbers written by Misha.
Input
The first line contains integer n (1 β€ n β€ 216), the number of vertices in the graph.
The i-th of the next lines contains numbers degreei and si (0 β€ degreei β€ n - 1, 0 β€ si < 216), separated by a space.
Output
In the first line print number m, the number of edges of the graph.
Next print m lines, each containing two distinct numbers, a and b (0 β€ a β€ n - 1, 0 β€ b β€ n - 1), corresponding to edge (a, b).
Edges can be printed in any order; vertices of the edge can also be printed in any order.
Examples
Input
3
2 3
1 0
1 0
Output
2
1 0
2 0
Input
2
1 1
1 0
Output
1
0 1
Note
The XOR sum of numbers is the result of bitwise adding numbers modulo 2. This operation exists in many modern programming languages. For example, in languages C++, Java and Python it is represented as "^", and in Pascal β as "xor". | instruction | 0 | 75,442 | 13 | 150,884 |
Tags: constructive algorithms, data structures, greedy, sortings, trees
Correct Solution:
```
R = lambda: map(int, input().split())
n = int(input())
degs, xors = [0] * (2 ** 16 + 1), [0] * (2 ** 16 + 1)
edges = []
for curr in range(n):
degs[curr], xors[curr] = R()
q = []
for curr in range(n):
if degs[curr] == 1:
q.append(curr)
while q:
curr = q.pop()
if degs[curr] != 1:
continue
neighbor = xors[curr]
edges.append((min(curr, neighbor), max(curr, neighbor)))
degs[neighbor] -= 1
xors[neighbor] ^= curr
if degs[neighbor] == 1:
q.append(neighbor)
filter(lambda p: p[0] < p[1], edges)
print(len(edges))
for u, v in edges:
if u < v:
print(u, v)
``` | output | 1 | 75,442 | 13 | 150,885 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Let's define a forest as a non-directed acyclic graph (also without loops and parallel edges). One day Misha played with the forest consisting of n vertices. For each vertex v from 0 to n - 1 he wrote down two integers, degreev and sv, were the first integer is the number of vertices adjacent to vertex v, and the second integer is the XOR sum of the numbers of vertices adjacent to v (if there were no adjacent vertices, he wrote down 0).
Next day Misha couldn't remember what graph he initially had. Misha has values degreev and sv left, though. Help him find the number of edges and the edges of the initial graph. It is guaranteed that there exists a forest that corresponds to the numbers written by Misha.
Input
The first line contains integer n (1 β€ n β€ 216), the number of vertices in the graph.
The i-th of the next lines contains numbers degreei and si (0 β€ degreei β€ n - 1, 0 β€ si < 216), separated by a space.
Output
In the first line print number m, the number of edges of the graph.
Next print m lines, each containing two distinct numbers, a and b (0 β€ a β€ n - 1, 0 β€ b β€ n - 1), corresponding to edge (a, b).
Edges can be printed in any order; vertices of the edge can also be printed in any order.
Examples
Input
3
2 3
1 0
1 0
Output
2
1 0
2 0
Input
2
1 1
1 0
Output
1
0 1
Note
The XOR sum of numbers is the result of bitwise adding numbers modulo 2. This operation exists in many modern programming languages. For example, in languages C++, Java and Python it is represented as "^", and in Pascal β as "xor".
Submitted Solution:
```
from collections import deque
n = int(input())
process = deque()
vs = []
for i in range(n):
d, s = map(int, input().split())
if d == 1:
process.append(i)
vs.append((d, s))
edges = []
while process:
a = process.popleft()
d, s = vs[a]
if d == 0:
continue
dd, ss = vs[s]
vs[s] = (dd - 1, ss ^ a)
if dd == 2:
process.append(s)
edges.append((a, s))
print(len(edges))
for a, b in edges:
print(a,b)
``` | instruction | 0 | 75,443 | 13 | 150,886 |
Yes | output | 1 | 75,443 | 13 | 150,887 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Let's define a forest as a non-directed acyclic graph (also without loops and parallel edges). One day Misha played with the forest consisting of n vertices. For each vertex v from 0 to n - 1 he wrote down two integers, degreev and sv, were the first integer is the number of vertices adjacent to vertex v, and the second integer is the XOR sum of the numbers of vertices adjacent to v (if there were no adjacent vertices, he wrote down 0).
Next day Misha couldn't remember what graph he initially had. Misha has values degreev and sv left, though. Help him find the number of edges and the edges of the initial graph. It is guaranteed that there exists a forest that corresponds to the numbers written by Misha.
Input
The first line contains integer n (1 β€ n β€ 216), the number of vertices in the graph.
The i-th of the next lines contains numbers degreei and si (0 β€ degreei β€ n - 1, 0 β€ si < 216), separated by a space.
Output
In the first line print number m, the number of edges of the graph.
Next print m lines, each containing two distinct numbers, a and b (0 β€ a β€ n - 1, 0 β€ b β€ n - 1), corresponding to edge (a, b).
Edges can be printed in any order; vertices of the edge can also be printed in any order.
Examples
Input
3
2 3
1 0
1 0
Output
2
1 0
2 0
Input
2
1 1
1 0
Output
1
0 1
Note
The XOR sum of numbers is the result of bitwise adding numbers modulo 2. This operation exists in many modern programming languages. For example, in languages C++, Java and Python it is represented as "^", and in Pascal β as "xor".
Submitted Solution:
```
def main():
import sys
tokens = [int(i) for i in sys.stdin.read().split()]
tokens.reverse()
n = tokens.pop()
vertices = [[tokens.pop(), tokens.pop()] for i in range(n)]
l = []
for i in range(n):
if vertices[i][0] == 1:
l.append(i)
result = []
while l:
v = l.pop()
if vertices[v][0] == 0:
continue
u = vertices[v][1]
result.append((v, u))
vertices[u][0] -= 1
vertices[u][1] ^= v
if vertices[u][0] == 1:
l.append(u)
print(len(result))
print('\n'.join(' '.join(str(j) for j in i) for i in result))
main()
``` | instruction | 0 | 75,444 | 13 | 150,888 |
Yes | output | 1 | 75,444 | 13 | 150,889 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Let's define a forest as a non-directed acyclic graph (also without loops and parallel edges). One day Misha played with the forest consisting of n vertices. For each vertex v from 0 to n - 1 he wrote down two integers, degreev and sv, were the first integer is the number of vertices adjacent to vertex v, and the second integer is the XOR sum of the numbers of vertices adjacent to v (if there were no adjacent vertices, he wrote down 0).
Next day Misha couldn't remember what graph he initially had. Misha has values degreev and sv left, though. Help him find the number of edges and the edges of the initial graph. It is guaranteed that there exists a forest that corresponds to the numbers written by Misha.
Input
The first line contains integer n (1 β€ n β€ 216), the number of vertices in the graph.
The i-th of the next lines contains numbers degreei and si (0 β€ degreei β€ n - 1, 0 β€ si < 216), separated by a space.
Output
In the first line print number m, the number of edges of the graph.
Next print m lines, each containing two distinct numbers, a and b (0 β€ a β€ n - 1, 0 β€ b β€ n - 1), corresponding to edge (a, b).
Edges can be printed in any order; vertices of the edge can also be printed in any order.
Examples
Input
3
2 3
1 0
1 0
Output
2
1 0
2 0
Input
2
1 1
1 0
Output
1
0 1
Note
The XOR sum of numbers is the result of bitwise adding numbers modulo 2. This operation exists in many modern programming languages. For example, in languages C++, Java and Python it is represented as "^", and in Pascal β as "xor".
Submitted Solution:
```
import sys
n = int(input())
degs = [None]*n
xors = [None]*n
degsdict = {}
for i, l in enumerate(sys.stdin.read().splitlines()[:n]):
d, xors[i] = map(int, l.split())
degs[i] = d
if not d in degsdict:
degsdict[d] = set()
degsdict[d].add(i)
edges = []
if not 1 in degsdict:
print(0)
sys.exit()
while degsdict[1]:
v = degsdict[1].pop()
n = xors[v]
edges.append([v, n])
ndeg = degs[n]
degsdict[ndeg].remove(n)
ndeg -= 1
if not ndeg in degsdict:
degsdict[ndeg] = set()
degsdict[ndeg].add(n)
degs[n] -= 1
xors[n] = xors[n] ^ v
print(len(edges))
print("\n".join([" ".join(map(str, i)) for i in edges]))
``` | instruction | 0 | 75,445 | 13 | 150,890 |
Yes | output | 1 | 75,445 | 13 | 150,891 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Let's define a forest as a non-directed acyclic graph (also without loops and parallel edges). One day Misha played with the forest consisting of n vertices. For each vertex v from 0 to n - 1 he wrote down two integers, degreev and sv, were the first integer is the number of vertices adjacent to vertex v, and the second integer is the XOR sum of the numbers of vertices adjacent to v (if there were no adjacent vertices, he wrote down 0).
Next day Misha couldn't remember what graph he initially had. Misha has values degreev and sv left, though. Help him find the number of edges and the edges of the initial graph. It is guaranteed that there exists a forest that corresponds to the numbers written by Misha.
Input
The first line contains integer n (1 β€ n β€ 216), the number of vertices in the graph.
The i-th of the next lines contains numbers degreei and si (0 β€ degreei β€ n - 1, 0 β€ si < 216), separated by a space.
Output
In the first line print number m, the number of edges of the graph.
Next print m lines, each containing two distinct numbers, a and b (0 β€ a β€ n - 1, 0 β€ b β€ n - 1), corresponding to edge (a, b).
Edges can be printed in any order; vertices of the edge can also be printed in any order.
Examples
Input
3
2 3
1 0
1 0
Output
2
1 0
2 0
Input
2
1 1
1 0
Output
1
0 1
Note
The XOR sum of numbers is the result of bitwise adding numbers modulo 2. This operation exists in many modern programming languages. For example, in languages C++, Java and Python it is represented as "^", and in Pascal β as "xor".
Submitted Solution:
```
#!/usr/bin/python3
import sys
n = int(sys.stdin.readline())
sum_deg = 0
forest = []
stack = []
for i in range(n):
d, s = map(int, sys.stdin.readline().split())
sum_deg += d
forest.append([d, s])
if d == 1:
stack.append(i)
print(sum_deg // 2)
while stack:
u = stack.pop()
if forest[u][0] != 1:
continue
v = forest[u][1]
forest[u][0] -= 1
forest[u][1] ^= v
forest[v][0] -= 1
forest[v][1] ^= u
print(u, v)
if forest[v][0] == 1:
stack.append(v)
``` | instruction | 0 | 75,446 | 13 | 150,892 |
Yes | output | 1 | 75,446 | 13 | 150,893 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Let's define a forest as a non-directed acyclic graph (also without loops and parallel edges). One day Misha played with the forest consisting of n vertices. For each vertex v from 0 to n - 1 he wrote down two integers, degreev and sv, were the first integer is the number of vertices adjacent to vertex v, and the second integer is the XOR sum of the numbers of vertices adjacent to v (if there were no adjacent vertices, he wrote down 0).
Next day Misha couldn't remember what graph he initially had. Misha has values degreev and sv left, though. Help him find the number of edges and the edges of the initial graph. It is guaranteed that there exists a forest that corresponds to the numbers written by Misha.
Input
The first line contains integer n (1 β€ n β€ 216), the number of vertices in the graph.
The i-th of the next lines contains numbers degreei and si (0 β€ degreei β€ n - 1, 0 β€ si < 216), separated by a space.
Output
In the first line print number m, the number of edges of the graph.
Next print m lines, each containing two distinct numbers, a and b (0 β€ a β€ n - 1, 0 β€ b β€ n - 1), corresponding to edge (a, b).
Edges can be printed in any order; vertices of the edge can also be printed in any order.
Examples
Input
3
2 3
1 0
1 0
Output
2
1 0
2 0
Input
2
1 1
1 0
Output
1
0 1
Note
The XOR sum of numbers is the result of bitwise adding numbers modulo 2. This operation exists in many modern programming languages. For example, in languages C++, Java and Python it is represented as "^", and in Pascal β as "xor".
Submitted Solution:
```
n = int(input())
ds = []
m_double = 0
for i in range(n):
deg, s = list(map(int, input().split()))
ds.append([deg,s])
m_double += deg
m = int(m_double/2)
print(m)
j = 0
while j < len(ds):
if (ds[j][0] == 1):
k = ds[j][1]
print(j, k)
ds[j][0] = 0
ds[k][0] -= 1
ds[k][1] ^= j
if ds[k][0] == 1:
l = ds[k][1]
print(k, l)
ds[k][0] = 0
ds[l][0] -= 1
ds[l][1] ^= k
j += 1
``` | instruction | 0 | 75,447 | 13 | 150,894 |
No | output | 1 | 75,447 | 13 | 150,895 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Let's define a forest as a non-directed acyclic graph (also without loops and parallel edges). One day Misha played with the forest consisting of n vertices. For each vertex v from 0 to n - 1 he wrote down two integers, degreev and sv, were the first integer is the number of vertices adjacent to vertex v, and the second integer is the XOR sum of the numbers of vertices adjacent to v (if there were no adjacent vertices, he wrote down 0).
Next day Misha couldn't remember what graph he initially had. Misha has values degreev and sv left, though. Help him find the number of edges and the edges of the initial graph. It is guaranteed that there exists a forest that corresponds to the numbers written by Misha.
Input
The first line contains integer n (1 β€ n β€ 216), the number of vertices in the graph.
The i-th of the next lines contains numbers degreei and si (0 β€ degreei β€ n - 1, 0 β€ si < 216), separated by a space.
Output
In the first line print number m, the number of edges of the graph.
Next print m lines, each containing two distinct numbers, a and b (0 β€ a β€ n - 1, 0 β€ b β€ n - 1), corresponding to edge (a, b).
Edges can be printed in any order; vertices of the edge can also be printed in any order.
Examples
Input
3
2 3
1 0
1 0
Output
2
1 0
2 0
Input
2
1 1
1 0
Output
1
0 1
Note
The XOR sum of numbers is the result of bitwise adding numbers modulo 2. This operation exists in many modern programming languages. For example, in languages C++, Java and Python it is represented as "^", and in Pascal β as "xor".
Submitted Solution:
```
#------------------------template--------------------------#
import os
import sys
from math import *
from collections import *
from fractions import *
from bisect import *
from heapq import*
from io import BytesIO, IOBase
def vsInput():
sys.stdin = open('input.txt', 'r')
sys.stdout = open('output.txt', 'w')
BUFSIZE = 8192
class FastIO(IOBase):
newlines = 0
def __init__(self, file):
self._fd = file.fileno()
self.buffer = BytesIO()
self.writable = "x" in file.mode or "r" not in file.mode
self.write = self.buffer.write if self.writable else None
def read(self):
while True:
b = os.read(self._fd, max(os.fstat(self._fd).st_size, BUFSIZE))
if not b:
break
ptr = self.buffer.tell()
self.buffer.seek(0, 2), self.buffer.write(b), self.buffer.seek(ptr)
self.newlines = 0
return self.buffer.read()
def readline(self):
while self.newlines == 0:
b = os.read(self._fd, max(os.fstat(self._fd).st_size, BUFSIZE))
self.newlines = b.count(b"\n") + (not b)
ptr = self.buffer.tell()
self.buffer.seek(0, 2), self.buffer.write(b), self.buffer.seek(ptr)
self.newlines -= 1
return self.buffer.readline()
def flush(self):
if self.writable:
os.write(self._fd, self.buffer.getvalue())
self.buffer.truncate(0), self.buffer.seek(0)
class IOWrapper(IOBase):
def __init__(self, file):
self.buffer = FastIO(file)
self.flush = self.buffer.flush
self.writable = self.buffer.writable
self.write = lambda s: self.buffer.write(s.encode("ascii"))
self.read = lambda: self.buffer.read().decode("ascii")
self.readline = lambda: self.buffer.readline().decode("ascii")
sys.stdin, sys.stdout = IOWrapper(sys.stdin), IOWrapper(sys.stdout)
input = lambda: sys.stdin.readline().rstrip("\r\n")
ALPHA='abcdefghijklmnopqrstuvwxyz'
M=10**9+7
EPS=1e-6
def value():return tuple(map(int,input().split()))
def array():return [int(i) for i in input().split()]
def Int():return int(input())
def Str():return input()
def arrayS():return [i for i in input().split()]
#-------------------------code---------------------------#
# vsInput()
n=Int()
vertices=[]
for i in range(n):
d,s=value()
if(d!=0):
vertices.append([d,s,i])
vertices.sort()
vertices={i[2]:[i[0],i[1]] for i in vertices}
# print(vertices)
ans=[]
for node in vertices:
d,s=vertices[node]
if(d>0 and vertices[s][0]>0):
ans.append((node,s))
# print(node,s)
vertices[s][1]^=node
vertices[s][0]-=1
vertices[node][0]-=1
print(len(ans))
for i in ans:
print(*i)
``` | instruction | 0 | 75,448 | 13 | 150,896 |
No | output | 1 | 75,448 | 13 | 150,897 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Let's define a forest as a non-directed acyclic graph (also without loops and parallel edges). One day Misha played with the forest consisting of n vertices. For each vertex v from 0 to n - 1 he wrote down two integers, degreev and sv, were the first integer is the number of vertices adjacent to vertex v, and the second integer is the XOR sum of the numbers of vertices adjacent to v (if there were no adjacent vertices, he wrote down 0).
Next day Misha couldn't remember what graph he initially had. Misha has values degreev and sv left, though. Help him find the number of edges and the edges of the initial graph. It is guaranteed that there exists a forest that corresponds to the numbers written by Misha.
Input
The first line contains integer n (1 β€ n β€ 216), the number of vertices in the graph.
The i-th of the next lines contains numbers degreei and si (0 β€ degreei β€ n - 1, 0 β€ si < 216), separated by a space.
Output
In the first line print number m, the number of edges of the graph.
Next print m lines, each containing two distinct numbers, a and b (0 β€ a β€ n - 1, 0 β€ b β€ n - 1), corresponding to edge (a, b).
Edges can be printed in any order; vertices of the edge can also be printed in any order.
Examples
Input
3
2 3
1 0
1 0
Output
2
1 0
2 0
Input
2
1 1
1 0
Output
1
0 1
Note
The XOR sum of numbers is the result of bitwise adding numbers modulo 2. This operation exists in many modern programming languages. For example, in languages C++, Java and Python it is represented as "^", and in Pascal β as "xor".
Submitted Solution:
```
n = int(input())
d = []
v = []
for i in range(n):
(a, b) = map(int, input().split())
d.append([a, b, i])
v.append([a, b, i])
d.sort()
ans = []
for i in d:
a = i[2]
if v[a][0] > 0:
b = v[a][1]
v[b][1] ^= a
v[b][0] -= 1
ans.append((a,b))
print(len(ans))
for i in ans:
print(*i)
``` | instruction | 0 | 75,449 | 13 | 150,898 |
No | output | 1 | 75,449 | 13 | 150,899 |
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response.
Let's define a forest as a non-directed acyclic graph (also without loops and parallel edges). One day Misha played with the forest consisting of n vertices. For each vertex v from 0 to n - 1 he wrote down two integers, degreev and sv, were the first integer is the number of vertices adjacent to vertex v, and the second integer is the XOR sum of the numbers of vertices adjacent to v (if there were no adjacent vertices, he wrote down 0).
Next day Misha couldn't remember what graph he initially had. Misha has values degreev and sv left, though. Help him find the number of edges and the edges of the initial graph. It is guaranteed that there exists a forest that corresponds to the numbers written by Misha.
Input
The first line contains integer n (1 β€ n β€ 216), the number of vertices in the graph.
The i-th of the next lines contains numbers degreei and si (0 β€ degreei β€ n - 1, 0 β€ si < 216), separated by a space.
Output
In the first line print number m, the number of edges of the graph.
Next print m lines, each containing two distinct numbers, a and b (0 β€ a β€ n - 1, 0 β€ b β€ n - 1), corresponding to edge (a, b).
Edges can be printed in any order; vertices of the edge can also be printed in any order.
Examples
Input
3
2 3
1 0
1 0
Output
2
1 0
2 0
Input
2
1 1
1 0
Output
1
0 1
Note
The XOR sum of numbers is the result of bitwise adding numbers modulo 2. This operation exists in many modern programming languages. For example, in languages C++, Java and Python it is represented as "^", and in Pascal β as "xor".
Submitted Solution:
```
read = lambda: map(int, input().split())
n = int(input())
a = [list(read()) for i in range(n)]
a = [[a[i][0], a[i][1], i] for i in range(n)]
pos = [0] * n
for i in range(n):
pos[a[i][2]] = i
a.sort()
b = []
for d, s, v in a:
if d == 1:
b.append((d, s, v))
ans = set()
st = 0
while st < len(b):
d, s, v = b[st]
if d == 1:
ans.add((min(v, s), max(v, s)))
j = pos[s]
a[j][0] -= 1
a[j][1] ^= s
if a[j][0] == 1:
b.append((1, a[j][1], a[j][2]))
st += 1
print(len(ans))
[print(*i) for i in ans]
``` | instruction | 0 | 75,450 | 13 | 150,900 |
No | output | 1 | 75,450 | 13 | 150,901 |
Provide tags and a correct Python 2 solution for this coding contest problem.
The clique problem is one of the most well-known NP-complete problems. Under some simplification it can be formulated as follows. Consider an undirected graph G. It is required to find a subset of vertices C of the maximum size such that any two of them are connected by an edge in graph G. Sounds simple, doesn't it? Nobody yet knows an algorithm that finds a solution to this problem in polynomial time of the size of the graph. However, as with many other NP-complete problems, the clique problem is easier if you consider a specific type of a graph.
Consider n distinct points on a line. Let the i-th point have the coordinate xi and weight wi. Let's form graph G, whose vertices are these points and edges connect exactly the pairs of points (i, j), such that the distance between them is not less than the sum of their weights, or more formally: |xi - xj| β₯ wi + wj.
Find the size of the maximum clique in such graph.
Input
The first line contains the integer n (1 β€ n β€ 200 000) β the number of points.
Each of the next n lines contains two numbers xi, wi (0 β€ xi β€ 109, 1 β€ wi β€ 109) β the coordinate and the weight of a point. All xi are different.
Output
Print a single number β the number of vertexes in the maximum clique of the given graph.
Examples
Input
4
2 3
3 1
6 1
0 2
Output
3
Note
If you happen to know how to solve this problem without using the specific properties of the graph formulated in the problem statement, then you are able to get a prize of one million dollars!
The picture for the sample test.
<image> | instruction | 0 | 75,451 | 13 | 150,902 |
Tags: data structures, dp, greedy, implementation, sortings
Correct Solution:
```
from sys import stdin, stdout
from collections import Counter, defaultdict
from itertools import permutations, combinations
from fractions import Fraction
raw_input = stdin.readline
pr = stdout.write
mod=10**9+7
def ni():
return int(raw_input())
def li():
return map(int,raw_input().split())
def pn(n):
stdout.write(str(n)+'\n')
def pa(arr):
pr(' '.join(map(str,arr))+'\n')
# fast read function for total integer input
def inp():
# this function returns whole input of
# space/line seperated integers
# Use Ctrl+D to flush stdin.
return map(int,stdin.read().split())
range = xrange # not for python 3.0+
# main code
n=ni()
l=[]
for i in range(n):
l.append(tuple(li()))
l.sort(key=lambda x:sum(x))
id=0
ans=1
for i in range(1,n):
if l[i][0]-l[i][1]>=sum(l[id]):
id=i
ans+=1
pn(ans)
``` | output | 1 | 75,451 | 13 | 150,903 |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.