utils.c 1.7 KB

12345678910111213141516171819202122232425262728293031323334353637383940414243444546474849505152535455565758596061626364656667686970717273747576777879808182
  1. #include "utils.h"
  2. #include <stdio.h>
  3. #include <assert.h>
  4. #include <stdarg.h>
  5. result ok(void *value) {
  6. return (struct result){.value = value, .errmsg = NULL};
  7. }
  8. result err(const char *errmsg) {
  9. return (struct result){.value = NULL, .errmsg = errmsg};
  10. }
  11. struct allocator {
  12. void** bufs;
  13. size_t cap;
  14. size_t len;
  15. };
  16. allocator* new_allocator() {
  17. struct allocator * alct = malloc(sizeof(struct allocator));
  18. alct->bufs = malloc(sizeof(void*) * 16);
  19. alct->cap = 16;
  20. alct->len = 0;
  21. alct->bufs[0] = NULL;
  22. return alct;
  23. }
  24. void delete_allocator(allocator* alct) {
  25. for (size_t i = 0; i < alct->len; i++) {
  26. free(alct->bufs[i]);
  27. }
  28. free(alct->bufs);
  29. free(alct);
  30. }
  31. void * allocate(allocator* alct, size_t size) {
  32. assert(size > 0);
  33. if (alct->len >= alct->cap) {
  34. alct->cap = alct->cap * 2; // Doubling the capacity
  35. alct->bufs = realloc(alct->bufs, sizeof(void*) * alct->cap);
  36. }
  37. void* ptr = malloc(size); // Allocate requested size
  38. alct->bufs[alct->len] = ptr; // Store pointer in array
  39. alct->len++;
  40. return ptr;
  41. }
  42. char* safe_sprintf(allocator* alct, const char* format, ...) {
  43. va_list args;
  44. va_list args_copy;
  45. int length;
  46. char* buffer;
  47. va_start(args, format);
  48. va_copy(args_copy, args);
  49. length = vsnprintf(NULL, 0, format, args);
  50. if (length < 0) {
  51. va_end(args);
  52. va_end(args_copy);
  53. return NULL;
  54. }
  55. buffer = (char*)allocate(alct, length + 1);
  56. if (buffer == NULL) {
  57. va_end(args);
  58. va_end(args_copy);
  59. return NULL;
  60. }
  61. vsprintf(buffer, format, args_copy);
  62. va_end(args);
  63. va_end(args_copy);
  64. return buffer;
  65. }