其他分享
首页 > 其他分享> > DFS+BFS

DFS+BFS

作者:互联网

文章目录


一、深度优先遍历

1.基本思想

2.代码实现


public int getFirstNeighbor(int index) {
		for(int j = 0; j < vertexList.size(); j++) {
			if(edges[index][j] > 0) {
				return j;
			}
		}
		return -1;
	}
	//根据前一个邻接结点的下标来获取下一个邻接结点
	public int getNextNeighbor(int v1, int v2) {
		for(int j = v2 + 1; j < vertexList.size(); j++) {
			if(edges[v1][j] > 0) {
				return j;
			}
		}
		return -1;
	}
private void dfs(boolean[] isVisited, int i) {
		//首先我们访问该结点,输出
		System.out.print(getValueByIndex(i) + "->");
		//将结点设置为已经访问
		isVisited[i] = true;
		//继续访问下一个邻点
		int w = getFirstNeighbor(i);
		while(w != -1) {
			if(!isVisited[w]) {
				dfs(isVisited, w);
			}
			w = getNextNeighbor(i, w);
		}
		
	}

二、广度优先遍历

1.基本思想

类似于一个分层搜索的过程,广度优先遍历需要使用一个队列以保持访问过的结点的顺序,以便按这个顺序来访问这些结点的邻接结点

2.代码实现

代码如下(示例):

private void bfs(boolean[] isVisited, int i) {
		int u ; // 记录队列头节点下标
		int w ; // 邻接的节点
		//队列,记录结点访问的顺序
		LinkedList queue = new LinkedList();
		//输出节点
		System.out.print(getValueByIndex(i) + "=>");
		//是否被访问过
		isVisited[i] = true;
		//加入队列
		queue.addLast(i);
		
		while( !queue.isEmpty()) {
			//取出队列的头节点
			u = (Integer)queue.removeFirst();
			w = getFirstNeighbor(u);
			while(w != -1) {
				if(!isVisited[w]) {
					System.out.print(getValueByIndex(w) + "=>");
					//是否被访问
					isVisited[w] = true;
					queue.addLast(w);
				}
				//继续寻找下一个邻接点
				w = getNextNeighbor(u, w); 
			}
		}
	} 
	//遍历输出
public void bfs() {
		isVisited = new boolean[vertexList.size()];
		for(int i = 0; i < getNumOfVertex(); i++) {
			if(!isVisited[i]) {
				bfs(isVisited, i);
			}
		}
	}

标签:结点,遍历,int,DFS,BFS,访问,邻接,isVisited
来源: https://blog.csdn.net/m0_56969616/article/details/122022843