Notice
Recent Posts
Recent Comments
Link
일 | 월 | 화 | 수 | 목 | 금 | 토 |
---|---|---|---|---|---|---|
1 | ||||||
2 | 3 | 4 | 5 | 6 | 7 | 8 |
9 | 10 | 11 | 12 | 13 | 14 | 15 |
16 | 17 | 18 | 19 | 20 | 21 | 22 |
23 | 24 | 25 | 26 | 27 | 28 |
Tags
- 2870번 c++
- 백준 17070번 c++
- Lv.3
- 백준 c++ 2870번
- 백준
- 코딩테스트
- 2870번 수학숙제 c++
- dfs
- 백준 2870번
- 백준 1103번 게임
- 2870번
- C#
- Unity
- 유니티
- 플레이어 이동
- 백준 c++ 2468번
- Lv2
- 2468 c++
- 백준 1103번 c++
- 백준 1103번
- Beakjoon
- 백준 17070번
- 코테
- c++
- 오브젝트 풀링
- 17070번
- Algorithm
- 2870번 수학숙제
- 수학숙제
- 프로그래머스
Archives
- Today
- Total
주녘공부일지
[프로그래머스 C#] Lv.3 네트워크 본문
https://school.programmers.co.kr/learn/courses/30/lessons/43162#
1. 정답코드 및 핵심 아이디어, 유의사항
연결된 컴퓨터들의 묶음을 하나의 네트워크로 보고 네트워크의 개수를 구하는 문제
- 0번 컴퓨터부터 끝까지 체크하여 네트워크에 연결됨을 파악한 컴퓨터인지 판단
- 만약 새로운 네트워크를 발견했다면 해당하는 네트워크 내의 모든 컴퓨터를 탐색 (BFS 탐색)
BFS 알고리즘
https://godgjwnsgur7.tistory.com/47
주석 참조
using System;
using System.Collections.Generic;
public class Solution
{
public int solution(int n, int[,] computers)
{
int answer = 0; // 네트워크 개수
var boolArray = new bool[n]; // 방문배열 : 네트워크에 연결된 컴퓨터인지?
var queue = new Queue<int>(); // BFS 탐색대상 Queue
for (int i = 0; i < n; i++)
{
// 이미 연결된 컴퓨터라면
if (boolArray[i] == true)
continue;
// 새로운 네트워크 발견
answer++;
boolArray[i] = true;
queue.Enqueue(i);
// 연결된 모든 네트워크 탐색 (BFS)
while (queue.Count > 0)
{
int index = queue.Dequeue();
for (int j = 0; j < n; j++)
{
// 아직 연결이 파악되지 않은 연결된 컴퓨터 발견
if (boolArray[j] == false && computers[index, j] == 1)
{
queue.Enqueue(j);
boolArray[j] = true;
}
}
}
}
return answer;
}
}
'CodingTest > Programmers Lv.3' 카테고리의 다른 글
[프로그래머스 C#] Lv.3 가장 먼 노드 (0) | 2024.03.20 |
---|---|
[프로그래머스 C#] Lv.3 단어 변환 (0) | 2024.03.15 |
[프로그래머스 C#] Lv.3 베스트앨범 (0) | 2024.03.13 |
[프로그래머스 C#] Lv.3 N으로 표현 (0) | 2024.03.11 |
[프로그래머스 C#] Lv.3 야근 지수 (0) | 2024.03.07 |