usaa24/cv7/program.c

135 lines
2.5 KiB
C
Raw Normal View History

2024-11-15 04:36:39 +00:00
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include <assert.h>
#define SIZE 256
struct tree
{
char value[SIZE];
struct tree *left;
struct tree *right;
};
struct tree* read_tree()
{
char buffer[SIZE];
if (!fgets(buffer, SIZE, stdin) || buffer[0] == '\n')
{
return NULL;
}
buffer[strcspn(buffer, "\n")] = 0;
struct tree *node = (struct tree*)malloc(sizeof(struct tree));
assert(node != NULL);
strcpy(node->value, buffer);
if (buffer[0] != '*')
{
node->left = read_tree();
node->right = read_tree();
}
else
{
node->left = NULL;
node->right = NULL;
}
return node;
};
void free_tree(struct tree *tree)
{
if (tree == NULL)
{
return;
}
free_tree(tree->left);
free_tree(tree->right);
free(tree);
}
int count_leaf_nodes(struct tree *node)
{
if (node == NULL)
{
return 0;
}
if (node->left == NULL && node->right == NULL)
{
return 1;
}
return count_leaf_nodes(node->left) + count_leaf_nodes(node->right);
}
int count_non_leaf_nodes(struct tree *node)
{
if (node == NULL || (node->left == NULL && node->right == NULL))
{
return 0;
}
return 1 + count_non_leaf_nodes(node->left) + count_non_leaf_nodes(node->right);
}
void interact(struct tree *node)
{
if (node == NULL)
{
return;
}
2024-11-15 04:51:11 +00:00
printf("%s\n", node->value);
2024-11-15 04:36:39 +00:00
if (node->left == NULL && node->right == NULL)
{
printf("Koniec\n");
return;
}
2024-11-15 05:23:33 +00:00
//while (scanf(" %c", &answer) == 1)
char answer[SIZE];
while (fgets(answer, SIZE, stdin))
2024-11-15 04:36:39 +00:00
{
2024-11-15 05:28:57 +00:00
if (answer[0] == '\n')
2024-11-15 04:36:39 +00:00
{
2024-11-15 05:23:33 +00:00
printf("Koniec vstupu\n");
2024-11-15 04:36:39 +00:00
return;
}
2024-11-15 05:23:33 +00:00
2024-11-15 05:28:57 +00:00
answer[strcspn(answer, "\n")] = 0;
2024-11-15 05:23:33 +00:00
if (strcmp(answer, "a") == 0)
{
interact(node->left);
return;
} else if (strcmp(answer, "n") == 0)
2024-11-15 04:36:39 +00:00
{
interact(node->right);
return;
2024-11-15 05:23:33 +00:00
} else
2024-11-15 04:36:39 +00:00
{
2024-11-15 04:53:24 +00:00
printf("Nerozumiem\n");
2024-11-15 04:36:39 +00:00
}
}
}
int main()
{
struct tree *root = read_tree();
2024-11-15 05:41:21 +00:00
getchar();
2024-11-15 04:51:11 +00:00
printf("Expert z bufetu to vie.\n");
printf("Pozna %d druhov ovocia a zeleniny.\n", count_leaf_nodes(root));
printf("Odpovedajte 'a' pre prvu moznost alebo 'n' pre druhu moznost.\n");
2024-11-15 04:36:39 +00:00
if (root == NULL)
{
printf("Chyba pri nacitani databazy pravidiel.\n");
return 1;
}
interact(root);
free_tree(root);
return 0;
}