usaa24/a1/program.c

80 lines
3.1 KiB
C

#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#define MAX_LENGTH 100
// Функция для проверки, являются ли два символа парой скобок
int isMatching(char opening, char closing) {
return (opening == '{' && closing == '}') ||
(opening == '[' && closing == ']') ||
(opening == '(' && closing == ')') ||
(opening == '<' && closing == '>');
}
int main() {
char input[MAX_LENGTH + 1];
char stack[MAX_LENGTH];
int top = -1; // Индекс для вершины стека
int position = 0; // Позиция текущего символа
int foundBracket = 0; // Флаг для проверки, найдена ли какая-либо скобка
// Чтение строки
fgets(input, sizeof(input), stdin);
// Удаление символа новой строки, если он присутствует
input[strcspn(input, "\n")] = 0;
// Проверка длины строки
if (strlen(input) > MAX_LENGTH) {
printf("Chyba: dĺžka reťazca presahuje 100 znakov.\n");
return 1;
}
// Проход по каждому символу строки
for (int i = 0; i < strlen(input); i++) {
char current = input[i];
position++;
// Проверка, является ли текущий символ открывающей скобкой
if (current == '{' || current == '[' || current == '(' || current == '<') {
stack[++top] = current; // Увеличиваем top и помещаем скобку в стек
foundBracket = 1; // Мы нашли скобку
}
// Если текущий символ является закрывающей скобкой
else if (current == '}' || current == ']' || current == ')' || current == '>') {
// Если стек пустой, это ошибка
if (top == -1) {
printf("Neočekávaný znak %c na %d, očakávaná otváracia zátvorka.\n", current, position);
return 1;
}
// Если скобки не совпадают, это ошибка
if (!isMatching(stack[top--], current)) {
printf("Prekrývajúca sa zátvorka %c na %d, očakávaná %c.\n", current, position,
(current == '}') ? '{' : (current == ']') ? '[' :
(current == ')') ? '(' : '<');
return 1;
}
}
}
// Если остались открытые скобки в стеке, это ошибка
if (top != -1) {
printf("Neočekávaný koniec vstupu, očakávaná zatváracia zátvorka pre %c.\n", stack[top]);
return 1;
}
// Если не найдены скобки, выводим сообщение
if (!foundBracket) {
printf("Read: %s\n", input);
printf("All brackets OK\n"); // Изменено здесь
} else {
// Ожидаемый корректный вывод
printf("Read: %s\n", input);
printf("All brackets OK\n");
}
return 0;
}