创建树:
data:image/s3,"s3://crabby-images/34cf1/34cf1bbee442fec4ec0e0526185ad1803e60cae7" alt="括号表示法构造二叉树_第1张图片"
public void createBTree(String str) {
Stack<BTNode> st = new Stack<>();
BTNode p = null;
char ch;
boolean flag = true;
int n = str.length();
int i = 0;
while (i < n) {
ch = str.charAt(i);
if (ch == '(') {
st.push(p);
flag = true;
} else if (ch == ',') {
flag = false;
} else if (ch == ')') {
st.pop();
} else {
p = new BTNode(ch);
if (root == null) {
root = p;
} else {
if (!st.empty()) {
if (flag) {
st.peek().lchild = p;
} else {
st.peek().rchild = p;
}
}
}
}
i++;
}
}
把构造出来的树,用括号表示
data:image/s3,"s3://crabby-images/8a052/8a052d1ba1ad95a7716faa7de51b063eee9149ff" alt="括号表示法构造二叉树_第2张图片"
public String toString() {
this.changeToString(root);
return bstr;
}
private void changeToString(BTNode t) {
if (t != null) {
bstr += t.data;
if (t.lchild != null || t.rchild != null) {
bstr += '(';
this.changeToString(t.lchild);
bstr += ',';
this.changeToString(t.rchild);
bstr += ')';
}
}
}
实例:
import java.util.Stack;
public class Main {
public static void main(String[] args) {
String str = "A(B(D(F,),E),C(,G))";
BTree bt = new BTree();
bt.createBTree(str);
System.out.println("用括号表示法输出二叉树为:" + bt);
}
}
class BTree {
BTNode root;
String bstr = "";
public BTree() {
root = null;
}
public void createBTree(String str) {
Stack<BTNode> st = new Stack<>();
BTNode p = null;
char ch;
boolean flag = true;
int n = str.length();
int i = 0;
while (i < n) {
ch = str.charAt(i);
if (ch == '(') {
st.push(p);
flag = true;
} else if (ch == ',') {
flag = false;
} else if (ch == ')') {
st.pop();
} else {
p = new BTNode(ch);
if (root == null) {
root = p;
} else {
if (!st.empty()) {
if (flag) {
st.peek().lchild = p;
} else {
st.peek().rchild = p;
}
}
}
}
i++;
}
}
public String toString() {
this.changeToString(root);
return bstr;
}
private void changeToString(BTNode t) {
if (t != null) {
bstr += t.data;
if (t.lchild != null || t.rchild != null) {
bstr += '(';
this.changeToString(t.lchild);
bstr += ',';
this.changeToString(t.rchild);
bstr += ')';
}
}
}
}
class BTNode<E> {
E data;
BTNode lchild;
BTNode rchild;
public BTNode() {
}
public BTNode(E data) {
this.data = data;
}
}