কেউ দয়া করে আমাকে স্ট্যাকস বা পুনরাবৃত্তি না ব্যবহার করে নিম্নলিখিত মরিস ইনর্ডার ট্রি ট্রভারসাল অ্যালগরিদম বুঝতে সাহায্য করতে পারেন? আমি এটি কীভাবে কাজ করে তা বোঝার চেষ্টা করছিলাম তবে এটি কেবল আমার থেকে দূরে রইল।
1. Initialize current as root
2. While current is not NULL
If current does not have left child
a. Print current’s data
b. Go to the right, i.e., current = current->right
Else
a. In current's left subtree, make current the right child of the rightmost node
b. Go to this left child, i.e., current = current->left
আমি বুঝতে পারছি গাছ একটি ভাবে রুপান্তরিত করা হয়েছে যে current node
, তৈরি করা হয় right child
এর max node
মধ্যে right subtree
এবং inorder ট্র্যাভেরসাল জন্য এই সম্পত্তি ব্যবহার করুন। তবে এর বাইরে আমি হারিয়ে গেছি।
সম্পাদনা: এটির সাথে সি ++ কোড পাওয়া গেছে। গাছটি সংশোধন করার পরে কীভাবে পুনরুদ্ধার করা হয়েছে তা বুঝতে আমার খুব কষ্ট হয়েছিল। ম্যাজিকটি ক্লজটিতে রয়েছে else
, যা ডান পাতায় একবার পরিবর্তন হয়ে গেলে আঘাত করা হয়। বিশদ জন্য কোড দেখুন:
/* Function to traverse binary tree without recursion and
without stack */
void MorrisTraversal(struct tNode *root)
{
struct tNode *current,*pre;
if(root == NULL)
return;
current = root;
while(current != NULL)
{
if(current->left == NULL)
{
printf(" %d ", current->data);
current = current->right;
}
else
{
/* Find the inorder predecessor of current */
pre = current->left;
while(pre->right != NULL && pre->right != current)
pre = pre->right;
/* Make current as right child of its inorder predecessor */
if(pre->right == NULL)
{
pre->right = current;
current = current->left;
}
// MAGIC OF RESTORING the Tree happens here:
/* Revert the changes made in if part to restore the original
tree i.e., fix the right child of predecssor */
else
{
pre->right = NULL;
printf(" %d ",current->data);
current = current->right;
} /* End of if condition pre->right == NULL */
} /* End of if condition current->left == NULL*/
} /* End of while */
}
pre->right = NULL;