Allocazione e rilascio di buffer
Tutti i buffer vengono allocati e liberati dall'applicazione. Se un buffer non viene posticipato, è necessario che esista solo per la durata della chiamata a una funzione. Ad esempio, SQLGetInfo restituisce il valore associato a una particolare opzione nel buffer a cui punta l'argomento InfoValuePtr. Questo buffer può essere liberato immediatamente dopo la chiamata a SQLGetInfo, come illustrato nell'esempio di codice seguente:
SQLSMALLINT InfoValueLen;
SQLCHAR * InfoValuePtr = malloc(50); // Allocate InfoValuePtr.
SQLGetInfo(hdbc, SQL_DBMS_NAME, (SQLPOINTER)InfoValuePtr, 50,
&InfoValueLen);
free(InfoValuePtr); // OK to free InfoValuePtr.
Poiché i buffer posticipati vengono specificati in una funzione e usati in un'altra, si tratta di un errore di programmazione dell'applicazione per liberare un buffer posticipato mentre il driver lo prevede ancora esistente. Ad esempio, l'indirizzo del buffer *ValuePtr viene passato a SQLBindCol per essere utilizzato successivamente da SQLFetch. Questo buffer non può essere liberato finché la colonna non viene associata, ad esempio con una chiamata a SQLBindCol o SQLFreeStmt, come illustrato nell'esempio di codice seguente:
SQLRETURN rc;
SQLINTEGER ValueLenOrInd;
SQLHSTMT hstmt;
// Allocate ValuePtr
SQLCHAR * ValuePtr = malloc(50);
// Bind ValuePtr to column 1. It is an error to free ValuePtr here.
SQLBindCol(hstmt, 1, SQL_C_CHAR, ValuePtr, 50, &ValueLenOrInd);
// Fetch each row of data and place the value for column 1 in *ValuePtr.
// Code to check if rc equals SQL_ERROR or SQL_SUCCESS_WITH_INFO
// not shown.
while ((rc = SQLFetch(hstmt)) != SQL_NO_DATA) {
// It is an error to free ValuePtr here.
}
// Unbind ValuePtr from column 1. It is now OK to free ValuePtr.
SQLFreeStmt(hstmt, SQL_UNBIND);
free(ValuePtr);
Un errore di questo tipo viene facilmente generato dichiarando localmente il buffer in una funzione; il buffer viene liberato quando l'applicazione lascia la funzione. Ad esempio, il codice seguente causa un comportamento non definito e probabilmente irreversibile nel driver:
SQLRETURN rc;
SQLHSTMT hstmt;
BindAColumn(hstmt);
// Fetch each row of data and try to place the value for column 1 in
// *ValuePtr. Because ValuePtr has been freed, the behavior is undefined
// and probably fatal. Code to check if rc equals SQL_ERROR or
// SQL_SUCCESS_WITH_INFO not shown.
while ((rc = SQLFetch(hstmt)) != SQL_NO_DATA) {}
.
.
.
void BindAColumn(SQLHSTMT hstmt) // WARNING! This function won't work!
{
// Declare ValuePtr locally.
SQLCHAR ValuePtr[50];
SQLINTEGER ValueLenOrInd;
// Bind rgbValue to column.
SQLBindCol(hstmt, 1, SQL_C_CHAR, ValuePtr, sizeof(ValuePtr),
&ValueLenOrInd);
// ValuePtr is freed when BindAColumn exits.
}