#include #include #include #define SIZE 100 // Štruktúra pre uloženie informácií o študentovi struct student { char first_name[SIZE]; char last_name[SIZE]; int votes; }; // Funkcia pre porovnanie dvoch študentov int compare(const void* p1, const void* p2) { struct student* s1 = (struct student*)p1; struct student* s2 = (struct student*)p2; // Porovnáme najprv počet hlasov if (s1->votes != s2->votes) { return s2->votes - s1->votes; // Zoradíme zostupne podľa počtu hlasov } else { // Ak majú rovnaký počet hlasov, zoradíme lexikograficky podľa priezviska a potom mena int cmp = strcmp(s1->last_name, s2->last_name); if (cmp != 0) { return cmp; } else { return strcmp(s1->first_name, s2->first_name); } } } // Funkcia na vyhľadanie študenta v databáze int find_student(struct student* students, int size, const char* first_name, const char* last_name) { for (int i = 0; i < size; ++i) { if (strcmp(students[i].first_name, first_name) == 0 && strcmp(students[i].last_name, last_name) == 0) { return i; // Nájdený študent } } return -1; // Študent nebol nájdený } int main() { struct student database[SIZE]; // Databáza študentov memset(database, 0, SIZE * sizeof(struct student)); // Inicializácia pamäte int size = 0; // Aktuálny počet študentov v databáze // Načítanie hlasov zo vstupu char line[SIZE]; int valid_input = 0; // Kontrola platného vstupu while (fgets(line, SIZE, stdin) != NULL) { char first_name[SIZE]; char last_name[SIZE]; int votes; // Rozdelenie riadku na počet hlasov a meno študenta if (sscanf(line, "%d %s %s", &votes, first_name, last_name) != 3) { fprintf(stderr, "Chybný formát vstupu!\n"); valid_input = 1; break; } // Vyhľadanie študenta v databáze int index = find_student(database, size, first_name, last_name); if (index == -1) { // Nový študent if (size < SIZE) { // Pridanie študenta do databázy strcpy(database[size].first_name, first_name); strcpy(database[size].last_name, last_name); database[size].votes = votes; size++; } else { fprintf(stderr, "Databáza je plná!\n"); valid_input = 1; break; } } else { // Existujúci študent, pridáme hlasy database[index].votes += votes; } } if (!valid_input) { // Zoradenie databázy podľa počtu hlasov a priezviska qsort(database, size, sizeof(struct student), compare); // Výpis výsledkov printf("Vysledky:\n"); for (int i = 0; i < size; ++i) { printf("%d %s %s\n", database[i].votes, database[i].first_name, database[i].last_name); } } else { printf("Nepodarilo nacitat nic\n"); } return 0; }