usaa21/cv8/program.c

95 lines
2.1 KiB
C
Raw Normal View History

2021-11-25 01:36:11 +00:00
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include <assert.h>
#define SIZE 100
2021-11-25 21:58:01 +00:00
struct node {
2021-11-25 01:36:11 +00:00
// Otázka aleo odpoveď
2021-11-25 21:58:01 +00:00
char data[SIZE];
2021-11-25 01:36:11 +00:00
// Odpoveď áno
2021-11-25 21:58:01 +00:00
struct node* left;
2021-11-25 01:36:11 +00:00
// Odpoveď nie
2021-11-25 21:58:01 +00:00
struct node* right;
};
2021-11-25 01:36:11 +00:00
2021-11-25 21:58:01 +00:00
struct node* getNewNode(char data[SIZE]){
struct node* newNode = (struct node*)calloc(1, sizeof(struct node));
memcpy(newNode->data, data, SIZE);
newNode->left = NULL;
newNode->right = NULL;
return newNode;
2021-11-25 01:36:11 +00:00
}
2021-11-25 21:58:01 +00:00
struct node* insert(struct node* root, char data[SIZE]){
if(root == NULL){
root = getNewNode(data);
return root;
}
2021-11-25 01:36:11 +00:00
2021-11-25 21:58:01 +00:00
if(root->left == NULL){
root->left = insert(root->left,data);
}else{
root->right = insert(root->right,data);
}
return root;
2021-11-25 01:36:11 +00:00
}
2021-11-25 21:58:01 +00:00
void remove_tree(struct node* node){
2021-11-25 01:36:11 +00:00
if ( node != NULL ){
2021-11-25 21:58:01 +00:00
remove_tree(node->left);
remove_tree(node->right);
free(node);
2021-11-25 01:36:11 +00:00
}
2021-11-25 21:58:01 +00:00
}
void printt_tree(struct node* tree,int offset){
for (int i = 0; i < offset; i++){
printf(" ");
}
printf("%s",tree->data);
if (tree->left){
printt_tree(tree->left,offset+3);
printt_tree(tree->right,offset+3);
}
}
2021-11-25 01:36:11 +00:00
int main(){
2021-11-25 21:58:01 +00:00
struct node* tree = NULL;
char buff[SIZE];
char* r;
int counter=0;
int lists=0;
while(1){
r = fgets(buff, SIZE, stdin);
if(r == NULL){
break;
}
if(strncmp(buff, "*", 1)) lists++;
tree = insert(tree, buff);
counter++;
}
puts("Expert z bufetu to vie.");
printf("Pozna %d druhov ovocia a zeleniny.\n", lists);
puts("Odpovedajte 'a' pre prvu moznost alebo 'n' pre druhu moznost.");
for(int i=0; i< counter; i++){
printf("%s", tree->data);
r = fgets(buff, SIZE, stdin);
if(strncmp(buff, "a", 1) && tree->right != NULL){
tree = tree->right;
continue;
}else if(strncmp(buff, "n", 1) && tree->left != NULL){
tree = tree->left;
continue;
}else {
puts("Koniec");
break;
}
}
//printt_tree(tree, 1);
remove_tree(tree);
2021-11-25 01:36:11 +00:00
return 0;
}