我是靠谱客的博主 轻松长颈鹿,最近开发中收集的这篇文章主要介绍数组实现顺序二叉树的前序遍历,中序遍历,后序遍历,觉得挺不错的,现在分享给大家,希望可以做个参考。

概述

顺序二叉树的满足条件:
1.一般指完全二叉树

2.第n个元素的左子树为2*n+1;

3.第n个元素的右子树为2*n+2;

4.第n个子树的父节点为(n-1)/2;

注意:n为数组下标所以是从0开始

代码实现:

package com.yg.tree;/*
@author  Mu_Mu
@date    2020/3/4  10:50
顺序二叉树
*/

public class ArrBinaryTreeDemo {
    public static void main(String[] args) {
        int[] arr = {1, 2, 3, 4, 5, 6, 7};
        ArrBinaryTree arrBinaryTree = new ArrBinaryTree(arr);
        //arrBinaryTree.preOrder(0);
//        arrBinaryTree.infixOrder(0);
        arrBinaryTree.postOrder(0);

    }
}

class ArrBinaryTree {
    private int[] arr;

    public ArrBinaryTree(int[] arr) {
        this.arr = arr;
    }

    //前序遍历数组
    /*
     * @param index  :数组下标
     * @return : void
     * @date : 2020/3/4 10:53
     */
    public void preOrder(int index) {
        if (arr == null && arr.length == 0) {
            System.out.println("数组为空");
            return;
        }
        System.out.println(arr[index]);
        if ((index * 2 + 1) < arr.length) {
            preOrder(index * 2 + 1);
        }
        if ((index * 2 + 2) < arr.length) {
            preOrder(index * 2 + 2);
        }


    }

    //中序遍历
    public void infixOrder(int index) {
        if (arr == null && arr.length == 0) {
            System.out.println("数组为空");
            return;
        }
        //先遍历左子树 (index*2+1)
        if ((index * 2 + 1) < arr.length) {
            infixOrder(index * 2 + 1);
        }
        if (index < arr.length) {
            System.out.print(arr[index] + "t");
        }

        if ((index * 2 + 2) < arr.length) {
            infixOrder(index * 2 + 2);
        }
    }

    //后序遍历
    public void postOrder(int index) {
        if (arr == null && arr.length == 0) {
            System.out.println("数组为空");
            return;
        }
        if ((index * 2 + 1) < arr.length) {
            postOrder(index * 2 + 1);
        }
        if ((index * 2 + 2) < arr.length) {
            postOrder(index * 2 + 2);
        }
        if (index < arr.length) {
            System.out.println(arr[index]+"t");
        }
    }

}

最后

以上就是轻松长颈鹿为你收集整理的数组实现顺序二叉树的前序遍历,中序遍历,后序遍历的全部内容,希望文章能够帮你解决数组实现顺序二叉树的前序遍历,中序遍历,后序遍历所遇到的程序开发问题。

如果觉得靠谱客网站的内容还不错,欢迎将靠谱客网站推荐给程序员好友。

本图文内容来源于网友提供,作为学习参考使用,或来自网络收集整理,版权属于原作者所有。
点赞(39)

评论列表共有 0 条评论

立即
投稿
返回
顶部