數據結構Java版之深度優先-圖(十二)

這裏用深度優先遍歷存在矩陣裏面的圖。java

  深度優先利用的是棧的FIFO特性。爲此遍歷到底後,能夠找到最相鄰的節點繼續遍歷。實現深度優先,還須要在節點加上一個訪問標識,來肯定該節點是否已經被訪問過了。測試

源碼:this

package mygraph;

import java.util.Stack;

public class DFS_Vertex {
   //建立一個咱們須要的節點類
class Vertex { private char lable; private int val; private boolean wasvisited; Vertex(char lable) { this.lable = lable; } Vertex() { } } private char lable; // 矩陣元素 private Vertex[][] list = new Vertex[20][20]; private Vertex[] vertexList = new Vertex[20]; private int nVerts; // 當前頂點下標 DFS_Vertex() { this.nVerts = 0; for(int i = 0; i < 20; i ++) { for(int j = 0; j < 20; j ++) { list[i][j] = new Vertex(); } } } // 增長一個頂點 public void addVertex(char lable) { vertexList[nVerts++] = new Vertex(lable); } // 增長一條邊 public void addEdge(int start, int end) { list[start][end].val = 1; list[end][start].val = 1; } // 打印矩陣 public void printMatrix() { for (int i = 0; i < nVerts; i++) { for (int j = 0; j < nVerts; j++) { System.out.print(list[i][j].val); } System.out.println(); } } //顯示字符 public void showVertex(int v) { System.out.print(vertexList[v].lable + "\t"); } //得到鄰接未訪問節點 public int getAdjUnvisitedVertex(int v) { for(int j = 0; j < nVerts; j ++) { if((list[v][j].val == 1) && (vertexList[j].wasvisited == false)) { return j; } } return -1; } //DFS public void DFS() { Stack<Integer> s = new Stack(); vertexList[0].wasvisited = true; showVertex(0); s.push(0); int v; while(s.size() > 0) { v = getAdjUnvisitedVertex(s.peek()); if(v == -1) { s.pop(); }else { vertexList[v].wasvisited = true; showVertex(v); s.push(v); } } for(int j = 0; j < nVerts; j ++) { vertexList[j].wasvisited = false; } } }

測試程序:spa

    public static void main(String[] args) {
        DFS_Vertex ds = new DFS_Vertex();
        ds.addVertex('A');    //0
        ds.addVertex('B');    //1
        ds.addVertex('C');    //2    
        ds.addVertex('D');    //3
        ds.addVertex('E');    //4
        ds.addEdge(0, 1);    //A-B 
        ds.addEdge(0, 3);    //A-D
        ds.addEdge(1, 4);    //B-E
        ds.addEdge(3, 4);    //D-E
        ds.addEdge(4, 2);    //E-C
        ds.printMatrix();
        ds.DFS();
    }

測試結果:code

10001
00001
10001
01110
A    B    E    C    D
相關文章
相關標籤/搜索