当前位置:   article > 正文

第十四届第三期蓝桥模拟赛深搜题解

第十四届第三期蓝桥模拟赛深搜题解
  1. 最大连通

这道可以说是深搜基础的题,在数据范围内,我们可以爆搜,对每个点依次,求其连通量的最大值,但为了可以降低复杂度,本题我们也可以使用记忆化搜索,记忆化搜索应该是我们进行搜索时,必定应该考虑的一步。

本题的 记忆化搜索代码如下

  1. import java.io.BufferedReader;
  2. import java.io.IOException;
  3. import java.io.InputStreamReader;
  4. public class 最大连通 {
  5. static BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
  6. static char ch [][] = new char [30][60];
  7. static int b[][] = new int [30][60];
  8. static boolean st [][] = new boolean [30][60];
  9. static int [] dx = {1,0,-1,0};
  10. static int [] dy = {0,1,0,-1};
  11. public static void main(String agrs[]) throws IOException {
  12. for(int i=0;i<30;i++) {
  13. ch[i]=br.readLine().toCharArray();
  14. }
  15. int ans = 0;
  16. for(int i=0;i<30;i++) {
  17. for(int j=0;j<60;j++) {
  18. if(ch[i][j]=='0')continue;
  19. ans = Math.max(ans, dfs(i,j));
  20. }
  21. }
  22. System.out.println(ans);
  23. }
  24. static int dfs(int x,int y) {
  25. if(b[x][y]!=0)return b[x][y];
  26. b[x][y] = 1;
  27. st[x][y] = true;
  28. for(int i=0;i<4;i++) {
  29. int tx = x+dx[i];
  30. int ty = y+dy[i];
  31. if(tx>=0&&tx<30&&ty>=0&&ty<60&&ch[tx][ty]=='1'&&st[tx][ty]==false) {//控制边界,已被标记过的无需重复遍历
  32. st[tx][ty] = true;
  33. b[x][y] += dfs(tx,ty);//将子节点的值累加到父节点
  34. }
  35. }
  36. return b[x][y];
  37. }
  38. }

b[][]依次记录以某个点为父节点,依次遍历有多少子节点,因此只有该连通块的第一个点作为父节点遍历子节点时得到的值为最大值,其余结点依次比其小1;在遍历时,如果遇到该点在b[][]中有记录,则无需遍历,因此,通过这种搜索,图中的每个点将只会遍历一次,无需重重复遍历,并且在最后我们可以使用

ans = Math.max(ans, dfs(i,j));

找出连通块中数量最大的值

  1. 滑行

同理 ,本题的数据范围为100*100,因此所有点数为10000,如果对每个点依次遍历其所有子节点,复杂度为10000*10000=1e8,会超时,因此本题必须使用记忆化搜索,对每个点仅遍历一次,那么复杂度将为10000。依然采用b[][]作为记忆数组。详细代码如下:

  1. import java.util.Scanner;
  2. public class 滑行 {
  3. static int n,m;
  4. static int [] dx = {1,0,-1,0};
  5. static int [] dy = {0,-1,0,1};
  6. static int [][] h = new int [110][110];
  7. static int [][] b = new int [110][110];
  8. public static void main(String agrs[]) {
  9. Scanner sc = new Scanner(System.in);
  10. n = sc.nextInt();
  11. m = sc.nextInt();
  12. for(int i=0;i<n;i++) {
  13. for(int j=0;j<m;j++) {
  14. h[i][j] = sc.nextInt();
  15. }
  16. }
  17. int ans = 0;
  18. for(int i=0;i<n;i++) {
  19. for(int j=0;j<m;j++) {
  20. ans = Math.max(ans,dfs(i,j));
  21. }
  22. }
  23. System.out.println(ans);
  24. }
  25. static int dfs(int x,int y) {
  26. if(b[x][y]!=0)return b[x][y];
  27. b[x][y] = 1;
  28. for(int i=0;i<4;i++) {
  29. int tx = x+dx[i];
  30. int ty = y+dy[i];
  31. if(tx>=0&&tx<n&&ty>=0&&ty<m&&h[tx][ty]<h[x][y]) {
  32. b[x][y]=Math.max(b[x][y], dfs(tx,ty)+1);
  33. }
  34. }
  35. return b[x][y];
  36. }
  37. }

其中最关键的代码如下:

 b[x][y]=Math.max(b[x][y], dfs(tx,ty)+1);//对各个子节点进行比较,选择滑行距离最大的子结点

声明:本文内容由网友自发贡献,不代表【wpsshop博客】立场,版权归原作者所有,本站不承担相应法律责任。如您发现有侵权的内容,请联系我们。转载请注明出处:https://www.wpsshop.cn/w/小丑西瓜9/article/detail/379116
推荐阅读
相关标签
  

闽ICP备14008679号