Java에서 두 갈래 트리 데이터 구조의 실현 예시
제목
두 갈래 트리의 앞 순서에 따라 두 갈래 트리를 만듭니다. 예를 들어 7, -7, 8, #, #, -3, 6, #, 9, #, #, #, -5, #, #, 두 갈래 트리를 구축하고 앞 순서, 중간 순서, 뒤 순서로 만듭니다.
코드
import java.util.Scanner;
public class BinaryTree {
public static String[] str;
public static int count;
/**
* ,
*/
static class TreeNode {
public String data;
TreeNode lchild;
TreeNode rchild;
public TreeNode(String x) {
this.data = x;
}
}
/**
*
*
* @return
*/
public static TreeNode createBtree() {
TreeNode root = null;
if (count >= str.length || str[count++].equals("#")) {
root = null;
} else {
root = new TreeNode(str[count - 1]);
root.lchild = createBtree();
root.rchild = createBtree();
}
return root;
}
/**
*
*
* @param root
*/
public static void preTraverse(TreeNode root) {
if (root != null) {
System.out.print(root.data + " ");
preTraverse(root.lchild);
preTraverse(root.rchild);
}
}
/**
*
*
* @param root
*/
public static void inTraverse(TreeNode root) {
if (root != null) {
inTraverse(root.lchild);
System.out.print(root.data + " ");
inTraverse(root.rchild);
}
}
/**
*
*
* @param root
*/
public static void postTraverse(TreeNode root) {
if (root != null) {
postTraverse(root.lchild);
postTraverse(root.rchild);
System.out.print(root.data + " ");
}
}
public static void main(String args[]) {
Scanner cin = new Scanner(System.in);
while (cin.hasNext()) {
String s = cin.nextLine();
str = s.split(",");
count = 0;
TreeNode root = createBtree();
//
preTraverse(root);
System.out.println();
//
inTraverse(root);
System.out.println();
//
postTraverse(root);
System.out.println();
}
}
}
두 갈래 나무의 깊이다음은 두 갈래 나무의 귀속 알고리즘을 실현하는 것이다. 그 사상은 비어 있으면 그 깊이가 0이고 그렇지 않으면 그 깊이는 왼쪽 나무와 오른쪽 나무의 깊이의 최대치와 같다.
class Node{
String name;
Node left;
Node right;
public Node(String name) {
this.name = name;
}
@Override
public String toString() {
return name;
}
}
//
class BinaryTree{
Node root;
public BinaryTree(){
root = null;
}
// , ,
public void initTree(){
Node node1 = new Node("a");
Node node2 = new Node("b");
Node node3 = new Node("c");
Node node4 = new Node("d");
Node node5 = new Node("e");
root = node1;
node1.left = node2;
node2.right = node3;
node1.right = node4;
node3.left = node5;
}
//
int length(Node root){
int depth1;
int depth2;
if(root == null) return 0;
//
depth1 = length(root.right);
//
depth2 = length(root.left);
if(depth1>depth2)
return depth1+1;
else
return depth2+1;
}
}
public class TestMatch{
public static void main(String[] args) {
BinaryTree tree = new BinaryTree();
tree.initTree();
System.out.println(tree.length(tree.root));
}
}
이 내용에 흥미가 있습니까?
현재 기사가 여러분의 문제를 해결하지 못하는 경우 AI 엔진은 머신러닝 분석(스마트 모델이 방금 만들어져 부정확한 경우가 있을 수 있음)을 통해 가장 유사한 기사를 추천합니다:
JPA + QueryDSL 계층형 댓글, 대댓글 구현(2)이번엔 전편에 이어서 계층형 댓글, 대댓글을 다시 리팩토링해볼 예정이다. 이전 게시글에서는 계층형 댓글, 대댓글을 구현은 되었지만 N+1 문제가 있었다. 이번에는 그 N+1 문제를 해결해 볼 것이다. 위의 로직은 이...
텍스트를 자유롭게 공유하거나 복사할 수 있습니다.하지만 이 문서의 URL은 참조 URL로 남겨 두십시오.
CC BY-SA 2.5, CC BY-SA 3.0 및 CC BY-SA 4.0에 따라 라이센스가 부여됩니다.