私が開発したAVLツリーを使用するためのコードを投稿します。挿入方法、avlinsert
方法は以下のとおりです。私はこのコードを紙で開発しましたが、テストされていませんが、これが機能することを願っています。私が議論したい主な問題は、ノードが最初にコードを見るバランスファクターです。このようにして、私が何を求めようとしているのかが明確になります。だからここにコードがあります:
treeNode* avlinsert(treeNode* tree, int info)
{
treeNode* newNode=new treeNode;
newNode->setinfo(info);
newNode->setbalance(0);
treeNode* p,*q;
bool duplicate=false;
p=q=tree;
stack s; //I have made this stack already and now I am using it here.
//Now the the while loop block will check for duplicate nodes, this block prevents the duplicate insertion.
while (q!=NULL)
{
p=q;
if (info < p -> getinfo())
q=p->getleft();
else if (info>p->getinfo())
q=p->getright();
else
{
duplicate=true;
cout<<"Trying to insert duplicate";
break;
}
}//while loop ended.
//Now checking for duplicates.
if (duplicate)
return tree;
p=q=tree;
//Now below is the main block of while loop which calculates the balance factors of nodes and helps in inserting nodes at proper positions.
while (q!=NULL)
{
p=q;
if (info < p -> getinfo())
{
p->setbalance(p -> getbalance()+1);
s.push(p);//pushing into stack
q=p->getleft();
}
else if (info > p -> getinfo())
{
p->setbalance(p->getbalance()-1);
q=p->getright();
}
}//while loop ended
//Now the below code block will actually inserts nodes.
if (info < p -> getinfo())
p->setleft(newNode);
else if (info > p -> getinfo())
p->setright(newNode);
//After this insertion we need to check the balance factor of the nodesand perform the approprite rotations.
while (!s.isempty())
{
treeNode node;
node=s.pop();
int balance;
balance=node.getbalance();
if (balance==2)
{
s.Makeempty(); // We have found the node whoes balance factor is violating avl condition so we don't need other nodes in the stack, therefor we are making stack empty.
treeNode* k1,*k3;
k1=&node; //This is the node whoes balance factor is violating AVL condition.
k3=&(k1 -> getleft()); //Root of the left subtree of k1.
//Identifying the cases of insertion
if (info < k3 -> getinfo()) //This is the case of insertion in left subtree of left child of k1 here we need single right rotation.
root=Rightrotation(k1); //Here root is the private data member.
//Next case is the insertion in right subtree of left child of k1.
if (info > k3 ->getinfo())
root=LeftRightrotation(k1);
}//end of if statement.
}//while loop ended
これはコード全体ではありませんが、私がやろうとしていることを示すには十分です。このコードで、挿入中(2番目のwhileループブロック)にノードのバランス係数を設定していることがわかりました。OK、これで結構です。しかし、この挿入の後、回転を実行する必要があります。回転のコードもありますが、主な問題は、ノードが回転するときに、回転のコードでノードのバランス係数をリセットする必要があることです。これが私の問題です。どうすればいいですか?そして、コードスニペットは何でしょうか?