Game Develop

[Algorithm] Baekjoon 1926번 : 그림 본문

Algorithm/Baekjoon

[Algorithm] Baekjoon 1926번 : 그림

MaxLevel 2023. 2. 13. 16:40

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

 

1926번: 그림

어떤 큰 도화지에 그림이 그려져 있을 때, 그 그림의 개수와, 그 그림 중 넓이가 가장 넓은 것의 넓이를 출력하여라. 단, 그림이라는 것은 1로 연결된 것을 한 그림이라고 정의하자. 가로나 세로

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
struct Node
{
    int y;
    int x;
};
 
int row, col;
int arr[501][501];
int dir[4][2= { {-1,0}, {1,0}, {0,-1}, {0,1} };
 
 
int getArea(int startY, int startX)
{
    queue<Node> q;
    q.push({ startY,startX });
    arr[startY][startX] = 0;
    int count = 1;
    
 
    while (!q.empty())
    {
        int curY = q.front().y;
        int curX = q.front().x;
        q.pop();
 
        for (int i = 0; i < 4++i)
        {
            int nextY = curY + dir[i][0];
            int nextX = curX + dir[i][1];
 
            if (nextY < 0 || nextY >= row) continue;
            if (nextX < 0 || nextX >= col) continue;
            if (!arr[nextY][nextX]) continue;
 
            ++count;
            arr[nextY][nextX] = 0;
            q.push({ nextY,nextX });
        }
    }
 
    return count;
}
 
 
 
int main()
{
    ios::sync_with_stdio(false);
    cin.tie(0);
    cout.tie(0);
 
    int maxArea = 0;
    int count = 0;
 
    cin >> row >> col;
 
    for (int i = 0; i < row; ++i)
    {
        for (int j = 0; j < col; ++j)
        {
            cin >> arr[i][j];
        }
    }
 
    for (int i = 0; i < row; ++i)
    {
        for (int j = 0; j < col; ++j)
        {
            if (arr[i][j] == 0continue;
            ++count;
            maxArea = max(maxArea, getArea(i, j));
        }
    }
 
 
    cout << count << endl << maxArea;
}
cs