Leetcode#2924. Find Champion II
Problem
There are n
teams numbered from 0
to n - 1
in a tournament; each team is also a node in a DAG.
You are given the integer n
and a 0-indexed 2D integer array edges
of length m
representing the DAG, where edges[i] = [ui, vi]
indicates that there is a directed edge from team ui
to team vi
in the graph.
A directed edge from a
to b
in the graph means that team a
is stronger than team b
and team b
is weaker than team a
.
Team a
will be the champion of the tournament if there is no team b
that is stronger than team a
.
Return the team that will be the champion of the tournament if there is a unique champion, otherwise, return -1
.
Notes
- A cycle is a series of nodes
a1, a2, ..., an, an+1
such that nodea1
is the same node as nodean+1
, the nodesa1, a2, ..., an
are distinct, and there is a directed edge from the nodeai
to nodeai+1
for everyi
in the range[1, n]
. - A DAG is a directed graph that does not have any cycle.
Example 1:
!https://assets.leetcode.com/uploads/2023/10/19/graph-3.png
1 | Input: n = 3, edges = [[0,1],[1,2]] |
Example 2:
!https://assets.leetcode.com/uploads/2023/10/19/graph-4.png
1 | Input: n = 4, edges = [[0,2],[1,3],[1,2]] |
Constraints:
1 <= n <= 100
m == edges.length
0 <= m <= n * (n - 1) / 2
edges[i].length == 2
0 <= edge[i][j] <= n - 1
edges[i][0] != edges[i][1]
- The input is generated such that if team
a
is stronger than teamb
, teamb
is not stronger than teama
. - The input is generated such that if team
a
is stronger than teamb
and teamb
is stronger than teamc
, then teama
is stronger than teamc
.
Solve
法1
用union find 的方法,但不一樣的是 並不是每一段都會連接
這題是為了找有最前面的頭
所以當已經輸過的人輸多少次都無關,需要的是前面贏過的人更新到新的冠軍
當有人多個都沒有輸過的人,find( u ) ≠ find( v ) 就 return -1
1 | class Solution: |
由於find 會變成一個找下一個,所以這方法會很慢
法2
這題重點為觀察是否有人沒輸過
沒輸過的就是冠軍 → 但是可能有多個沒輸過的人,導致還找不到
1 | # not optimization ,its the idea |
Time complexity: O(n)
Space complexity: O(n)
優化
1 | class Solution: |