FGD小朋友特别喜欢爬山,在爬山的时候他就在研究山峰和山谷。
为了能够对旅程有一个安排,他想知道山峰和山谷的数量。
给定一个地图,为FGD想要旅行的区域,地图被分为 n×nn×n 的网格,每个格子 (i,j)(i,j) 的高度 w(i,j)w(i,j) 是给定的。
若两个格子有公共顶点,那么它们就是相邻的格子,如与 (i,j)(i,j) 相邻的格子有(i−1,j−1),(i−1,j),(i−1,j+1),(i,j−1),(i,j+1),(i+1,j−1),(i+1,j),(i+1,j+1)(i−1,j−1),(i−1,j),(i−1,j+1),(i,j−1),(i,j+1),(i+1,j−1),(i+1,j),(i+1,j+1)。
我们定义一个格子的集合 SS 为山峰(山谷)当且仅当:

  1. SS 的所有格子都有相同的高度。
  2. SS 的所有格子都连通。
  3. 对于 ss 属于 SS,与 ss 相邻的 s′s′ 不属于 SS,都有 ws>ws′ws>ws′(山峰),或者 ws<ws′ws<ws′(山谷)。
  4. 如果周围不存在相邻区域,则同时将其视为山峰和山谷。

你的任务是,对于给定的地图,求出山峰和山谷的数量,如果所有格子都有相同的高度,那么整个地图即是山峰,又是山谷。

输入格式

第一行包含一个正整数 nn,表示地图的大小。
接下来一个 n×nn×n 的矩阵,表示地图上每个格子的高度 ww。

输出格式

共一行,包含两个整数,表示山峰和山谷的数量。

数据范围

1≤n≤10001≤n≤1000,
0≤w≤1090≤w≤109

输入样例1:

5 8 8 8 7 7 7 7 8 8 7 7 7 7 7 7 7 8 8 7 8 7 8 8 8 8

输出样例1:

2 1

输入样例2:

5 5 7 8 3 1 5 5 7 6 6 6 6 6 2 8 5 7 2 5 8 7 1 0 1 7

输出样例2:

3 3

样例解释

样例1:
image.png
样例2:
image.png


  1. #include <iostream>
  2. #include <cstring>
  3. #include <algorithm>
  4. #define x first
  5. #define y second
  6. using namespace std;
  7. typedef pair<int,int> PII;
  8. const int N = 1010;
  9. int h[N][N];
  10. bool st[N][N];
  11. PII q[N*N];
  12. int n;
  13. void bfs(int sx, int sy, bool &has_higher, bool &has_lower) {
  14. int hh = 0, tt = 0;
  15. q[0] = {sx,sy};
  16. st[sx][sy] = true;
  17. while (hh <= tt) {
  18. auto t = q[hh++];
  19. for (int i = t.x-1; i <= t.x+1; ++i)
  20. for (int j = t.y-1; j <= t.y+1; ++j) {
  21. if (i == t.x && j == t.y) continue;
  22. if (i < 0 || i >= n || j < 0 || j >= n) continue;
  23. //山的边界
  24. if (h[t.x][t.y] != h[i][j]) {
  25. if (h[t.x][t.y] < h[i][j]) has_higher = true;
  26. else has_lower = true;
  27. } else if (!st[i][j]) {
  28. //注意这里只标记一个连通块里面的
  29. st[i][j] = true;
  30. q[++tt] = {i,j};
  31. }
  32. }
  33. }
  34. }
  35. int main () {
  36. cin >> n;
  37. for (int i = 0; i < n; ++i)
  38. for (int j = 0; j < n; ++j)
  39. cin >> h[i][j];
  40. int peaks = 0, valley = 0;
  41. for (int i = 0; i < n; ++i)
  42. for (int j = 0; j < n; ++j) {
  43. if (!st[i][j]) {
  44. bool has_higher = false, has_lower = false;
  45. bfs(i,j,has_higher,has_lower);
  46. if (!has_higher) peaks++;
  47. if (!has_lower) valley++;
  48. }
  49. }
  50. cout << peaks << " " << valley << endl;
  51. return 0;
  52. }