Game Develop

[Algorithm] Baekjoon 2585번 : 경비행기 본문

Algorithm/Baekjoon

[Algorithm] Baekjoon 2585번 : 경비행기

MaxLevel 2023. 5. 19. 23:50

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

 

2585번: 경비행기

경비행기 독수리호가 출발지 S에서 목적지 T로 가능한 빠른 속도로 안전하게 이동하고자 한다. 이때, 경비행기의 연료통의 크기를 정하는 것이 중요한 문제가 된다. 큰 연료통을 장착하면 중간

www.acmicpc.net

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
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
struct Node
{
    int y;
    int x;
    int count = 0;
};
 
int convertLiter(int y2, int x2, int y1, int x1) 
{
    int distance = (int)ceil(sqrt(pow(y2 - y1, 2+ pow(x2 - x1, 2)));
    
    if (distance % 10 == 0return distance / 10;
    else return distance / 10 + 1;
}
 
int n, k;
vector<Node> nodes;
bool visited[1001= { false };
 
bool BFS(int standardLiter)
{
    memset(visited, falsesizeof(visited));
    queue<Node> q;
    q.push({ 0,0,k });
    
    while (!q.empty())
    {
        int curY = q.front().y;
        int curX = q.front().x;
        int curCount = q.front().count;
        q.pop();
 
        int liter = convertLiter(curY, curX, 1000010000);
 
        if (liter <= standardLiter)
        {
            return true;
        }
 
        if (curCount == 0continue;
 
        for (int i = 0; i < n; ++i)
        {
            if (visited[i]) continue;
 
            int nextY = nodes[i].y;
            int nextX = nodes[i].x;
            int liter = convertLiter(curY, curX, nextY, nextX);
 
            if (liter <= standardLiter)
            {
                visited[i] = true;
                q.push({ nextY,nextX,curCount - 1 });
            }
        }
    }
 
    return false;
}
 
 
int main(void)
{
    ios_base::sync_with_stdio(0);
    cin.tie(0);
 
    cin >> n >> k;
 
    for (int i = 0; i < n; ++i)
    {
        int y, x;
        cin >> x >> y;
 
        nodes.push_back({ y,x });
    }
 
    int left = 0;
    int right = 10000000;
    int answer = 0;
    
    while (left <= right)
    {
        int mid = (left + right) / 2;
 
        if (BFS(mid))
        {
            answer = mid;
            right = mid - 1;
        }
        else
        {
            left = mid + 1;
        }
    }
 
    cout << answer;
 
    return 0;
}
cs

이전에 풀었던 결정문제와 같은 유형의 문제이다.

주어진 조건을 완전탐색으로하려면 당연히 시간초과가 걸리기 때문에, 아예 허용가능한 기름량을 이분탐색으로 조절해가며 해당 기름량으로 목적지까지 갈수있는지에 대해 Yes or No를 구한다.