DOC HOME SITE MAP MAN PAGES GNU INFO SEARCH PRINT BOOK
 

Chapter 3. Database Records

Table of Contents

Using Database Records
Reading and Writing Database Records
Writing Records to the Database
Getting Records from the Database
Deleting Records
Data Persistence
Database Usage Example

DB records contain two parts — a key and some data. Both the key and its corresponding data are encapsulated in Dbt class objects. Therefore, to access a DB record, you need two such objects, one for the key and one for the data.

Dbt objects provide a void * data member that you use to point to your data, and another member that identifies the data length. They can therefore be used to store anything from simple primitive data to complex class objects so long as the information you want to store resides in a single contiguous block of memory.

This chapter describes Dbt usage. It also introduces storing and retrieving key/value pairs from a database.

Using Database Records

Each database record is comprised of two Dbt objects — one for the key and another for the data.

#include <db_cxx.h>
#include <string.h>

...

float money = 122.45;
char *description = "Grocery bill.";

Dbt key(&money, sizeof(float));
Dbt data(description, strlen(description)+1); 

Note that in the following example we do not allow DB to assign the memory for the retrieval of the money value. The reason why is that some systems may require float values to have a specific alignment, and the memory as returned by DB may not be properly aligned (the same problem may exist for structures on some systems). We tell DB to use our memory instead of its own by specifying the DB_DBT_USERMEM flag. Be aware that when we do this, we must also identify how much user memory is available through the use of the ulen field.

#include <db_cxx.h>
#include <string.h>

...

Dbt key, data;
float money;
char *description;

key.set_data(&money);
key.set_ulen(sizeof(float));
key.set_flags(DB_DBT_USERMEM);

// Database retrieval code goes here

// Money is set into the memory that we supplied.
description = (char *)data.get_data();