C Code Examples: Data Structures and Algorithms
Classified in Computers
Written at on English with a size of 5.54 KB.
Recursive Binary Tree Traversals
Inorder Traversal:
void inorder(struct node *root)
{
if(root != NULL)
{
inorder(root->left);
printf("%d\t", root->data);
inorder(root->right);
}
}
Preorder Traversal:
void preorder(struct node *root)
{
if(root != NULL)
{
printf("%d\t", root->data);
preorder(root->left);
preorder(root->right);
}
}
Postorder Traversal:
void postorder(struct node *root)
{
if(root != NULL)
{
postorder(root->left);
postorder(root->right);
printf("%d\t", root->data);
}
}
Linked List Operations
Search
void search(struct node *head,int key)
{
struct node *temp = head;
while(temp != NULL)
{
if(temp->data == key)
printf("key found");
temp =
... Continue reading "C Code Examples: Data Structures and Algorithms" »