usaa24/cv7/program.c

81 lines
2.2 KiB
C
Raw Normal View History

2024-11-11 13:45:35 +00:00
#include <stdio.h>
#include <string.h>
2024-11-14 20:57:04 +00:00
// Структура узла для бинарного дерева
typedef struct Node {
char question[100];
struct Node *yes;
struct Node *no;
} Node;
// Прототипы функций
Node* createNode(char *text);
void freeTree(Node *root);
void askQuestions(Node *root);
// Функция для создания нового узла дерева
Node* createNode(char *text) {
Node *node = (Node*)malloc(sizeof(Node));
strcpy(node->question, text);
node->yes = NULL;
node->no = NULL;
2024-11-14 20:53:26 +00:00
return node;
}
2024-11-14 20:57:04 +00:00
// Функция для освобождения памяти дерева
void freeTree(Node *root) {
if (root != NULL) {
freeTree(root->yes);
freeTree(root->no);
free(root);
2024-11-11 13:45:35 +00:00
}
}
2024-11-14 20:57:04 +00:00
// Функция для задания вопросов и получения ответов
void askQuestions(Node *root) {
Node *current = root;
2024-11-14 20:53:26 +00:00
char answer;
2024-11-14 20:57:04 +00:00
while (current->yes != NULL && current->no != NULL) {
printf("%s\n", current->question);
printf("Odpovedajte 'a' pre prvu moznost alebo 'n' pre druhu moznost.\n");
answer = getchar();
getchar(); // Для захвата символа новой строки после ввода
if (answer == 'a') {
current = current->yes;
} else if (answer == 'n') {
current = current->no;
} else {
printf("Nespravna odpoved. Skuste znova.\n");
}
2024-11-11 13:45:35 +00:00
}
2024-11-14 20:57:04 +00:00
printf("*%s\n", current->question); // Вывод названия конечного объекта с *
2024-11-13 22:44:04 +00:00
}
2024-11-13 21:28:02 +00:00
2024-11-11 13:45:35 +00:00
int main() {
2024-11-14 20:57:04 +00:00
// Сообщение о старте
printf("Expert z bufetu to vie.\n");
// Создание дерева для вопросов
Node *root = createNode("Je to ovocie alebo zelenina");
root->yes = createNode("Jablko");
root->no = createNode("Mrkva");
// Вывод количества видов
printf("Pozna 2 druhov ovocia a zeleniny.\n");
// Процесс вопросов и ответов
askQuestions(root);
2024-11-11 13:45:35 +00:00
2024-11-14 20:57:04 +00:00
// Сообщение о завершении
printf("Koniec\n");
2024-11-14 13:04:50 +00:00
2024-11-14 20:57:04 +00:00
// Освобождение памяти
freeTree(root);
2024-11-13 22:44:04 +00:00
return 0;
}