pvjc24/cv5/program.c
2024-03-20 16:42:19 +01:00

70 lines
2.0 KiB
C

#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#define SIZE 100
// Definícia štruktúry pre uchovanie informácií o študentovi
struct student {
char name[SIZE];
int votes;
};
// Funkcia pre porovnanie dvoch záznamov
int compare(const void* p1, const void* p2){
struct student* s1 = (struct student*)p1;
struct student* s2 = (struct student*)p2;
// Porovnávanie podľa počtu hlasov, ak sú rovnaké, potom podľa abecedy
if (s1->votes != s2->votes) {
return s2->votes - s1->votes; // Zoradenie zostupne podľa počtu hlasov
} else {
return strcmp(s1->name, s2->name); // Zoradenie abecedne
}
}
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 vstupu a spracovanie hlasov
char line[SIZE];
while (fgets(line, SIZE, stdin) != NULL) {
// Rozdelenie riadku na počet hlasov a meno
int votes;
char name[SIZE];
sscanf(line, "%d %[^\n]", &votes, name);
// Hľadanie študenta v databáze
int index = -1;
for (int i = 0; i < size; i++) {
if (strcmp(database[i].name, name) == 0) {
index = i;
break;
}
}
// Aktualizácia databázy
if (index == -1) { // Študent ešte nie je v databáze
strcpy(database[size].name, name);
database[size].votes = votes;
size++;
} else { // Študent je už v databáze
database[index].votes += votes;
}
}
// Zoradenie databázy podľa počtu hlasov a abecedne
qsort(database, size, sizeof(struct student), compare);
// Výpis výsledkov
printf("Výsledky:\n");
for (int i = 0; i < size; i++) {
printf("%d %s\n", database[i].votes, database[i].name);
}
return 0;
}