-
-
Save tail-call/21a871bfcda688b679c1423cff2529c9 to your computer and use it in GitHub Desktop.
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
#include <stdio.h> | |
#include <stdlib.h> | |
#include <string.h> | |
#include <errno.h> | |
// Структура для аргументов (предположим, что она уже определена) | |
typedef struct { | |
int s; | |
} arguments; | |
// Тип указателя на функцию для обработки строки | |
typedef void (*line_processor)(char* line, arguments* arg); | |
// Функция для обработки строк, которая ничего не делает | |
void default_line_processor(char* line, arguments* arg) { | |
// По умолчанию ничего не делаем | |
(void)line; | |
(void)arg; | |
} | |
// Пример функции-обработчика: печатает строку в верхнем регистре, если флаг -s установлен. | |
void uppercase_line_processor(char* line, arguments* arg) { | |
if (arg->s) { | |
for (char* p = line; *p; ++p) { | |
if (*p >= 'a' && *p <= 'z') { | |
*p -= ('a' - 'A'); | |
} | |
} | |
} | |
printf("%s",line); | |
} | |
// Пример функции-обработчика: печатает строку с номером | |
void numbered_line_processor(char* line, arguments* arg) { | |
static int line_number = 1; | |
(void)arg; | |
printf("%d: %s", line_number++, line); | |
} | |
void process_lines(arguments* arg, char* filepatch, line_processor processor) { | |
FILE* f = fopen(filepatch, "r"); | |
if (f == NULL) { | |
if (!arg->s) perror("Error opening file:"); | |
perror(filepatch); | |
exit(1); | |
} | |
char *line = NULL; | |
size_t memlen = 0; | |
ssize_t read; | |
while ((read = getline(&line, &memlen, f)) != -1) { | |
// Вызываем функцию-обработчик для каждой строки | |
processor(line, arg); | |
} | |
free(line); | |
fclose(f); | |
} | |
int main(int argc, char* argv[]) { | |
if (argc < 2) { | |
fprintf(stderr, "Usage: %s <file_path> [-s]\n", argv[0]); | |
return 1; | |
} | |
arguments args; | |
args.s = 0; | |
for (int i = 2; i < argc; i++) { | |
if (strcmp(argv[i], "-s") == 0) { | |
args.s = 1; | |
} | |
} | |
printf("Using default line processor:\n"); | |
process_lines(&args, argv[1], default_line_processor); //Используем дефолтный процессор, который ничего не делает | |
printf("\nUsing uppercase line processor:\n"); | |
process_lines(&args, argv[1], uppercase_line_processor); //Используем процессор, который печатает в верхнем регистре, если есть флаг -s | |
printf("\nUsing numbered line processor:\n"); | |
process_lines(&args, argv[1], numbered_line_processor); //Используем процессор, который печатает строки с нумерацией | |
return 0; | |
} |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment