邻接表:
邻接矩阵:
具体的方法和定义可以参考图论中的内容。
宽度优先遍历:利用队列实现
BFS:
public static void bfs(Node node){ if(node == null){ return; } Queue<Node> queue = new LinkedList<>(); HashSet<Node> map = new HashSet<>(); queue.add(node); map.add(node); while(!queue.isEmpty()){ Node cur = queue.poll(); System.out.println(cur.value); for(Node next: cur.nexts){ if(!map.contains(next)){ map.add(next); queue.add(next); } } } }
深度优先遍历:利用栈实现
public static void dfs(Node node){ if(node == null){ return; } Stack<Node> stack = new Stack<>(); HashSet<Node> set = new HashSet<>(); stack.add(node); set.add(node); System.out.println(node.value); while(!stack.isEmpty()){ Node cur = stack.pop(); for(Node next:cur.nexts){ if(!set.contains(next)){ stack.push(cur); stack.push(next); set.add(next); System.out.println(next.value); break; } } } }