prosperon/source/engine/timer.c

83 lines
1.5 KiB
C
Raw Normal View History

2022-06-21 12:48:19 -05:00
#include "timer.h"
#include <stdlib.h>
2023-01-18 17:15:36 -06:00
#include "log.h"
2022-06-21 12:48:19 -05:00
#include <stb_ds.h>
2022-06-21 12:48:19 -05:00
2022-08-25 15:48:15 -05:00
struct timer *timers;
2022-08-22 08:55:54 -05:00
2022-12-28 16:50:54 -06:00
void check_timer(struct timer *t, double dt)
2022-08-22 08:55:54 -05:00
{
if (!t->on)
return;
2022-12-28 16:50:54 -06:00
t->remain_time -= dt;
if (t->remain_time <= 0) {
2022-08-22 08:55:54 -05:00
t->cb(t->data);
if (t->repeat) {
2022-12-28 16:50:54 -06:00
t->remain_time = t->interval;
2022-08-22 08:55:54 -05:00
return;
}
t->on = 0;
return;
}
2022-06-21 12:48:19 -05:00
}
2022-12-28 16:50:54 -06:00
void timer_update(double dt) {
2022-08-25 15:48:15 -05:00
for (int i = 0; i < arrlen(timers); i++)
2022-12-28 16:50:54 -06:00
check_timer(&timers[i], dt);
2022-08-25 15:48:15 -05:00
}
2022-08-22 08:55:54 -05:00
2023-01-19 10:44:29 -06:00
struct timer *timer_make(double interval, void (*callback)(void *param), void *param, int own) {
2022-08-25 15:48:15 -05:00
struct timer new;
new.remain_time = interval;
new.interval = interval;
new.cb = callback;
new.data = param;
new.repeat = 1;
new.timerid = arrlen(timers);
2023-01-19 10:44:29 -06:00
new.owndata = own;
2022-08-25 15:48:15 -05:00
timer_start(&new);
arrput(timers, new);
return &arrlast(timers);
2022-06-21 12:48:19 -05:00
}
2022-06-30 10:31:23 -05:00
void timer_pause(struct timer *t) {
2022-08-25 15:48:15 -05:00
if (!t->on) return;
2022-08-22 08:55:54 -05:00
t->on = 0;
2022-06-30 10:31:23 -05:00
}
2022-08-22 08:55:54 -05:00
void timer_stop(struct timer *t) {
2022-08-25 15:48:15 -05:00
if (!t->on) return;
2022-08-22 08:55:54 -05:00
t->on = 0;
t->remain_time = t->interval;
}
2022-06-30 10:31:23 -05:00
2022-08-22 08:55:54 -05:00
void timer_start(struct timer *t) {
2022-08-25 15:48:15 -05:00
if (t->on) return;
2022-08-22 08:55:54 -05:00
t->on = 1;
2022-06-30 10:31:23 -05:00
}
2022-06-21 12:48:19 -05:00
void timer_remove(struct timer *t) {
2022-08-25 15:48:15 -05:00
int i = t->timerid;
2023-01-19 10:44:29 -06:00
if (t->owndata) free(t->data);
2022-08-25 15:48:15 -05:00
arrdelswap(timers, i);
timers[i].timerid = i;
2022-08-22 08:55:54 -05:00
}
void timerr_settime(struct timer *t, double interval) {
2022-12-28 16:50:54 -06:00
t->remain_time += (interval - t->interval);
2022-08-22 08:55:54 -05:00
t->interval = interval;
2023-01-18 17:15:36 -06:00
}
struct timer *id2timer(int id)
{
return &timers[id];
2022-12-28 16:50:54 -06:00
}