The B-tree implementation has the following benefits:
- Uses the minimum of two page buffers for performing all operations. The memory usage is less than 1.5 KB for 512 byte pages.
- No use of dynamic memory (i.e. malloc()). All memory is pre-allocated at creation of the tree.
- Efficient insert (put) and query (get) of arbitrary key-value data.
- Support for iterator to traverse data in sorted order.
- Easy to use and include in existing projects.
- Open source license. Free to use for commerical and open source projects.
- test_btree.c - test file demonstrating how to get, put, and iterate through data in B-tree
- btree.h, btree.c - implementation of B-tree supporting arbitrary key-value data items
- dbbuffer.h, dbbuffer.c - provides interface with SD card and buffering of pages in memory
/* Configure buffer */
dbbuffer* buffer = (dbbuffer*) malloc(sizeof(dbbuffer));
if (buffer == NULL) {
printf("Failed to allocate buffer struct.\n");
return;
}
buffer->pageSize = 512;
uint8_t M = 2;
buffer->numPages = M;
buffer->status = (id_t*) malloc(sizeof(id_t)*M);
if (buffer->status == NULL) {
printf("Failed to allocate buffer status array.\n");
return;
}
buffer->buffer = malloc((size_t) buffer->numPages * buffer->pageSize);
if (buffer->buffer == NULL) {
printf("Failed to allocate buffer.\n");
return;
}
/* Setup output file. */
FILE *fp;
fp = fopen("myfile.bin", "w+b");
if (NULL == fp) {
printf("Error: Can't open file!\n");
return;
}
buffer->file = fp;
/* Configure btree state */
btreeState* state = (btreeState*) malloc(sizeof(btreeState));
if (state == NULL) {
printf("Failed to allocate B-tree state struct.\n");
return;
}
state->recordSize = 16;
state->keySize = 4;
state->dataSize = 12;
state->buffer = buffer;
state->tempKey = malloc(state->keySize);
state->tempData = malloc(state->dataSize);
/* Initialize B-tree structure */
btreeInit(state);
btreePut(state, (void*) keyPtr, (void*) dataPtr);
/* keyPtr points to key to search for. dataPtr must point to pre-allocated space to copy data into. */
int8_t result = btreeGet(state, (void*) keyPtr, (void*) dataPtr);
btreeIterator it;
uint32_t minVal = 40; /* Starting minimum value to start iterator (inclusive) */
it.minKey = &minVal;
uint32_t maxVal = 299; /* Maximum value to end iterator at (inclusive) */
it.maxKey = &maxVal;
btreeInitIterator(state, &it);
uint32_t *itKey, *itData; /* Pointer to key and data value. Valid until next call to btreeNext(). */
while (btreeNext(state, &it, (void**) &itKey, (void**) &itData))
{
printf("Key: %lu Data: %lu\n", *itKey, *itData);
}