Performing Breadth First Search recursively

后端 未结 21 2344
不思量自难忘°
不思量自难忘° 2020-11-28 01:12

Let\'s say you wanted to implement a breadth-first search of a binary tree recursively. How would you go about it?

Is it possible using only the call-stack

相关标签:
21条回答
  • 2020-11-28 01:49

    The following method used a DFS algorithm to get all nodes in a particular depth - which is same as doing BFS for that level. If you find out depth of the tree and do this for all levels, the results will be same as a BFS.

    public void PrintLevelNodes(Tree root, int level) {
        if (root != null) {
            if (level == 0) {
                Console.Write(root.Data);
                return;
            }
            PrintLevelNodes(root.Left, level - 1);
            PrintLevelNodes(root.Right, level - 1);
        }
    }
    
    for (int i = 0; i < depth; i++) {
        PrintLevelNodes(root, i);
    }
    

    Finding depth of a tree is a piece of cake:

    public int MaxDepth(Tree root) {
        if (root == null) {
            return 0;
        } else {
            return Math.Max(MaxDepth(root.Left), MaxDepth(root.Right)) + 1;
        }
    }
    
    0 讨论(0)
  • 2020-11-28 01:49

    Here's a python implementation:

    graph = {'A': ['B', 'C'],
             'B': ['C', 'D'],
             'C': ['D'],
             'D': ['C'],
             'E': ['F'],
             'F': ['C']}
    
    def bfs(paths, goal):
        if not paths:
            raise StopIteration
    
        new_paths = []
        for path in paths:
            if path[-1] == goal:
                yield path
    
            last = path[-1]
            for neighbor in graph[last]:
                if neighbor not in path:
                    new_paths.append(path + [neighbor])
        yield from bfs(new_paths, goal)
    
    
    for path in bfs([['A']], 'D'):
        print(path)
    
    0 讨论(0)
  • 2020-11-28 01:52

    (I'm assuming that this is just some kind of thought exercise, or even a trick homework/interview question, but I suppose I could imagine some bizarre scenario where you're not allowed any heap space for some reason [some really bad custom memory manager? some bizarre runtime/OS issues?] while you still have access to the stack...)

    Breadth-first traversal traditionally uses a queue, not a stack. The nature of a queue and a stack are pretty much opposite, so trying to use the call stack (which is a stack, hence the name) as the auxiliary storage (a queue) is pretty much doomed to failure, unless you're doing something stupidly ridiculous with the call stack that you shouldn't be.

    On the same token, the nature of any non-tail recursion you try to implement is essentially adding a stack to the algorithm. This makes it no longer breadth first search on a binary tree, and thus the run-time and whatnot for traditional BFS no longer completely apply. Of course, you can always trivially turn any loop into a recursive call, but that's not any sort of meaningful recursion.

    However, there are ways, as demonstrated by others, to implement something that follows the semantics of BFS at some cost. If the cost of comparison is expensive but node traversal is cheap, then as @Simon Buchan did, you can simply run an iterative depth-first search, only processing the leaves. This would mean no growing queue stored in the heap, just a local depth variable, and stacks being built up over and over on the call stack as the tree is traversed over and over again. And as @Patrick noted, a binary tree backed by an array is typically stored in breadth-first traversal order anyway, so a breadth-first search on that would be trivial, also without needing an auxiliary queue.

    0 讨论(0)
  • 2020-11-28 01:53

    C# implementation of recursive breadth-first search algorithm for a binary tree.

    Binary tree data visualization

    IDictionary<string, string[]> graph = new Dictionary<string, string[]> {
        {"A", new [] {"B", "C"}},
        {"B", new [] {"D", "E"}},
        {"C", new [] {"F", "G"}},
        {"E", new [] {"H"}}
    };
    
    void Main()
    {
        var pathFound = BreadthFirstSearch("A", "H", new string[0]);
        Console.WriteLine(pathFound); // [A, B, E, H]
    
        var pathNotFound = BreadthFirstSearch("A", "Z", new string[0]);
        Console.WriteLine(pathNotFound); // []
    }
    
    IEnumerable<string> BreadthFirstSearch(string start, string end, IEnumerable<string> path)
    {
        if (start == end)
        {
            return path.Concat(new[] { end });
        }
    
        if (!graph.ContainsKey(start)) { return new string[0]; }    
    
        return graph[start].SelectMany(letter => BreadthFirstSearch(letter, end, path.Concat(new[] { start })));
    }
    

    If you want algorithm to work not only with binary-tree but with graphs what can have two and more nodes that points to same another node you must to avoid self-cycling by holding list of already visited nodes. Implementation may be looks like this.

    Graph data visualization

    IDictionary<string, string[]> graph = new Dictionary<string, string[]> {
        {"A", new [] {"B", "C"}},
        {"B", new [] {"D", "E"}},
        {"C", new [] {"F", "G", "E"}},
        {"E", new [] {"H"}}
    };
    
    void Main()
    {
        var pathFound = BreadthFirstSearch("A", "H", new string[0], new List<string>());
        Console.WriteLine(pathFound); // [A, B, E, H]
    
        var pathNotFound = BreadthFirstSearch("A", "Z", new string[0], new List<string>());
        Console.WriteLine(pathNotFound); // []
    }
    
    IEnumerable<string> BreadthFirstSearch(string start, string end, IEnumerable<string> path, IList<string> visited)
    {
        if (start == end)
        {
            return path.Concat(new[] { end });
        }
    
        if (!graph.ContainsKey(start)) { return new string[0]; }
    
    
        return graph[start].Aggregate(new string[0], (acc, letter) =>
        {
            if (visited.Contains(letter))
            {
                return acc;
            }
    
            visited.Add(letter);
    
            var result = BreadthFirstSearch(letter, end, path.Concat(new[] { start }), visited);
            return acc.Concat(result).ToArray();
        });
    }
    
    0 讨论(0)
  • 2020-11-28 01:53

    I have made a program using c++ which is working in joint and disjoint graph too .

        #include <queue>
    #include "iostream"
    #include "vector"
    #include "queue"
    
    using namespace std;
    
    struct Edge {
        int source,destination;
    };
    
    class Graph{
        int V;
        vector<vector<int>> adjList;
    public:
    
        Graph(vector<Edge> edges,int V){
            this->V = V;
            adjList.resize(V);
            for(auto i : edges){
                adjList[i.source].push_back(i.destination);
                //     adjList[i.destination].push_back(i.source);
            }
        }
        void BFSRecursivelyJoinandDisjointtGraphUtil(vector<bool> &discovered, queue<int> &q);
        void BFSRecursivelyJointandDisjointGraph(int s);
        void printGraph();
    
    
    };
    
    void Graph :: printGraph()
    {
        for (int i = 0; i < this->adjList.size(); i++)
        {
            cout << i << " -- ";
            for (int v : this->adjList[i])
                cout <<"->"<< v << " ";
            cout << endl;
        }
    }
    
    
    void Graph ::BFSRecursivelyJoinandDisjointtGraphUtil(vector<bool> &discovered, queue<int> &q) {
        if (q.empty())
            return;
        int v = q.front();
        q.pop();
        cout << v <<" ";
        for (int u : this->adjList[v])
        {
            if (!discovered[u])
            {
                discovered[u] = true;
                q.push(u);
            }
        }
        BFSRecursivelyJoinandDisjointtGraphUtil(discovered, q);
    
    }
    
    void Graph ::BFSRecursivelyJointandDisjointGraph(int s) {
        vector<bool> discovered(V, false);
        queue<int> q;
    
        for (int i = s; i < V; i++) {
            if (discovered[i] == false)
            {
                discovered[i] = true;
                q.push(i);
                BFSRecursivelyJoinandDisjointtGraphUtil(discovered, q);
            }
        }
    }
    
    int main()
    {
    
        vector<Edge> edges =
                {
                        {0, 1}, {0, 2}, {1, 2}, {2, 0}, {2,3},{3,3}
                };
    
        int V = 4;
        Graph graph(edges, V);
     //   graph.printGraph();
        graph.BFSRecursivelyJointandDisjointGraph(2);
        cout << "\n";
    
    
    
    
        edges = {
                {0,4},{1,2},{1,3},{1,4},{2,3},{3,4}
        };
    
        Graph graph2(edges,5);
    
        graph2.BFSRecursivelyJointandDisjointGraph(0);
        return 0;
    }
    
    0 讨论(0)
  • 2020-11-28 01:56

    A simple BFS and DFS recursion in Java:
    Just push/offer the root node of the tree in the stack/queue and call these functions.

    public static void breadthFirstSearch(Queue queue) {
    
        if (queue.isEmpty())
            return;
    
        Node node = (Node) queue.poll();
    
        System.out.println(node + " ");
    
        if (node.right != null)
            queue.offer(node.right);
    
        if (node.left != null)
            queue.offer(node.left);
    
        breadthFirstSearch(queue);
    }
    
    public static void depthFirstSearch(Stack stack) {
    
        if (stack.isEmpty())
            return;
    
        Node node = (Node) stack.pop();
    
        System.out.println(node + " ");
    
        if (node.right != null)
            stack.push(node.right);
    
        if (node.left != null)
            stack.push(node.left);
    
        depthFirstSearch(stack);
    }
    
    0 讨论(0)
提交回复
热议问题