usaa25/du5/a_station.c
2025-11-12 20:33:28 +01:00

115 lines
3.2 KiB
C

#include "a_station.h"
#include <stdlib.h>
#include <string.h>
#include <stddef.h>
struct station* create_station() {
struct station* s = calloc(1, sizeof(struct station));
s->tracks = calloc(STATION_SIZE, sizeof(struct car*));
s->track_count = STATION_SIZE;
return s;
}
int select_track(struct station* s, const char* target) {
unsigned long hash = 5381; //5381 это алгоритм DJB2
int c;
while ((c = *target++)) { // не забываем ++ чтобы идти по строке
hash = ((hash << 5) + hash) + c; //hash << 5 сдвигает все биты числа hash на 5 позиций влево. Это тоже самое, что умножить на 2 в пятой степени
}
return (int)(hash % s->track_count);
}
void add_target_capacity(struct station* s, const char* target, int capacity) {
if (!s || !target) return;
int index = select_track(s, target);
struct car* current = s->tracks[index];
if (current == NULL) { //Этот кусок кода создаёт “поезд” на пустой колее.
struct car* new_car = calloc(1, sizeof(struct car));
strcpy(new_car->value, target);
new_car->capacity = capacity;
new_car->next = NULL;
s->tracks[index] = new_car;
return;
}
struct car* prev = NULL; //создаём указатель prev, который будет хранить предыдущий элемент списка
while (current != NULL) {
if (strcmp(current->value, target) == 0) {
current->capacity += capacity;
return;
}
prev = current;
current = current->next;
}
struct car* new_car = calloc(1, sizeof(struct car));
strcpy(new_car->value, target);
new_car->capacity = capacity;
new_car->next = NULL;
prev->next = new_car;
}
int get_target_capacity(struct station* s, const char* target) {
if (!s || !target) return 0;
int index = select_track(s, target);
struct car* current = s->tracks[index];
while (current != NULL) {
if (strcmp(current->value, target) == 0) {
return current->capacity;
}
current = current->next;
}
return 0;
}
int count_targets(struct station* s) {
if (!s) return 0;
int count = 0;
for (int i = 0; i < s->track_count; i++) {
struct car* current = s->tracks[i];
while (current != NULL) {
count++;
current = current->next;
}
}
return count;
}
int count_capacity(struct station* s) {
if (!s) return 0;
int total = 0;
for (int i = 0; i < s->track_count; i++) {
struct car* current = s->tracks[i];
while (current != NULL) {
total += current->capacity;
current = current->next;
}
}
return total;
}
void destroy_station(struct station* s) {
if (!s) return;
for (int i = 0; i < s->track_count; i++) {
struct car* current = s->tracks[i];
while (current != NULL) {
struct car* to_delete = current;
current = current->next;
free(to_delete);
}
}
free(s->tracks);
free(s);
}