69 lines
1.9 KiB
C
69 lines
1.9 KiB
C
#include <stdio.h>
|
|
#include <stdlib.h>
|
|
#include <string.h>
|
|
|
|
#define MAX_SIZE 100
|
|
#define MAX_STUDENTS 100
|
|
|
|
// Štruktúra pre reprezentáciu študenta
|
|
struct Student {
|
|
char name[MAX_SIZE];
|
|
int votes;
|
|
};
|
|
|
|
// Porovnávacia funkcia pre triedenie študentov
|
|
int compare(const void *p1, const void *p2) {
|
|
const struct Student *s1 = (const struct Student *)p1;
|
|
const struct Student *s2 = (const struct Student *)p2;
|
|
// Porovnanie počtu hlasov
|
|
if (s1->votes != s2->votes) {
|
|
return s2->votes - s1->votes; // Zoradenie zostupne podľa hlasov
|
|
}
|
|
// Ak majú rovnaký počet hlasov, zoradíme lexikograficky podľa mena
|
|
return strcmp(s1->name, s2->name);
|
|
}
|
|
|
|
int main() {
|
|
// Otvoríme súbor na čítanie
|
|
FILE *file = fopen("nazov_suboru.txt", "r");
|
|
if (file == NULL) {
|
|
perror("Chyba pri otváraní súboru");
|
|
return 1;
|
|
}
|
|
|
|
// Pole študentov
|
|
struct Student students[MAX_STUDENTS];
|
|
int num_students = 0;
|
|
|
|
// Načítame každý riadok zo súboru
|
|
char line[MAX_SIZE];
|
|
while (fgets(line, sizeof(line), file) != NULL) {
|
|
// Načítame počet hlasov a meno
|
|
int votes;
|
|
char name[MAX_SIZE];
|
|
if (sscanf(line, "%d %99[^\n]", &votes, name) == 2) {
|
|
// Uložíme študenta do pola študentov
|
|
strcpy(students[num_students].name, name);
|
|
students[num_students].votes = votes;
|
|
num_students++;
|
|
} else {
|
|
fprintf(stderr, "CHYBA: Neplatný zápis na riadku\n");
|
|
}
|
|
}
|
|
|
|
// Uzavrieme súbor
|
|
fclose(file);
|
|
|
|
// Zoradíme študentov podľa počtu hlasov
|
|
qsort(students, num_students, sizeof(struct Student), compare);
|
|
|
|
// Vypíšeme výsledky
|
|
printf("Výsledky:\n");
|
|
for (int i = 0; i < num_students; i++) {
|
|
printf("%d %s\n", students[i].votes, students[i].name);
|
|
}
|
|
|
|
return 0;
|
|
}
|
|
|