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 a correct Python 3 solution for this coding contest problem. Takahashi has received an undirected graph with N vertices, numbered 1, 2, ..., N. The edges in this graph are represented by (u_i, v_i). There are no self-loops and multiple edges in this graph. Based on this graph, Takahashi is now constructing a new graph with N^2 vertices, where each vertex is labeled with a pair of integers (a, b) (1 \leq a \leq N, 1 \leq b \leq N). The edges in this new graph are generated by the following rule: * Span an edge between vertices (a, b) and (a', b') if and only if both of the following two edges exist in the original graph: an edge between vertices a and a', and an edge between vertices b and b'. How many connected components are there in this new graph? Constraints * 2 \leq N \leq 100,000 * 0 \leq M \leq 200,000 * 1 \leq u_i < v_i \leq N * There exists no pair of distinct integers i and j such that u_i = u_j and v_i = v_j. Input The input is given from Standard Input in the following format: N M u_1 v_1 u_2 v_2 : u_M v_M Output Print the number of the connected components in the graph constructed by Takahashi. Examples Input 3 1 1 2 Output 7 Input 7 5 1 2 3 4 3 5 4 5 2 6 Output 18
instruction
0
28,960
13
57,920
"Correct Solution: ``` import sys input = sys.stdin.readline n, m = map(int, input().split()) G = [[] for _ in range(n)] for _ in range(m): u, v = map(int, input().split()) u -= 1 v -= 1 G[u].append(v) G[v].append(u) seen = [-1]*n p, q, r = 0, 0, 0 def dfs(v): stack = [(v, 0)] seen[v] = 0 f = False while stack: v, c = stack.pop() for nv in G[v]: if seen[nv] == -1: seen[nv] = c^1 stack.append((nv, c^1)) else: if seen[nv]^c == 0: f = True return f for v in range(n): if seen[v] != -1: continue if not G[v]: r += 1 else: if dfs(v): p += 1 else: q += 1 ans = r*(2*n-r) + (p+q)*(p+q) + q*q print(ans) ```
output
1
28,960
13
57,921
Provide a correct Python 3 solution for this coding contest problem. Takahashi has received an undirected graph with N vertices, numbered 1, 2, ..., N. The edges in this graph are represented by (u_i, v_i). There are no self-loops and multiple edges in this graph. Based on this graph, Takahashi is now constructing a new graph with N^2 vertices, where each vertex is labeled with a pair of integers (a, b) (1 \leq a \leq N, 1 \leq b \leq N). The edges in this new graph are generated by the following rule: * Span an edge between vertices (a, b) and (a', b') if and only if both of the following two edges exist in the original graph: an edge between vertices a and a', and an edge between vertices b and b'. How many connected components are there in this new graph? Constraints * 2 \leq N \leq 100,000 * 0 \leq M \leq 200,000 * 1 \leq u_i < v_i \leq N * There exists no pair of distinct integers i and j such that u_i = u_j and v_i = v_j. Input The input is given from Standard Input in the following format: N M u_1 v_1 u_2 v_2 : u_M v_M Output Print the number of the connected components in the graph constructed by Takahashi. Examples Input 3 1 1 2 Output 7 Input 7 5 1 2 3 4 3 5 4 5 2 6 Output 18
instruction
0
28,961
13
57,922
"Correct Solution: ``` import sys input = sys.stdin.readline n, m = map(int, input().split()) G = [[] for _ in range(n)] for _ in range(m): u, v = map(int, input().split()) u -= 1 v -= 1 G[u].append(v) G[v].append(u) seen = [-1]*n p, q, r = 0, 0, 0 def dfs(v): global p, q stack = [(v, 0)] seen[v] = 0 f = False while stack: v, c = stack.pop() for nv in G[v]: if seen[nv] == -1: seen[nv] = c^1 stack.append((nv, c^1)) else: if seen[nv]^c == 0: f = True if f: p += 1 else: q += 1 for v in range(n): if seen[v] != -1: continue if not G[v]: r += 1 else: dfs(v) ans = r*(2*n-r) + (p+q)*(p+q) + q*q print(ans) ```
output
1
28,961
13
57,923
Provide a correct Python 3 solution for this coding contest problem. Takahashi has received an undirected graph with N vertices, numbered 1, 2, ..., N. The edges in this graph are represented by (u_i, v_i). There are no self-loops and multiple edges in this graph. Based on this graph, Takahashi is now constructing a new graph with N^2 vertices, where each vertex is labeled with a pair of integers (a, b) (1 \leq a \leq N, 1 \leq b \leq N). The edges in this new graph are generated by the following rule: * Span an edge between vertices (a, b) and (a', b') if and only if both of the following two edges exist in the original graph: an edge between vertices a and a', and an edge between vertices b and b'. How many connected components are there in this new graph? Constraints * 2 \leq N \leq 100,000 * 0 \leq M \leq 200,000 * 1 \leq u_i < v_i \leq N * There exists no pair of distinct integers i and j such that u_i = u_j and v_i = v_j. Input The input is given from Standard Input in the following format: N M u_1 v_1 u_2 v_2 : u_M v_M Output Print the number of the connected components in the graph constructed by Takahashi. Examples Input 3 1 1 2 Output 7 Input 7 5 1 2 3 4 3 5 4 5 2 6 Output 18
instruction
0
28,962
13
57,924
"Correct Solution: ``` # 写経 # https://atcoder.jp/contests/agc011/submissions/1157055 class UnionFind: def __init__(self, n): self.v = [-1 for _ in range(n)] def find(self, x): if self.v[x] < 0: return x else: self.v[x] = self.find(self.v[x]) return self.v[x] def unite(self, x, y): x = self.find(x) y = self.find(y) if x == y: return if -self.v[x] < -self.v[y]: x, y = y, x self.v[x] += self.v[y] self.v[y] = x def root(self, x): return self.v[x] < 0 def same(self, x, y): return self.find(x) == self.find(y) def size(self, x): return -self.v[self.find(x)] N, M = map(int, input().split()) uf = UnionFind(2 * N) for _ in range(M): u, v = map(int, input().split()) u -= 1 v -= 1 uf.unite(u, N + v) uf.unite(N + u, v) alone = 0 bi = 0 unko = 0 for u in range(N): if uf.root(u) or uf.root(N + u): if uf.size(u) == 1: alone += 1 elif uf.same(u, N + u): unko += 1 else: bi += 1 ans = 0 ans += alone * N ans += N * alone ans -= alone * alone ans += bi * bi * 2 ans += bi * unko ans += unko * bi ans += unko * unko print(ans) ```
output
1
28,962
13
57,925
Provide a correct Python 3 solution for this coding contest problem. Takahashi has received an undirected graph with N vertices, numbered 1, 2, ..., N. The edges in this graph are represented by (u_i, v_i). There are no self-loops and multiple edges in this graph. Based on this graph, Takahashi is now constructing a new graph with N^2 vertices, where each vertex is labeled with a pair of integers (a, b) (1 \leq a \leq N, 1 \leq b \leq N). The edges in this new graph are generated by the following rule: * Span an edge between vertices (a, b) and (a', b') if and only if both of the following two edges exist in the original graph: an edge between vertices a and a', and an edge between vertices b and b'. How many connected components are there in this new graph? Constraints * 2 \leq N \leq 100,000 * 0 \leq M \leq 200,000 * 1 \leq u_i < v_i \leq N * There exists no pair of distinct integers i and j such that u_i = u_j and v_i = v_j. Input The input is given from Standard Input in the following format: N M u_1 v_1 u_2 v_2 : u_M v_M Output Print the number of the connected components in the graph constructed by Takahashi. Examples Input 3 1 1 2 Output 7 Input 7 5 1 2 3 4 3 5 4 5 2 6 Output 18
instruction
0
28,963
13
57,926
"Correct Solution: ``` mod = 1000000007 eps = 10**-9 def main(): import sys from collections import deque input = sys.stdin.buffer.readline N, M = map(int, input().split()) adj = [[] for _ in range(N+1)] for _ in range(M): a, b = map(int, input().split()) adj[a].append(b) adj[b].append(a) seen = [0] * (N+1) single = 0 bipartite = 0 not_bipartite = 0 for v0 in range(1, N+1): if seen[v0] != 0: continue flg = 1 que = deque() que.append(v0) seen[v0] = 1 cnt = 0 while que: v = que.popleft() cnt += 1 for u in adj[v]: if seen[u] == 0: seen[u] = -seen[v] que.append(u) else: if seen[u] == seen[v]: flg = 0 if cnt == 1: single += 1 else: if flg: bipartite += 1 else: not_bipartite += 1 ans = N ** 2 - (N - single) ** 2 ans += (bipartite + not_bipartite) ** 2 ans += bipartite ** 2 print(ans) if __name__ == '__main__': main() ```
output
1
28,963
13
57,927
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response. Takahashi has received an undirected graph with N vertices, numbered 1, 2, ..., N. The edges in this graph are represented by (u_i, v_i). There are no self-loops and multiple edges in this graph. Based on this graph, Takahashi is now constructing a new graph with N^2 vertices, where each vertex is labeled with a pair of integers (a, b) (1 \leq a \leq N, 1 \leq b \leq N). The edges in this new graph are generated by the following rule: * Span an edge between vertices (a, b) and (a', b') if and only if both of the following two edges exist in the original graph: an edge between vertices a and a', and an edge between vertices b and b'. How many connected components are there in this new graph? Constraints * 2 \leq N \leq 100,000 * 0 \leq M \leq 200,000 * 1 \leq u_i < v_i \leq N * There exists no pair of distinct integers i and j such that u_i = u_j and v_i = v_j. Input The input is given from Standard Input in the following format: N M u_1 v_1 u_2 v_2 : u_M v_M Output Print the number of the connected components in the graph constructed by Takahashi. Examples Input 3 1 1 2 Output 7 Input 7 5 1 2 3 4 3 5 4 5 2 6 Output 18 Submitted Solution: ``` import sys def check_bipartite(s, links, visited): q = [(s, 0)] is_bipartite = True count = 0 while q: v, color = q.pop() if visited[v] != -1: if visited[v] != color: is_bipartite = False continue visited[v] = color count += 1 new_color = color ^ 1 for u in links[v]: if visited[u] != -1: if visited[u] != new_color: is_bipartite = False continue q.append((u, new_color)) return is_bipartite, count n, m = map(int, sys.stdin.buffer.readline().split()) links = [set() for _ in range(n)] mp = map(int, sys.stdin.buffer.read().split()) for u, v in zip(mp, mp): u -= 1 v -= 1 links[u].add(v) links[v].add(u) visited = [-1] * n count_bipartite = 0 count_non_bipartite = 0 count_isolated = 0 ans = 0 for v in range(n): if visited[v] != -1: continue is_bipartite, count = check_bipartite(v, links, visited) if count == 1: count_isolated += 1 elif is_bipartite: count_bipartite += 1 else: count_non_bipartite += 1 ans = count_isolated * (n * 2 - count_isolated) ans += count_non_bipartite * (count_non_bipartite + count_bipartite * 2) ans += count_bipartite ** 2 * 2 print(ans) ```
instruction
0
28,964
13
57,928
Yes
output
1
28,964
13
57,929
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response. Takahashi has received an undirected graph with N vertices, numbered 1, 2, ..., N. The edges in this graph are represented by (u_i, v_i). There are no self-loops and multiple edges in this graph. Based on this graph, Takahashi is now constructing a new graph with N^2 vertices, where each vertex is labeled with a pair of integers (a, b) (1 \leq a \leq N, 1 \leq b \leq N). The edges in this new graph are generated by the following rule: * Span an edge between vertices (a, b) and (a', b') if and only if both of the following two edges exist in the original graph: an edge between vertices a and a', and an edge between vertices b and b'. How many connected components are there in this new graph? Constraints * 2 \leq N \leq 100,000 * 0 \leq M \leq 200,000 * 1 \leq u_i < v_i \leq N * There exists no pair of distinct integers i and j such that u_i = u_j and v_i = v_j. Input The input is given from Standard Input in the following format: N M u_1 v_1 u_2 v_2 : u_M v_M Output Print the number of the connected components in the graph constructed by Takahashi. Examples Input 3 1 1 2 Output 7 Input 7 5 1 2 3 4 3 5 4 5 2 6 Output 18 Submitted Solution: ``` class UnionFind: """素集合を木構造として管理する""" def __init__(self, n): self.parent = [-1] * n self.cnt = n def root(self, x): """要素xの根を求める""" if self.parent[x] < 0: return x else: self.parent[x] = self.root(self.parent[x]) return self.parent[x] def merge(self, x, y): """要素xを含む集合と要素yを含む集合を統合する""" x = self.root(x) y = self.root(y) if x == y: return if self.parent[x] > self.parent[y]: x, y = y, x self.parent[x] += self.parent[y] self.parent[y] = x self.cnt -= 1 def is_same(self, x, y): """要素x, yが同じ集合に属するかどうかを求める""" return self.root(x) == self.root(y) def get_size(self, x): """要素xを含む集合の要素数を求める""" return -self.parent[self.root(x)] def get_cnt(self): """集合の個数を求める""" return self.cnt def is_bipartite(graph, s): """頂点sを含むgraphが二部グラフかどうかを判定する""" n = len(graph) stack = [s] visited[s] = 0 is_bi = True while stack: v = stack.pop() for nxt_v in graph[v]: if visited[nxt_v] == -1: visited[nxt_v] = visited[v] ^ 1 stack.append(nxt_v) elif visited[nxt_v] ^ visited[v] == 0: is_bi = False return is_bi n, m = map(int, input().split()) edges = [list(map(int, input().split())) for i in range(m)] uf = UnionFind(n) graph = [[] for i in range(n)] for a, b in edges: a -= 1 b -= 1 uf.merge(a, b) graph[a].append(b) graph[b].append(a) # 連結成分1の要素数 cnt1 = 0 for v in range(n): if uf.get_size(v) == 1: cnt1 += 1 # 連結成分が1ではない連結成分で二部グラフをなす個数 cnt_bi = 0 # 連結成分が1ではない連結成分で二部グラフをなさない個数 cnt_not_bi = 0 visited = [-1] * n for v in range(n): if visited[v] == -1: flag = is_bipartite(graph, v) if uf.get_size(v) == 1: continue if flag: cnt_bi += 1 else: cnt_not_bi += 1 ans = n ** 2 - (n - cnt1) ** 2 cnt = cnt_bi + cnt_not_bi ans += 2 * (cnt_bi ** 2) + (cnt ** 2) - (cnt_bi ** 2) print(ans) ```
instruction
0
28,965
13
57,930
Yes
output
1
28,965
13
57,931
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response. Takahashi has received an undirected graph with N vertices, numbered 1, 2, ..., N. The edges in this graph are represented by (u_i, v_i). There are no self-loops and multiple edges in this graph. Based on this graph, Takahashi is now constructing a new graph with N^2 vertices, where each vertex is labeled with a pair of integers (a, b) (1 \leq a \leq N, 1 \leq b \leq N). The edges in this new graph are generated by the following rule: * Span an edge between vertices (a, b) and (a', b') if and only if both of the following two edges exist in the original graph: an edge between vertices a and a', and an edge between vertices b and b'. How many connected components are there in this new graph? Constraints * 2 \leq N \leq 100,000 * 0 \leq M \leq 200,000 * 1 \leq u_i < v_i \leq N * There exists no pair of distinct integers i and j such that u_i = u_j and v_i = v_j. Input The input is given from Standard Input in the following format: N M u_1 v_1 u_2 v_2 : u_M v_M Output Print the number of the connected components in the graph constructed by Takahashi. Examples Input 3 1 1 2 Output 7 Input 7 5 1 2 3 4 3 5 4 5 2 6 Output 18 Submitted Solution: ``` import queue n,m=map(int,input().split()) vis,ci,cb,cc=[0]*(n+1),0,0,0 g=[[] for i in range(n+1)] def dfs(x): stk,flag=queue.LifoQueue(),True stk.put((x,1)) while not stk.empty(): u,col=stk.get() if vis[u]: flag&=(vis[u]==col) continue vis[u]=col for i in g[u]: stk.put((i,3-col)) return flag for i in range(m): u,v=map(int,input().split()) g[u]+=[v] g[v]+=[u] for i in range(1,n+1): if vis[i]==0: if len(g[i])==0: ci+=1 else: if dfs(i): cb+=1 else: cc+=1 print(ci*ci+2*ci*(n-ci)+cc*cc+2*cb*cc+2*cb*cb) ```
instruction
0
28,966
13
57,932
Yes
output
1
28,966
13
57,933
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response. Takahashi has received an undirected graph with N vertices, numbered 1, 2, ..., N. The edges in this graph are represented by (u_i, v_i). There are no self-loops and multiple edges in this graph. Based on this graph, Takahashi is now constructing a new graph with N^2 vertices, where each vertex is labeled with a pair of integers (a, b) (1 \leq a \leq N, 1 \leq b \leq N). The edges in this new graph are generated by the following rule: * Span an edge between vertices (a, b) and (a', b') if and only if both of the following two edges exist in the original graph: an edge between vertices a and a', and an edge between vertices b and b'. How many connected components are there in this new graph? Constraints * 2 \leq N \leq 100,000 * 0 \leq M \leq 200,000 * 1 \leq u_i < v_i \leq N * There exists no pair of distinct integers i and j such that u_i = u_j and v_i = v_j. Input The input is given from Standard Input in the following format: N M u_1 v_1 u_2 v_2 : u_M v_M Output Print the number of the connected components in the graph constructed by Takahashi. Examples Input 3 1 1 2 Output 7 Input 7 5 1 2 3 4 3 5 4 5 2 6 Output 18 Submitted Solution: ``` import sys input = sys.stdin.readline N, M = map(int, input().split()) graph = [[] for _ in range(N)] for _ in range(M): a, b = map(int, input().split()) graph[a-1].append(b-1) graph[b-1].append(a-1) D = [-1]*N def bfs(s): isBi = True q = [s] D[s] = 0 d = 0 while q: qq = [] d ^= 1 for p in q: for np in graph[p]: if D[np] == -1: D[np] = d qq.append(np) elif D[np] != d: isBi = False q = qq return isBi a = 0 b = 0 c = 0 for n in range(N): if D[n] == -1: if len(graph[n]) == 0: c += 1 elif bfs(n): a += 1 else: b += 1 ans = 2*a**2 + 2*a*b + b**2 + 2*N*c - c**2 print(ans) ```
instruction
0
28,967
13
57,934
Yes
output
1
28,967
13
57,935
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response. Takahashi has received an undirected graph with N vertices, numbered 1, 2, ..., N. The edges in this graph are represented by (u_i, v_i). There are no self-loops and multiple edges in this graph. Based on this graph, Takahashi is now constructing a new graph with N^2 vertices, where each vertex is labeled with a pair of integers (a, b) (1 \leq a \leq N, 1 \leq b \leq N). The edges in this new graph are generated by the following rule: * Span an edge between vertices (a, b) and (a', b') if and only if both of the following two edges exist in the original graph: an edge between vertices a and a', and an edge between vertices b and b'. How many connected components are there in this new graph? Constraints * 2 \leq N \leq 100,000 * 0 \leq M \leq 200,000 * 1 \leq u_i < v_i \leq N * There exists no pair of distinct integers i and j such that u_i = u_j and v_i = v_j. Input The input is given from Standard Input in the following format: N M u_1 v_1 u_2 v_2 : u_M v_M Output Print the number of the connected components in the graph constructed by Takahashi. Examples Input 3 1 1 2 Output 7 Input 7 5 1 2 3 4 3 5 4 5 2 6 Output 18 Submitted Solution: ``` import sys readline = sys.stdin.readline def check(s, Edge): stack = [s] col = [0]*N while stack: vn = stack.pop() for vf in Edge[vn]: if vf in used: if col[vn] == col[vf]: return False else: col[vf] = not col[vn] used.add(vf) stack.append(vf) return True N, M = map(int, readline().split()) Edge = [[] for _ in range(N)] for _ in range(M): a, b = map(int, readline().split()) a -= 1 b -= 1 Edge[a].append(b) Edge[b].append(a) bip = 0 nb = 0 po = 0 used = set() for i in range(N): if i in used: continue used.add(i) if not Edge[i]: po += 1 continue if check(i, Edge): bip += 1 else: nb = 1 print(2*bip**2+2*nb*bip+nb**2+N**2-(N-po)**2) ```
instruction
0
28,968
13
57,936
No
output
1
28,968
13
57,937
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response. Takahashi has received an undirected graph with N vertices, numbered 1, 2, ..., N. The edges in this graph are represented by (u_i, v_i). There are no self-loops and multiple edges in this graph. Based on this graph, Takahashi is now constructing a new graph with N^2 vertices, where each vertex is labeled with a pair of integers (a, b) (1 \leq a \leq N, 1 \leq b \leq N). The edges in this new graph are generated by the following rule: * Span an edge between vertices (a, b) and (a', b') if and only if both of the following two edges exist in the original graph: an edge between vertices a and a', and an edge between vertices b and b'. How many connected components are there in this new graph? Constraints * 2 \leq N \leq 100,000 * 0 \leq M \leq 200,000 * 1 \leq u_i < v_i \leq N * There exists no pair of distinct integers i and j such that u_i = u_j and v_i = v_j. Input The input is given from Standard Input in the following format: N M u_1 v_1 u_2 v_2 : u_M v_M Output Print the number of the connected components in the graph constructed by Takahashi. Examples Input 3 1 1 2 Output 7 Input 7 5 1 2 3 4 3 5 4 5 2 6 Output 18 Submitted Solution: ``` import queue n,m=map(int,input().split()) vis,ci,cb,cc=[0]*(n+1),0,0,0 g=[[] for i in range(n+1)] def dfs(x): stk,flag=queue.LifoQueue(),True stk.put((x,1)) while not stk.empty(): u,col=stk.get() if vis[u]: flag&=(vis[u]==col) continue vis[u]=col for i in g[u]: stk.put((i,3-col)) return flag for i in range(m): u,v=map(int,input().split()) g[u]+=[v] g[v]+=[u] for i in range(1,n+1): if vis[i]==0: if len(g[i])==0: ci+=1 else: if dfs(i): cb+=1 else: cc+=1 print(ci*ci+2*ci*(n-ci)+cc*cc+2*cb*cc+2*cb*cb) ```
instruction
0
28,969
13
57,938
No
output
1
28,969
13
57,939
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response. Takahashi has received an undirected graph with N vertices, numbered 1, 2, ..., N. The edges in this graph are represented by (u_i, v_i). There are no self-loops and multiple edges in this graph. Based on this graph, Takahashi is now constructing a new graph with N^2 vertices, where each vertex is labeled with a pair of integers (a, b) (1 \leq a \leq N, 1 \leq b \leq N). The edges in this new graph are generated by the following rule: * Span an edge between vertices (a, b) and (a', b') if and only if both of the following two edges exist in the original graph: an edge between vertices a and a', and an edge between vertices b and b'. How many connected components are there in this new graph? Constraints * 2 \leq N \leq 100,000 * 0 \leq M \leq 200,000 * 1 \leq u_i < v_i \leq N * There exists no pair of distinct integers i and j such that u_i = u_j and v_i = v_j. Input The input is given from Standard Input in the following format: N M u_1 v_1 u_2 v_2 : u_M v_M Output Print the number of the connected components in the graph constructed by Takahashi. Examples Input 3 1 1 2 Output 7 Input 7 5 1 2 3 4 3 5 4 5 2 6 Output 18 Submitted Solution: ``` import sys input = lambda : sys.stdin.readline().rstrip() sys.setrecursionlimit(max(1000, 10**9)) write = lambda x: sys.stdout.write(x+"\n") n,m = list(map(int, input().split())) from collections import defaultdict ns = defaultdict(set) for i in range(m): a,b = map(int, input().split()) a -= 1 b -= 1 ns[a].add(b) ns[b].add(a) # 二部グラフ判定 bipertite cs = [None]*n def is_bip(u): q = [start] cs[start] = 1 v1 = 1 v0 = 0 while q: u = q.pop() c = cs[u] cc = int(not c) bip = True for v in ns[u]: if cs[v] is None: cs[v] = cc if cc==0: v0 += 1 else: v1 += 1 q.append(v) elif cs[v]==c: bip = False if bip: return True, v0, v1 else: return False, v0+v1, 0 types = [] vals = [] ans = 0 n0 = 0 n1 = 0 n2 = 0 nv = 0 for start in range(n): if cs[start] is not None: continue res, v0, v1 = is_bip(start) # print(res, v0,v1) if v0+v1==1: # 孤立点 n0 += 1 ans += 1 elif res: # 二部グラフ nv += (v0+v1) n1 += 1 else: nv += (v0+v1) n2 += 1 ans += n0*nv*2 ans += (n1+n2)**2 + n1**2 print(ans) ```
instruction
0
28,970
13
57,940
No
output
1
28,970
13
57,941
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response. Takahashi has received an undirected graph with N vertices, numbered 1, 2, ..., N. The edges in this graph are represented by (u_i, v_i). There are no self-loops and multiple edges in this graph. Based on this graph, Takahashi is now constructing a new graph with N^2 vertices, where each vertex is labeled with a pair of integers (a, b) (1 \leq a \leq N, 1 \leq b \leq N). The edges in this new graph are generated by the following rule: * Span an edge between vertices (a, b) and (a', b') if and only if both of the following two edges exist in the original graph: an edge between vertices a and a', and an edge between vertices b and b'. How many connected components are there in this new graph? Constraints * 2 \leq N \leq 100,000 * 0 \leq M \leq 200,000 * 1 \leq u_i < v_i \leq N * There exists no pair of distinct integers i and j such that u_i = u_j and v_i = v_j. Input The input is given from Standard Input in the following format: N M u_1 v_1 u_2 v_2 : u_M v_M Output Print the number of the connected components in the graph constructed by Takahashi. Examples Input 3 1 1 2 Output 7 Input 7 5 1 2 3 4 3 5 4 5 2 6 Output 18 Submitted Solution: ``` import sys def input(): return sys.stdin.readline()[:-1] n, m = map(int, input().split()) adj = [[] for _ in range(n)] for _ in range(m): u, v = map(int, input().split()) adj[u-1].append(v-1) adj[v-1].append(u-1) visited = [False for _ in range(n)] tree, loop = 0, 0 def dfs(start): global tree, loop is_tree = True stack = [(start, -1)] while stack: x, p = stack.pop() for v in adj[x]: if v == p: continue elif visited[v]: is_tree = False else: visited[v] = True stack.append((v, x)) if is_tree: tree += 1 else: loop += 1 return for i in range(n): if not visited[i] and adj[i]: visited[i] = True dfs(i) alone = n - sum(visited) ans = 2*tree + loop + 2*tree*(tree-1) + 2*tree*loop + loop*(loop-1)//2 ans += alone*(2*n-alone) print(ans) ```
instruction
0
28,971
13
57,942
No
output
1
28,971
13
57,943
Provide tags and a correct Python 3 solution for this coding contest problem. The board has got a painted tree graph, consisting of n nodes. Let us remind you that a non-directed graph is called a tree if it is connected and doesn't contain any cycles. Each node of the graph is painted black or white in such a manner that there aren't two nodes of the same color, connected by an edge. Each edge contains its value written on it as a non-negative integer. A bad boy Vasya came up to the board and wrote number sv near each node v — the sum of values of all edges that are incident to this node. Then Vasya removed the edges and their values from the board. Your task is to restore the original tree by the node colors and numbers sv. Input The first line of the input contains a single integer n (2 ≤ n ≤ 105) — the number of nodes in the tree. Next n lines contain pairs of space-separated integers ci, si (0 ≤ ci ≤ 1, 0 ≤ si ≤ 109), where ci stands for the color of the i-th vertex (0 is for white, 1 is for black), and si represents the sum of values of the edges that are incident to the i-th vertex of the tree that is painted on the board. Output Print the description of n - 1 edges of the tree graph. Each description is a group of three integers vi, ui, wi (1 ≤ vi, ui ≤ n, vi ≠ ui, 0 ≤ wi ≤ 109), where vi and ui — are the numbers of the nodes that are connected by the i-th edge, and wi is its value. Note that the following condition must fulfill cvi ≠ cui. It is guaranteed that for any input data there exists at least one graph that meets these data. If there are multiple solutions, print any of them. You are allowed to print the edges in any order. As you print the numbers, separate them with spaces. Examples Input 3 1 3 1 2 0 5 Output 3 1 3 3 2 2 Input 6 1 0 0 3 1 8 0 2 0 3 0 0 Output 2 3 3 5 3 3 4 3 2 1 6 0 2 1 0
instruction
0
29,421
13
58,842
Tags: constructive algorithms, dsu, graphs, greedy, trees Correct Solution: ``` n = int(input()) white, black = [], [] for i in range(n): color, weightSum = map(int, input().split()) if color == 0: white.append([weightSum, i+1]) else : black.append([weightSum, i+1]) white.sort() black.sort() wc,bc, wl, bl, edges = 0 , 0, len(white), len(black), [] while wc < wl and bc < bl: weight = white[wc][0] - black[bc][0] edges.append([white[wc][1], black[bc][1], min(white[wc][0], black[bc][0])]) #print([ wc, bc ,white[wc][1], black[bc][1], min(white[wc][0], black[bc][0])]) if weight > 0 or (weight == 0 and wl - wc < bl - bc): white[wc][0]-= black[bc][0] bc += 1 else: black[bc][0] -= white[wc][0] wc+=1 #print([wc, bc]) print("\n".join(map("{0[0]} {0[1]} {0[2]}".format, edges))) ```
output
1
29,421
13
58,843
Provide tags and a correct Python 3 solution for this coding contest problem. The board has got a painted tree graph, consisting of n nodes. Let us remind you that a non-directed graph is called a tree if it is connected and doesn't contain any cycles. Each node of the graph is painted black or white in such a manner that there aren't two nodes of the same color, connected by an edge. Each edge contains its value written on it as a non-negative integer. A bad boy Vasya came up to the board and wrote number sv near each node v — the sum of values of all edges that are incident to this node. Then Vasya removed the edges and their values from the board. Your task is to restore the original tree by the node colors and numbers sv. Input The first line of the input contains a single integer n (2 ≤ n ≤ 105) — the number of nodes in the tree. Next n lines contain pairs of space-separated integers ci, si (0 ≤ ci ≤ 1, 0 ≤ si ≤ 109), where ci stands for the color of the i-th vertex (0 is for white, 1 is for black), and si represents the sum of values of the edges that are incident to the i-th vertex of the tree that is painted on the board. Output Print the description of n - 1 edges of the tree graph. Each description is a group of three integers vi, ui, wi (1 ≤ vi, ui ≤ n, vi ≠ ui, 0 ≤ wi ≤ 109), where vi and ui — are the numbers of the nodes that are connected by the i-th edge, and wi is its value. Note that the following condition must fulfill cvi ≠ cui. It is guaranteed that for any input data there exists at least one graph that meets these data. If there are multiple solutions, print any of them. You are allowed to print the edges in any order. As you print the numbers, separate them with spaces. Examples Input 3 1 3 1 2 0 5 Output 3 1 3 3 2 2 Input 6 1 0 0 3 1 8 0 2 0 3 0 0 Output 2 3 3 5 3 3 4 3 2 1 6 0 2 1 0
instruction
0
29,422
13
58,844
Tags: constructive algorithms, dsu, graphs, greedy, trees Correct Solution: ``` n = int(input()) white, black = [], [] for i in range(n): color, weightSum = map(int, input().split()) if color == 0: white.append([weightSum, i+1]) else : black.append([weightSum, i+1]) #white.sort() #black.sort() wc,bc, wl, bl, edges = 0 , 0, len(white), len(black), [] while wc < wl and bc < bl: weight = white[wc][0] - black[bc][0] edges.append([white[wc][1], black[bc][1], min(white[wc][0], black[bc][0])]) #print([ wc, bc ,white[wc][1], black[bc][1], min(white[wc][0], black[bc][0])]) if weight > 0 or (weight == 0 and wl - wc < bl - bc): white[wc][0]-= black[bc][0] bc += 1 else: black[bc][0] -= white[wc][0] wc+=1 #print([wc, bc]) print("\n".join(map("{0[0]} {0[1]} {0[2]}".format, edges))) ```
output
1
29,422
13
58,845
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response. The board has got a painted tree graph, consisting of n nodes. Let us remind you that a non-directed graph is called a tree if it is connected and doesn't contain any cycles. Each node of the graph is painted black or white in such a manner that there aren't two nodes of the same color, connected by an edge. Each edge contains its value written on it as a non-negative integer. A bad boy Vasya came up to the board and wrote number sv near each node v — the sum of values of all edges that are incident to this node. Then Vasya removed the edges and their values from the board. Your task is to restore the original tree by the node colors and numbers sv. Input The first line of the input contains a single integer n (2 ≤ n ≤ 105) — the number of nodes in the tree. Next n lines contain pairs of space-separated integers ci, si (0 ≤ ci ≤ 1, 0 ≤ si ≤ 109), where ci stands for the color of the i-th vertex (0 is for white, 1 is for black), and si represents the sum of values of the edges that are incident to the i-th vertex of the tree that is painted on the board. Output Print the description of n - 1 edges of the tree graph. Each description is a group of three integers vi, ui, wi (1 ≤ vi, ui ≤ n, vi ≠ ui, 0 ≤ wi ≤ 109), where vi and ui — are the numbers of the nodes that are connected by the i-th edge, and wi is its value. Note that the following condition must fulfill cvi ≠ cui. It is guaranteed that for any input data there exists at least one graph that meets these data. If there are multiple solutions, print any of them. You are allowed to print the edges in any order. As you print the numbers, separate them with spaces. Examples Input 3 1 3 1 2 0 5 Output 3 1 3 3 2 2 Input 6 1 0 0 3 1 8 0 2 0 3 0 0 Output 2 3 3 5 3 3 4 3 2 1 6 0 2 1 0 Submitted Solution: ``` n = int(input()) white, black = [], [] for i in range(n): color, weightSum = map(int, input().split()) if color == 0: white.append([weightSum, i+1]) else : black.append([weightSum, i+1]) white.sort() black.sort() wc,bc, wl, bl, edges = 0 , 0, len(white), len(black), [] while wc < wl and bc < bl: weight = white[wc][0] - black[bc][0] edges.append([white[wc][1], black[bc][1], min(white[wc][0], black[bc][0])]) #print([ wc, bc ,white[wc][1], black[bc][1], min(white[wc][0], black[bc][0])]) if weight > 0 or (weight == 0 and wl - wc > bl - bc): white[wc][0]-= black[bc][0] bc += 1 else: black[bc][0] -= white[wc][0] wc+=1 print([wc, bc]) print("\n".join(map("{0[0]} {0[1]} {0[2]}".format, edges))) ```
instruction
0
29,423
13
58,846
No
output
1
29,423
13
58,847
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response. The board has got a painted tree graph, consisting of n nodes. Let us remind you that a non-directed graph is called a tree if it is connected and doesn't contain any cycles. Each node of the graph is painted black or white in such a manner that there aren't two nodes of the same color, connected by an edge. Each edge contains its value written on it as a non-negative integer. A bad boy Vasya came up to the board and wrote number sv near each node v — the sum of values of all edges that are incident to this node. Then Vasya removed the edges and their values from the board. Your task is to restore the original tree by the node colors and numbers sv. Input The first line of the input contains a single integer n (2 ≤ n ≤ 105) — the number of nodes in the tree. Next n lines contain pairs of space-separated integers ci, si (0 ≤ ci ≤ 1, 0 ≤ si ≤ 109), where ci stands for the color of the i-th vertex (0 is for white, 1 is for black), and si represents the sum of values of the edges that are incident to the i-th vertex of the tree that is painted on the board. Output Print the description of n - 1 edges of the tree graph. Each description is a group of three integers vi, ui, wi (1 ≤ vi, ui ≤ n, vi ≠ ui, 0 ≤ wi ≤ 109), where vi and ui — are the numbers of the nodes that are connected by the i-th edge, and wi is its value. Note that the following condition must fulfill cvi ≠ cui. It is guaranteed that for any input data there exists at least one graph that meets these data. If there are multiple solutions, print any of them. You are allowed to print the edges in any order. As you print the numbers, separate them with spaces. Examples Input 3 1 3 1 2 0 5 Output 3 1 3 3 2 2 Input 6 1 0 0 3 1 8 0 2 0 3 0 0 Output 2 3 3 5 3 3 4 3 2 1 6 0 2 1 0 Submitted Solution: ``` n = int(input()) white, black = [], [] for i in range(n): color, weightSum = map(int, input().split()) if color == 0: white.append([weightSum, i+1]) else : black.append([weightSum, i+1]) white.sort() black.sort() wc,bc, wl, bl, edges = 0 , 0, len(white), len(black), [] while wc < wl and bc < bl: weight = white[wc][0] - black[bc][0] edges.append([white[wc][1], black[bc][1], min(white[wc][0], black[bc][0])]) #print([ wc, bc ,white[wc][1], black[bc][1], min(white[wc][0], black[bc][0])]) if weight > 0 or (weight == 0 and wl - wc > bl - bc): white[wc][0]-= black[bc][0] bc += 1 else: black[bc][0] -= white[wc][0] wc+=1 #print([wc, bc]) print("\n".join(map("{0[0]} {0[1]} {0[2]}".format, edges))) ```
instruction
0
29,424
13
58,848
No
output
1
29,424
13
58,849
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response. The board has got a painted tree graph, consisting of n nodes. Let us remind you that a non-directed graph is called a tree if it is connected and doesn't contain any cycles. Each node of the graph is painted black or white in such a manner that there aren't two nodes of the same color, connected by an edge. Each edge contains its value written on it as a non-negative integer. A bad boy Vasya came up to the board and wrote number sv near each node v — the sum of values of all edges that are incident to this node. Then Vasya removed the edges and their values from the board. Your task is to restore the original tree by the node colors and numbers sv. Input The first line of the input contains a single integer n (2 ≤ n ≤ 105) — the number of nodes in the tree. Next n lines contain pairs of space-separated integers ci, si (0 ≤ ci ≤ 1, 0 ≤ si ≤ 109), where ci stands for the color of the i-th vertex (0 is for white, 1 is for black), and si represents the sum of values of the edges that are incident to the i-th vertex of the tree that is painted on the board. Output Print the description of n - 1 edges of the tree graph. Each description is a group of three integers vi, ui, wi (1 ≤ vi, ui ≤ n, vi ≠ ui, 0 ≤ wi ≤ 109), where vi and ui — are the numbers of the nodes that are connected by the i-th edge, and wi is its value. Note that the following condition must fulfill cvi ≠ cui. It is guaranteed that for any input data there exists at least one graph that meets these data. If there are multiple solutions, print any of them. You are allowed to print the edges in any order. As you print the numbers, separate them with spaces. Examples Input 3 1 3 1 2 0 5 Output 3 1 3 3 2 2 Input 6 1 0 0 3 1 8 0 2 0 3 0 0 Output 2 3 3 5 3 3 4 3 2 1 6 0 2 1 0 Submitted Solution: ``` n = int(input()) white, black = [], [] for i in range(n): color, weightSum = map(int, input().split()) if color == 0: white.append([weightSum, i+1]) else : black.append([weightSum, i+1]) #white.sort() #black.sort() wc,bc, wl, bl, edges = 0 , 0, len(white), len(black), [] while wc < wl and bc < bl: weight = white[wc][0] - black[bc][0] edges.append([white[wc][1], black[bc][1], min(white[wc][0], black[bc][0])]) #print([ wc, bc ,white[wc][1], black[bc][1], min(white[wc][0], black[bc][0])]) if weight > 0 : white[wc][0]-= black[bc][0] bc += 1 else: black[bc][0] -= white[wc][0] wc+=1 #print([wc, bc]) print("\n".join(map("{0[0]} {0[1]} {0[2]}".format, edges))) ```
instruction
0
29,425
13
58,850
No
output
1
29,425
13
58,851
Provide tags and a correct Python 3 solution for this coding contest problem. Little girl Susie accidentally found her elder brother's notebook. She has many things to do, more important than solving problems, but she found this problem too interesting, so she wanted to know its solution and decided to ask you about it. So, the problem statement is as follows. Let's assume that we are given a connected weighted undirected graph G = (V, E) (here V is the set of vertices, E is the set of edges). The shortest-path tree from vertex u is such graph G1 = (V, E1) that is a tree with the set of edges E1 that is the subset of the set of edges of the initial graph E, and the lengths of the shortest paths from u to any vertex to G and to G1 are the same. You are given a connected weighted undirected graph G and vertex u. Your task is to find the shortest-path tree of the given graph from vertex u, the total weight of whose edges is minimum possible. Input The first line contains two numbers, n and m (1 ≤ n ≤ 3·105, 0 ≤ m ≤ 3·105) — the number of vertices and edges of the graph, respectively. Next m lines contain three integers each, representing an edge — ui, vi, wi — the numbers of vertices connected by an edge and the weight of the edge (ui ≠ vi, 1 ≤ wi ≤ 109). It is guaranteed that graph is connected and that there is no more than one edge between any pair of vertices. The last line of the input contains integer u (1 ≤ u ≤ n) — the number of the start vertex. Output In the first line print the minimum total weight of the edges of the tree. In the next line print the indices of the edges that are included in the tree, separated by spaces. The edges are numbered starting from 1 in the order they follow in the input. You may print the numbers of the edges in any order. If there are multiple answers, print any of them. Examples Input 3 3 1 2 1 2 3 1 1 3 2 3 Output 2 1 2 Input 4 4 1 2 1 2 3 1 3 4 1 4 1 2 4 Output 4 2 3 4 Note In the first sample there are two possible shortest path trees: * with edges 1 – 3 and 2 – 3 (the total weight is 3); * with edges 1 – 2 and 2 – 3 (the total weight is 2); And, for example, a tree with edges 1 – 2 and 1 – 3 won't be a shortest path tree for vertex 3, because the distance from vertex 3 to vertex 2 in this tree equals 3, and in the original graph it is 1.
instruction
0
29,541
13
59,082
Tags: graphs, greedy, shortest paths Correct Solution: ``` from sys import stdin from heapq import heappop, heappush n,m = [int(x) for x in stdin.readline().split()] graph = [{} for x in range(n+1)] for e in range(m): u,v,w = [int(x) for x in stdin.readline().split()] graph[u][v] = (w,e) graph[v][u] = (w,e) u = int(stdin.readline()) visited = set() dist = [(float('inf'),0) for x in range(n+1)] pathTo = [0 for x in range(n+1)] dist[u] = (0,0) q = [] heappush(q,(0,u)) while q: d,v = heappop(q) if not v in visited: visited.add(v) for e in graph[v]: if (d+graph[v][e][0],graph[v][e][0]) < dist[e]: dist[e] = (d+graph[v][e][0],graph[v][e][0]) pathTo[e] = graph[v][e][1] heappush(q, (d+graph[v][e][0],e)) total = 0 for x in dist[1:]: total += x[1] print(total) for x in range(1,n+1): if x != u: print(pathTo[x]+1, end=' ') ```
output
1
29,541
13
59,083
Provide tags and a correct Python 3 solution for this coding contest problem. Little girl Susie accidentally found her elder brother's notebook. She has many things to do, more important than solving problems, but she found this problem too interesting, so she wanted to know its solution and decided to ask you about it. So, the problem statement is as follows. Let's assume that we are given a connected weighted undirected graph G = (V, E) (here V is the set of vertices, E is the set of edges). The shortest-path tree from vertex u is such graph G1 = (V, E1) that is a tree with the set of edges E1 that is the subset of the set of edges of the initial graph E, and the lengths of the shortest paths from u to any vertex to G and to G1 are the same. You are given a connected weighted undirected graph G and vertex u. Your task is to find the shortest-path tree of the given graph from vertex u, the total weight of whose edges is minimum possible. Input The first line contains two numbers, n and m (1 ≤ n ≤ 3·105, 0 ≤ m ≤ 3·105) — the number of vertices and edges of the graph, respectively. Next m lines contain three integers each, representing an edge — ui, vi, wi — the numbers of vertices connected by an edge and the weight of the edge (ui ≠ vi, 1 ≤ wi ≤ 109). It is guaranteed that graph is connected and that there is no more than one edge between any pair of vertices. The last line of the input contains integer u (1 ≤ u ≤ n) — the number of the start vertex. Output In the first line print the minimum total weight of the edges of the tree. In the next line print the indices of the edges that are included in the tree, separated by spaces. The edges are numbered starting from 1 in the order they follow in the input. You may print the numbers of the edges in any order. If there are multiple answers, print any of them. Examples Input 3 3 1 2 1 2 3 1 1 3 2 3 Output 2 1 2 Input 4 4 1 2 1 2 3 1 3 4 1 4 1 2 4 Output 4 2 3 4 Note In the first sample there are two possible shortest path trees: * with edges 1 – 3 and 2 – 3 (the total weight is 3); * with edges 1 – 2 and 2 – 3 (the total weight is 2); And, for example, a tree with edges 1 – 2 and 1 – 3 won't be a shortest path tree for vertex 3, because the distance from vertex 3 to vertex 2 in this tree equals 3, and in the original graph it is 1.
instruction
0
29,542
13
59,084
Tags: graphs, greedy, shortest paths Correct Solution: ``` from collections import defaultdict,deque,Counter,OrderedDict from heapq import heappop,heappush import bisect,sys,threading def main(): n, m = map(int, input().split()) adj = [[] for i in range(n + 1)] for i in range(m): a, b, c = map(int, input().split()) adj[a].append((b, c, i)) adj[b].append((a, c, i)) v = int(input()) visited, ans, tw = [0] * (n + 1), [], 0 Q = [(0, 0, v, 0)] while Q: w, lew, u, ei = heappop(Q) if visited[u]: continue visited[u] = 1 ans.append(str(ei + 1)) tw += lew for to, we, eii in adj[u]: if not visited[to]: heappush(Q, (we + w, we, to, eii)) print(tw) print(" ".join(ans[1:])) if __name__ == "__main__": sys.setrecursionlimit(200000) threading.stack_size(102400000) thread = threading.Thread(target=main) thread.start() ```
output
1
29,542
13
59,085
Provide tags and a correct Python 3 solution for this coding contest problem. Little girl Susie accidentally found her elder brother's notebook. She has many things to do, more important than solving problems, but she found this problem too interesting, so she wanted to know its solution and decided to ask you about it. So, the problem statement is as follows. Let's assume that we are given a connected weighted undirected graph G = (V, E) (here V is the set of vertices, E is the set of edges). The shortest-path tree from vertex u is such graph G1 = (V, E1) that is a tree with the set of edges E1 that is the subset of the set of edges of the initial graph E, and the lengths of the shortest paths from u to any vertex to G and to G1 are the same. You are given a connected weighted undirected graph G and vertex u. Your task is to find the shortest-path tree of the given graph from vertex u, the total weight of whose edges is minimum possible. Input The first line contains two numbers, n and m (1 ≤ n ≤ 3·105, 0 ≤ m ≤ 3·105) — the number of vertices and edges of the graph, respectively. Next m lines contain three integers each, representing an edge — ui, vi, wi — the numbers of vertices connected by an edge and the weight of the edge (ui ≠ vi, 1 ≤ wi ≤ 109). It is guaranteed that graph is connected and that there is no more than one edge between any pair of vertices. The last line of the input contains integer u (1 ≤ u ≤ n) — the number of the start vertex. Output In the first line print the minimum total weight of the edges of the tree. In the next line print the indices of the edges that are included in the tree, separated by spaces. The edges are numbered starting from 1 in the order they follow in the input. You may print the numbers of the edges in any order. If there are multiple answers, print any of them. Examples Input 3 3 1 2 1 2 3 1 1 3 2 3 Output 2 1 2 Input 4 4 1 2 1 2 3 1 3 4 1 4 1 2 4 Output 4 2 3 4 Note In the first sample there are two possible shortest path trees: * with edges 1 – 3 and 2 – 3 (the total weight is 3); * with edges 1 – 2 and 2 – 3 (the total weight is 2); And, for example, a tree with edges 1 – 2 and 1 – 3 won't be a shortest path tree for vertex 3, because the distance from vertex 3 to vertex 2 in this tree equals 3, and in the original graph it is 1.
instruction
0
29,543
13
59,086
Tags: graphs, greedy, shortest paths Correct Solution: ``` import math,string,itertools,fractions,heapq,collections,re,array,bisect from itertools import chain, dropwhile, permutations, combinations from collections import defaultdict def VI(): return list(map(int,input().split())) def I(): return int(input()) def LIST(n,m=None): return [0]*n if m is None else [[0]*m for i in range(n)] def ELIST(n): return [[] for i in range(n)] def MI(n=None,m=None): # input matrix of integers if n is None: n,m = VI() arr = LIST(n) for i in range(n): arr[i] = VI() return arr def MS(n=None,m=None): # input matrix of strings if n is None: n,m = VI() arr = LIST(n) for i in range(n): arr[i] = input() return arr def MIT(n=None,m=None): # input transposed matrix/array of integers if n is None: n,m = VI() # a = MI(n,m) arr = LIST(m,n) for i in range(n): v = VI() for j in range(m): arr[j][i] = v[j] # for i,l in enumerate(a): # for j,x in enumerate(l): # arr[j][i] = x return arr def run2(n,m,u,v,w,x): # correct, but time limit exceeded. g = ELIST(n+1) # list of vertices; Adjacency list for i in range(m): g[u[i]].append((v[i],w[i],i+1)) g[v[i]].append((u[i],w[i],i+1)) # index priority queue with deque and priorities pq = [] marked = [False] * (n+1) pq.append((0,0,x,0)) sg = [] wmax = -w[-1] # to fix the issue that start doesn't have edge weight while len(pq)!=0: wi,lw,i,ei = heapq.heappop(pq) if not marked[i]: marked[i] = True sg.append(ei) wmax += w[ei-1] #print(i,wi,ei, wmax) for j,wj,ej in g[i]: if not marked[j]: heapq.heappush(pq, (wi+wj,wj,j,ej)) sg = sg[1:] print(wmax) for i in sg: print(i,end=" ") print() def main2(info=0): n,m = VI() u,v,w = MIT(m,3) x = I() run(n,m,u,v,w,x) def run(n,m,g,x): pq = [(0,0,x,0)] marked = [False] * (n+1) sg = [] wtot = 0 while len(pq)!=0: wi,lw,i,ei = heapq.heappop(pq) if not marked[i]: marked[i] = True sg.append(str(ei)) wtot += lw for j,wj,ej in g[i]: if not marked[j]: heapq.heappush(pq, (wi+wj,wj,j,ej)) print(wtot) print(" ".join(sg[1:])) def main(info=0): n,m = VI() g = ELIST(n+1) for i in range(m): u,v,w = VI() g[u].append((v,w,i+1)) g[v].append((u,w,i+1)) x = I() run(n,m,g,x) if __name__ == "__main__": main() ```
output
1
29,543
13
59,087
Provide tags and a correct Python 3 solution for this coding contest problem. Little girl Susie accidentally found her elder brother's notebook. She has many things to do, more important than solving problems, but she found this problem too interesting, so she wanted to know its solution and decided to ask you about it. So, the problem statement is as follows. Let's assume that we are given a connected weighted undirected graph G = (V, E) (here V is the set of vertices, E is the set of edges). The shortest-path tree from vertex u is such graph G1 = (V, E1) that is a tree with the set of edges E1 that is the subset of the set of edges of the initial graph E, and the lengths of the shortest paths from u to any vertex to G and to G1 are the same. You are given a connected weighted undirected graph G and vertex u. Your task is to find the shortest-path tree of the given graph from vertex u, the total weight of whose edges is minimum possible. Input The first line contains two numbers, n and m (1 ≤ n ≤ 3·105, 0 ≤ m ≤ 3·105) — the number of vertices and edges of the graph, respectively. Next m lines contain three integers each, representing an edge — ui, vi, wi — the numbers of vertices connected by an edge and the weight of the edge (ui ≠ vi, 1 ≤ wi ≤ 109). It is guaranteed that graph is connected and that there is no more than one edge between any pair of vertices. The last line of the input contains integer u (1 ≤ u ≤ n) — the number of the start vertex. Output In the first line print the minimum total weight of the edges of the tree. In the next line print the indices of the edges that are included in the tree, separated by spaces. The edges are numbered starting from 1 in the order they follow in the input. You may print the numbers of the edges in any order. If there are multiple answers, print any of them. Examples Input 3 3 1 2 1 2 3 1 1 3 2 3 Output 2 1 2 Input 4 4 1 2 1 2 3 1 3 4 1 4 1 2 4 Output 4 2 3 4 Note In the first sample there are two possible shortest path trees: * with edges 1 – 3 and 2 – 3 (the total weight is 3); * with edges 1 – 2 and 2 – 3 (the total weight is 2); And, for example, a tree with edges 1 – 2 and 1 – 3 won't be a shortest path tree for vertex 3, because the distance from vertex 3 to vertex 2 in this tree equals 3, and in the original graph it is 1.
instruction
0
29,544
13
59,088
Tags: graphs, greedy, shortest paths Correct Solution: ``` import heapq, sys input = sys.stdin.readline n, m = map(int, input().split()) ed = [(0, 0, 0)] + [tuple(map(int, input().split())) for _ in range(m)] src = int(input()) g = [[] for _ in range(n + 1)] for i, (u, v, w) in enumerate(ed): g[u].append((i, v, w)) g[v].append((i, u, w)) pq = [(0, 0, src)] dist = [(10 ** 15, 0)] * (n + 1) up = [0] * (n + 1) while pq: d, e, u = heapq.heappop(pq) if (d, e) > dist[u]: continue for i, v, w in g[u]: if (d + w, w) < dist[v]: dist[v] = d + w, w up[v] = i heapq.heappush(pq, (d + w, w, v)) t = [up[u] for u in range(1, n + 1) if u != src] print(sum(ed[e][2] for e in t)) print(*t) ```
output
1
29,544
13
59,089
Provide tags and a correct Python 3 solution for this coding contest problem. Little girl Susie accidentally found her elder brother's notebook. She has many things to do, more important than solving problems, but she found this problem too interesting, so she wanted to know its solution and decided to ask you about it. So, the problem statement is as follows. Let's assume that we are given a connected weighted undirected graph G = (V, E) (here V is the set of vertices, E is the set of edges). The shortest-path tree from vertex u is such graph G1 = (V, E1) that is a tree with the set of edges E1 that is the subset of the set of edges of the initial graph E, and the lengths of the shortest paths from u to any vertex to G and to G1 are the same. You are given a connected weighted undirected graph G and vertex u. Your task is to find the shortest-path tree of the given graph from vertex u, the total weight of whose edges is minimum possible. Input The first line contains two numbers, n and m (1 ≤ n ≤ 3·105, 0 ≤ m ≤ 3·105) — the number of vertices and edges of the graph, respectively. Next m lines contain three integers each, representing an edge — ui, vi, wi — the numbers of vertices connected by an edge and the weight of the edge (ui ≠ vi, 1 ≤ wi ≤ 109). It is guaranteed that graph is connected and that there is no more than one edge between any pair of vertices. The last line of the input contains integer u (1 ≤ u ≤ n) — the number of the start vertex. Output In the first line print the minimum total weight of the edges of the tree. In the next line print the indices of the edges that are included in the tree, separated by spaces. The edges are numbered starting from 1 in the order they follow in the input. You may print the numbers of the edges in any order. If there are multiple answers, print any of them. Examples Input 3 3 1 2 1 2 3 1 1 3 2 3 Output 2 1 2 Input 4 4 1 2 1 2 3 1 3 4 1 4 1 2 4 Output 4 2 3 4 Note In the first sample there are two possible shortest path trees: * with edges 1 – 3 and 2 – 3 (the total weight is 3); * with edges 1 – 2 and 2 – 3 (the total weight is 2); And, for example, a tree with edges 1 – 2 and 1 – 3 won't be a shortest path tree for vertex 3, because the distance from vertex 3 to vertex 2 in this tree equals 3, and in the original graph it is 1.
instruction
0
29,545
13
59,090
Tags: graphs, greedy, shortest paths Correct Solution: ``` import heapq n, m = map(int, input().split()) ed = [(0, 0, 0)] + [tuple(map(int, input().split())) for _ in range(m)] src = int(input()) g = [[] for _ in range(n + 1)] for i, (u, v, w) in enumerate(ed): g[u].append((i, v, w)) g[v].append((i, u, w)) pq = [(0, 0, src)] dist = [(10 ** 15, 0)] * (n + 1) up = [0] * (n + 1) while pq: d, e, u = heapq.heappop(pq) if (d, e) > dist[u]: continue for i, v, w in g[u]: if (d + w, w) < dist[v]: dist[v] = d + w, w up[v] = i heapq.heappush(pq, (d + w, w, v)) t = [up[u] for u in range(1, n + 1) if u != src] print(sum(ed[e][2] for e in t)) print(*t) ```
output
1
29,545
13
59,091
Provide tags and a correct Python 3 solution for this coding contest problem. Little girl Susie accidentally found her elder brother's notebook. She has many things to do, more important than solving problems, but she found this problem too interesting, so she wanted to know its solution and decided to ask you about it. So, the problem statement is as follows. Let's assume that we are given a connected weighted undirected graph G = (V, E) (here V is the set of vertices, E is the set of edges). The shortest-path tree from vertex u is such graph G1 = (V, E1) that is a tree with the set of edges E1 that is the subset of the set of edges of the initial graph E, and the lengths of the shortest paths from u to any vertex to G and to G1 are the same. You are given a connected weighted undirected graph G and vertex u. Your task is to find the shortest-path tree of the given graph from vertex u, the total weight of whose edges is minimum possible. Input The first line contains two numbers, n and m (1 ≤ n ≤ 3·105, 0 ≤ m ≤ 3·105) — the number of vertices and edges of the graph, respectively. Next m lines contain three integers each, representing an edge — ui, vi, wi — the numbers of vertices connected by an edge and the weight of the edge (ui ≠ vi, 1 ≤ wi ≤ 109). It is guaranteed that graph is connected and that there is no more than one edge between any pair of vertices. The last line of the input contains integer u (1 ≤ u ≤ n) — the number of the start vertex. Output In the first line print the minimum total weight of the edges of the tree. In the next line print the indices of the edges that are included in the tree, separated by spaces. The edges are numbered starting from 1 in the order they follow in the input. You may print the numbers of the edges in any order. If there are multiple answers, print any of them. Examples Input 3 3 1 2 1 2 3 1 1 3 2 3 Output 2 1 2 Input 4 4 1 2 1 2 3 1 3 4 1 4 1 2 4 Output 4 2 3 4 Note In the first sample there are two possible shortest path trees: * with edges 1 – 3 and 2 – 3 (the total weight is 3); * with edges 1 – 2 and 2 – 3 (the total weight is 2); And, for example, a tree with edges 1 – 2 and 1 – 3 won't be a shortest path tree for vertex 3, because the distance from vertex 3 to vertex 2 in this tree equals 3, and in the original graph it is 1.
instruction
0
29,546
13
59,092
Tags: graphs, greedy, shortest paths Correct Solution: ``` from heapq import heappop, heappush n,m = map(int,input().split()) adj = [[] for i in range(n+1)] for i in range(m): a,b,c = map(int,input().split()) adj[a].append((b, c, i)) adj[b].append((a, c, i)) v = int(input()) visited, ans, tw = [0]*(n+1), [], 0 Q = [(0,0,v,0)] while Q: w,lew,u,ei = heappop(Q) if visited[u]: continue visited[u] = 1 ans.append(str(ei+1)) tw += lew for to,we,eii in adj[u]: if not visited[to]: heappush(Q,(we+w,we,to,eii)) print(tw) print(" ".join(ans[1:])) ```
output
1
29,546
13
59,093
Provide tags and a correct Python 3 solution for this coding contest problem. Little girl Susie accidentally found her elder brother's notebook. She has many things to do, more important than solving problems, but she found this problem too interesting, so she wanted to know its solution and decided to ask you about it. So, the problem statement is as follows. Let's assume that we are given a connected weighted undirected graph G = (V, E) (here V is the set of vertices, E is the set of edges). The shortest-path tree from vertex u is such graph G1 = (V, E1) that is a tree with the set of edges E1 that is the subset of the set of edges of the initial graph E, and the lengths of the shortest paths from u to any vertex to G and to G1 are the same. You are given a connected weighted undirected graph G and vertex u. Your task is to find the shortest-path tree of the given graph from vertex u, the total weight of whose edges is minimum possible. Input The first line contains two numbers, n and m (1 ≤ n ≤ 3·105, 0 ≤ m ≤ 3·105) — the number of vertices and edges of the graph, respectively. Next m lines contain three integers each, representing an edge — ui, vi, wi — the numbers of vertices connected by an edge and the weight of the edge (ui ≠ vi, 1 ≤ wi ≤ 109). It is guaranteed that graph is connected and that there is no more than one edge between any pair of vertices. The last line of the input contains integer u (1 ≤ u ≤ n) — the number of the start vertex. Output In the first line print the minimum total weight of the edges of the tree. In the next line print the indices of the edges that are included in the tree, separated by spaces. The edges are numbered starting from 1 in the order they follow in the input. You may print the numbers of the edges in any order. If there are multiple answers, print any of them. Examples Input 3 3 1 2 1 2 3 1 1 3 2 3 Output 2 1 2 Input 4 4 1 2 1 2 3 1 3 4 1 4 1 2 4 Output 4 2 3 4 Note In the first sample there are two possible shortest path trees: * with edges 1 – 3 and 2 – 3 (the total weight is 3); * with edges 1 – 2 and 2 – 3 (the total weight is 2); And, for example, a tree with edges 1 – 2 and 1 – 3 won't be a shortest path tree for vertex 3, because the distance from vertex 3 to vertex 2 in this tree equals 3, and in the original graph it is 1.
instruction
0
29,547
13
59,094
Tags: graphs, greedy, shortest paths Correct Solution: ``` import heapq from collections import defaultdict from sys import stdin, stdout input = stdin.readline print = stdout.write def SPT(adjacency_list, src, v): heap = [(0, 0, src, 0)] visited = [False]*(n+1) spt = [] total = 0 while heap: first_dist, weight, vertex, edge_num = heapq.heappop(heap) if not visited[vertex]: spt.append(edge_num) total+=weight visited[vertex] = True for _vertex, _weight, _edgenum in adjacency_list[vertex]: if not visited[_vertex]: heapq.heappush(heap, (first_dist+_weight, _weight, _vertex, _edgenum)) return (spt, total) n, m = map(int, input().split()) d = defaultdict(list) for i in range(1, m+1): a, b, w = map(int, input().split()) d[a].append((b, w, i)) d[b].append((a, w, i)) src = int(input()) x = SPT(d, src, n) print(str(x[1])+'\n') x = map(str, x[0][1::]) print(' '.join(x)) ```
output
1
29,547
13
59,095
Provide tags and a correct Python 3 solution for this coding contest problem. Little girl Susie accidentally found her elder brother's notebook. She has many things to do, more important than solving problems, but she found this problem too interesting, so she wanted to know its solution and decided to ask you about it. So, the problem statement is as follows. Let's assume that we are given a connected weighted undirected graph G = (V, E) (here V is the set of vertices, E is the set of edges). The shortest-path tree from vertex u is such graph G1 = (V, E1) that is a tree with the set of edges E1 that is the subset of the set of edges of the initial graph E, and the lengths of the shortest paths from u to any vertex to G and to G1 are the same. You are given a connected weighted undirected graph G and vertex u. Your task is to find the shortest-path tree of the given graph from vertex u, the total weight of whose edges is minimum possible. Input The first line contains two numbers, n and m (1 ≤ n ≤ 3·105, 0 ≤ m ≤ 3·105) — the number of vertices and edges of the graph, respectively. Next m lines contain three integers each, representing an edge — ui, vi, wi — the numbers of vertices connected by an edge and the weight of the edge (ui ≠ vi, 1 ≤ wi ≤ 109). It is guaranteed that graph is connected and that there is no more than one edge between any pair of vertices. The last line of the input contains integer u (1 ≤ u ≤ n) — the number of the start vertex. Output In the first line print the minimum total weight of the edges of the tree. In the next line print the indices of the edges that are included in the tree, separated by spaces. The edges are numbered starting from 1 in the order they follow in the input. You may print the numbers of the edges in any order. If there are multiple answers, print any of them. Examples Input 3 3 1 2 1 2 3 1 1 3 2 3 Output 2 1 2 Input 4 4 1 2 1 2 3 1 3 4 1 4 1 2 4 Output 4 2 3 4 Note In the first sample there are two possible shortest path trees: * with edges 1 – 3 and 2 – 3 (the total weight is 3); * with edges 1 – 2 and 2 – 3 (the total weight is 2); And, for example, a tree with edges 1 – 2 and 1 – 3 won't be a shortest path tree for vertex 3, because the distance from vertex 3 to vertex 2 in this tree equals 3, and in the original graph it is 1.
instruction
0
29,548
13
59,096
Tags: graphs, greedy, shortest paths Correct Solution: ``` import heapq from sys import stdin from math import inf input = stdin.readline def put(): return map(int, input().split()) def dijkstra(u): q = [(0,0,u-1,0)] vis= [False]*n ans = 0 res = [] while q: _,k,i,f = heapq.heappop(q) if vis[i]: continue vis[i]=True ans+=k res.append(f) for w,j,f in graph[i]: if not vis[j]: #print(_+w, w, j, f) heapq.heappush(q, (_+w, w, j, f)) print(ans) res = res[1:] print(*res) n,m = put() graph = [[] for _ in range(n)] for _ in range(m): x,y,z = put() x,y = x-1, y-1 graph[x].append((z,y,_+1)) graph[y].append((z,x,_+1)) d = int(input()) dijkstra(d) ```
output
1
29,548
13
59,097
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response. Little girl Susie accidentally found her elder brother's notebook. She has many things to do, more important than solving problems, but she found this problem too interesting, so she wanted to know its solution and decided to ask you about it. So, the problem statement is as follows. Let's assume that we are given a connected weighted undirected graph G = (V, E) (here V is the set of vertices, E is the set of edges). The shortest-path tree from vertex u is such graph G1 = (V, E1) that is a tree with the set of edges E1 that is the subset of the set of edges of the initial graph E, and the lengths of the shortest paths from u to any vertex to G and to G1 are the same. You are given a connected weighted undirected graph G and vertex u. Your task is to find the shortest-path tree of the given graph from vertex u, the total weight of whose edges is minimum possible. Input The first line contains two numbers, n and m (1 ≤ n ≤ 3·105, 0 ≤ m ≤ 3·105) — the number of vertices and edges of the graph, respectively. Next m lines contain three integers each, representing an edge — ui, vi, wi — the numbers of vertices connected by an edge and the weight of the edge (ui ≠ vi, 1 ≤ wi ≤ 109). It is guaranteed that graph is connected and that there is no more than one edge between any pair of vertices. The last line of the input contains integer u (1 ≤ u ≤ n) — the number of the start vertex. Output In the first line print the minimum total weight of the edges of the tree. In the next line print the indices of the edges that are included in the tree, separated by spaces. The edges are numbered starting from 1 in the order they follow in the input. You may print the numbers of the edges in any order. If there are multiple answers, print any of them. Examples Input 3 3 1 2 1 2 3 1 1 3 2 3 Output 2 1 2 Input 4 4 1 2 1 2 3 1 3 4 1 4 1 2 4 Output 4 2 3 4 Note In the first sample there are two possible shortest path trees: * with edges 1 – 3 and 2 – 3 (the total weight is 3); * with edges 1 – 2 and 2 – 3 (the total weight is 2); And, for example, a tree with edges 1 – 2 and 1 – 3 won't be a shortest path tree for vertex 3, because the distance from vertex 3 to vertex 2 in this tree equals 3, and in the original graph it is 1. Submitted Solution: ``` from collections import defaultdict, deque, Counter, OrderedDict import bisect, sys, threading from heapq import * def main(): n, m = map(int, input().split()) adj = [[] for i in range(n + 1)] for i in range(m): a, b, c = map(int, input().split()) adj[a].append((b, c, i)) adj[b].append((a, c, i)) v = int(input()) visited, ans, tw = [0] * (n + 1), [], 0 Q = [(0, 0, v, 0)] while Q: w, lew, u, ei = heappop(Q) if visited[u]: continue visited[u] = 1 ans.append(str(ei + 1)) tw += lew for to, we, eii in adj[u]: if not visited[to]: heappush(Q, (we + w, we, to, eii)) print(tw) print(" ".join(ans[1:])) if __name__ == "__main__": """sys.setrecursionlimit(200000) threading.stack_size(10240000)""" thread = threading.Thread(target=main) thread.start() ```
instruction
0
29,549
13
59,098
Yes
output
1
29,549
13
59,099
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response. Little girl Susie accidentally found her elder brother's notebook. She has many things to do, more important than solving problems, but she found this problem too interesting, so she wanted to know its solution and decided to ask you about it. So, the problem statement is as follows. Let's assume that we are given a connected weighted undirected graph G = (V, E) (here V is the set of vertices, E is the set of edges). The shortest-path tree from vertex u is such graph G1 = (V, E1) that is a tree with the set of edges E1 that is the subset of the set of edges of the initial graph E, and the lengths of the shortest paths from u to any vertex to G and to G1 are the same. You are given a connected weighted undirected graph G and vertex u. Your task is to find the shortest-path tree of the given graph from vertex u, the total weight of whose edges is minimum possible. Input The first line contains two numbers, n and m (1 ≤ n ≤ 3·105, 0 ≤ m ≤ 3·105) — the number of vertices and edges of the graph, respectively. Next m lines contain three integers each, representing an edge — ui, vi, wi — the numbers of vertices connected by an edge and the weight of the edge (ui ≠ vi, 1 ≤ wi ≤ 109). It is guaranteed that graph is connected and that there is no more than one edge between any pair of vertices. The last line of the input contains integer u (1 ≤ u ≤ n) — the number of the start vertex. Output In the first line print the minimum total weight of the edges of the tree. In the next line print the indices of the edges that are included in the tree, separated by spaces. The edges are numbered starting from 1 in the order they follow in the input. You may print the numbers of the edges in any order. If there are multiple answers, print any of them. Examples Input 3 3 1 2 1 2 3 1 1 3 2 3 Output 2 1 2 Input 4 4 1 2 1 2 3 1 3 4 1 4 1 2 4 Output 4 2 3 4 Note In the first sample there are two possible shortest path trees: * with edges 1 – 3 and 2 – 3 (the total weight is 3); * with edges 1 – 2 and 2 – 3 (the total weight is 2); And, for example, a tree with edges 1 – 2 and 1 – 3 won't be a shortest path tree for vertex 3, because the distance from vertex 3 to vertex 2 in this tree equals 3, and in the original graph it is 1. Submitted Solution: ``` import heapq n, m = map(int, input().split()) g = [[] for _ in range(n + 1)] for i in range(1, m + 1): u, v, w = map(int, input().split()) g[u].append((i, v, w)) g[v].append((i, u, w)) src = int(input()) pq = [(0, 0, src, -1)] mk = [0] * (n + 1) t = [] s = 0 while pq: d, w, u, e = heapq.heappop(pq) if mk[u]: continue mk[u] = 1 s += w t.append(e) for e, v, w in g[u]: if not mk[v]: heapq.heappush(pq, (d + w, w, v, e)) print(s) print(*t[1:]) ```
instruction
0
29,550
13
59,100
Yes
output
1
29,550
13
59,101
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response. Little girl Susie accidentally found her elder brother's notebook. She has many things to do, more important than solving problems, but she found this problem too interesting, so she wanted to know its solution and decided to ask you about it. So, the problem statement is as follows. Let's assume that we are given a connected weighted undirected graph G = (V, E) (here V is the set of vertices, E is the set of edges). The shortest-path tree from vertex u is such graph G1 = (V, E1) that is a tree with the set of edges E1 that is the subset of the set of edges of the initial graph E, and the lengths of the shortest paths from u to any vertex to G and to G1 are the same. You are given a connected weighted undirected graph G and vertex u. Your task is to find the shortest-path tree of the given graph from vertex u, the total weight of whose edges is minimum possible. Input The first line contains two numbers, n and m (1 ≤ n ≤ 3·105, 0 ≤ m ≤ 3·105) — the number of vertices and edges of the graph, respectively. Next m lines contain three integers each, representing an edge — ui, vi, wi — the numbers of vertices connected by an edge and the weight of the edge (ui ≠ vi, 1 ≤ wi ≤ 109). It is guaranteed that graph is connected and that there is no more than one edge between any pair of vertices. The last line of the input contains integer u (1 ≤ u ≤ n) — the number of the start vertex. Output In the first line print the minimum total weight of the edges of the tree. In the next line print the indices of the edges that are included in the tree, separated by spaces. The edges are numbered starting from 1 in the order they follow in the input. You may print the numbers of the edges in any order. If there are multiple answers, print any of them. Examples Input 3 3 1 2 1 2 3 1 1 3 2 3 Output 2 1 2 Input 4 4 1 2 1 2 3 1 3 4 1 4 1 2 4 Output 4 2 3 4 Note In the first sample there are two possible shortest path trees: * with edges 1 – 3 and 2 – 3 (the total weight is 3); * with edges 1 – 2 and 2 – 3 (the total weight is 2); And, for example, a tree with edges 1 – 2 and 1 – 3 won't be a shortest path tree for vertex 3, because the distance from vertex 3 to vertex 2 in this tree equals 3, and in the original graph it is 1. Submitted Solution: ``` from sys import stdin _data = map(int, stdin.read().split()) from heapq import heappush, heappop n, m = next(_data), next(_data) g = [[] for _ in range(n)] h = [[] for _ in range(n)] for i in range(m): u, v, w = next(_data) - 1, next(_data) - 1, next(_data) g[u].append((w, v, i)) g[v].append((w, u, i)) s = next(_data) - 1 d = [1 << 60] * n pq = [] heappush(pq, (0, s)) d[s] = 0 while pq: c, v = heappop(pq) if c > d[v]: continue for e in g[v]: w, u, _ = e if d[u] > d[v] + w: d[u] = d[v] + w heappush(pq, (d[u], u)) del h[u][:] if d[u] == d[v] + w: h[u].append(e) cost = 0 ans = [] for v in range(n): if v == s: continue w, _, i = min(h[v]) cost += w ans.append(i + 1) print(cost) print(' '.join(map(str, ans))) ```
instruction
0
29,551
13
59,102
Yes
output
1
29,551
13
59,103
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response. Little girl Susie accidentally found her elder brother's notebook. She has many things to do, more important than solving problems, but she found this problem too interesting, so she wanted to know its solution and decided to ask you about it. So, the problem statement is as follows. Let's assume that we are given a connected weighted undirected graph G = (V, E) (here V is the set of vertices, E is the set of edges). The shortest-path tree from vertex u is such graph G1 = (V, E1) that is a tree with the set of edges E1 that is the subset of the set of edges of the initial graph E, and the lengths of the shortest paths from u to any vertex to G and to G1 are the same. You are given a connected weighted undirected graph G and vertex u. Your task is to find the shortest-path tree of the given graph from vertex u, the total weight of whose edges is minimum possible. Input The first line contains two numbers, n and m (1 ≤ n ≤ 3·105, 0 ≤ m ≤ 3·105) — the number of vertices and edges of the graph, respectively. Next m lines contain three integers each, representing an edge — ui, vi, wi — the numbers of vertices connected by an edge and the weight of the edge (ui ≠ vi, 1 ≤ wi ≤ 109). It is guaranteed that graph is connected and that there is no more than one edge between any pair of vertices. The last line of the input contains integer u (1 ≤ u ≤ n) — the number of the start vertex. Output In the first line print the minimum total weight of the edges of the tree. In the next line print the indices of the edges that are included in the tree, separated by spaces. The edges are numbered starting from 1 in the order they follow in the input. You may print the numbers of the edges in any order. If there are multiple answers, print any of them. Examples Input 3 3 1 2 1 2 3 1 1 3 2 3 Output 2 1 2 Input 4 4 1 2 1 2 3 1 3 4 1 4 1 2 4 Output 4 2 3 4 Note In the first sample there are two possible shortest path trees: * with edges 1 – 3 and 2 – 3 (the total weight is 3); * with edges 1 – 2 and 2 – 3 (the total weight is 2); And, for example, a tree with edges 1 – 2 and 1 – 3 won't be a shortest path tree for vertex 3, because the distance from vertex 3 to vertex 2 in this tree equals 3, and in the original graph it is 1. Submitted Solution: ``` import os import sys from io import BytesIO, IOBase # import string # characters = string.ascii_lowercase # digits = string.digits # sys.setrecursionlimit(int(1e6)) # dir = [-1,0,1,0,-1] # moves = 'NESW' inf = float('inf') from functools import cmp_to_key from collections import defaultdict as dd from collections import Counter, deque from heapq import * import math from math import floor, ceil, sqrt def geti(): return map(int, input().strip().split()) def getl(): return list(map(int, input().strip().split())) def getis(): return map(str, input().strip().split()) def getls(): return list(map(str, input().strip().split())) def gets(): return input().strip() def geta(): return int(input()) def print_s(s): stdout.write(s+'\n') def solve(): n, m = geti() edges = dd(list) costs = dd(int) for i in range(m): u, v, w = geti() u -= 1 v -= 1 edges[u].append([w, v]) edges[v].append([w, u]) if u > v: u, v = v, u costs[(u, v)] = [w, i+1] root = geta() - 1 weight = [] seen = set() mini = [inf] * n parent = [None] * n last = [inf] * n heappush(weight, [0, root, None]) while weight: cost, node, par = heappop(weight) if node in seen: continue seen.add(node) mini[node] = cost # parent[node] = par for price, child in edges[node]: # if child in seen: # continue if mini[child] > mini[node] + price: mini[child] = mini[node] + price last[child] = price parent[child] = node heappush(weight, [mini[child], child, node]) elif mini[child] == (mini[node] + price) and last[child] > price: last[child] = price parent[child] = node # print(last) ans = [] res = 0 for i in range(n): if i == root: continue node = i par = parent[node] if par > node: node, par = par, node ans.append(costs[(par, node)][1]) res += costs[(par, node)][0] print(res) print(*ans) # Fast IO region BUFSIZE = 8192 class FastIO(IOBase): newlines = 0 def __init__(self, file): self._fd = file.fileno() self.buffer = BytesIO() self.writable = "x" in file.mode or "r" not in file.mode self.write = self.buffer.write if self.writable else None def read(self): while True: b = os.read(self._fd, max(os.fstat(self._fd).st_size, BUFSIZE)) if not b: break ptr = self.buffer.tell() self.buffer.seek(0, 2), self.buffer.write(b), self.buffer.seek(ptr) self.newlines = 0 return self.buffer.read() def readline(self): while self.newlines == 0: b = os.read(self._fd, max(os.fstat(self._fd).st_size, BUFSIZE)) self.newlines = b.count(b"\n") + (not b) ptr = self.buffer.tell() self.buffer.seek(0, 2), self.buffer.write(b), self.buffer.seek(ptr) self.newlines -= 1 return self.buffer.readline() def flush(self): if self.writable: os.write(self._fd, self.buffer.getvalue()) self.buffer.truncate(0), self.buffer.seek(0) class IOWrapper(IOBase): def __init__(self, file): self.buffer = FastIO(file) self.flush = self.buffer.flush self.writable = self.buffer.writable self.write = lambda s: self.buffer.write(s.encode("ascii")) self.read = lambda: self.buffer.read().decode("ascii") self.readline = lambda: self.buffer.readline().decode("ascii") sys.stdin, sys.stdout = IOWrapper(sys.stdin), IOWrapper(sys.stdout) input = lambda: sys.stdin.readline().rstrip("\r\n") if __name__=='__main__': solve() ```
instruction
0
29,552
13
59,104
Yes
output
1
29,552
13
59,105
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response. Little girl Susie accidentally found her elder brother's notebook. She has many things to do, more important than solving problems, but she found this problem too interesting, so she wanted to know its solution and decided to ask you about it. So, the problem statement is as follows. Let's assume that we are given a connected weighted undirected graph G = (V, E) (here V is the set of vertices, E is the set of edges). The shortest-path tree from vertex u is such graph G1 = (V, E1) that is a tree with the set of edges E1 that is the subset of the set of edges of the initial graph E, and the lengths of the shortest paths from u to any vertex to G and to G1 are the same. You are given a connected weighted undirected graph G and vertex u. Your task is to find the shortest-path tree of the given graph from vertex u, the total weight of whose edges is minimum possible. Input The first line contains two numbers, n and m (1 ≤ n ≤ 3·105, 0 ≤ m ≤ 3·105) — the number of vertices and edges of the graph, respectively. Next m lines contain three integers each, representing an edge — ui, vi, wi — the numbers of vertices connected by an edge and the weight of the edge (ui ≠ vi, 1 ≤ wi ≤ 109). It is guaranteed that graph is connected and that there is no more than one edge between any pair of vertices. The last line of the input contains integer u (1 ≤ u ≤ n) — the number of the start vertex. Output In the first line print the minimum total weight of the edges of the tree. In the next line print the indices of the edges that are included in the tree, separated by spaces. The edges are numbered starting from 1 in the order they follow in the input. You may print the numbers of the edges in any order. If there are multiple answers, print any of them. Examples Input 3 3 1 2 1 2 3 1 1 3 2 3 Output 2 1 2 Input 4 4 1 2 1 2 3 1 3 4 1 4 1 2 4 Output 4 2 3 4 Note In the first sample there are two possible shortest path trees: * with edges 1 – 3 and 2 – 3 (the total weight is 3); * with edges 1 – 2 and 2 – 3 (the total weight is 2); And, for example, a tree with edges 1 – 2 and 1 – 3 won't be a shortest path tree for vertex 3, because the distance from vertex 3 to vertex 2 in this tree equals 3, and in the original graph it is 1. Submitted Solution: ``` import heapq n, m = map(int, input().split()) E = [[] for i in range(n)] W = [0] for i in range(m) : u, v, w = map(int, input().split()) u-=1;v-=1 E[u].append((v, i+1)) E[v].append((u, i+1)) W.append(w) start = int(input())-1 ans = 0 answer = [] Q = [(0,0, start, -1)] visited = [0] * n while Q : q = Q.pop(0) y,x = q[0],q[2] p = q[3] if visited[x] : continue visited[x] = 1 for i in E[x] : if visited[i[0]] : continue w = W[i[1]] heapq.heappush(Q, (y+w, w, i[0], i[1])) if p != -1 : answer.append(p) ans += W[p] print(ans) for i in answer : print(i, end = ' ') ```
instruction
0
29,553
13
59,106
No
output
1
29,553
13
59,107
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response. Little girl Susie accidentally found her elder brother's notebook. She has many things to do, more important than solving problems, but she found this problem too interesting, so she wanted to know its solution and decided to ask you about it. So, the problem statement is as follows. Let's assume that we are given a connected weighted undirected graph G = (V, E) (here V is the set of vertices, E is the set of edges). The shortest-path tree from vertex u is such graph G1 = (V, E1) that is a tree with the set of edges E1 that is the subset of the set of edges of the initial graph E, and the lengths of the shortest paths from u to any vertex to G and to G1 are the same. You are given a connected weighted undirected graph G and vertex u. Your task is to find the shortest-path tree of the given graph from vertex u, the total weight of whose edges is minimum possible. Input The first line contains two numbers, n and m (1 ≤ n ≤ 3·105, 0 ≤ m ≤ 3·105) — the number of vertices and edges of the graph, respectively. Next m lines contain three integers each, representing an edge — ui, vi, wi — the numbers of vertices connected by an edge and the weight of the edge (ui ≠ vi, 1 ≤ wi ≤ 109). It is guaranteed that graph is connected and that there is no more than one edge between any pair of vertices. The last line of the input contains integer u (1 ≤ u ≤ n) — the number of the start vertex. Output In the first line print the minimum total weight of the edges of the tree. In the next line print the indices of the edges that are included in the tree, separated by spaces. The edges are numbered starting from 1 in the order they follow in the input. You may print the numbers of the edges in any order. If there are multiple answers, print any of them. Examples Input 3 3 1 2 1 2 3 1 1 3 2 3 Output 2 1 2 Input 4 4 1 2 1 2 3 1 3 4 1 4 1 2 4 Output 4 2 3 4 Note In the first sample there are two possible shortest path trees: * with edges 1 – 3 and 2 – 3 (the total weight is 3); * with edges 1 – 2 and 2 – 3 (the total weight is 2); And, for example, a tree with edges 1 – 2 and 1 – 3 won't be a shortest path tree for vertex 3, because the distance from vertex 3 to vertex 2 in this tree equals 3, and in the original graph it is 1. Submitted Solution: ``` import os import sys from io import BytesIO, IOBase # import string # characters = string.ascii_lowercase # digits = string.digits # sys.setrecursionlimit(int(1e6)) # dir = [-1,0,1,0,-1] # moves = 'NESW' inf = float('inf') from functools import cmp_to_key from collections import defaultdict as dd from collections import Counter, deque from heapq import * import math from math import floor, ceil, sqrt def geti(): return map(int, input().strip().split()) def getl(): return list(map(int, input().strip().split())) def getis(): return map(str, input().strip().split()) def getls(): return list(map(str, input().strip().split())) def gets(): return input().strip() def geta(): return int(input()) def print_s(s): stdout.write(s+'\n') def solve(): n, m = geti() edges = dd(list) costs = dd(int) for i in range(m): u, v, w = geti() u -= 1 v -= 1 edges[u].append([w, v]) edges[v].append([w, u]) if u > v: u, v = v, u costs[(u, v)] = [w, i+1] root = geta() - 1 weight = [] seen = set() total = 0 mini = [inf] * n parent = [None] * n heappush(weight, [0, root, None]) while weight: cost, node, par = heappop(weight) if node in seen: continue seen.add(node) mini[node] = cost parent[node] = par for price, child in edges[node]: if child in seen: continue if mini[child] > price: mini[child] = mini[node] + price heappush(weight, [mini[child], child, node]) # print(mini) ans = [] res = 0 for i in range(n): if i == root: continue node = i par = parent[node] if par > node: node, par = par, node ans.append(costs[(par, node)][1]) res += costs[(par, node)][0] print(res) print(*ans) # Fast IO region BUFSIZE = 8192 class FastIO(IOBase): newlines = 0 def __init__(self, file): self._fd = file.fileno() self.buffer = BytesIO() self.writable = "x" in file.mode or "r" not in file.mode self.write = self.buffer.write if self.writable else None def read(self): while True: b = os.read(self._fd, max(os.fstat(self._fd).st_size, BUFSIZE)) if not b: break ptr = self.buffer.tell() self.buffer.seek(0, 2), self.buffer.write(b), self.buffer.seek(ptr) self.newlines = 0 return self.buffer.read() def readline(self): while self.newlines == 0: b = os.read(self._fd, max(os.fstat(self._fd).st_size, BUFSIZE)) self.newlines = b.count(b"\n") + (not b) ptr = self.buffer.tell() self.buffer.seek(0, 2), self.buffer.write(b), self.buffer.seek(ptr) self.newlines -= 1 return self.buffer.readline() def flush(self): if self.writable: os.write(self._fd, self.buffer.getvalue()) self.buffer.truncate(0), self.buffer.seek(0) class IOWrapper(IOBase): def __init__(self, file): self.buffer = FastIO(file) self.flush = self.buffer.flush self.writable = self.buffer.writable self.write = lambda s: self.buffer.write(s.encode("ascii")) self.read = lambda: self.buffer.read().decode("ascii") self.readline = lambda: self.buffer.readline().decode("ascii") sys.stdin, sys.stdout = IOWrapper(sys.stdin), IOWrapper(sys.stdout) input = lambda: sys.stdin.readline().rstrip("\r\n") if __name__=='__main__': solve() ```
instruction
0
29,554
13
59,108
No
output
1
29,554
13
59,109
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response. Little girl Susie accidentally found her elder brother's notebook. She has many things to do, more important than solving problems, but she found this problem too interesting, so she wanted to know its solution and decided to ask you about it. So, the problem statement is as follows. Let's assume that we are given a connected weighted undirected graph G = (V, E) (here V is the set of vertices, E is the set of edges). The shortest-path tree from vertex u is such graph G1 = (V, E1) that is a tree with the set of edges E1 that is the subset of the set of edges of the initial graph E, and the lengths of the shortest paths from u to any vertex to G and to G1 are the same. You are given a connected weighted undirected graph G and vertex u. Your task is to find the shortest-path tree of the given graph from vertex u, the total weight of whose edges is minimum possible. Input The first line contains two numbers, n and m (1 ≤ n ≤ 3·105, 0 ≤ m ≤ 3·105) — the number of vertices and edges of the graph, respectively. Next m lines contain three integers each, representing an edge — ui, vi, wi — the numbers of vertices connected by an edge and the weight of the edge (ui ≠ vi, 1 ≤ wi ≤ 109). It is guaranteed that graph is connected and that there is no more than one edge between any pair of vertices. The last line of the input contains integer u (1 ≤ u ≤ n) — the number of the start vertex. Output In the first line print the minimum total weight of the edges of the tree. In the next line print the indices of the edges that are included in the tree, separated by spaces. The edges are numbered starting from 1 in the order they follow in the input. You may print the numbers of the edges in any order. If there are multiple answers, print any of them. Examples Input 3 3 1 2 1 2 3 1 1 3 2 3 Output 2 1 2 Input 4 4 1 2 1 2 3 1 3 4 1 4 1 2 4 Output 4 2 3 4 Note In the first sample there are two possible shortest path trees: * with edges 1 – 3 and 2 – 3 (the total weight is 3); * with edges 1 – 2 and 2 – 3 (the total weight is 2); And, for example, a tree with edges 1 – 2 and 1 – 3 won't be a shortest path tree for vertex 3, because the distance from vertex 3 to vertex 2 in this tree equals 3, and in the original graph it is 1. Submitted Solution: ``` import heapq,sys from math import inf input = sys.stdin.readline def put(): return map(int, input().split()) def dijkstra(u): q = [(0,0,u-1,0)] vis,dis= [False]*n,[inf]*n ans = 0 res = [] while q: _,k,i,f = heapq.heappop(q) if vis[i]: continue vis[i]=True ans+=k res.append(f) for w,j,f in graph[i]: if not vis[j]: print(_+w, w, j, f) heapq.heappush(q, (_+w, w, j, f)) print(ans) #res.sort() res = res[1:] print(*res) n,m = put() last = [inf]*n graph = [[] for _ in range(n)] for _ in range(m): x,y,z = put() x,y = x-1, y-1 graph[x].append((z,y,_+1)) graph[y].append((z,x,_+1)) dijkstra(int(input())) ```
instruction
0
29,555
13
59,110
No
output
1
29,555
13
59,111
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response. Little girl Susie accidentally found her elder brother's notebook. She has many things to do, more important than solving problems, but she found this problem too interesting, so she wanted to know its solution and decided to ask you about it. So, the problem statement is as follows. Let's assume that we are given a connected weighted undirected graph G = (V, E) (here V is the set of vertices, E is the set of edges). The shortest-path tree from vertex u is such graph G1 = (V, E1) that is a tree with the set of edges E1 that is the subset of the set of edges of the initial graph E, and the lengths of the shortest paths from u to any vertex to G and to G1 are the same. You are given a connected weighted undirected graph G and vertex u. Your task is to find the shortest-path tree of the given graph from vertex u, the total weight of whose edges is minimum possible. Input The first line contains two numbers, n and m (1 ≤ n ≤ 3·105, 0 ≤ m ≤ 3·105) — the number of vertices and edges of the graph, respectively. Next m lines contain three integers each, representing an edge — ui, vi, wi — the numbers of vertices connected by an edge and the weight of the edge (ui ≠ vi, 1 ≤ wi ≤ 109). It is guaranteed that graph is connected and that there is no more than one edge between any pair of vertices. The last line of the input contains integer u (1 ≤ u ≤ n) — the number of the start vertex. Output In the first line print the minimum total weight of the edges of the tree. In the next line print the indices of the edges that are included in the tree, separated by spaces. The edges are numbered starting from 1 in the order they follow in the input. You may print the numbers of the edges in any order. If there are multiple answers, print any of them. Examples Input 3 3 1 2 1 2 3 1 1 3 2 3 Output 2 1 2 Input 4 4 1 2 1 2 3 1 3 4 1 4 1 2 4 Output 4 2 3 4 Note In the first sample there are two possible shortest path trees: * with edges 1 – 3 and 2 – 3 (the total weight is 3); * with edges 1 – 2 and 2 – 3 (the total weight is 2); And, for example, a tree with edges 1 – 2 and 1 – 3 won't be a shortest path tree for vertex 3, because the distance from vertex 3 to vertex 2 in this tree equals 3, and in the original graph it is 1. Submitted Solution: ``` from collections import defaultdict,deque,Counter,OrderedDict from heapq import heappop,heappush import bisect,sys,threading mod = 10**9 + 7 def dfs_order(i,visited,G,order): if visited[i]: return visited[i] = 1 for j in G[i]: dfs_order(j,visited,G,order) order.append(i) def dfs_scc(leader,s,RG,visited,comp,cost): if visited[s]: return visited[s] = 1 for j in RG[s]: dfs_scc(leader,j,RG,visited,comp,cost) comp[leader].append(cost[s]) def main(): n = int(input()) cost = [0] + [int(i) for i in input().split()] m = int(input()) G = [[] for i in range(n + 1)] RG = [[] for i in range(n + 1)] for i in range(m): a, b = map(int, input().split()) G[a].append(b) RG[b].append(a) order = deque() visited = [0] * (n + 1) for i in range(1, n + 1): if not visited[i]: dfs_order(i, visited, G, order) visited = [0] * (n + 1) comp = defaultdict(list) while order: now = order.pop() if not visited[now]: dfs_scc(now, now, RG, visited, comp, cost) ans1, ans2 = 0, 1 for k, v in comp.items(): v = sorted(v) ans1 += v[0] poss = bisect.bisect_right(v, v[0]) ans2 = (ans2 * poss + mod) % mod print(ans1, ans2) if __name__ == "__main__": sys.setrecursionlimit(200000) threading.stack_size(10240000) thread = threading.Thread(target=main) thread.start() ```
instruction
0
29,556
13
59,112
No
output
1
29,556
13
59,113
Provide tags and a correct Python 3 solution for this coding contest problem. For his computer science class, Jacob builds a model tree with sticks and balls containing n nodes in the shape of a tree. Jacob has spent ai minutes building the i-th ball in the tree. Jacob's teacher will evaluate his model and grade Jacob based on the effort he has put in. However, she does not have enough time to search his whole tree to determine this; Jacob knows that she will examine the first k nodes in a DFS-order traversal of the tree. She will then assign Jacob a grade equal to the minimum ai she finds among those k nodes. Though Jacob does not have enough time to rebuild his model, he can choose the root node that his teacher starts from. Furthermore, he can rearrange the list of neighbors of each node in any order he likes. Help Jacob find the best grade he can get on this assignment. A DFS-order traversal is an ordering of the nodes of a rooted tree, built by a recursive DFS-procedure initially called on the root of the tree. When called on a given node v, the procedure does the following: 1. Print v. 2. Traverse the list of neighbors of the node v in order and iteratively call DFS-procedure on each one. Do not call DFS-procedure on node u if you came to node v directly from u. Input The first line of the input contains two positive integers, n and k (2 ≤ n ≤ 200 000, 1 ≤ k ≤ n) — the number of balls in Jacob's tree and the number of balls the teacher will inspect. The second line contains n integers, ai (1 ≤ ai ≤ 1 000 000), the time Jacob used to build the i-th ball. Each of the next n - 1 lines contains two integers ui, vi (1 ≤ ui, vi ≤ n, ui ≠ vi) representing a connection in Jacob's tree between balls ui and vi. Output Print a single integer — the maximum grade Jacob can get by picking the right root of the tree and rearranging the list of neighbors. Examples Input 5 3 3 6 1 4 2 1 2 2 4 2 5 1 3 Output 3 Input 4 2 1 5 5 5 1 2 1 3 1 4 Output 1 Note In the first sample, Jacob can root the tree at node 2 and order 2's neighbors in the order 4, 1, 5 (all other nodes have at most two neighbors). The resulting preorder traversal is 2, 4, 1, 3, 5, and the minimum ai of the first 3 nodes is 3. In the second sample, it is clear that any preorder traversal will contain node 1 as either its first or second node, so Jacob cannot do better than a grade of 1.
instruction
0
29,589
13
59,178
Tags: binary search, dfs and similar, dp, graphs, greedy, trees Correct Solution: ``` import sys input = sys.stdin.readline n, k = map(int, input().split()) a = [int(i) for i in input().split()] g = [[] for _ in range(n)] for i in range(n - 1): u, v = map(int, input().split()) g[u-1].append(v-1) g[v-1].append(u-1) stack = [0] done = [False] * n par = [0] * n order = [] while len(stack) > 0: x = stack.pop() done[x] = True order.append(x) for i in g[x]: if done[i] == False: par[i] = x stack.append(i) order = order[::-1] sub = [0] * n for i in order: sub[i] = 1 for j in g[i]: if par[j] == i: sub[i] += sub[j] def good(guess): cnt = [0] * n for i in order: if a[i] < guess: continue cnt[i] = 1 opt = 0 for j in g[i]: if par[j] == i: if cnt[j] == sub[j]: cnt[i] += cnt[j] else: opt = max(opt, cnt[j]) cnt[i] += opt if cnt[0] >= k: return True up = [0] * n for i in order[::-1]: if a[i] < guess: continue opt, secondOpt = 0, 0 total = 1 for j in g[i]: val, size = 0, 0 if par[j] == i: val = cnt[j] size = sub[j] else: val = up[i] size = n - sub[i] if val == size: total += val else: if opt < val: opt, secondOpt = val, opt elif secondOpt < val: secondOpt = val for j in g[i]: if par[j] == i: up[j] = total add = opt if sub[j] == cnt[j]: up[j] -= cnt[j] elif cnt[j] == opt: add = secondOpt up[j] += add for i in range(n): if a[i] < guess: continue total, opt = 1, 0 for j in g[i]: val, size = 0, 0 if par[j] == i: val = cnt[j] size = sub[j] else: val = up[i] size = n - sub[i] if val == size: total += val else: opt = max(opt, val) if total + opt >= k: return True return False l, r = 0, max(a) while l < r: mid = (l + r + 1) // 2 if good(mid): l = mid else: r = mid - 1 print(l) ```
output
1
29,589
13
59,179
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response. For his computer science class, Jacob builds a model tree with sticks and balls containing n nodes in the shape of a tree. Jacob has spent ai minutes building the i-th ball in the tree. Jacob's teacher will evaluate his model and grade Jacob based on the effort he has put in. However, she does not have enough time to search his whole tree to determine this; Jacob knows that she will examine the first k nodes in a DFS-order traversal of the tree. She will then assign Jacob a grade equal to the minimum ai she finds among those k nodes. Though Jacob does not have enough time to rebuild his model, he can choose the root node that his teacher starts from. Furthermore, he can rearrange the list of neighbors of each node in any order he likes. Help Jacob find the best grade he can get on this assignment. A DFS-order traversal is an ordering of the nodes of a rooted tree, built by a recursive DFS-procedure initially called on the root of the tree. When called on a given node v, the procedure does the following: 1. Print v. 2. Traverse the list of neighbors of the node v in order and iteratively call DFS-procedure on each one. Do not call DFS-procedure on node u if you came to node v directly from u. Input The first line of the input contains two positive integers, n and k (2 ≤ n ≤ 200 000, 1 ≤ k ≤ n) — the number of balls in Jacob's tree and the number of balls the teacher will inspect. The second line contains n integers, ai (1 ≤ ai ≤ 1 000 000), the time Jacob used to build the i-th ball. Each of the next n - 1 lines contains two integers ui, vi (1 ≤ ui, vi ≤ n, ui ≠ vi) representing a connection in Jacob's tree between balls ui and vi. Output Print a single integer — the maximum grade Jacob can get by picking the right root of the tree and rearranging the list of neighbors. Examples Input 5 3 3 6 1 4 2 1 2 2 4 2 5 1 3 Output 3 Input 4 2 1 5 5 5 1 2 1 3 1 4 Output 1 Note In the first sample, Jacob can root the tree at node 2 and order 2's neighbors in the order 4, 1, 5 (all other nodes have at most two neighbors). The resulting preorder traversal is 2, 4, 1, 3, 5, and the minimum ai of the first 3 nodes is 3. In the second sample, it is clear that any preorder traversal will contain node 1 as either its first or second node, so Jacob cannot do better than a grade of 1. Submitted Solution: ``` import sys input = sys.stdin.readline n, k = map(int, input().split()) a = [int(i) for i in input().split()] g = [[] for _ in range(n)] for i in range(n - 1): u, v = map(int, input().split()) g[u-1].append(v-1) g[v-1].append(u-1) stack = [0] done = [False] * n par = [0] * n order = [] while len(stack) > 0: x = stack.pop() done[x] = True order.append(x) for i in g[x]: if done[i] == False: par[i] = x stack.append(i) order = order[::-1] sub = [0] * n for i in order: sub[i] = 1 for j in g[i]: if par[j] == i: sub[i] += sub[j] def good(guess): cnt = [0] * n for i in order: if a[i] < guess: continue cnt[i] = 1 opt = 0 for j in g[i]: if par[j] == i: if cnt[j] == sub[j]: cnt[i] += cnt[j] else: opt = max(opt, cnt[j]) cnt[i] += opt return cnt[0] >= k l, r = 0, max(a) while l < r: mid = (l + r + 1) // 2 if good(mid): l = mid else: r = mid - 1 print(l) ```
instruction
0
29,590
13
59,180
No
output
1
29,590
13
59,181
Provide tags and a correct Python 3 solution for this coding contest problem. You are given a tree consisting of n vertices. A number is written on each vertex; the number on vertex i is equal to a_i. Let's denote the function g(x, y) as the greatest common divisor of the numbers written on the vertices belonging to the simple path from vertex x to vertex y (including these two vertices). For every integer from 1 to 2 ⋅ 10^5 you have to count the number of pairs (x, y) (1 ≤ x ≤ y ≤ n) such that g(x, y) is equal to this number. Input The first line contains one integer n — the number of vertices (1 ≤ n ≤ 2 ⋅ 10^5). The second line contains n integers a_1, a_2, ..., a_n (1 ≤ a_i ≤ 2 ⋅ 10^5) — the numbers written on vertices. Then n - 1 lines follow, each containing two integers x and y (1 ≤ x, y ≤ n, x ≠ y) denoting an edge connecting vertex x with vertex y. It is guaranteed that these edges form a tree. Output For every integer i from 1 to 2 ⋅ 10^5 do the following: if there is no pair (x, y) such that x ≤ y and g(x, y) = i, don't output anything. Otherwise output two integers: i and the number of aforementioned pairs. You have to consider the values of i in ascending order. See the examples for better understanding. Examples Input 3 1 2 3 1 2 2 3 Output 1 4 2 1 3 1 Input 6 1 2 4 8 16 32 1 6 6 3 3 4 4 2 6 5 Output 1 6 2 5 4 6 8 1 16 2 32 1 Input 4 9 16 144 6 1 3 2 3 4 3 Output 1 1 2 1 3 1 6 2 9 2 16 2 144 1
instruction
0
29,731
13
59,462
Tags: divide and conquer, dp, dsu, number theory, trees Correct Solution: ``` import math import sys def get_primes(n): result = set() while n % 2 == 0: result.add(2) n = n / 2 for i in range(3, int(math.sqrt(n)) + 1, 2): while n % i == 0: result.add(i) n = n / i if n > 2: result.add(n) return list(result) def calc(w, t, n): stack = [] stack.append((t[0], dict([(p, [0]) for p in get_primes(w[0])]))) max_length = 0 visited = [False] * n visited[0] = True while stack: if stack[-1][0]: nxt = stack[-1][0][-1] stack[-1][0].pop() if visited[nxt]: continue else: visited[nxt] = True stack.append((t[nxt], dict([(p, [0]) for p in get_primes(w[nxt])]))) else: last = stack[-1][1] stack.pop() if last: max_length = max(max_length, 1 + max([sum(v) for _, v in last.items()])) if stack: for k, v in last.items(): if k in stack[-1][1].keys(): stack[-1][1][k].append(max(v) + 1) stack[-1][1][k].sort(reverse=True) if len(stack[-1][1][k]) > 2: del stack[-1][1][k][-1] return max_length # if __name__ == '__main__': # print(primeFactors(100)) if __name__ == '__main__': n = int(input()) weights = list(map(int, input().split())) lines = sys.stdin.readlines() tree = [[] for _ in range(n)] for line in lines: x, y = map(int, line.split()) tree[x - 1].append(y - 1) tree[y - 1].append(x - 1) print(calc(weights, tree, n)) ```
output
1
29,731
13
59,463
Provide tags and a correct Python 3 solution for this coding contest problem. You are given a tree consisting of n vertices. A number is written on each vertex; the number on vertex i is equal to a_i. Let's denote the function g(x, y) as the greatest common divisor of the numbers written on the vertices belonging to the simple path from vertex x to vertex y (including these two vertices). For every integer from 1 to 2 ⋅ 10^5 you have to count the number of pairs (x, y) (1 ≤ x ≤ y ≤ n) such that g(x, y) is equal to this number. Input The first line contains one integer n — the number of vertices (1 ≤ n ≤ 2 ⋅ 10^5). The second line contains n integers a_1, a_2, ..., a_n (1 ≤ a_i ≤ 2 ⋅ 10^5) — the numbers written on vertices. Then n - 1 lines follow, each containing two integers x and y (1 ≤ x, y ≤ n, x ≠ y) denoting an edge connecting vertex x with vertex y. It is guaranteed that these edges form a tree. Output For every integer i from 1 to 2 ⋅ 10^5 do the following: if there is no pair (x, y) such that x ≤ y and g(x, y) = i, don't output anything. Otherwise output two integers: i and the number of aforementioned pairs. You have to consider the values of i in ascending order. See the examples for better understanding. Examples Input 3 1 2 3 1 2 2 3 Output 1 4 2 1 3 1 Input 6 1 2 4 8 16 32 1 6 6 3 3 4 4 2 6 5 Output 1 6 2 5 4 6 8 1 16 2 32 1 Input 4 9 16 144 6 1 3 2 3 4 3 Output 1 1 2 1 3 1 6 2 9 2 16 2 144 1
instruction
0
29,732
13
59,464
Tags: divide and conquer, dp, dsu, number theory, trees Correct Solution: ``` from sys import stdin, stdout from math import * from heapq import * from collections import * dv=list(range(200002)) for i in range(2,200002): if ((i*i)>=200002): break if (dv[i]==i): j=i while ((i*j)<200002): dv[i*j]=i j=j+1 def loPr(x): global dv if (x<=1): return [] ret=[] while(x>1): d=dv[x] ret.append(d) while(x%d==0): x=trunc(x/d) return ret def main(): global dv n=int(stdin.readline()) a=[0]+[int(x) for x in stdin.readline().split()] e=[] for _ in range(n+2): e.append([]) for _ in range(n-1): u,v=[int(x) for x in stdin.readline().split()] e[u].append(v) e[v].append(u) pre=[0]*(n+2) q=[1] d=[False]*(n+2) d[1]=True pre[1]=1 i=0 while(i<len(q)): u=q[i] for v in e[u]: if (d[v]==False): d[v]=True pre[v]=u q.append(v) i=i+1 f=[dict()] for _ in range(n+2): f.append(dict()) b=[[]] for i in range(1,n+1): b.append(loPr(a[i])) for p in b[i]: f[i][p]=[1] q.reverse() res=0 for u in q: nxt=pre[u] #print (str(u)+": f=" +str(f[u])+ " b=" +str(b[u])) for p in b[u]: fp=f[u].get(p,[1]) fp.sort() res=max(res,fp[-1]) if (len(fp)>=2): res=max(res,fp[-1]+fp[-2]-1) fnxt=f[nxt].get(p,None) if (fnxt!=None): fnxt.append(max(1,fp[-1])+1) stdout.write(str(res)) return 0 if __name__ == "__main__": main() ```
output
1
29,732
13
59,465
Provide tags and a correct Python 3 solution for this coding contest problem. You are given a tree consisting of n vertices. A number is written on each vertex; the number on vertex i is equal to a_i. Let's denote the function g(x, y) as the greatest common divisor of the numbers written on the vertices belonging to the simple path from vertex x to vertex y (including these two vertices). For every integer from 1 to 2 ⋅ 10^5 you have to count the number of pairs (x, y) (1 ≤ x ≤ y ≤ n) such that g(x, y) is equal to this number. Input The first line contains one integer n — the number of vertices (1 ≤ n ≤ 2 ⋅ 10^5). The second line contains n integers a_1, a_2, ..., a_n (1 ≤ a_i ≤ 2 ⋅ 10^5) — the numbers written on vertices. Then n - 1 lines follow, each containing two integers x and y (1 ≤ x, y ≤ n, x ≠ y) denoting an edge connecting vertex x with vertex y. It is guaranteed that these edges form a tree. Output For every integer i from 1 to 2 ⋅ 10^5 do the following: if there is no pair (x, y) such that x ≤ y and g(x, y) = i, don't output anything. Otherwise output two integers: i and the number of aforementioned pairs. You have to consider the values of i in ascending order. See the examples for better understanding. Examples Input 3 1 2 3 1 2 2 3 Output 1 4 2 1 3 1 Input 6 1 2 4 8 16 32 1 6 6 3 3 4 4 2 6 5 Output 1 6 2 5 4 6 8 1 16 2 32 1 Input 4 9 16 144 6 1 3 2 3 4 3 Output 1 1 2 1 3 1 6 2 9 2 16 2 144 1
instruction
0
29,733
13
59,466
Tags: divide and conquer, dp, dsu, number theory, trees Correct Solution: ``` # -*- coding:utf-8 -*- """ created by shuangquan.huang at 1/16/19 """ import collections import time import os import sys import bisect import heapq N = int(input()) A = [0] + [int(x) for x in input().split()] G = collections.defaultdict(list) for i in range(N - 1): x, y = map(int, input().split()) G[x].append(y) G[y].append(x) def gcd(x, y): while y: x, y = y, x % y return x dp = [[] for _ in range(N + 1)] def dfs(node, parent): chd = [] ans = 0 for u in G[node]: if u != parent: ans = max(ans, dfs(u, node)) for t in dp[u]: chd.append(t) chd.sort() i = 0 while i < len(chd): j = i - 1 mx1, mx2 = 0, 0 while j + 1 < len(chd) and chd[j + 1][0] == chd[i][0]: j += 1 if chd[j][1] >= mx1: mx2, mx1 = mx1, chd[j][1] elif chd[j][1] > mx2: mx2 = chd[j][1] if A[node] % chd[i][0] == 0: ans = max(ans, mx1 + mx2 + 1) dp[node].append((chd[i][0], mx1 + 1)) while A[node] % chd[i][0] == 0: A[node] //= chd[i][0] else: ans = max(ans, mx1) i = j + 1 i = 2 while i * i <= A[node]: if A[node] % i == 0: dp[node].append((i, 1)) ans = max(ans, 1) while A[node] % i == 0: A[node] //= i i += 1 if A[node] > 1: dp[node].append((A[node], 1)) ans = max(ans, 1) return ans print(dfs(1, -1)) # print(dp) ```
output
1
29,733
13
59,467
Provide tags and a correct Python 3 solution for this coding contest problem. You are given a tree consisting of n vertices. A number is written on each vertex; the number on vertex i is equal to a_i. Let's denote the function g(x, y) as the greatest common divisor of the numbers written on the vertices belonging to the simple path from vertex x to vertex y (including these two vertices). For every integer from 1 to 2 ⋅ 10^5 you have to count the number of pairs (x, y) (1 ≤ x ≤ y ≤ n) such that g(x, y) is equal to this number. Input The first line contains one integer n — the number of vertices (1 ≤ n ≤ 2 ⋅ 10^5). The second line contains n integers a_1, a_2, ..., a_n (1 ≤ a_i ≤ 2 ⋅ 10^5) — the numbers written on vertices. Then n - 1 lines follow, each containing two integers x and y (1 ≤ x, y ≤ n, x ≠ y) denoting an edge connecting vertex x with vertex y. It is guaranteed that these edges form a tree. Output For every integer i from 1 to 2 ⋅ 10^5 do the following: if there is no pair (x, y) such that x ≤ y and g(x, y) = i, don't output anything. Otherwise output two integers: i and the number of aforementioned pairs. You have to consider the values of i in ascending order. See the examples for better understanding. Examples Input 3 1 2 3 1 2 2 3 Output 1 4 2 1 3 1 Input 6 1 2 4 8 16 32 1 6 6 3 3 4 4 2 6 5 Output 1 6 2 5 4 6 8 1 16 2 32 1 Input 4 9 16 144 6 1 3 2 3 4 3 Output 1 1 2 1 3 1 6 2 9 2 16 2 144 1
instruction
0
29,734
13
59,468
Tags: divide and conquer, dp, dsu, number theory, trees Correct Solution: ``` from collections import deque import sys from array import array # noqa: F401 import typing as Tp # noqa: F401 def input(): return sys.stdin.buffer.readline().decode('utf-8') def get_primes(n: int): from itertools import chain primes = [2, 3] is_prime = (array('b', (0, 0, 1, 1, 0, 1, 0)) + array('b', (1, 0, 0, 0, 1, 0)) * ((n - 1) // 6)) for i in chain.from_iterable((range(5, n + 1, 6), range(7, n + 1, 6))): if is_prime[i]: primes.append(i) for j in range(i * 3, n + 1, i * 2): is_prime[j] = 0 return is_prime, primes def solve(adj, start, p, visited, a): dq = deque([start]) visited[start] = 1 leaf = start while dq: leaf = v = dq.popleft() for dest in adj[v]: if visited[dest] == 0 and (a[dest] % p == 0 if p > 0 else a[dest] == -p): visited[dest] = 1 dq.append(dest) dq = deque([(leaf, 1)]) visited[leaf] = 2 while dq: v, res = dq.popleft() for dest in adj[v]: if visited[dest] == 1 and (a[dest] % p == 0 if p > 0 else a[dest] == -p): visited[dest] = 2 dq.append((dest, res + 1)) return res def main(): n = int(input()) a = list(map(int, input().split())) adj = [[] for _ in range(n)] for u, v in (map(int, input().split()) for _ in range(n - 1)): adj[u - 1].append(v - 1) adj[v - 1].append(u - 1) ans = 0 _, primes = get_primes(448) for p in primes: visited = [0] * n for i in range(n): if visited[i] or a[i] % p: continue ans = max(ans, solve(adj, i, p, visited, a)) visited = [0] * n for i in range(n): if visited[i] or a[i] == 1: continue ans = max(ans, solve(adj, i, -a[i], visited, a)) print(ans) if __name__ == '__main__': main() ```
output
1
29,734
13
59,469
Provide tags and a correct Python 3 solution for this coding contest problem. You are given a tree consisting of n vertices. A number is written on each vertex; the number on vertex i is equal to a_i. Let's denote the function g(x, y) as the greatest common divisor of the numbers written on the vertices belonging to the simple path from vertex x to vertex y (including these two vertices). For every integer from 1 to 2 ⋅ 10^5 you have to count the number of pairs (x, y) (1 ≤ x ≤ y ≤ n) such that g(x, y) is equal to this number. Input The first line contains one integer n — the number of vertices (1 ≤ n ≤ 2 ⋅ 10^5). The second line contains n integers a_1, a_2, ..., a_n (1 ≤ a_i ≤ 2 ⋅ 10^5) — the numbers written on vertices. Then n - 1 lines follow, each containing two integers x and y (1 ≤ x, y ≤ n, x ≠ y) denoting an edge connecting vertex x with vertex y. It is guaranteed that these edges form a tree. Output For every integer i from 1 to 2 ⋅ 10^5 do the following: if there is no pair (x, y) such that x ≤ y and g(x, y) = i, don't output anything. Otherwise output two integers: i and the number of aforementioned pairs. You have to consider the values of i in ascending order. See the examples for better understanding. Examples Input 3 1 2 3 1 2 2 3 Output 1 4 2 1 3 1 Input 6 1 2 4 8 16 32 1 6 6 3 3 4 4 2 6 5 Output 1 6 2 5 4 6 8 1 16 2 32 1 Input 4 9 16 144 6 1 3 2 3 4 3 Output 1 1 2 1 3 1 6 2 9 2 16 2 144 1
instruction
0
29,735
13
59,470
Tags: divide and conquer, dp, dsu, number theory, trees Correct Solution: ``` import sys answer = 1 z = True primes = [] for i in range (2, 5 * 10 ** 2): v = True for p in primes: if i % p == 0: v = False if v == True: primes.append(i) n = int(sys.stdin.readline().strip()) a = list(map(int, sys.stdin.readline().strip().split())) if sum(a) == n: z = False for i in range (0, n): x = a[i] a[i] = [] for p in primes: if x % p == 0: a[i].append([p, 1]) x = x // p while x % p == 0: x = x // p if x != 1: a[i].append([x, 1]) neighbours = [[] for i in range (0, n)] for i in range (0, n - 1): line = sys.stdin.readline().strip().split() neighbours[int(line[0]) - 1].append(int(line[1]) - 1) neighbours[int(line[1]) - 1].append(int(line[0]) - 1) leaves = [] for i in range (0, n): if len(neighbours[i]) == 1: leaves.append(i) while len(leaves) > 1: x = leaves.pop() y = neighbours[x][0] neighbours[y].remove(x) if len(neighbours[y]) == 1: leaves.append(y) for p in a[x]: for q in a[y]: if p[0] == q[0]: answer = max([answer, p[1] + q[1]]) q[1] = max([q[1],p[1]+1]) if z == False: print(0) else: print(answer) ```
output
1
29,735
13
59,471
Provide tags and a correct Python 3 solution for this coding contest problem. You are given a tree consisting of n vertices. A number is written on each vertex; the number on vertex i is equal to a_i. Let's denote the function g(x, y) as the greatest common divisor of the numbers written on the vertices belonging to the simple path from vertex x to vertex y (including these two vertices). For every integer from 1 to 2 ⋅ 10^5 you have to count the number of pairs (x, y) (1 ≤ x ≤ y ≤ n) such that g(x, y) is equal to this number. Input The first line contains one integer n — the number of vertices (1 ≤ n ≤ 2 ⋅ 10^5). The second line contains n integers a_1, a_2, ..., a_n (1 ≤ a_i ≤ 2 ⋅ 10^5) — the numbers written on vertices. Then n - 1 lines follow, each containing two integers x and y (1 ≤ x, y ≤ n, x ≠ y) denoting an edge connecting vertex x with vertex y. It is guaranteed that these edges form a tree. Output For every integer i from 1 to 2 ⋅ 10^5 do the following: if there is no pair (x, y) such that x ≤ y and g(x, y) = i, don't output anything. Otherwise output two integers: i and the number of aforementioned pairs. You have to consider the values of i in ascending order. See the examples for better understanding. Examples Input 3 1 2 3 1 2 2 3 Output 1 4 2 1 3 1 Input 6 1 2 4 8 16 32 1 6 6 3 3 4 4 2 6 5 Output 1 6 2 5 4 6 8 1 16 2 32 1 Input 4 9 16 144 6 1 3 2 3 4 3 Output 1 1 2 1 3 1 6 2 9 2 16 2 144 1
instruction
0
29,736
13
59,472
Tags: divide and conquer, dp, dsu, number theory, trees Correct Solution: ``` from math import gcd n = int(input()) a = [int(i) for i in input().split()] tree = [[] for i in range(0, n)] for i in range(0, n-1): s = input().split() v1 = int(s[0]) - 1 v2 = int(s[1]) - 1 tree[v1].append(v2) tree[v2].append(v1) ans = 0 d = [{} for i in range (0, n)] for i in range(0, n): d[i] = {a[i]: 1} # gcd to path_length if a[i] > 1: ans = 1 def dfs(curr, parent): for child in tree[curr]: if child == parent: continue dfs(child, curr) new_gcd = gcd(a[curr], a[child]) if new_gcd > 1: for g_parent, p_parent in d[curr].items(): for g_child, p_child in d[child].items(): if gcd(g_parent, g_child) > 1: global ans ans = max(ans, p_parent + p_child) for g_child, p_child in d[child].items(): new_gcd = gcd(a[curr], g_child) if new_gcd > 1: if new_gcd in d[curr]: d[curr][new_gcd] = max(d[curr][new_gcd], p_child + 1) else: d[curr][new_gcd] = p_child + 1 dfs(0, -1) print(ans) ```
output
1
29,736
13
59,473
Provide tags and a correct Python 3 solution for this coding contest problem. You are given a tree consisting of n vertices. A number is written on each vertex; the number on vertex i is equal to a_i. Let's denote the function g(x, y) as the greatest common divisor of the numbers written on the vertices belonging to the simple path from vertex x to vertex y (including these two vertices). For every integer from 1 to 2 ⋅ 10^5 you have to count the number of pairs (x, y) (1 ≤ x ≤ y ≤ n) such that g(x, y) is equal to this number. Input The first line contains one integer n — the number of vertices (1 ≤ n ≤ 2 ⋅ 10^5). The second line contains n integers a_1, a_2, ..., a_n (1 ≤ a_i ≤ 2 ⋅ 10^5) — the numbers written on vertices. Then n - 1 lines follow, each containing two integers x and y (1 ≤ x, y ≤ n, x ≠ y) denoting an edge connecting vertex x with vertex y. It is guaranteed that these edges form a tree. Output For every integer i from 1 to 2 ⋅ 10^5 do the following: if there is no pair (x, y) such that x ≤ y and g(x, y) = i, don't output anything. Otherwise output two integers: i and the number of aforementioned pairs. You have to consider the values of i in ascending order. See the examples for better understanding. Examples Input 3 1 2 3 1 2 2 3 Output 1 4 2 1 3 1 Input 6 1 2 4 8 16 32 1 6 6 3 3 4 4 2 6 5 Output 1 6 2 5 4 6 8 1 16 2 32 1 Input 4 9 16 144 6 1 3 2 3 4 3 Output 1 1 2 1 3 1 6 2 9 2 16 2 144 1
instruction
0
29,737
13
59,474
Tags: divide and conquer, dp, dsu, number theory, trees Correct Solution: ``` from collections import deque # from time import time # tt = time() n = int(input()) a = [0] + list(map(int, input().split())) e = [[] for i in range(n + 1)] for i in range(n - 1): u, v = map(int, input().split()) e[u].append(v) e[v].append(u) # print(e) # find all primes isp = [1] * 501 prime = [] for i in range(2, 501): if isp[i]: prime.append(i) for p in prime: if i * p > 500: break isp[i * p] = 0 if i % p == 0: break lp = len(prime) # gr is a forest, n is # of vertices def diam(gr, n): vis = [0] * (n + 1) lvl = [-1] * (n + 1) maxlvl = 0 for i in range(1, n + 1): if not vis[i]: q = deque([i]) start = i while q: start = q.popleft() for to in gr[start]: if not vis[to]: vis[to] = 1 q.append(to) q.append(start) # print(start) lvl[start] = 0 tmplvl = 0 while q: cur = q.popleft() for to in gr[cur]: if lvl[to] == -1: lvl[to] = lvl[cur] + 1 q.append(to) tmplvl = lvl[to] maxlvl = max(maxlvl, tmplvl) return maxlvl + 1 # print('input', time() - tt) # tt = time() newn = [0] * (n + 1) # find vertices in each graph v = [[] for i in range(lp)] other = {} for i in range(1, n + 1): l = a[i] for j in range(lp): r = prime[j] if l % r == 0: v[j].append(i) while l % r == 0: l //= r if l != 1: if l in other: other[l].append(i) else: other[l] = [i] for val in other.values(): v.append(val) ans = 0 # build the graph for i in range(len(v)): count = 1 for node in v[i]: newn[node] = count count += 1 if count == 1: continue g = [[] for i in range(count)] for node in v[i]: for to in e[node]: if newn[to]: g[newn[node]].append(newn[to]) ans = max(ans, diam(g, count - 1)) for node in v[i]: newn[node] = 0 print(ans) ```
output
1
29,737
13
59,475
Provide tags and a correct Python 3 solution for this coding contest problem. You are given a tree consisting of n vertices. A number is written on each vertex; the number on vertex i is equal to a_i. Let's denote the function g(x, y) as the greatest common divisor of the numbers written on the vertices belonging to the simple path from vertex x to vertex y (including these two vertices). For every integer from 1 to 2 ⋅ 10^5 you have to count the number of pairs (x, y) (1 ≤ x ≤ y ≤ n) such that g(x, y) is equal to this number. Input The first line contains one integer n — the number of vertices (1 ≤ n ≤ 2 ⋅ 10^5). The second line contains n integers a_1, a_2, ..., a_n (1 ≤ a_i ≤ 2 ⋅ 10^5) — the numbers written on vertices. Then n - 1 lines follow, each containing two integers x and y (1 ≤ x, y ≤ n, x ≠ y) denoting an edge connecting vertex x with vertex y. It is guaranteed that these edges form a tree. Output For every integer i from 1 to 2 ⋅ 10^5 do the following: if there is no pair (x, y) such that x ≤ y and g(x, y) = i, don't output anything. Otherwise output two integers: i and the number of aforementioned pairs. You have to consider the values of i in ascending order. See the examples for better understanding. Examples Input 3 1 2 3 1 2 2 3 Output 1 4 2 1 3 1 Input 6 1 2 4 8 16 32 1 6 6 3 3 4 4 2 6 5 Output 1 6 2 5 4 6 8 1 16 2 32 1 Input 4 9 16 144 6 1 3 2 3 4 3 Output 1 1 2 1 3 1 6 2 9 2 16 2 144 1
instruction
0
29,738
13
59,476
Tags: divide and conquer, dp, dsu, number theory, trees Correct Solution: ``` import os import sys from io import BytesIO, IOBase from collections import defaultdict, deque, Counter, OrderedDict import threading def main(): ans = 1 flag = True primes = [] for i in range(2, 500): v = 1 for p in primes: if i % p == 0: v = 0 if v: primes.append(i) n = int(input()) a = [*map(int,input().split())] if sum(a) == n: flag = False for i in range(n): x = a[i] a[i] = [] for p in primes: if x % p == 0: a[i].append([p,1]) x = x//p while x % p == 0: x //= p if x != 1:a[i].append([x,1]) adj = [[] for i in range(n)] for i in range(n-1): x, y =map(int,input().split()) adj[x-1].append(y-1) adj[y-1].append(x-1) leaves = [] for i in range(n): if len(adj[i]) == 1: leaves.append(i) for i in range(n-1): x = leaves.pop() y = adj[x][0] adj[y].remove(x) if len(adj[y]) == 1: leaves.append(y) for nx in a[x]: for ny in a[y]: if nx[0] == ny[0]: ans = max([ans, nx[1] + ny[1]]) ny[1] = max([ny[1],nx[1]+1]) if not flag:print(0) else:print(ans) 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") # endregion if __name__ == "__main__": """sys.setrecursionlimit(400000) threading.stack_size(40960000) thread = threading.Thread(target=main) thread.start()""" main() ```
output
1
29,738
13
59,477
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response. You are given a tree consisting of n vertices. A number is written on each vertex; the number on vertex i is equal to a_i. Let's denote the function g(x, y) as the greatest common divisor of the numbers written on the vertices belonging to the simple path from vertex x to vertex y (including these two vertices). For every integer from 1 to 2 ⋅ 10^5 you have to count the number of pairs (x, y) (1 ≤ x ≤ y ≤ n) such that g(x, y) is equal to this number. Input The first line contains one integer n — the number of vertices (1 ≤ n ≤ 2 ⋅ 10^5). The second line contains n integers a_1, a_2, ..., a_n (1 ≤ a_i ≤ 2 ⋅ 10^5) — the numbers written on vertices. Then n - 1 lines follow, each containing two integers x and y (1 ≤ x, y ≤ n, x ≠ y) denoting an edge connecting vertex x with vertex y. It is guaranteed that these edges form a tree. Output For every integer i from 1 to 2 ⋅ 10^5 do the following: if there is no pair (x, y) such that x ≤ y and g(x, y) = i, don't output anything. Otherwise output two integers: i and the number of aforementioned pairs. You have to consider the values of i in ascending order. See the examples for better understanding. Examples Input 3 1 2 3 1 2 2 3 Output 1 4 2 1 3 1 Input 6 1 2 4 8 16 32 1 6 6 3 3 4 4 2 6 5 Output 1 6 2 5 4 6 8 1 16 2 32 1 Input 4 9 16 144 6 1 3 2 3 4 3 Output 1 1 2 1 3 1 6 2 9 2 16 2 144 1 Submitted Solution: ``` def gcd(a,b): if b==0: return a return gcd(b,a%b) n=int(input()) a=[1]+[int(i) for i in input().split()] c=[[] for i in range(n+1)] for i in range(n-1): x,y=[int(i) for i in input().split()] c[x].append(y) c[y].append(x) done=[False]*(n+1) done[1]=True todo=[[1,[a[1],1]]] ans=1 while len(todo)>0: #print(todo) curr=todo[0][0] g=todo[0][1:] todo.pop() for i in c[curr]: if done[i]==False: done[i]=True m=[[a[i],1]] for j in g: gc=gcd(max(j[0],a[i]),min(j[0],a[i])) if gc==1: ans=max(ans,j[1]) else: m.append([gc,j[1]+1]) ans=max(ans,j[1]+1) #print(m) todo.append([i]+m) if a.count(1)==n+1: print(0) quit() print(ans) ```
instruction
0
29,739
13
59,478
No
output
1
29,739
13
59,479
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response. You are given a tree consisting of n vertices. A number is written on each vertex; the number on vertex i is equal to a_i. Let's denote the function g(x, y) as the greatest common divisor of the numbers written on the vertices belonging to the simple path from vertex x to vertex y (including these two vertices). For every integer from 1 to 2 ⋅ 10^5 you have to count the number of pairs (x, y) (1 ≤ x ≤ y ≤ n) such that g(x, y) is equal to this number. Input The first line contains one integer n — the number of vertices (1 ≤ n ≤ 2 ⋅ 10^5). The second line contains n integers a_1, a_2, ..., a_n (1 ≤ a_i ≤ 2 ⋅ 10^5) — the numbers written on vertices. Then n - 1 lines follow, each containing two integers x and y (1 ≤ x, y ≤ n, x ≠ y) denoting an edge connecting vertex x with vertex y. It is guaranteed that these edges form a tree. Output For every integer i from 1 to 2 ⋅ 10^5 do the following: if there is no pair (x, y) such that x ≤ y and g(x, y) = i, don't output anything. Otherwise output two integers: i and the number of aforementioned pairs. You have to consider the values of i in ascending order. See the examples for better understanding. Examples Input 3 1 2 3 1 2 2 3 Output 1 4 2 1 3 1 Input 6 1 2 4 8 16 32 1 6 6 3 3 4 4 2 6 5 Output 1 6 2 5 4 6 8 1 16 2 32 1 Input 4 9 16 144 6 1 3 2 3 4 3 Output 1 1 2 1 3 1 6 2 9 2 16 2 144 1 Submitted Solution: ``` from collections import deque import math def gcd(a, b): if b == 0: return a return gcd(b, a % b) if __name__ == '__main__': n = int(input()) arr = list(map(int, input().split())) edges = [[] for _ in range(n)] parents = [[] for _ in range(n)] for _ in range(n-1): x, y = list(map(int, input().split())) edges[x - 1].append(y-1) parents[y-1].append(x-1) roots = [] for i in range(n): if not parents[i]: roots.append(i) # print(roots) max_dist = 0 for root in roots: gcds = [None] * n dists = [None] * n queue = deque([root]) while len(queue): node = queue.pop() if arr[node] > 1: max_dist = max(max_dist, 1) parent = None for par in parents[node]: if gcds[par]: parent = par break if parent is None: dists[node] = 1 gcds[node] = arr[node] else: cur_gcd = gcd(arr[node], gcds[parent]) if cur_gcd > 1: dists[node] = dists[parent] + 1 gcds[node] = cur_gcd max_dist = max(max_dist, dists[node]) else: dists[node] = 1 gcds[node] = arr[node] for child in edges[node]: queue.appendleft(child) print(max_dist) ```
instruction
0
29,740
13
59,480
No
output
1
29,740
13
59,481
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response. You are given a tree consisting of n vertices. A number is written on each vertex; the number on vertex i is equal to a_i. Let's denote the function g(x, y) as the greatest common divisor of the numbers written on the vertices belonging to the simple path from vertex x to vertex y (including these two vertices). For every integer from 1 to 2 ⋅ 10^5 you have to count the number of pairs (x, y) (1 ≤ x ≤ y ≤ n) such that g(x, y) is equal to this number. Input The first line contains one integer n — the number of vertices (1 ≤ n ≤ 2 ⋅ 10^5). The second line contains n integers a_1, a_2, ..., a_n (1 ≤ a_i ≤ 2 ⋅ 10^5) — the numbers written on vertices. Then n - 1 lines follow, each containing two integers x and y (1 ≤ x, y ≤ n, x ≠ y) denoting an edge connecting vertex x with vertex y. It is guaranteed that these edges form a tree. Output For every integer i from 1 to 2 ⋅ 10^5 do the following: if there is no pair (x, y) such that x ≤ y and g(x, y) = i, don't output anything. Otherwise output two integers: i and the number of aforementioned pairs. You have to consider the values of i in ascending order. See the examples for better understanding. Examples Input 3 1 2 3 1 2 2 3 Output 1 4 2 1 3 1 Input 6 1 2 4 8 16 32 1 6 6 3 3 4 4 2 6 5 Output 1 6 2 5 4 6 8 1 16 2 32 1 Input 4 9 16 144 6 1 3 2 3 4 3 Output 1 1 2 1 3 1 6 2 9 2 16 2 144 1 Submitted Solution: ``` def gcd(a,b): if b==0: return a return gcd(b,a%b) n=int(input()) a=[1]+[int(i) for i in input().split()] c=[[] for i in range(n+1)] for i in range(n-1): x,y=[int(i) for i in input().split()] c[x].append(y) c[y].append(x) done=[False]*(n+1) done[1]=True todo=[[1,[a[1],1]]] ans=1 while len(todo)>0: #print(todo) curr=todo[0][0] g=todo[0][1:] todo.pop() for i in c[curr]: if done[i]==False: done[i]=True m=[[a[i],1]] for j in g: gc=gcd(max(j[0],a[i]),min(j[0],a[i])) if gc==1: ans=max(ans,j[1]) else: m.append([gc,j[1]+1]) #print(m) todo.append([i]+m) if a.count(1)==n+1: print(0) quit() print(ans) ```
instruction
0
29,741
13
59,482
No
output
1
29,741
13
59,483
Evaluate the correctness of the submitted Python 3 solution to the coding contest problem. Provide a "Yes" or "No" response. You are given a tree consisting of n vertices. A number is written on each vertex; the number on vertex i is equal to a_i. Let's denote the function g(x, y) as the greatest common divisor of the numbers written on the vertices belonging to the simple path from vertex x to vertex y (including these two vertices). For every integer from 1 to 2 ⋅ 10^5 you have to count the number of pairs (x, y) (1 ≤ x ≤ y ≤ n) such that g(x, y) is equal to this number. Input The first line contains one integer n — the number of vertices (1 ≤ n ≤ 2 ⋅ 10^5). The second line contains n integers a_1, a_2, ..., a_n (1 ≤ a_i ≤ 2 ⋅ 10^5) — the numbers written on vertices. Then n - 1 lines follow, each containing two integers x and y (1 ≤ x, y ≤ n, x ≠ y) denoting an edge connecting vertex x with vertex y. It is guaranteed that these edges form a tree. Output For every integer i from 1 to 2 ⋅ 10^5 do the following: if there is no pair (x, y) such that x ≤ y and g(x, y) = i, don't output anything. Otherwise output two integers: i and the number of aforementioned pairs. You have to consider the values of i in ascending order. See the examples for better understanding. Examples Input 3 1 2 3 1 2 2 3 Output 1 4 2 1 3 1 Input 6 1 2 4 8 16 32 1 6 6 3 3 4 4 2 6 5 Output 1 6 2 5 4 6 8 1 16 2 32 1 Input 4 9 16 144 6 1 3 2 3 4 3 Output 1 1 2 1 3 1 6 2 9 2 16 2 144 1 Submitted Solution: ``` from math import gcd num_node = int(input()) node_list = [int(x) for x in input().split()] class Tree: def __init__(self, ic, cargo, children=None): # children must be list or None self.ic = int(ic) self.cargo = int(cargo) if children: self.children = children else: self.children = [] def __str__(self): str_children = [] if self.children: for x in self.children: str_children.append(str(x)) return str([self.ic, self.cargo, str_children]) def add_child(self, new_child): self.children.append(new_child) for x in range(len(node_list)): node_list[x] = Tree(x, node_list[x]) def find_node(p_list, target): for x in range(len(p_list)): if p_list[x].ic == target: return p_list[x] return False num_edge = num_node - 1 for x in range(num_edge): ic1, ic2 = [int(x) - 1 for x in input().split()] find_node(node_list, ic1).add_child(find_node(node_list, ic2)) record_root = 0 # find root for x in node_list: new_str_len = len(str(x)) if new_str_len > record_root: root = x record_root = new_str_len # def print_node_list(): # global node_list # for x in node_list: # print(str(x)) # # # print_node_list() # print('{} is root'.format(root)) ############## # start algorithm r_len = 0 trial_array = [root] def challenge(new_len): global r_len r_len = max(new_len, r_len) def add_trial(node): global trial_array trial_array.append(node) def continue_trial(node, c_len, c_gcd): new_gcd = gcd(node.cargo, c_gcd) if new_gcd > 1: new_len = c_len + 1 if node.children: for x in node.children: continue_trial(x, new_len, new_gcd) else: challenge(new_len) else: challenge(c_len) if node.children: add_trial(node) def start_trial(node): # c for candidate c_len = 1 c_gcd = node.cargo if c_gcd > 1: if node.children: for x in node.children: continue_trial(x, c_len, c_gcd) else: challenge(1) return True while trial_array: start_trial(trial_array[0]) del trial_array[0] print(r_len) ```
instruction
0
29,742
13
59,484
No
output
1
29,742
13
59,485
Provide tags and a correct Python 3 solution for this coding contest problem. Recall that a binary search tree is a rooted binary tree, whose nodes each store a key and each have at most two distinguished subtrees, left and right. The key in each node must be greater than any key stored in the left subtree, and less than any key stored in the right subtree. The depth of a vertex is the number of edges on the simple path from the vertex to the root. In particular, the depth of the root is 0. Let's call a binary search tree perfectly balanced if there doesn't exist a binary search tree with the same number of vertices that has a strictly smaller sum of depths of its vertices. Let's call a binary search tree with integer keys striped if both of the following conditions are satisfied for every vertex v: * If v has a left subtree whose root is u, then the parity of the key of v is different from the parity of the key of u. * If v has a right subtree whose root is w, then the parity of the key of v is the same as the parity of the key of w. You are given a single integer n. Find the number of perfectly balanced striped binary search trees with n vertices that have distinct integer keys between 1 and n, inclusive. Output this number modulo 998 244 353. Input The only line contains a single integer n (1 ≤ n ≤ 10^6), denoting the required number of vertices. Output Output the number of perfectly balanced striped binary search trees with n vertices and distinct integer keys between 1 and n, inclusive, modulo 998 244 353. Examples Input 4 Output 1 Input 3 Output 0 Note In the first example, this is the only tree that satisfies the conditions: <image> In the second example, here are various trees that don't satisfy some condition: <image>
instruction
0
30,161
13
60,322
Tags: dp, math Correct Solution: ``` n = int(input()) pos = [2,1] # come in pairs of [odd, even] left subtree size for i in range(20): pos.extend([1 + pos[-1] + pos[-2], 1 + 2*pos[-2]]) print(int(n in pos)) ```
output
1
30,161
13
60,323
Provide tags and a correct Python 3 solution for this coding contest problem. Recall that a binary search tree is a rooted binary tree, whose nodes each store a key and each have at most two distinguished subtrees, left and right. The key in each node must be greater than any key stored in the left subtree, and less than any key stored in the right subtree. The depth of a vertex is the number of edges on the simple path from the vertex to the root. In particular, the depth of the root is 0. Let's call a binary search tree perfectly balanced if there doesn't exist a binary search tree with the same number of vertices that has a strictly smaller sum of depths of its vertices. Let's call a binary search tree with integer keys striped if both of the following conditions are satisfied for every vertex v: * If v has a left subtree whose root is u, then the parity of the key of v is different from the parity of the key of u. * If v has a right subtree whose root is w, then the parity of the key of v is the same as the parity of the key of w. You are given a single integer n. Find the number of perfectly balanced striped binary search trees with n vertices that have distinct integer keys between 1 and n, inclusive. Output this number modulo 998 244 353. Input The only line contains a single integer n (1 ≤ n ≤ 10^6), denoting the required number of vertices. Output Output the number of perfectly balanced striped binary search trees with n vertices and distinct integer keys between 1 and n, inclusive, modulo 998 244 353. Examples Input 4 Output 1 Input 3 Output 0 Note In the first example, this is the only tree that satisfies the conditions: <image> In the second example, here are various trees that don't satisfy some condition: <image>
instruction
0
30,162
13
60,324
Tags: dp, math Correct Solution: ``` def f(n): return (2**(n+3)+(-1)**n-9)//6 # for i in range(25): # print(f(i)); a = [ 0, 1, 2, 4, 5, 9, 10, 20, 21, 41, 42, 84, 85, 169, 170, 340, 341, 681, 682, 1364, 1365, 2729, 2730, 5460, 5461, 10921, 10922, 21844, 21845, 43689, 43690, 87380, 87381, 174761, 174762, 349524, 349525, 699049, 699050,] n = int(input()) if n in a: print(1) else: print(0) ```
output
1
30,162
13
60,325
Provide tags and a correct Python 3 solution for this coding contest problem. Recall that a binary search tree is a rooted binary tree, whose nodes each store a key and each have at most two distinguished subtrees, left and right. The key in each node must be greater than any key stored in the left subtree, and less than any key stored in the right subtree. The depth of a vertex is the number of edges on the simple path from the vertex to the root. In particular, the depth of the root is 0. Let's call a binary search tree perfectly balanced if there doesn't exist a binary search tree with the same number of vertices that has a strictly smaller sum of depths of its vertices. Let's call a binary search tree with integer keys striped if both of the following conditions are satisfied for every vertex v: * If v has a left subtree whose root is u, then the parity of the key of v is different from the parity of the key of u. * If v has a right subtree whose root is w, then the parity of the key of v is the same as the parity of the key of w. You are given a single integer n. Find the number of perfectly balanced striped binary search trees with n vertices that have distinct integer keys between 1 and n, inclusive. Output this number modulo 998 244 353. Input The only line contains a single integer n (1 ≤ n ≤ 10^6), denoting the required number of vertices. Output Output the number of perfectly balanced striped binary search trees with n vertices and distinct integer keys between 1 and n, inclusive, modulo 998 244 353. Examples Input 4 Output 1 Input 3 Output 0 Note In the first example, this is the only tree that satisfies the conditions: <image> In the second example, here are various trees that don't satisfy some condition: <image>
instruction
0
30,163
13
60,326
Tags: dp, math Correct Solution: ``` ''' Author : thekushalghosh Team : CodeDiggers ''' import sys,math input = sys.stdin.readline n = int(input()) q = [1,2] for i in range(34): if q[-1] % 2 != 0: q = q + [q[-1] + q[-2],q[-1] + q[-2] + 1] else: q = q + [(2 * q[-1]),(2 * q[-1]) + 1] if n in q: print(1) else: print(0) ```
output
1
30,163
13
60,327