usaa24/cv7/program.c
2024-11-07 14:37:47 +01:00

129 lines
3.4 KiB
C
Raw Blame History

This file contains ambiguous Unicode characters

This file contains Unicode characters that might be confused with other characters. If you think that this is intentional, you can safely ignore this warning. Use the Escape button to reveal them.

#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#define MAX_LINE_LENGTH 100
typedef struct Node {
char text[MAX_LINE_LENGTH];
struct Node *yes;
struct Node *no;
} Node;
Node* create_node(const char* text) {
Node *node = (Node*)malloc(sizeof(Node));
if (!node) {
fprintf(stderr, "Memory allocation error.\n");
exit(1);
}
strncpy(node->text, text, MAX_LINE_LENGTH);
node->yes = NULL;
node->no = NULL;
return node;
}
Node* parse_knowledge_base(FILE *file) {
char line[MAX_LINE_LENGTH];
if (!fgets(line, sizeof(line), file)) {
return NULL;
}
line[strcspn(line, "\n")] = 0; // Убираем символ новой строки
if (line[0] == '*') {
return create_node(line + 1); // Создаем узел-ответ, пропуская '*'
} else {
Node *node = create_node(line);
node->yes = parse_knowledge_base(file); // Рекурсивно читаем ответ "да"
node->no = parse_knowledge_base(file); // Рекурсивно читаем ответ "нет"
return node;
}
}
int count_products(Node *node) {
if (!node) return 0;
if (!node->yes && !node->no) return 1; // Если узел - лист (ответ)
return count_products(node->yes) + count_products(node->no);
}
void run_expert_system(Node *node) {
while (node) {
printf("Odpovedajte 'a' pre prvu moznost alebo 'n' pre druhu moznost.\n");
printf("%s\n", node->text);
// Если узел - конечный (ответ), выводим его и завершаем
if (!node->yes && !node->no) {
printf("*%s\n", node->text);
printf("Koniec\n");
return;
}
char answer;
if (scanf(" %c", &answer) != 1) {
printf("Koniec\n"); // Некорректный ввод, завершение
return;
}
// Переходим к следующему узлу на основе ответа пользователя
if (answer == 'a') {
node = node->yes;
} else if (answer == 'n') {
node = node->no;
} else {
printf("Koniec\n"); // Некорректный ответ, завершение
return;
}
}
}
void free_tree(Node *node) {
if (node) {
free_tree(node->yes);
free_tree(node->no);
free(node);
}
}
void create_default_knowledge_base() {
FILE *file = fopen("knowledge_base.txt", "w");
if (!file) {
perror("Failed to create the knowledge base file");
exit(1);
}
fprintf(file, "Je to ovocie alebo zelenina\n");
fprintf(file, "*Jablko\n");
fprintf(file, "*Mrkva\n");
fclose(file);
}
int main() {
FILE *file = fopen("knowledge_base.txt", "r");
if (!file) {
create_default_knowledge_base();
file = fopen("knowledge_base.txt", "r");
if (!file) {
perror("Failed to open the newly created knowledge base file");
return 1;
}
}
Node *root = parse_knowledge_base(file);
fclose(file);
if (!root) {
printf("Báza znalostí sa nedá načítať.\n");
return 1;
}
printf("Expert z bufetu to vie.\n");
int product_count = count_products(root);
printf("Pozna %d druhov ovocia a zeleniny.\n", product_count);
run_expert_system(root);
free_tree(root);
return 0;
}