前言
此篇是对上篇二叉树的补充!
五、二叉树的基本操作
5.2 获取树中节点的个数(2种方法)
public static int nodeSize = 0;
public int size(BTNode root) {
if(root == null) {
return 0;
}
nodeSize++;
size(root.left);
size(root.right);
return nodeSize;
}
public int size2(BTNode root) {
if(root == null) {
return 0;
}
int tmp = size2(root.left)+size2(root.right)+1;
return tmp;
}
data:image/s3,"s3://crabby-images/9e18f/9e18f2b5f595ba7fc6013cd89b59a47c2d5c69d8" alt="在这里插入图片描述"
5.3 获取叶子节点的个数(两种方法)
int getLeafNodeCount(BTNode root) {
if (root == null) {
return 0;
}
if (root.left == null && root.right == null) {
return 1;
}
int tmp = getLeafNodeCount(root.left) +
getLeafNodeCount(root.right);
return tmp;
}
public static int leafSize = 0;
int getLeafNodeCount2(BTNode root) {
if (root == null) {
return 0;
}
if (root.left == null && root.right == null) {
leafSize++;
}
getLeafNodeCount2(root.left);
getLeafNodeCount2(root.right);
return leafSize;
}
data:image/s3,"s3://crabby-images/2ffc1/2ffc1ba5ac8cb263dfe68e9592089f914832a038" alt="在这里插入图片描述"
5.4 判断第K层节点的个数
int getKLevelNodeCount(BTNode root,int k) {
if (root == null || k <= 0) {
return 0;
}
if (k == 1) {
return 1;
}
int tmp = getKLevelNodeCount(root.left, k - 1) +
getKLevelNodeCount(root.right, k - 1);
return tmp;
}
data:image/s3,"s3://crabby-images/a3d05/a3d057335629937bb7d2dac010eae7393e48daa1" alt="在这里插入图片描述"
5.5 获取二叉树的高度
public int getHeight(BTNode root) {
if(root == null) {
return 0;
}
int leftHeight = getHeight(root.left);
int rightHeight = getHeight(root.right);
return leftHeight > rightHeight ? leftHeight+1 : rightHeight+1;
}
public int getHeight2(BTNode root) {
if (root == null) {
return 0;
}
return getHeight2(root.left) > getHeight2(root.right)
? getHeight2(root.left) + 1 : getHeight2(root.right) + 1;
}
data:image/s3,"s3://crabby-images/ea027/ea02758f06610fcdeeb63af68e9851cefbb3feb9" alt="在这里插入图片描述"
5.6 检测值为val的元素是否存在
public BTNode find(BTNode root, char val) {
if(root == null) {
return null;
}
if(root.val == val) {
return root;
}
BTNode ret1 = find(root.left,val);
if(ret1 != null) {
return ret1;
}
BTNode ret2 = find(root.right,val);
if(ret2 != null) {
return ret2;
}
return null;
}
data:image/s3,"s3://crabby-images/950ab/950ab9c0206b879a44131033071d7110877fe3b0" alt="在这里插入图片描述"
|