4

我正在尝试在 Java 中实现深度优先搜索算法。知道为什么这种方法会进入无限循环吗?谢谢。

public Node search(Graph graph, String nodeName, int ID) {

    //Get the root node
    Node root = graph.getRoot();

    Stack<Node> stack = new Stack<Node>();
    //Add the root to the stack
    stack.push(root);

    while(!stack.isEmpty()) 
    {
        Node n = stack.pop();
        //Check to see if node n is the requested node
        if(n.getName().equals(nodeName))
        {
            //Found
            return n;
        }else
        {
            //Create an array of the leaf nodes to node n
            Node[] children = n.getNeighbours();
            for(int i =0; i<children.length; i++)
            {
                //Add the leaf nodes to the stack
                stack.push(children[i]);
                System.out.println(stack.peek());
            }
        }
    }
    //Not found so return null
    return null;
}
4

3 回答 3

5

如果你的图有循环(或者是无向的),你必须在访问它们之后“标记”节点,否则你会不断地回到它们。

于 2012-10-25T15:27:50.500 回答
3

除非您的图表是一棵树,否则它将有循环。一个节点可以是它自己的孙子。您需要防止已经访问过的节点被添加到搜索树中。

一个简单的方法是通过另一个数据结构:

Set<Node> visitedNodes = new HashSet<Node>();

//...
if ( !visitedNodes.contains(children[i]) ) {
   stack.push(children[i]);
   visitedNodes.add(children[i]);
}
于 2012-10-25T15:27:34.150 回答
0

如果您的图表包含任何循环,这是预期的行为;简单的深度优先搜索将访问一个已经访问过的孩子,无限循环。

A straightforward way to avoid it is to add every node to a HashSet after checking if it's the node you're looking for, and then refusing to add it to the stack if it has already been inspected.

于 2012-10-25T15:32:43.713 回答