package com.imdevil.JobInterview;
import java.util.Stack;
public class BtTree{
static class Node{
char data;
Node lchild;
Node rchild;
public Node() {
}
public Node(char data,Node lchild,Node rchild){
this.data = data;
this.lchild = lchild;
this.rchild = rchild;
}
}
public Node createBtTree(String str){
Stack<Node> stack = new Stack<>();
Node bt = null;
Node node = null;
int k = 0;
for(int i=0;i<str.length();i++){
if (str.charAt(i) >= 'A' && str.charAt(i) <= 'z') {
node = new Node();
node.data = str.charAt(i);
node.lchild = null;
node.rchild = null;
if (bt == null) {
bt = node;
}else {
switch (k) {
case 1:
stack.peek().lchild = node;
break;
case 2:
stack.peek().rchild = node;
break;
default:
break;
}
}
}else if(str.charAt(i) == '(') {
stack.push(node);
k = 1;
}else if(str.charAt(i) == ')'){
stack.pop();
}else if (str.charAt(i) == ',') {
k = 2;
}
}
return bt;
}
public int depth(Node bt){
if (bt == null) {
return 0;
}
int left = depth(bt.lchild);
int right = depth(bt.rchild);
return Math.max(left, right)+1;
}
public void preOrder(Node node) {
if (node != null) {
System.out.print(node.data);
preOrder(node.lchild);
preOrder(node.rchild);
}
}
public void midOrder(Node node){
if (node != null) {
midOrder(node.lchild);
System.out.print(node.data);
midOrder(node.rchild);
}
}
public void postOrder(Node node){
if (node != null) {
postOrder(node.lchild);
postOrder(node.rchild);
System.out.print(node.data);
}
}
public void dispLeaf(Node node){
if (node != null) {
if (node.lchild == null && node.rchild == null) {
System.out.print(node.data);
}
dispLeaf(node.lchild);
dispLeaf(node.rchild);
}
}
public static void main(String[] args) {
String str = "A(B(D(,G),)C(E,F))";
BtTree tree = new BtTree();
Node node = tree.createBtTree(str);
System.out.println(tree.depth(node)); --->4
tree.preOrder(node); --->ABDGCEF
System.out.println();
tree.midOrder(node); --->DGBAECF
System.out.println();
tree.postOrder(node); ---->GDBEFCA
System.out.println();
tree.dispLeaf(node); --->GEF
}
}
二叉树
©著作权归作者所有,转载或内容合作请联系作者
- 文/潘晓璐 我一进店门,熙熙楼的掌柜王于贵愁眉苦脸地迎上来,“玉大人,你说我怎么就摊上这事。” “怎么了?”我有些...
- 文/花漫 我一把揭开白布。 她就那样静静地躺着,像睡着了一般。 火红的嫁衣衬着肌肤如雪。 梳的纹丝不乱的头发上,一...
- 文/苍兰香墨 我猛地睁开眼,长吁一口气:“原来是场噩梦啊……” “哼!你这毒妇竟也来了?” 一声冷哼从身侧响起,我...
推荐阅读更多精彩内容
- AVL树,红黑树,B树,B+树,Trie树都分别应用在哪些现实场景中? 参考知乎知友的回答AVL树,红黑树,B树,...
- BST树即二叉搜索树:1.所有非叶子结点至多拥有两个儿子(Left和Right);2.所有结点存储一个关键字;3....
- 简单来说, 完全二叉树是指按照层次进行遍历的时候所得到的序列与满二叉树相对应 这里提供两种思路和相应的代码: 1....