-2

Its a simple tree insertion and traversal code.

#include<stdio.h>
#include<stdlib.h>

struct tree
{
    struct tree *left;
    struct tree *right;
    int value;
};

typedef struct tree node;

void insertNode(node **root, int val)
{
    node *temp = NULL;
    if(!(*root))
    {
        temp = (node*) malloc(sizeof(node));
        temp->value = val;
        temp->left = NULL;
        temp->right = NULL;
        *root = temp;
    }

    if(val < (*root)->value)
        insertNode(&(*root)->left, val);

    if(val >= (*root)->value)
        insertNode(&(*root)->right, val);
}

void preOrder(node *root)
{
    if(root)
    {   printf(" %d",root->value);
        preOrder(root->left);
        preOrder(root->right);
    }
}

void inOrder(node *root)
{
    if(root)
    {
        inOrder(root->left);
        printf(" %d",root->value);
        inOrder(root->right);
    }
}

void postOrder(node *root)
{
    if(root)
    {
        postOrder(root->left);
        postOrder(root->right);
        printf(" %d",root->value);
    }
}

void delTree(node *root)
{
    if(root)
    {
        delTree(root->left);
        delTree(root->right);
        free(root);
    }
}

int main()
{
    int val;
    char ch; ch = 'y';
    node *root;

    while(ch == 'y')
    {
        scanf("Enter the node value: %d", &val);
        insertNode(&root, val);
        scanf("Want to enter more: %c", &ch);
    }

    printf("\nInOrder traversal:\n");
    inOrder(root);
    printf("\nPreOrder traversal:\n");
    preOrder(root);
    printf("\nPostOrder traversal:\n");
    postOrder(root);

    delTree(root);
    printf("Tree Deleted.");

    return 0;
}

There seems to be no problem with the code and it shows no error. Though a warning is shown on compilation;

ignoring return value of ‘int scanf(const char*, ...)’, declared with attribute

which seems to have initiated because of overlooking the return value of scanf, from ignoring return value of ‘int scanf(const char*, ...)’, declared with attribute warn_unused_result [-Wunused-result]? .

But even on suppressing warning and compiling the executable file is not taking any input. Why is that. I am running the code on CodeBlocks IDE.

The case is same on ideone, http://ideone.com/jOnjEK .

Any help or suggestion is appreciated.

Community
  • 1
  • 1
Chetan
  • 23
  • 5

1 Answers1

1

scanf("Enter the node value: %d", &val); should be

scanf("%d", &val);

and

scanf("Want to enter more: %c", &ch); should be

scanf(" %c", &ch);

Assuming you are intending to this

printf("Enter the node value:\n");
if(scanf("%d", &val) != 1)
{
printf("Integer not read \n");
break;
} 

printf("Want to enter more:\n");
if(scanf(" %c", &ch) != 1)
{
printf("character not read\n");
break;
}

Make a note of the space before %c in the scanf()

Gopi
  • 19,784
  • 4
  • 24
  • 36