基于邻接矩阵的深度优先遍历实现

x33g5p2x  于2022-06-27 转载在 其他  
字(2.1k)|赞(0)|评价(0)|浏览(385)

一 要创建的图

二 代码

  1. package graph;
  2. import java.util.Scanner;
  3. public class DFSAM {
  4. static final int MaxVnum = 100; // 顶点数最大值
  5. // 访问标志数组,其初值为"false"
  6. static Boolean visited[] = new Boolean[MaxVnum];
  7. static {
  8. for (int i = 0; i < visited.length; i++) {
  9. visited[i] = false;
  10. }
  11. }
  12. static int locatevex(DFSAM.AMGraph G, char x) {
  13. for (int i = 0; i < G.vexnum; i++) // 查找顶点信息的下标
  14. if (x == G.Vex[i])
  15. return i;
  16. return -1; // 没找到
  17. }
  18. static void CreateAMGraph(DFSAM.AMGraph G) {
  19. Scanner scanner = new Scanner(System.in);
  20. int i, j;
  21. char u, v;
  22. System.out.println("请输入顶点数:");
  23. G.vexnum = scanner.nextInt();
  24. System.out.println("请输入边数:");
  25. G.edgenum = scanner.nextInt();
  26. System.out.println("请输入顶点信息:");
  27. // 输入顶点信息,存入顶点信息数组
  28. for (int k = 0; k < G.vexnum; k++) {
  29. G.Vex[k] = scanner.next().charAt(0);
  30. }
  31. // 初始化邻接矩阵所有值为0,如果是网,则初始化邻接矩阵为无穷大
  32. for (int m = 0; m < G.vexnum; m++)
  33. for (int n = 0; n < G.vexnum; n++)
  34. G.Edge[m][n] = 0;
  35. System.out.println("请输入每条边依附的两个顶点:");
  36. while (G.edgenum-- > 0) {
  37. u = scanner.next().charAt(0);
  38. v = scanner.next().charAt(0);
  39. i = locatevex(G, u);// 查找顶点 u 的存储下标
  40. j = locatevex(G, v);// 查找顶点 v 的存储下标
  41. if (i != -1 && j != -1)
  42. G.Edge[i][j] = 1; //邻接矩阵储置1
  43. else {
  44. System.out.println("输入顶点信息错!请重新输入!");
  45. G.edgenum++; // 本次输入不算
  46. }
  47. }
  48. }
  49. static void print(DFSAM.AMGraph G) { // 输出邻接矩阵
  50. System.out.println("图的邻接矩阵为:");
  51. for (int i = 0; i < G.vexnum; i++) {
  52. for (int j = 0; j < G.vexnum; j++)
  53. System.out.print(G.Edge[i][j] + "\t");
  54. System.out.println();
  55. }
  56. }
  57. static void dfsAm(AMGraph G, int v) {//基于邻接矩阵的深度优先遍历
  58. int w;
  59. System.out.println(G.Vex[v] + "\t");
  60. visited[v] = true;
  61. for (w = 0; w < G.vexnum; w++) // 依次检查v的所有邻接点
  62. if (G.Edge[v][w] == 1 && !visited[w]) // v、w 邻接而且 w 未被访问
  63. dfsAm(G, w); // 从 w 顶点开始递归深度优先遍历
  64. }
  65. public static void main(String[] args) {
  66. int v;
  67. char c;
  68. AMGraph G = new DFSAM.AMGraph();
  69. CreateAMGraph(G);
  70. print(G);
  71. System.out.println("请输入遍历连通图的起始点:");
  72. Scanner scanner = new Scanner(System.in);
  73. c = scanner.next().charAt(0);
  74. v = locatevex(G, c); // 查找顶点u的存储下标
  75. if (v != -1) {
  76. System.out.println("深度优先搜索遍历连通图结果:");
  77. dfsAm(G, v);
  78. } else
  79. System.out.println("输入顶点信息错!请重新输入!");
  80. }
  81. static class AMGraph {
  82. char Vex[] = new char[CreateAMGraph.MaxVnum];
  83. int Edge[][] = new int[CreateAMGraph.MaxVnum][CreateAMGraph.MaxVnum];
  84. int vexnum; // 顶点数
  85. int edgenum; // 边数
  86. }
  87. }

三 测试

绿色为输入,白色为输出

相关文章