Coding_Test_C++

BaekJoon 1697번: 숨바꼭질

풀이법

1차원 배열과 BFS를 이용하면 문제를 쉽게 풀 수 있었다.

정확한 조건에 대한 이해가 수반되어야 문제를 풀 수 있기에 힌트에 적힌 5-10-9-18-17 부분을 이해하는 것이 중요하다.

#include <iostream>
#include <queue>
#include <algorithm>
#include <cstring>
using namespace std;

int arr[100001];
bool visited[100001];
int n, k;
int minimum=100001;
void bfs(int n)
{
	visited[n] = true;
	queue<pair<int, int>>q;
	q.push({ n, 0 });
	while (!q.empty())
	{
		int now = q.front().first;
		int count = q.front().second;
		q.pop();
		if (now == k)
		{
			minimum = min(minimum, count);
			while (!q.empty())
			{
				int now = q.front().first;
				int count = q.front().second;
				q.pop();
				if (now == k)
				{
					minimum = min(minimum, count);
				}
			}
			cout << minimum;
		}
		if (now*2<100001 && !visited[now * 2])
		{
			visited[now * 2]=true;
			q.push({ now * 2,count + 1 });
		}
		if (now + 1 < 100001 && !visited[now + 1])
		{
			visited[now + 1]=true;
			q.push({ now + 1,count + 1 });
		}
		if (now - 1 >= 0 && !visited[now - 1])
		{
			visited[now - 1] = true;
			q.push({ now - 1,count + 1 });
		}
	}
}
int main()
{
	ios::sync_with_stdio(false);
	cin.tie(0);
	cin >> n >> k;
	bfs(n);
}

주의사항)

n과 k와의 크기 상관 없이

1) 2배가 가능한지

2) +1이 가능한지

3) -1이 가능한지

세 개의 조건과 함께 queue에 전달인자로 count값을 넣어서 몇 번 만에 찾을 수 있는지를 확인하는 문제이다.

앞서 말한 힌트에 대한 이해가 동반된다면 어렵지 않게 풀 수 있을 것이다.

 

github.com/pearlcrum/CodingTest/tree/main

 

pearlcrum/CodingTest

ForPracticingCodingTest. Contribute to pearlcrum/CodingTest development by creating an account on GitHub.

github.com