我正在编写文件系统层次结构的 N 叉树表示,其中包含有关目录/文件的一些信息。树中的每个节点都由一个父节点及其子节点(如果有)的列表组成,并且包含在一个单独的 Tree 对象中。据我所知,这不是实现树的最雄辩的方法,但我已经深入到不值得回去的项目中。
public class TreeNode {
private FileSystemEntry data;
private TreeNode parent;
private ArrayList<TreeNode> children;
private boolean directory; //separates files from folders (files have no children)
树结构被定义为它自己的独立对象,因为会有几棵树。
public class DirectoryTree {
private TreeNode Root;
private int numNodes;
private TreeNode Focus;
我知道在遍历其子节点(或类似的东西)时,我需要使用队列来添加每个节点。
这是一个深度优先的递归解决方案,它打印每个文件/目录的名称,仅供参考。
public void PrintTreeNames() {
PrintTreeNames(this.Root);
}
private void PrintTreeNames(TreeNode n) {
if (!n.isDirectory()) {
System.out.println(n.getData().getName());
} else {
for (int i = 0; i < n.getChildren().size(); i++) {
PrintTreeNames(n.getChildren().get(i));
}
System.out.println(n.getData().getName());
}
}
我觉得从深度优先到广度优先应该只是一个小的修改,但我似乎无法理解它