完全二叉树是每一层(除最后一层外)都是完全填充(即,结点数达到最大)的,并且所有的结点都尽可能地集中在左侧。
设计一个用完全二叉树初始化的数据结构 CBTInserter,它支持以下几种操作:
CBTInserter(TreeNode root) 使用头结点为 root 的给定树初始化该数据结构;
CBTInserter.insert(int v) 将 TreeNode 插入到存在值为 node.val = v 的树中以使其保持完全二叉树的状态,并返回插入的 TreeNode 的父结点的值;
CBTInserter.get_root() 将返回树的头结点。
示例 1:
输入:inputs = [“CBTInserter”,“insert”,“get_root”], inputs = [[[1]],[2],[]]
输出:[null,1,[1,2]]
示例 2:
输入:inputs = [“CBTInserter”,“insert”,“insert”,“get_root”], inputs = [[[1,2,3,4,5,6]],[7],[8],[]]
输出:[null,3,4,[1,2,3,4,5,6,7,8]]
提示:
最初给定的树是完全二叉树,且包含 1 到 1000 个结点。
每个测试用例最多调用 CBTInserter.insert 操作 10000 次。
给定结点或插入结点的每个值都在 0 到 5000 之间。
题目挺简单的,树不需要自己创建,他已经创建好了,而且保证是完全二叉树。主要就是实现一个插入操作。
其实挺简单的,如果知道二叉树节点个数,当前节点标号就是原节点个数+1,只需要看看这个标号的二进制码就知道每次该选left还是right来找到这个位置。
插入完成后更新一下节点个数就好了。
class CBTInserter{
private:
TreeNode* m_root;
int m_num;
int count_node_num(TreeNode* root)
{
if(root==NULL)
return 0;
int left_num=count_node_num(root->left);
int right_num=count_node_num(root->right);
return left_num+right_num+1;
}
public:
CBTInserter(TreeNode* root)
{
this->m_root=root;
this->m_num=count_node_num(root);
}
int insert(int v)
{
int idx=m_num+1;
TreeNode* root=m_root;
vector<int> binary_idx;
while(idx)
{
binary_idx.push_back(idx%2);
idx=idx/2;
}
reverse(binary_idx.begin(),binary_idx.end());
for(int i=1;i<binary_idx.size()-1;++i)
{
if(!binary_idx[i])
root=root->left;
else
root=root->right;
}
if(!binary_idx[binary_idx.size()-1])
root->left=new TreeNode(v);
else
root->right=new TreeNode(v);
this->m_num=this->m_num+1;
return root->val;
}
TreeNode* get_root()
{
return this->m_root;
}
};