bootstrap/include/dyn_array.h

73 lines
1.7 KiB
C
Raw Normal View History

/**
@file
@brief Dynamic `void*` arrays.
*/
2023-11-23 18:02:40 +00:00
#ifndef _BOOTSTRAP_DYN_ARRAY_H
#define _BOOTSTRAP_DYN_ARRAY_H
2023-11-22 20:43:34 +00:00
#include <stdlib.h>
/**
@brief A dynamic array of generic pointers.
A `void*` wrapper that grows larger as needed. If more space is needed during an
append operation, the capacity of the internal array is doubled.
*/
struct DynArray {
/// The underlying `void*` pointer.
void **buf;
/// The size of @ref DynArray.buf.
size_t size;
// The allocated size of @ref DynArray.buf.
size_t _capacity;
};
2023-11-22 20:43:34 +00:00
/**
@brief Create a new @ref DynArray instance.
@param capacity
The initial size of the internal array. To avoid too many reallocations, aim to
make this value large enough to accommodate the eventual size of the buffer.
@see dyn_array_free
*/
2023-11-22 20:43:34 +00:00
struct DynArray *dyn_array_new(size_t capacity);
/**
@brief Returns the number of items contained in the internal buffer.
@param a
A valid pointer to a @ref DynArray instance.
@return
The number of items contained in the internal buffer.
*/
2023-11-22 20:43:34 +00:00
size_t dyn_array_size(struct DynArray *a);
/**
@brief Appends a new item onto the end of the internal @ref DynArray.buf.
This function takes ownership of @p item and will attempt to `free` the
parameter when the @ref DynArray is `free`'d. For this reason, only provide
entries that have been allocated on the heap.
@param a
A valid pointer to a @ref DynArray instance.
@param item
A valid pointer to a heap-allocated object.
@see dyn_array_free
*/
2023-11-22 20:43:34 +00:00
void dyn_array_push(struct DynArray *a, void *item);
/**
@brief Deallocates a previously allocated @ref DynArray instance.
@param a
A pointer to a @ref DynArray instance. If null, this function is a no-op.
@see dyn_array_new
*/
2023-11-22 20:43:34 +00:00
void dyn_array_free(struct DynArray *a);
2023-11-23 18:02:40 +00:00
#endif /* _BOOTSTRAP_DYN_ARRAY_H */