흰 스타렉스에서 내가 내리지

[BOJ] (GRAPH) 1707번 이분 그래프 본문

Problem Solving

[BOJ] (GRAPH) 1707번 이분 그래프

주씨. 2022. 2. 19. 14:07
728x90

 

이분그래프에 대해 공부한 적이 있어서 금방 풀었던 문제.

from collections import deque

def main():
    for _ in range(int(input())):
        V, E = map(int, input().split())
        graph = [[] for __ in range(V+1)]
        for ___ in range(E):
            a, b = map(int, input().split())
            graph[a].append(b)
            graph[b].append(a)
            
        if isBipartite(graph):
            print('YES')
        else:
            print('NO')
            
            
def isBipartite(graph):
    vertices = len(graph)
    colors = [None] * vertices
    visited = [False] * vertices
    
    
    for i in range(1, vertices):
        q = deque()
        q.append(i)
    
        while q:
            now = q.popleft()
            if visited[now]:
                continue

            if colors[now] == None:
                colors[now] = 0

            now_color = colors[now]
            visited[now] = True

            for v in graph[now]:
                if colors[v] == now_color:
                    return False

                colors[v] = 1- now_color
                q.append(v)
        
    return True


main()

 

 

https://www.acmicpc.net/problem/1707

 

1707번: 이분 그래프

입력은 여러 개의 테스트 케이스로 구성되어 있는데, 첫째 줄에 테스트 케이스의 개수 K가 주어진다. 각 테스트 케이스의 첫째 줄에는 그래프의 정점의 개수 V와 간선의 개수 E가 빈 칸을 사이에

www.acmicpc.net