extracted prick into their own header files and deleted lib

This commit is contained in:
2026-03-10 21:08:24 +00:00
parent f811665ae9
commit 24f4962d8c
8 changed files with 250 additions and 236 deletions

111
vec.c Normal file
View File

@@ -0,0 +1,111 @@
/* vec.c: Vector implementation
* Created: 2026-03-10
* Author: Aryadev Chavali
* License: See end of file
* Commentary:
Taken from https://github.com/oreodave/prick - prick_vec.
*/
#include <stdlib.h>
#include <string.h>
#include "base.h"
#include "vec.h"
void vec_append(vec_t *vec, const void *const ptr, uint64_t size)
{
if (!vec || !ptr || !size)
return;
vec_ensure_free(vec, size);
memcpy(&VEC_GET(vec, vec->size, uint8_t), ptr, size);
vec->size += size;
}
void vec_append_byte(vec_t *vec, uint8_t byte)
{
if (!vec)
return;
vec_ensure_free(vec, 1);
VEC_GET(vec, vec->size, uint8_t) = byte;
++vec->size;
}
void *vec_data(vec_t *vec)
{
if (!vec)
return NULL;
if (vec->not_inlined)
{
return vec->ptr;
}
else
{
return vec->inlined;
}
}
void vec_ensure_capacity(vec_t *vec, uint64_t capacity)
{
if (!vec)
return;
if (vec->capacity == 0)
vec->capacity = VEC_INLINE_CAPACITY;
if (vec->capacity < capacity)
{
vec->capacity = MAX(vec->capacity * VEC_MULT, capacity);
if (!vec->not_inlined)
{
// We were a small buffer, and now we cannot be i.e. we need to allocate
// on the heap.
vec->not_inlined = 1;
void *buffer = calloc(1, vec->capacity);
memcpy(buffer, vec->inlined, vec->size);
memset(vec->inlined, 0, sizeof(vec->inlined));
vec->ptr = buffer;
}
else
{
// We're already on the heap, just reallocate.
vec->ptr = realloc(vec->ptr, vec->capacity);
}
}
}
void vec_ensure_free(vec_t *vec, uint64_t size)
{
if (!vec)
return;
vec_ensure_capacity(vec, vec->size + size);
}
void vec_free(vec_t *vec)
{
if (!vec)
return;
if (vec->not_inlined)
free(vec->ptr);
memset(vec, 1, sizeof(*vec));
}
void vec_clone(vec_t *v2, vec_t *v1)
{
if (!v1 || !v2)
return;
vec_append(v2, vec_data(v1), v1->size);
}
/* Copyright (C) 2026 Aryadev Chavali
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General
Public License Version 2
* for details.
* You may distribute and modify this code under the terms of the
* GNU General Public License Version 2, which you should have received a copy
of along with this
* program. If not, please go to <https://www.gnu.org/licenses/>.
*/