C++实现二叉树的层序遍历

2021/11/7 14:10:07

本文主要是介绍C++实现二叉树的层序遍历,对大家解决编程问题具有一定的参考价值,需要的程序猿们随着小编来一起学习吧!

#include <iostream>
#include <queue>
#include <functional>
using namespace std;
struct TreeNode {
    int value;
    TreeNode *left;
    TreeNode *right;
    TreeNode(int value, TreeNode *left, TreeNode *right)
    :value(value), left(left), right(right) {}
};
// 这里不考虑内存释放问题
class BinaryTree {
public:
    BinaryTree() {}

    void constructATree() {
        root = new TreeNode(1, nullptr, nullptr);
        root->left = new TreeNode(2, new TreeNode(3, nullptr, nullptr), new TreeNode(4, nullptr, nullptr));
        root->right = new TreeNode(5, new TreeNode(6, nullptr, nullptr), new TreeNode(7, nullptr, nullptr));
    }

    void bfs(function<void(int)> func) {
        auto q = queue<TreeNode*>();
        q.push(root);
        while(!q.empty()) {
            auto head = q.front();
            q.pop();
            func(head->value);

            if(head->left != nullptr) {
                q.push(head->left);
            }
            if(head->right != nullptr) {
                q.push(head->right);
            }
        }
    }
private:
    TreeNode *root;
};

int main(int argc, char *argv[]) {
    auto t = BinaryTree();
    t.constructATree();
    cout << "开始层序遍历(BFS)" << endl;
    t.bfs([=](int value) {
        cout << value << " -> ";
    });
    cout << endl << "遍历完毕" << endl;
    return 0;
}

编译运行

$ clang++ -o test 二叉树层序遍历.cxx -std=c++11
$ ./test

输出

开始层序遍历(BFS)
1 -> 2 -> 5 -> 3 -> 4 -> 6 -> 7 -> 
遍历完毕


这篇关于C++实现二叉树的层序遍历的文章就介绍到这儿,希望我们推荐的文章对大家有所帮助,也希望大家多多支持为之网!


扫一扫关注最新编程教程