diff options
author | Egor Tensin <Egor.Tensin@gmail.com> | 2022-08-25 16:58:38 +0200 |
---|---|---|
committer | Egor Tensin <Egor.Tensin@gmail.com> | 2022-08-26 04:05:02 +0200 |
commit | 532b3ae9b5cd8609237e04db768cc1f750d8631d (patch) | |
tree | f65253a6ce9970d1d93e6bb6c65758d6fa98373a /src/worker_queue.c | |
parent | cmake: ignore unused parameters for now (diff) | |
download | cimple-532b3ae9b5cd8609237e04db768cc1f750d8631d.tar.gz cimple-532b3ae9b5cd8609237e04db768cc1f750d8631d.zip |
add some more code
This adds a basic "worker" program.
You can now do something like
./server &
./worker &
./client ci_run URL REV
and the server should pass a message to worker, after which it should
clone the repository at URL, checkout REV, and try to run the CI script.
It's extremely unfinished: I need to sort out the graceful shutdown, how
the server manages workers, etc.
Diffstat (limited to 'src/worker_queue.c')
-rw-r--r-- | src/worker_queue.c | 79 |
1 files changed, 79 insertions, 0 deletions
diff --git a/src/worker_queue.c b/src/worker_queue.c new file mode 100644 index 0000000..bb0077b --- /dev/null +++ b/src/worker_queue.c @@ -0,0 +1,79 @@ +#include "worker_queue.h" +#include "log.h" + +#include <stdlib.h> +#include <sys/queue.h> +#include <unistd.h> + +int worker_queue_entry_create(struct worker_queue_entry **entry, int fd) +{ + int newfd = dup(fd); + + if (newfd < 0) { + print_errno("malloc"); + return -1; + } + + *entry = malloc(sizeof(struct worker_queue_entry)); + if (!*entry) { + print_errno("malloc"); + goto close_newfd; + } + (*entry)->fd = newfd; + + return 0; + +close_newfd: + close(newfd); + + return -1; +} + +void worker_queue_entry_destroy(struct worker_queue_entry *entry) +{ + close(entry->fd); + free(entry); +} + +void worker_queue_create(struct worker_queue *queue) +{ + STAILQ_INIT(queue); +} + +void worker_queue_destroy(struct worker_queue *queue) +{ + struct worker_queue_entry *entry1, *entry2; + + entry1 = STAILQ_FIRST(queue); + while (entry1) { + entry2 = STAILQ_NEXT(entry1, entries); + worker_queue_entry_destroy(entry1); + entry1 = entry2; + } + STAILQ_INIT(queue); +} + +int worker_queue_is_empty(const struct worker_queue *queue) +{ + return STAILQ_EMPTY(queue); +} + +void worker_queue_push(struct worker_queue *queue, struct worker_queue_entry *entry) +{ + STAILQ_INSERT_TAIL(queue, entry, entries); +} + +void worker_queue_push_head(struct worker_queue *queue, struct worker_queue_entry *entry) +{ + STAILQ_INSERT_HEAD(queue, entry, entries); +} + +struct worker_queue_entry *worker_queue_pop(struct worker_queue *queue) +{ + struct worker_queue_entry *entry; + + entry = STAILQ_FIRST(queue); + STAILQ_REMOVE_HEAD(queue, entries); + + return entry; +} |