Update contrib.
4 ** The author disclaims copyright to this source code. In place of
5 ** a legal notice, here is a blessing:
7 ** May you do good and not evil.
8 ** May you find forgiveness for yourself and forgive others.
9 ** May you share freely, never taking more than you give.
11 *************************************************************************
12 ** Main file for the SQLite library. The routines in this file
13 ** implement the programmer interface to the library. Routines in
14 ** other files are for internal use by SQLite and should not be
15 ** accessed by users of the library.
17 ** $Id: main.c,v 1.486 2008/08/04 20:13:27 drh Exp $
19 #include "sqliteInt.h"
22 #ifdef SQLITE_ENABLE_FTS3
25 #ifdef SQLITE_ENABLE_RTREE
30 ** The version of the library
32 const char sqlite3_version[] = SQLITE_VERSION;
33 const char *sqlite3_libversion(void){ return sqlite3_version; }
34 int sqlite3_libversion_number(void){ return SQLITE_VERSION_NUMBER; }
35 int sqlite3_threadsafe(void){ return SQLITE_THREADSAFE; }
37 #if !defined(SQLITE_OMIT_TRACE) && defined(SQLITE_ENABLE_IOTRACE)
39 ** If the following function pointer is not NULL and if
40 ** SQLITE_ENABLE_IOTRACE is enabled, then messages describing
41 ** I/O active are written using this function. These messages
42 ** are intended for debugging activity only.
44 void (*sqlite3IoTrace)(const char*, ...) = 0;
48 ** If the following global variable points to a string which is the
49 ** name of a directory, then that directory will be used to store
52 ** See also the "PRAGMA temp_store_directory" SQL command.
54 char *sqlite3_temp_directory = 0;
59 ** This routine must be called to initialize the memory allocation,
60 ** VFS, and mutex subsystesms prior to doing any serious work with
61 ** SQLite. But as long as you do not compile with SQLITE_OMIT_AUTOINIT
62 ** this routine will be called automatically by key routines such as
65 ** This routine is a no-op except on its very first call for the process,
66 ** or for the first call after a call to sqlite3_shutdown.
68 int sqlite3_initialize(void){
69 static int inProgress = 0;
72 /* If SQLite is already initialized, this call is a no-op. */
73 if( sqlite3Config.isInit ) return SQLITE_OK;
75 /* Make sure the mutex system is initialized. */
76 rc = sqlite3MutexInit();
80 /* Initialize the malloc() system and the recursive pInitMutex mutex.
81 ** This operation is protected by the STATIC_MASTER mutex.
83 sqlite3_mutex *pMaster = sqlite3MutexAlloc(SQLITE_MUTEX_STATIC_MASTER);
84 sqlite3_mutex_enter(pMaster);
85 if( !sqlite3Config.isMallocInit ){
86 rc = sqlite3MallocInit();
89 sqlite3Config.isMallocInit = 1;
90 if( !sqlite3Config.pInitMutex ){
91 sqlite3Config.pInitMutex = sqlite3MutexAlloc(SQLITE_MUTEX_RECURSIVE);
92 if( sqlite3Config.bCoreMutex && !sqlite3Config.pInitMutex ){
97 sqlite3_mutex_leave(pMaster);
102 /* Enter the recursive pInitMutex mutex. After doing so, if the
103 ** sqlite3Config.isInit flag is true, then some other thread has
104 ** finished doing the initialization. If the inProgress flag is
105 ** true, then this function is being called recursively from within
106 ** the sqlite3_os_init() call below. In either case, exit early.
108 sqlite3_mutex_enter(sqlite3Config.pInitMutex);
109 if( sqlite3Config.isInit || inProgress ){
110 sqlite3_mutex_leave(sqlite3Config.pInitMutex);
113 sqlite3StatusReset();
115 rc = sqlite3_os_init();
117 sqlite3Config.isInit = (rc==SQLITE_OK ? 1 : 0);
118 sqlite3_mutex_leave(sqlite3Config.pInitMutex);
121 /* Check NaN support. */
123 /* This section of code's only "output" is via assert() statements. */
124 if ( rc==SQLITE_OK ){
125 u64 x = (((u64)1)<<63)-1;
127 assert(sizeof(x)==8);
128 assert(sizeof(x)==sizeof(y));
130 assert( sqlite3IsNaN(y) );
138 ** Undo the effects of sqlite3_initialize(). Must not be called while
139 ** there are outstanding database connections or memory allocations or
140 ** while any part of SQLite is otherwise in use in any thread. This
141 ** routine is not threadsafe. Not by a long shot.
143 int sqlite3_shutdown(void){
144 sqlite3_mutex_free(sqlite3Config.pInitMutex);
145 sqlite3Config.pInitMutex = 0;
146 sqlite3Config.isMallocInit = 0;
147 if( sqlite3Config.isInit ){
150 if( sqlite3Config.m.xShutdown ){
153 if( sqlite3Config.mutex.xMutexEnd ){
156 sqlite3Config.isInit = 0;
161 ** This API allows applications to modify the global configuration of
162 ** the SQLite library at run-time.
164 ** This routine should only be called when there are no outstanding
165 ** database connections or memory allocations. This routine is not
166 ** threadsafe. Failure to heed these warnings can lead to unpredictable
169 int sqlite3_config(int op, ...){
173 /* sqlite3_config() shall return SQLITE_MISUSE if it is invoked while
174 ** the SQLite library is in use. */
175 if( sqlite3Config.isInit ) return SQLITE_MISUSE;
179 case SQLITE_CONFIG_SINGLETHREAD: {
180 /* Disable all mutexing */
181 sqlite3Config.bCoreMutex = 0;
182 sqlite3Config.bFullMutex = 0;
185 case SQLITE_CONFIG_MULTITHREAD: {
186 /* Disable mutexing of database connections */
187 /* Enable mutexing of core data structures */
188 sqlite3Config.bCoreMutex = 1;
189 sqlite3Config.bFullMutex = 0;
192 case SQLITE_CONFIG_SERIALIZED: {
193 /* Enable all mutexing */
194 sqlite3Config.bCoreMutex = 1;
195 sqlite3Config.bFullMutex = 1;
198 case SQLITE_CONFIG_MALLOC: {
199 /* Specify an alternative malloc implementation */
200 sqlite3Config.m = *va_arg(ap, sqlite3_mem_methods*);
203 case SQLITE_CONFIG_GETMALLOC: {
204 /* Retrieve the current malloc() implementation */
205 if( sqlite3Config.m.xMalloc==0 ) sqlite3MemSetDefault();
206 *va_arg(ap, sqlite3_mem_methods*) = sqlite3Config.m;
209 case SQLITE_CONFIG_MUTEX: {
210 /* Specify an alternative mutex implementation */
211 sqlite3Config.mutex = *va_arg(ap, sqlite3_mutex_methods*);
214 case SQLITE_CONFIG_GETMUTEX: {
215 /* Retrieve the current mutex implementation */
216 *va_arg(ap, sqlite3_mutex_methods*) = sqlite3Config.mutex;
219 case SQLITE_CONFIG_MEMSTATUS: {
220 /* Enable or disable the malloc status collection */
221 sqlite3Config.bMemstat = va_arg(ap, int);
224 case SQLITE_CONFIG_SCRATCH: {
225 /* Designate a buffer for scratch memory space */
226 sqlite3Config.pScratch = va_arg(ap, void*);
227 sqlite3Config.szScratch = va_arg(ap, int);
228 sqlite3Config.nScratch = va_arg(ap, int);
231 case SQLITE_CONFIG_PAGECACHE: {
232 /* Designate a buffer for scratch memory space */
233 sqlite3Config.pPage = va_arg(ap, void*);
234 sqlite3Config.szPage = va_arg(ap, int);
235 sqlite3Config.nPage = va_arg(ap, int);
239 #if defined(SQLITE_ENABLE_MEMSYS3) || defined(SQLITE_ENABLE_MEMSYS5)
240 case SQLITE_CONFIG_HEAP: {
241 /* Designate a buffer for heap memory space */
242 sqlite3Config.pHeap = va_arg(ap, void*);
243 sqlite3Config.nHeap = va_arg(ap, int);
244 sqlite3Config.mnReq = va_arg(ap, int);
246 if( sqlite3Config.pHeap==0 ){
247 /* If the heap pointer is NULL, then restore the malloc implementation
248 ** back to NULL pointers too. This will cause the malloc to go
249 ** back to its default implementation when sqlite3_initialize() is
252 memset(&sqlite3Config.m, 0, sizeof(sqlite3Config.m));
254 /* The heap pointer is not NULL, then install one of the
255 ** mem5.c/mem3.c methods. If neither ENABLE_MEMSYS3 nor
256 ** ENABLE_MEMSYS5 is defined, return an error.
257 ** the default case and return an error.
259 #ifdef SQLITE_ENABLE_MEMSYS3
260 sqlite3Config.m = *sqlite3MemGetMemsys3();
262 #ifdef SQLITE_ENABLE_MEMSYS5
263 sqlite3Config.m = *sqlite3MemGetMemsys5();
270 #if defined(SQLITE_ENABLE_MEMSYS6)
271 case SQLITE_CONFIG_CHUNKALLOC: {
272 sqlite3Config.nSmall = va_arg(ap, int);
273 sqlite3Config.m = *sqlite3MemGetMemsys6();
278 case SQLITE_CONFIG_LOOKASIDE: {
279 sqlite3Config.szLookaside = va_arg(ap, int);
280 sqlite3Config.nLookaside = va_arg(ap, int);
294 ** Set up the lookaside buffers for a database connection.
295 ** Return SQLITE_OK on success.
296 ** If lookaside is already active, return SQLITE_BUSY.
298 ** The sz parameter is the number of bytes in each lookaside slot.
299 ** The cnt parameter is the number of slots. If pStart is NULL the
300 ** space for the lookaside memory is obtained from sqlite3_malloc().
301 ** If pStart is not NULL then it is sz*cnt bytes of memory to use for
302 ** the lookaside memory.
304 static int setupLookaside(sqlite3 *db, void *pBuf, int sz, int cnt){
306 if( db->lookaside.nOut ){
313 sqlite3BeginBenignMalloc();
314 pStart = sqlite3Malloc( sz*cnt );
315 sqlite3EndBenignMalloc();
319 if( db->lookaside.bMalloced ){
320 sqlite3_free(db->lookaside.pStart);
322 db->lookaside.pStart = pStart;
323 db->lookaside.pFree = 0;
324 db->lookaside.sz = sz;
325 db->lookaside.bMalloced = pBuf==0;
329 p = (LookasideSlot*)pStart;
330 for(i=cnt-1; i>=0; i--){
331 p->pNext = db->lookaside.pFree;
332 db->lookaside.pFree = p;
333 p = (LookasideSlot*)&((u8*)p)[sz];
335 db->lookaside.pEnd = p;
336 db->lookaside.bEnabled = 1;
338 db->lookaside.pEnd = 0;
339 db->lookaside.bEnabled = 0;
345 ** Configuration settings for an individual database connection
347 int sqlite3_db_config(sqlite3 *db, int op, ...){
352 case SQLITE_DBCONFIG_LOOKASIDE: {
353 void *pBuf = va_arg(ap, void*);
354 int sz = va_arg(ap, int);
355 int cnt = va_arg(ap, int);
356 rc = setupLookaside(db, pBuf, sz, cnt);
369 ** Routine needed to support the testcase() macro.
371 #ifdef SQLITE_COVERAGE_TEST
372 void sqlite3Coverage(int x){
373 static int dummy = 0;
380 ** Return true if the buffer z[0..n-1] contains all spaces.
382 static int allSpaces(const char *z, int n){
383 while( n>0 && z[n-1]==' ' ){ n--; }
388 ** This is the default collating function named "BINARY" which is always
391 ** If the padFlag argument is not NULL then space padding at the end
392 ** of strings is ignored. This implements the RTRIM collation.
394 static int binCollFunc(
396 int nKey1, const void *pKey1,
397 int nKey2, const void *pKey2
400 n = nKey1<nKey2 ? nKey1 : nKey2;
401 rc = memcmp(pKey1, pKey2, n);
404 && allSpaces(((char*)pKey1)+n, nKey1-n)
405 && allSpaces(((char*)pKey2)+n, nKey2-n)
407 /* Leave rc unchanged at 0 */
416 ** Another built-in collating sequence: NOCASE.
418 ** This collating sequence is intended to be used for "case independant
419 ** comparison". SQLite's knowledge of upper and lower case equivalents
420 ** extends only to the 26 characters used in the English language.
422 ** At the moment there is only a UTF-8 implementation.
424 static int nocaseCollatingFunc(
426 int nKey1, const void *pKey1,
427 int nKey2, const void *pKey2
429 int r = sqlite3StrNICmp(
430 (const char *)pKey1, (const char *)pKey2, (nKey1<nKey2)?nKey1:nKey2);
438 ** Return the ROWID of the most recent insert
440 sqlite_int64 sqlite3_last_insert_rowid(sqlite3 *db){
441 return db->lastRowid;
445 ** Return the number of changes in the most recent call to sqlite3_exec().
447 int sqlite3_changes(sqlite3 *db){
452 ** Return the number of changes since the database handle was opened.
454 int sqlite3_total_changes(sqlite3 *db){
455 return db->nTotalChange;
459 ** Close an existing SQLite database
461 int sqlite3_close(sqlite3 *db){
468 if( !sqlite3SafetyCheckSickOrOk(db) ){
469 return SQLITE_MISUSE;
471 sqlite3_mutex_enter(db->mutex);
475 extern void sqlite3SseCleanup(sqlite3*);
476 sqlite3SseCleanup(db);
480 sqlite3ResetInternalSchema(db, 0);
482 /* If a transaction is open, the ResetInternalSchema() call above
483 ** will not have called the xDisconnect() method on any virtual
484 ** tables in the db->aVTrans[] array. The following sqlite3VtabRollback()
485 ** call will do so. We need to do this before the check for active
486 ** SQL statements below, as the v-table implementation may be storing
487 ** some prepared statements internally.
489 sqlite3VtabRollback(db);
491 /* If there are any outstanding VMs, return SQLITE_BUSY. */
493 sqlite3Error(db, SQLITE_BUSY,
494 "Unable to close due to unfinalised statements");
495 sqlite3_mutex_leave(db->mutex);
498 assert( sqlite3SafetyCheckSickOrOk(db) );
500 for(j=0; j<db->nDb; j++){
501 struct Db *pDb = &db->aDb[j];
503 sqlite3BtreeClose(pDb->pBt);
510 sqlite3ResetInternalSchema(db, 0);
511 assert( db->nDb<=2 );
512 assert( db->aDb==db->aDbStatic );
513 for(i=sqliteHashFirst(&db->aFunc); i; i=sqliteHashNext(i)){
514 FuncDef *pFunc, *pNext;
515 for(pFunc = (FuncDef*)sqliteHashData(i); pFunc; pFunc=pNext){
516 pNext = pFunc->pNext;
517 sqlite3DbFree(db, pFunc);
521 for(i=sqliteHashFirst(&db->aCollSeq); i; i=sqliteHashNext(i)){
522 CollSeq *pColl = (CollSeq *)sqliteHashData(i);
523 /* Invoke any destructors registered for collation sequence user data. */
526 pColl[j].xDel(pColl[j].pUser);
529 sqlite3DbFree(db, pColl);
531 sqlite3HashClear(&db->aCollSeq);
532 #ifndef SQLITE_OMIT_VIRTUALTABLE
533 for(i=sqliteHashFirst(&db->aModule); i; i=sqliteHashNext(i)){
534 Module *pMod = (Module *)sqliteHashData(i);
535 if( pMod->xDestroy ){
536 pMod->xDestroy(pMod->pAux);
538 sqlite3DbFree(db, pMod);
540 sqlite3HashClear(&db->aModule);
543 sqlite3HashClear(&db->aFunc);
544 sqlite3Error(db, SQLITE_OK, 0); /* Deallocates any cached error strings. */
546 sqlite3ValueFree(db->pErr);
548 sqlite3CloseExtensions(db);
550 db->magic = SQLITE_MAGIC_ERROR;
552 /* The temp-database schema is allocated differently from the other schema
553 ** objects (using sqliteMalloc() directly, instead of sqlite3BtreeSchema()).
554 ** So it needs to be freed here. Todo: Why not roll the temp schema into
555 ** the same sqliteMalloc() as the one that allocates the database
558 sqlite3DbFree(db, db->aDb[1].pSchema);
559 sqlite3_mutex_leave(db->mutex);
560 db->magic = SQLITE_MAGIC_CLOSED;
561 sqlite3_mutex_free(db->mutex);
562 if( db->lookaside.bMalloced ){
563 sqlite3_free(db->lookaside.pStart);
570 ** Rollback all database files.
572 void sqlite3RollbackAll(sqlite3 *db){
575 assert( sqlite3_mutex_held(db->mutex) );
576 sqlite3BeginBenignMalloc();
577 for(i=0; i<db->nDb; i++){
578 if( db->aDb[i].pBt ){
579 if( sqlite3BtreeIsInTrans(db->aDb[i].pBt) ){
582 sqlite3BtreeRollback(db->aDb[i].pBt);
583 db->aDb[i].inTrans = 0;
586 sqlite3VtabRollback(db);
587 sqlite3EndBenignMalloc();
589 if( db->flags&SQLITE_InternChanges ){
590 sqlite3ExpirePreparedStatements(db);
591 sqlite3ResetInternalSchema(db, 0);
594 /* If one has been configured, invoke the rollback-hook callback */
595 if( db->xRollbackCallback && (inTrans || !db->autoCommit) ){
596 db->xRollbackCallback(db->pRollbackArg);
601 ** Return a static string that describes the kind of error specified in the
604 const char *sqlite3ErrStr(int rc){
609 case SQLITE_OK: z = "not an error"; break;
610 case SQLITE_ERROR: z = "SQL logic error or missing database"; break;
611 case SQLITE_PERM: z = "access permission denied"; break;
612 case SQLITE_ABORT: z = "callback requested query abort"; break;
613 case SQLITE_BUSY: z = "database is locked"; break;
614 case SQLITE_LOCKED: z = "database table is locked"; break;
615 case SQLITE_NOMEM: z = "out of memory"; break;
616 case SQLITE_READONLY: z = "attempt to write a readonly database"; break;
617 case SQLITE_INTERRUPT: z = "interrupted"; break;
618 case SQLITE_IOERR: z = "disk I/O error"; break;
619 case SQLITE_CORRUPT: z = "database disk image is malformed"; break;
620 case SQLITE_FULL: z = "database or disk is full"; break;
621 case SQLITE_CANTOPEN: z = "unable to open database file"; break;
622 case SQLITE_EMPTY: z = "table contains no data"; break;
623 case SQLITE_SCHEMA: z = "database schema has changed"; break;
624 case SQLITE_TOOBIG: z = "String or BLOB exceeded size limit"; break;
625 case SQLITE_CONSTRAINT: z = "constraint failed"; break;
626 case SQLITE_MISMATCH: z = "datatype mismatch"; break;
627 case SQLITE_MISUSE: z = "library routine called out of sequence";break;
628 case SQLITE_NOLFS: z = "large file support is disabled"; break;
629 case SQLITE_AUTH: z = "authorization denied"; break;
630 case SQLITE_FORMAT: z = "auxiliary database format error"; break;
631 case SQLITE_RANGE: z = "bind or column index out of range"; break;
632 case SQLITE_NOTADB: z = "file is encrypted or is not a database";break;
633 default: z = "unknown error"; break;
639 ** This routine implements a busy callback that sleeps and tries
640 ** again until a timeout value is reached. The timeout value is
641 ** an integer number of milliseconds passed in as the first
644 static int sqliteDefaultBusyCallback(
645 void *ptr, /* Database connection */
646 int count /* Number of times table has been busy */
648 #if SQLITE_OS_WIN || (defined(HAVE_USLEEP) && HAVE_USLEEP)
649 static const u8 delays[] =
650 { 1, 2, 5, 10, 15, 20, 25, 25, 25, 50, 50, 100 };
651 static const u8 totals[] =
652 { 0, 1, 3, 8, 18, 33, 53, 78, 103, 128, 178, 228 };
653 # define NDELAY (sizeof(delays)/sizeof(delays[0]))
654 sqlite3 *db = (sqlite3 *)ptr;
655 int timeout = db->busyTimeout;
659 if( count < NDELAY ){
660 delay = delays[count];
661 prior = totals[count];
663 delay = delays[NDELAY-1];
664 prior = totals[NDELAY-1] + delay*(count-(NDELAY-1));
666 if( prior + delay > timeout ){
667 delay = timeout - prior;
668 if( delay<=0 ) return 0;
670 sqlite3OsSleep(db->pVfs, delay*1000);
673 sqlite3 *db = (sqlite3 *)ptr;
674 int timeout = ((sqlite3 *)ptr)->busyTimeout;
675 if( (count+1)*1000 > timeout ){
678 sqlite3OsSleep(db->pVfs, 1000000);
684 ** Invoke the given busy handler.
686 ** This routine is called when an operation failed with a lock.
687 ** If this routine returns non-zero, the lock is retried. If it
688 ** returns 0, the operation aborts with an SQLITE_BUSY error.
690 int sqlite3InvokeBusyHandler(BusyHandler *p){
692 if( NEVER(p==0) || p->xFunc==0 || p->nBusy<0 ) return 0;
693 rc = p->xFunc(p->pArg, p->nBusy);
703 ** This routine sets the busy callback for an Sqlite database to the
704 ** given callback function with the given argument.
706 int sqlite3_busy_handler(
708 int (*xBusy)(void*,int),
711 sqlite3_mutex_enter(db->mutex);
712 db->busyHandler.xFunc = xBusy;
713 db->busyHandler.pArg = pArg;
714 db->busyHandler.nBusy = 0;
715 sqlite3_mutex_leave(db->mutex);
719 #ifndef SQLITE_OMIT_PROGRESS_CALLBACK
721 ** This routine sets the progress callback for an Sqlite database to the
722 ** given callback function with the given argument. The progress callback will
723 ** be invoked every nOps opcodes.
725 void sqlite3_progress_handler(
728 int (*xProgress)(void*),
731 sqlite3_mutex_enter(db->mutex);
733 db->xProgress = xProgress;
734 db->nProgressOps = nOps;
735 db->pProgressArg = pArg;
738 db->nProgressOps = 0;
739 db->pProgressArg = 0;
741 sqlite3_mutex_leave(db->mutex);
747 ** This routine installs a default busy handler that waits for the
748 ** specified number of milliseconds before returning 0.
750 int sqlite3_busy_timeout(sqlite3 *db, int ms){
752 db->busyTimeout = ms;
753 sqlite3_busy_handler(db, sqliteDefaultBusyCallback, (void*)db);
755 sqlite3_busy_handler(db, 0, 0);
761 ** Cause any pending operation to stop at its earliest opportunity.
763 void sqlite3_interrupt(sqlite3 *db){
764 db->u1.isInterrupted = 1;
769 ** This function is exactly the same as sqlite3_create_function(), except
770 ** that it is designed to be called by internal code. The difference is
771 ** that if a malloc() fails in sqlite3_create_function(), an error code
772 ** is returned and the mallocFailed flag cleared.
774 int sqlite3CreateFunc(
776 const char *zFunctionName,
780 void (*xFunc)(sqlite3_context*,int,sqlite3_value **),
781 void (*xStep)(sqlite3_context*,int,sqlite3_value **),
782 void (*xFinal)(sqlite3_context*)
787 assert( sqlite3_mutex_held(db->mutex) );
788 if( zFunctionName==0 ||
789 (xFunc && (xFinal || xStep)) ||
790 (!xFunc && (xFinal && !xStep)) ||
791 (!xFunc && (!xFinal && xStep)) ||
792 (nArg<-1 || nArg>SQLITE_MAX_FUNCTION_ARG) ||
793 (255<(nName = sqlite3Strlen(db, zFunctionName))) ){
794 sqlite3Error(db, SQLITE_ERROR, "bad parameters");
798 #ifndef SQLITE_OMIT_UTF16
799 /* If SQLITE_UTF16 is specified as the encoding type, transform this
800 ** to one of SQLITE_UTF16LE or SQLITE_UTF16BE using the
801 ** SQLITE_UTF16NATIVE macro. SQLITE_UTF16 is not used internally.
803 ** If SQLITE_ANY is specified, add three versions of the function
804 ** to the hash table.
806 if( enc==SQLITE_UTF16 ){
807 enc = SQLITE_UTF16NATIVE;
808 }else if( enc==SQLITE_ANY ){
810 rc = sqlite3CreateFunc(db, zFunctionName, nArg, SQLITE_UTF8,
811 pUserData, xFunc, xStep, xFinal);
813 rc = sqlite3CreateFunc(db, zFunctionName, nArg, SQLITE_UTF16LE,
814 pUserData, xFunc, xStep, xFinal);
819 enc = SQLITE_UTF16BE;
825 /* Check if an existing function is being overridden or deleted. If so,
826 ** and there are active VMs, then return SQLITE_BUSY. If a function
827 ** is being overridden/deleted but there are no active VMs, allow the
828 ** operation to continue but invalidate all precompiled statements.
830 p = sqlite3FindFunction(db, zFunctionName, nName, nArg, enc, 0);
831 if( p && p->iPrefEnc==enc && p->nArg==nArg ){
832 if( db->activeVdbeCnt ){
833 sqlite3Error(db, SQLITE_BUSY,
834 "Unable to delete/modify user-function due to active statements");
835 assert( !db->mallocFailed );
838 sqlite3ExpirePreparedStatements(db);
842 p = sqlite3FindFunction(db, zFunctionName, nName, nArg, enc, 1);
843 assert(p || db->mallocFailed);
850 p->xFinalize = xFinal;
851 p->pUserData = pUserData;
857 ** Create new user functions.
859 int sqlite3_create_function(
861 const char *zFunctionName,
865 void (*xFunc)(sqlite3_context*,int,sqlite3_value **),
866 void (*xStep)(sqlite3_context*,int,sqlite3_value **),
867 void (*xFinal)(sqlite3_context*)
870 sqlite3_mutex_enter(db->mutex);
871 rc = sqlite3CreateFunc(db, zFunctionName, nArg, enc, p, xFunc, xStep, xFinal);
872 rc = sqlite3ApiExit(db, rc);
873 sqlite3_mutex_leave(db->mutex);
877 #ifndef SQLITE_OMIT_UTF16
878 int sqlite3_create_function16(
880 const void *zFunctionName,
884 void (*xFunc)(sqlite3_context*,int,sqlite3_value**),
885 void (*xStep)(sqlite3_context*,int,sqlite3_value**),
886 void (*xFinal)(sqlite3_context*)
890 sqlite3_mutex_enter(db->mutex);
891 assert( !db->mallocFailed );
892 zFunc8 = sqlite3Utf16to8(db, zFunctionName, -1);
893 rc = sqlite3CreateFunc(db, zFunc8, nArg, eTextRep, p, xFunc, xStep, xFinal);
894 sqlite3DbFree(db, zFunc8);
895 rc = sqlite3ApiExit(db, rc);
896 sqlite3_mutex_leave(db->mutex);
903 ** Declare that a function has been overloaded by a virtual table.
905 ** If the function already exists as a regular global function, then
906 ** this routine is a no-op. If the function does not exist, then create
907 ** a new one that always throws a run-time error.
909 ** When virtual tables intend to provide an overloaded function, they
910 ** should call this routine to make sure the global function exists.
911 ** A global function must exist in order for name resolution to work
914 int sqlite3_overload_function(
919 int nName = sqlite3Strlen(db, zName);
921 sqlite3_mutex_enter(db->mutex);
922 if( sqlite3FindFunction(db, zName, nName, nArg, SQLITE_UTF8, 0)==0 ){
923 sqlite3CreateFunc(db, zName, nArg, SQLITE_UTF8,
924 0, sqlite3InvalidFunction, 0, 0);
926 rc = sqlite3ApiExit(db, SQLITE_OK);
927 sqlite3_mutex_leave(db->mutex);
931 #ifndef SQLITE_OMIT_TRACE
933 ** Register a trace function. The pArg from the previously registered trace
936 ** A NULL trace function means that no tracing is executes. A non-NULL
937 ** trace is a pointer to a function that is invoked at the start of each
940 void *sqlite3_trace(sqlite3 *db, void (*xTrace)(void*,const char*), void *pArg){
942 sqlite3_mutex_enter(db->mutex);
943 pOld = db->pTraceArg;
945 db->pTraceArg = pArg;
946 sqlite3_mutex_leave(db->mutex);
950 ** Register a profile function. The pArg from the previously registered
951 ** profile function is returned.
953 ** A NULL profile function means that no profiling is executes. A non-NULL
954 ** profile is a pointer to a function that is invoked at the conclusion of
955 ** each SQL statement that is run.
957 void *sqlite3_profile(
959 void (*xProfile)(void*,const char*,sqlite_uint64),
963 sqlite3_mutex_enter(db->mutex);
964 pOld = db->pProfileArg;
965 db->xProfile = xProfile;
966 db->pProfileArg = pArg;
967 sqlite3_mutex_leave(db->mutex);
970 #endif /* SQLITE_OMIT_TRACE */
972 /*** EXPERIMENTAL ***
974 ** Register a function to be invoked when a transaction comments.
975 ** If the invoked function returns non-zero, then the commit becomes a
978 void *sqlite3_commit_hook(
979 sqlite3 *db, /* Attach the hook to this database */
980 int (*xCallback)(void*), /* Function to invoke on each commit */
981 void *pArg /* Argument to the function */
984 sqlite3_mutex_enter(db->mutex);
985 pOld = db->pCommitArg;
986 db->xCommitCallback = xCallback;
987 db->pCommitArg = pArg;
988 sqlite3_mutex_leave(db->mutex);
993 ** Register a callback to be invoked each time a row is updated,
994 ** inserted or deleted using this database connection.
996 void *sqlite3_update_hook(
997 sqlite3 *db, /* Attach the hook to this database */
998 void (*xCallback)(void*,int,char const *,char const *,sqlite_int64),
999 void *pArg /* Argument to the function */
1002 sqlite3_mutex_enter(db->mutex);
1003 pRet = db->pUpdateArg;
1004 db->xUpdateCallback = xCallback;
1005 db->pUpdateArg = pArg;
1006 sqlite3_mutex_leave(db->mutex);
1011 ** Register a callback to be invoked each time a transaction is rolled
1012 ** back by this database connection.
1014 void *sqlite3_rollback_hook(
1015 sqlite3 *db, /* Attach the hook to this database */
1016 void (*xCallback)(void*), /* Callback function */
1017 void *pArg /* Argument to the function */
1020 sqlite3_mutex_enter(db->mutex);
1021 pRet = db->pRollbackArg;
1022 db->xRollbackCallback = xCallback;
1023 db->pRollbackArg = pArg;
1024 sqlite3_mutex_leave(db->mutex);
1029 ** This routine is called to create a connection to a database BTree
1030 ** driver. If zFilename is the name of a file, then that file is
1031 ** opened and used. If zFilename is the magic name ":memory:" then
1032 ** the database is stored in memory (and is thus forgotten as soon as
1033 ** the connection is closed.) If zFilename is NULL then the database
1034 ** is a "virtual" database for transient use only and is deleted as
1035 ** soon as the connection is closed.
1037 ** A virtual database can be either a disk file (that is automatically
1038 ** deleted when the file is closed) or it an be held entirely in memory,
1039 ** depending on the values of the SQLITE_TEMP_STORE compile-time macro and the
1040 ** db->temp_store variable, according to the following chart:
1042 ** SQLITE_TEMP_STORE db->temp_store Location of temporary database
1043 ** ----------------- -------------- ------------------------------
1053 int sqlite3BtreeFactory(
1054 const sqlite3 *db, /* Main database when opening aux otherwise 0 */
1055 const char *zFilename, /* Name of the file containing the BTree database */
1056 int omitJournal, /* if TRUE then do not journal this file */
1057 int nCache, /* How many pages in the page cache */
1058 int vfsFlags, /* Flags passed through to vfsOpen */
1059 Btree **ppBtree /* Pointer to new Btree object written here */
1064 assert( sqlite3_mutex_held(db->mutex) );
1065 assert( ppBtree != 0);
1067 btFlags |= BTREE_OMIT_JOURNAL;
1069 if( db->flags & SQLITE_NoReadlock ){
1070 btFlags |= BTREE_NO_READLOCK;
1073 #if SQLITE_TEMP_STORE==0
1076 #ifndef SQLITE_OMIT_MEMORYDB
1077 #if SQLITE_TEMP_STORE==1
1078 if( db->temp_store==2 ) zFilename = ":memory:";
1080 #if SQLITE_TEMP_STORE==2
1081 if( db->temp_store!=1 ) zFilename = ":memory:";
1083 #if SQLITE_TEMP_STORE==3
1084 zFilename = ":memory:";
1086 #endif /* SQLITE_OMIT_MEMORYDB */
1089 if( (vfsFlags & SQLITE_OPEN_MAIN_DB)!=0 && (zFilename==0 || *zFilename==0) ){
1090 vfsFlags = (vfsFlags & ~SQLITE_OPEN_MAIN_DB) | SQLITE_OPEN_TEMP_DB;
1092 rc = sqlite3BtreeOpen(zFilename, (sqlite3 *)db, ppBtree, btFlags, vfsFlags);
1094 /* If the B-Tree was successfully opened, set the pager-cache size to the
1095 ** default value. Except, if the call to BtreeOpen() returned a handle
1096 ** open on an existing shared pager-cache, do not change the pager-cache
1099 if( rc==SQLITE_OK && 0==sqlite3BtreeSchema(*ppBtree, 0, 0) ){
1100 sqlite3BtreeSetCacheSize(*ppBtree, nCache);
1106 ** Return UTF-8 encoded English language explanation of the most recent
1109 const char *sqlite3_errmsg(sqlite3 *db){
1112 return sqlite3ErrStr(SQLITE_NOMEM);
1114 if( !sqlite3SafetyCheckSickOrOk(db) ){
1115 return sqlite3ErrStr(SQLITE_MISUSE);
1117 sqlite3_mutex_enter(db->mutex);
1118 assert( !db->mallocFailed );
1119 z = (char*)sqlite3_value_text(db->pErr);
1120 assert( !db->mallocFailed );
1122 z = sqlite3ErrStr(db->errCode);
1124 sqlite3_mutex_leave(db->mutex);
1128 #ifndef SQLITE_OMIT_UTF16
1130 ** Return UTF-16 encoded English language explanation of the most recent
1133 const void *sqlite3_errmsg16(sqlite3 *db){
1134 static const u16 outOfMem[] = {
1135 'o', 'u', 't', ' ', 'o', 'f', ' ', 'm', 'e', 'm', 'o', 'r', 'y', 0
1137 static const u16 misuse[] = {
1138 'l', 'i', 'b', 'r', 'a', 'r', 'y', ' ',
1139 'r', 'o', 'u', 't', 'i', 'n', 'e', ' ',
1140 'c', 'a', 'l', 'l', 'e', 'd', ' ',
1143 's', 'e', 'q', 'u', 'e', 'n', 'c', 'e', 0
1148 return (void *)outOfMem;
1150 if( !sqlite3SafetyCheckSickOrOk(db) ){
1151 return (void *)misuse;
1153 sqlite3_mutex_enter(db->mutex);
1154 assert( !db->mallocFailed );
1155 z = sqlite3_value_text16(db->pErr);
1157 sqlite3ValueSetStr(db->pErr, -1, sqlite3ErrStr(db->errCode),
1158 SQLITE_UTF8, SQLITE_STATIC);
1159 z = sqlite3_value_text16(db->pErr);
1161 /* A malloc() may have failed within the call to sqlite3_value_text16()
1162 ** above. If this is the case, then the db->mallocFailed flag needs to
1163 ** be cleared before returning. Do this directly, instead of via
1164 ** sqlite3ApiExit(), to avoid setting the database handle error message.
1166 db->mallocFailed = 0;
1167 sqlite3_mutex_leave(db->mutex);
1170 #endif /* SQLITE_OMIT_UTF16 */
1173 ** Return the most recent error code generated by an SQLite routine. If NULL is
1174 ** passed to this function, we assume a malloc() failed during sqlite3_open().
1176 int sqlite3_errcode(sqlite3 *db){
1177 if( db && !sqlite3SafetyCheckSickOrOk(db) ){
1178 return SQLITE_MISUSE;
1180 if( !db || db->mallocFailed ){
1181 return SQLITE_NOMEM;
1183 return db->errCode & db->errMask;
1187 ** Create a new collating function for database "db". The name is zName
1188 ** and the encoding is enc.
1190 static int createCollation(
1195 int(*xCompare)(void*,int,const void*,int,const void*),
1202 assert( sqlite3_mutex_held(db->mutex) );
1204 /* If SQLITE_UTF16 is specified as the encoding type, transform this
1205 ** to one of SQLITE_UTF16LE or SQLITE_UTF16BE using the
1206 ** SQLITE_UTF16NATIVE macro. SQLITE_UTF16 is not used internally.
1208 enc2 = enc & ~SQLITE_UTF16_ALIGNED;
1209 if( enc2==SQLITE_UTF16 ){
1210 enc2 = SQLITE_UTF16NATIVE;
1213 return SQLITE_MISUSE;
1216 /* Check if this call is removing or replacing an existing collation
1217 ** sequence. If so, and there are active VMs, return busy. If there
1218 ** are no active VMs, invalidate any pre-compiled statements.
1220 nName = sqlite3Strlen(db, zName);
1221 pColl = sqlite3FindCollSeq(db, (u8)enc2, zName, nName, 0);
1222 if( pColl && pColl->xCmp ){
1223 if( db->activeVdbeCnt ){
1224 sqlite3Error(db, SQLITE_BUSY,
1225 "Unable to delete/modify collation sequence due to active statements");
1228 sqlite3ExpirePreparedStatements(db);
1230 /* If collation sequence pColl was created directly by a call to
1231 ** sqlite3_create_collation, and not generated by synthCollSeq(),
1232 ** then any copies made by synthCollSeq() need to be invalidated.
1233 ** Also, collation destructor - CollSeq.xDel() - function may need
1236 if( (pColl->enc & ~SQLITE_UTF16_ALIGNED)==enc2 ){
1237 CollSeq *aColl = sqlite3HashFind(&db->aCollSeq, zName, nName);
1240 CollSeq *p = &aColl[j];
1241 if( p->enc==pColl->enc ){
1251 pColl = sqlite3FindCollSeq(db, (u8)enc2, zName, nName, 1);
1253 pColl->xCmp = xCompare;
1254 pColl->pUser = pCtx;
1256 pColl->enc = enc2 | (enc & SQLITE_UTF16_ALIGNED);
1258 sqlite3Error(db, SQLITE_OK, 0);
1264 ** This array defines hard upper bounds on limit values. The
1265 ** initializer must be kept in sync with the SQLITE_LIMIT_*
1266 ** #defines in sqlite3.h.
1268 static const int aHardLimit[] = {
1270 SQLITE_MAX_SQL_LENGTH,
1272 SQLITE_MAX_EXPR_DEPTH,
1273 SQLITE_MAX_COMPOUND_SELECT,
1275 SQLITE_MAX_FUNCTION_ARG,
1276 SQLITE_MAX_ATTACHED,
1277 SQLITE_MAX_LIKE_PATTERN_LENGTH,
1278 SQLITE_MAX_VARIABLE_NUMBER,
1282 ** Make sure the hard limits are set to reasonable values
1284 #if SQLITE_MAX_LENGTH<100
1285 # error SQLITE_MAX_LENGTH must be at least 100
1287 #if SQLITE_MAX_SQL_LENGTH<100
1288 # error SQLITE_MAX_SQL_LENGTH must be at least 100
1290 #if SQLITE_MAX_SQL_LENGTH>SQLITE_MAX_LENGTH
1291 # error SQLITE_MAX_SQL_LENGTH must not be greater than SQLITE_MAX_LENGTH
1293 #if SQLITE_MAX_COMPOUND_SELECT<2
1294 # error SQLITE_MAX_COMPOUND_SELECT must be at least 2
1296 #if SQLITE_MAX_VDBE_OP<40
1297 # error SQLITE_MAX_VDBE_OP must be at least 40
1299 #if SQLITE_MAX_FUNCTION_ARG<0 || SQLITE_MAX_FUNCTION_ARG>127
1300 # error SQLITE_MAX_FUNCTION_ARG must be between 0 and 127
1302 #if SQLITE_MAX_ATTACH<0 || SQLITE_MAX_ATTACH>30
1303 # error SQLITE_MAX_ATTACH must be between 0 and 30
1305 #if SQLITE_MAX_LIKE_PATTERN_LENGTH<1
1306 # error SQLITE_MAX_LIKE_PATTERN_LENGTH must be at least 1
1308 #if SQLITE_MAX_VARIABLE_NUMBER<1
1309 # error SQLITE_MAX_VARIABLE_NUMBER must be at least 1
1314 ** Change the value of a limit. Report the old value.
1315 ** If an invalid limit index is supplied, report -1.
1316 ** Make no changes but still report the old value if the
1317 ** new limit is negative.
1319 ** A new lower limit does not shrink existing constructs.
1320 ** It merely prevents new constructs that exceed the limit
1323 int sqlite3_limit(sqlite3 *db, int limitId, int newLimit){
1325 if( limitId<0 || limitId>=SQLITE_N_LIMIT ){
1328 oldLimit = db->aLimit[limitId];
1330 if( newLimit>aHardLimit[limitId] ){
1331 newLimit = aHardLimit[limitId];
1333 db->aLimit[limitId] = newLimit;
1339 ** This routine does the work of opening a database on behalf of
1340 ** sqlite3_open() and sqlite3_open16(). The database filename "zFilename"
1341 ** is UTF-8 encoded.
1343 static int openDatabase(
1344 const char *zFilename, /* Database filename UTF-8 encoded */
1345 sqlite3 **ppDb, /* OUT: Returned database handle */
1346 unsigned flags, /* Operational flags */
1347 const char *zVfs /* Name of the VFS to use */
1352 int isThreadsafe = 1;
1354 #ifndef SQLITE_OMIT_AUTOINIT
1355 rc = sqlite3_initialize();
1359 if( flags&SQLITE_OPEN_NOMUTEX ){
1363 /* Remove harmful bits from the flags parameter */
1364 flags &= ~( SQLITE_OPEN_DELETEONCLOSE |
1365 SQLITE_OPEN_MAIN_DB |
1366 SQLITE_OPEN_TEMP_DB |
1367 SQLITE_OPEN_TRANSIENT_DB |
1368 SQLITE_OPEN_MAIN_JOURNAL |
1369 SQLITE_OPEN_TEMP_JOURNAL |
1370 SQLITE_OPEN_SUBJOURNAL |
1371 SQLITE_OPEN_MASTER_JOURNAL |
1375 /* Allocate the sqlite data structure */
1376 db = sqlite3MallocZero( sizeof(sqlite3) );
1377 if( db==0 ) goto opendb_out;
1378 if( sqlite3Config.bFullMutex && isThreadsafe ){
1379 db->mutex = sqlite3MutexAlloc(SQLITE_MUTEX_RECURSIVE);
1386 sqlite3_mutex_enter(db->mutex);
1388 db->priorNewRowid = 0;
1390 db->magic = SQLITE_MAGIC_BUSY;
1391 db->aDb = db->aDbStatic;
1393 assert( sizeof(db->aLimit)==sizeof(aHardLimit) );
1394 memcpy(db->aLimit, aHardLimit, sizeof(db->aLimit));
1396 db->nextAutovac = -1;
1397 db->nextPagesize = 0;
1398 db->flags |= SQLITE_ShortColNames
1399 #if SQLITE_DEFAULT_FILE_FORMAT<4
1400 | SQLITE_LegacyFileFmt
1402 #ifdef SQLITE_ENABLE_LOAD_EXTENSION
1403 | SQLITE_LoadExtension
1406 sqlite3HashInit(&db->aFunc, SQLITE_HASH_STRING, 0);
1407 sqlite3HashInit(&db->aCollSeq, SQLITE_HASH_STRING, 0);
1408 #ifndef SQLITE_OMIT_VIRTUALTABLE
1409 sqlite3HashInit(&db->aModule, SQLITE_HASH_STRING, 0);
1412 db->pVfs = sqlite3_vfs_find(zVfs);
1415 db->magic = SQLITE_MAGIC_SICK;
1416 sqlite3Error(db, rc, "no such vfs: %s", zVfs);
1420 /* Add the default collation sequence BINARY. BINARY works for both UTF-8
1421 ** and UTF-16, so add a version for each to avoid any unnecessary
1422 ** conversions. The only error that can occur here is a malloc() failure.
1424 createCollation(db, "BINARY", SQLITE_UTF8, 0, binCollFunc, 0);
1425 createCollation(db, "BINARY", SQLITE_UTF16BE, 0, binCollFunc, 0);
1426 createCollation(db, "BINARY", SQLITE_UTF16LE, 0, binCollFunc, 0);
1427 createCollation(db, "RTRIM", SQLITE_UTF8, (void*)1, binCollFunc, 0);
1428 if( db->mallocFailed ){
1429 db->magic = SQLITE_MAGIC_SICK;
1432 db->pDfltColl = sqlite3FindCollSeq(db, SQLITE_UTF8, "BINARY", 6, 0);
1433 assert( db->pDfltColl!=0 );
1435 /* Also add a UTF-8 case-insensitive collation sequence. */
1436 createCollation(db, "NOCASE", SQLITE_UTF8, 0, nocaseCollatingFunc, 0);
1438 /* Set flags on the built-in collating sequences */
1439 db->pDfltColl->type = SQLITE_COLL_BINARY;
1440 pColl = sqlite3FindCollSeq(db, SQLITE_UTF8, "NOCASE", 6, 0);
1442 pColl->type = SQLITE_COLL_NOCASE;
1445 /* Open the backend database driver */
1446 db->openFlags = flags;
1447 rc = sqlite3BtreeFactory(db, zFilename, 0, SQLITE_DEFAULT_CACHE_SIZE,
1448 flags | SQLITE_OPEN_MAIN_DB,
1450 if( rc!=SQLITE_OK ){
1451 sqlite3Error(db, rc, 0);
1452 db->magic = SQLITE_MAGIC_SICK;
1455 db->aDb[0].pSchema = sqlite3SchemaGet(db, db->aDb[0].pBt);
1456 db->aDb[1].pSchema = sqlite3SchemaGet(db, 0);
1459 /* The default safety_level for the main database is 'full'; for the temp
1460 ** database it is 'NONE'. This matches the pager layer defaults.
1462 db->aDb[0].zName = "main";
1463 db->aDb[0].safety_level = 3;
1464 #ifndef SQLITE_OMIT_TEMPDB
1465 db->aDb[1].zName = "temp";
1466 db->aDb[1].safety_level = 1;
1469 db->magic = SQLITE_MAGIC_OPEN;
1470 if( db->mallocFailed ){
1474 /* Register all built-in functions, but do not attempt to read the
1475 ** database schema yet. This is delayed until the first time the database
1478 sqlite3Error(db, SQLITE_OK, 0);
1479 sqlite3RegisterBuiltinFunctions(db);
1481 /* Load automatic extensions - extensions that have been registered
1482 ** using the sqlite3_automatic_extension() API.
1484 (void)sqlite3AutoLoadExtensions(db);
1485 if( sqlite3_errcode(db)!=SQLITE_OK ){
1489 #ifdef SQLITE_ENABLE_FTS1
1490 if( !db->mallocFailed ){
1491 extern int sqlite3Fts1Init(sqlite3*);
1492 rc = sqlite3Fts1Init(db);
1496 #ifdef SQLITE_ENABLE_FTS2
1497 if( !db->mallocFailed && rc==SQLITE_OK ){
1498 extern int sqlite3Fts2Init(sqlite3*);
1499 rc = sqlite3Fts2Init(db);
1503 #ifdef SQLITE_ENABLE_FTS3
1504 if( !db->mallocFailed && rc==SQLITE_OK ){
1505 rc = sqlite3Fts3Init(db);
1509 #ifdef SQLITE_ENABLE_ICU
1510 if( !db->mallocFailed && rc==SQLITE_OK ){
1511 extern int sqlite3IcuInit(sqlite3*);
1512 rc = sqlite3IcuInit(db);
1516 #ifdef SQLITE_ENABLE_RTREE
1517 if( !db->mallocFailed && rc==SQLITE_OK){
1518 rc = sqlite3RtreeInit(db);
1522 sqlite3Error(db, rc, 0);
1524 /* -DSQLITE_DEFAULT_LOCKING_MODE=1 makes EXCLUSIVE the default locking
1525 ** mode. -DSQLITE_DEFAULT_LOCKING_MODE=0 make NORMAL the default locking
1526 ** mode. Doing nothing at all also makes NORMAL the default.
1528 #ifdef SQLITE_DEFAULT_LOCKING_MODE
1529 db->dfltLockMode = SQLITE_DEFAULT_LOCKING_MODE;
1530 sqlite3PagerLockingMode(sqlite3BtreePager(db->aDb[0].pBt),
1531 SQLITE_DEFAULT_LOCKING_MODE);
1534 /* Enable the lookaside-malloc subsystem */
1535 setupLookaside(db, 0, sqlite3Config.szLookaside, sqlite3Config.nLookaside);
1539 assert( db->mutex!=0 || isThreadsafe==0 || sqlite3Config.bFullMutex==0 );
1540 sqlite3_mutex_leave(db->mutex);
1542 if( SQLITE_NOMEM==(rc = sqlite3_errcode(db)) ){
1547 return sqlite3ApiExit(0, rc);
1551 ** Open a new database handle.
1554 const char *zFilename,
1557 return openDatabase(zFilename, ppDb,
1558 SQLITE_OPEN_READWRITE | SQLITE_OPEN_CREATE, 0);
1560 int sqlite3_open_v2(
1561 const char *filename, /* Database filename (UTF-8) */
1562 sqlite3 **ppDb, /* OUT: SQLite db handle */
1563 int flags, /* Flags */
1564 const char *zVfs /* Name of VFS module to use */
1566 return openDatabase(filename, ppDb, flags, zVfs);
1569 #ifndef SQLITE_OMIT_UTF16
1571 ** Open a new database handle.
1574 const void *zFilename,
1577 char const *zFilename8; /* zFilename encoded in UTF-8 instead of UTF-16 */
1578 sqlite3_value *pVal;
1581 assert( zFilename );
1584 #ifndef SQLITE_OMIT_AUTOINIT
1585 rc = sqlite3_initialize();
1588 pVal = sqlite3ValueNew(0);
1589 sqlite3ValueSetStr(pVal, -1, zFilename, SQLITE_UTF16NATIVE, SQLITE_STATIC);
1590 zFilename8 = sqlite3ValueText(pVal, SQLITE_UTF8);
1592 rc = openDatabase(zFilename8, ppDb,
1593 SQLITE_OPEN_READWRITE | SQLITE_OPEN_CREATE, 0);
1594 assert( *ppDb || rc==SQLITE_NOMEM );
1595 if( rc==SQLITE_OK && !DbHasProperty(*ppDb, 0, DB_SchemaLoaded) ){
1596 ENC(*ppDb) = SQLITE_UTF16NATIVE;
1601 sqlite3ValueFree(pVal);
1603 return sqlite3ApiExit(0, rc);
1605 #endif /* SQLITE_OMIT_UTF16 */
1608 ** Register a new collation sequence with the database handle db.
1610 int sqlite3_create_collation(
1615 int(*xCompare)(void*,int,const void*,int,const void*)
1618 sqlite3_mutex_enter(db->mutex);
1619 assert( !db->mallocFailed );
1620 rc = createCollation(db, zName, enc, pCtx, xCompare, 0);
1621 rc = sqlite3ApiExit(db, rc);
1622 sqlite3_mutex_leave(db->mutex);
1627 ** Register a new collation sequence with the database handle db.
1629 int sqlite3_create_collation_v2(
1634 int(*xCompare)(void*,int,const void*,int,const void*),
1638 sqlite3_mutex_enter(db->mutex);
1639 assert( !db->mallocFailed );
1640 rc = createCollation(db, zName, enc, pCtx, xCompare, xDel);
1641 rc = sqlite3ApiExit(db, rc);
1642 sqlite3_mutex_leave(db->mutex);
1646 #ifndef SQLITE_OMIT_UTF16
1648 ** Register a new collation sequence with the database handle db.
1650 int sqlite3_create_collation16(
1655 int(*xCompare)(void*,int,const void*,int,const void*)
1659 sqlite3_mutex_enter(db->mutex);
1660 assert( !db->mallocFailed );
1661 zName8 = sqlite3Utf16to8(db, zName, -1);
1663 rc = createCollation(db, zName8, enc, pCtx, xCompare, 0);
1664 sqlite3DbFree(db, zName8);
1666 rc = sqlite3ApiExit(db, rc);
1667 sqlite3_mutex_leave(db->mutex);
1670 #endif /* SQLITE_OMIT_UTF16 */
1673 ** Register a collation sequence factory callback with the database handle
1674 ** db. Replace any previously installed collation sequence factory.
1676 int sqlite3_collation_needed(
1678 void *pCollNeededArg,
1679 void(*xCollNeeded)(void*,sqlite3*,int eTextRep,const char*)
1681 sqlite3_mutex_enter(db->mutex);
1682 db->xCollNeeded = xCollNeeded;
1683 db->xCollNeeded16 = 0;
1684 db->pCollNeededArg = pCollNeededArg;
1685 sqlite3_mutex_leave(db->mutex);
1689 #ifndef SQLITE_OMIT_UTF16
1691 ** Register a collation sequence factory callback with the database handle
1692 ** db. Replace any previously installed collation sequence factory.
1694 int sqlite3_collation_needed16(
1696 void *pCollNeededArg,
1697 void(*xCollNeeded16)(void*,sqlite3*,int eTextRep,const void*)
1699 sqlite3_mutex_enter(db->mutex);
1700 db->xCollNeeded = 0;
1701 db->xCollNeeded16 = xCollNeeded16;
1702 db->pCollNeededArg = pCollNeededArg;
1703 sqlite3_mutex_leave(db->mutex);
1706 #endif /* SQLITE_OMIT_UTF16 */
1708 #ifndef SQLITE_OMIT_GLOBALRECOVER
1710 ** This function is now an anachronism. It used to be used to recover from a
1711 ** malloc() failure, but SQLite now does this automatically.
1713 int sqlite3_global_recover(void){
1719 ** Test to see whether or not the database connection is in autocommit
1720 ** mode. Return TRUE if it is and FALSE if not. Autocommit mode is on
1721 ** by default. Autocommit is disabled by a BEGIN statement and reenabled
1722 ** by the next COMMIT or ROLLBACK.
1724 ******* THIS IS AN EXPERIMENTAL API AND IS SUBJECT TO CHANGE ******
1726 int sqlite3_get_autocommit(sqlite3 *db){
1727 return db->autoCommit;
1732 ** The following routine is subtituted for constant SQLITE_CORRUPT in
1733 ** debugging builds. This provides a way to set a breakpoint for when
1734 ** corruption is first detected.
1736 int sqlite3Corrupt(void){
1737 return SQLITE_CORRUPT;
1742 ** This is a convenience routine that makes sure that all thread-specific
1743 ** data for this thread has been deallocated.
1745 ** SQLite no longer uses thread-specific data so this routine is now a
1746 ** no-op. It is retained for historical compatibility.
1748 void sqlite3_thread_cleanup(void){
1752 ** Return meta information about a specific column of a database table.
1753 ** See comment in sqlite3.h (sqlite.h.in) for details.
1755 #ifdef SQLITE_ENABLE_COLUMN_METADATA
1756 int sqlite3_table_column_metadata(
1757 sqlite3 *db, /* Connection handle */
1758 const char *zDbName, /* Database name or NULL */
1759 const char *zTableName, /* Table name */
1760 const char *zColumnName, /* Column name */
1761 char const **pzDataType, /* OUTPUT: Declared data type */
1762 char const **pzCollSeq, /* OUTPUT: Collation sequence name */
1763 int *pNotNull, /* OUTPUT: True if NOT NULL constraint exists */
1764 int *pPrimaryKey, /* OUTPUT: True if column part of PK */
1765 int *pAutoinc /* OUTPUT: True if column is auto-increment */
1773 char const *zDataType = 0;
1774 char const *zCollSeq = 0;
1779 /* Ensure the database schema has been loaded */
1780 sqlite3_mutex_enter(db->mutex);
1781 (void)sqlite3SafetyOn(db);
1782 sqlite3BtreeEnterAll(db);
1783 rc = sqlite3Init(db, &zErrMsg);
1784 sqlite3BtreeLeaveAll(db);
1785 if( SQLITE_OK!=rc ){
1789 /* Locate the table in question */
1790 pTab = sqlite3FindTable(db, zTableName, zDbName);
1791 if( !pTab || pTab->pSelect ){
1796 /* Find the column for which info is requested */
1797 if( sqlite3IsRowid(zColumnName) ){
1800 pCol = &pTab->aCol[iCol];
1803 for(iCol=0; iCol<pTab->nCol; iCol++){
1804 pCol = &pTab->aCol[iCol];
1805 if( 0==sqlite3StrICmp(pCol->zName, zColumnName) ){
1809 if( iCol==pTab->nCol ){
1815 /* The following block stores the meta information that will be returned
1816 ** to the caller in local variables zDataType, zCollSeq, notnull, primarykey
1817 ** and autoinc. At this point there are two possibilities:
1819 ** 1. The specified column name was rowid", "oid" or "_rowid_"
1820 ** and there is no explicitly declared IPK column.
1822 ** 2. The table is not a view and the column name identified an
1823 ** explicitly declared column. Copy meta information from *pCol.
1826 zDataType = pCol->zType;
1827 zCollSeq = pCol->zColl;
1828 notnull = pCol->notNull!=0;
1829 primarykey = pCol->isPrimKey!=0;
1830 autoinc = pTab->iPKey==iCol && pTab->autoInc;
1832 zDataType = "INTEGER";
1836 zCollSeq = "BINARY";
1840 (void)sqlite3SafetyOff(db);
1842 /* Whether the function call succeeded or failed, set the output parameters
1843 ** to whatever their local counterparts contain. If an error did occur,
1844 ** this has the effect of zeroing all output parameters.
1846 if( pzDataType ) *pzDataType = zDataType;
1847 if( pzCollSeq ) *pzCollSeq = zCollSeq;
1848 if( pNotNull ) *pNotNull = notnull;
1849 if( pPrimaryKey ) *pPrimaryKey = primarykey;
1850 if( pAutoinc ) *pAutoinc = autoinc;
1852 if( SQLITE_OK==rc && !pTab ){
1853 sqlite3DbFree(db, zErrMsg);
1854 zErrMsg = sqlite3MPrintf(db, "no such table column: %s.%s", zTableName,
1858 sqlite3Error(db, rc, (zErrMsg?"%s":0), zErrMsg);
1859 sqlite3DbFree(db, zErrMsg);
1860 rc = sqlite3ApiExit(db, rc);
1861 sqlite3_mutex_leave(db->mutex);
1867 ** Sleep for a little while. Return the amount of time slept.
1869 int sqlite3_sleep(int ms){
1872 pVfs = sqlite3_vfs_find(0);
1873 if( pVfs==0 ) return 0;
1875 /* This function works in milliseconds, but the underlying OsSleep()
1876 ** API uses microseconds. Hence the 1000's.
1878 rc = (sqlite3OsSleep(pVfs, 1000*ms)/1000);
1883 ** Enable or disable the extended result codes.
1885 int sqlite3_extended_result_codes(sqlite3 *db, int onoff){
1886 sqlite3_mutex_enter(db->mutex);
1887 db->errMask = onoff ? 0xffffffff : 0xff;
1888 sqlite3_mutex_leave(db->mutex);
1893 ** Invoke the xFileControl method on a particular database.
1895 int sqlite3_file_control(sqlite3 *db, const char *zDbName, int op, void *pArg){
1896 int rc = SQLITE_ERROR;
1898 sqlite3_mutex_enter(db->mutex);
1902 for(iDb=0; iDb<db->nDb; iDb++){
1903 if( strcmp(db->aDb[iDb].zName, zDbName)==0 ) break;
1907 Btree *pBtree = db->aDb[iDb].pBt;
1911 sqlite3BtreeEnter(pBtree);
1912 pPager = sqlite3BtreePager(pBtree);
1913 assert( pPager!=0 );
1914 fd = sqlite3PagerFile(pPager);
1917 rc = sqlite3OsFileControl(fd, op, pArg);
1919 sqlite3BtreeLeave(pBtree);
1922 sqlite3_mutex_leave(db->mutex);
1927 ** Interface to the testing logic.
1929 int sqlite3_test_control(int op, ...){
1931 #ifndef SQLITE_OMIT_BUILTIN_TEST
1937 ** Save the current state of the PRNG.
1939 case SQLITE_TESTCTRL_PRNG_SAVE: {
1940 sqlite3PrngSaveState();
1945 ** Restore the state of the PRNG to the last state saved using
1946 ** PRNG_SAVE. If PRNG_SAVE has never before been called, then
1947 ** this verb acts like PRNG_RESET.
1949 case SQLITE_TESTCTRL_PRNG_RESTORE: {
1950 sqlite3PrngRestoreState();
1955 ** Reset the PRNG back to its uninitialized state. The next call
1956 ** to sqlite3_randomness() will reseed the PRNG using a single call
1957 ** to the xRandomness method of the default VFS.
1959 case SQLITE_TESTCTRL_PRNG_RESET: {
1960 sqlite3PrngResetState();
1965 ** sqlite3_test_control(BITVEC_TEST, size, program)
1967 ** Run a test against a Bitvec object of size. The program argument
1968 ** is an array of integers that defines the test. Return -1 on a
1969 ** memory allocation error, 0 on success, or non-zero for an error.
1970 ** See the sqlite3BitvecBuiltinTest() for additional information.
1972 case SQLITE_TESTCTRL_BITVEC_TEST: {
1973 int sz = va_arg(ap, int);
1974 int *aProg = va_arg(ap, int*);
1975 rc = sqlite3BitvecBuiltinTest(sz, aProg);
1980 ** sqlite3_test_control(BENIGN_MALLOC_HOOKS, xBegin, xEnd)
1982 ** Register hooks to call to indicate which malloc() failures
1985 case SQLITE_TESTCTRL_BENIGN_MALLOC_HOOKS: {
1986 typedef void (*void_function)(void);
1987 void_function xBenignBegin;
1988 void_function xBenignEnd;
1989 xBenignBegin = va_arg(ap, void_function);
1990 xBenignEnd = va_arg(ap, void_function);
1991 sqlite3BenignMallocHooks(xBenignBegin, xBenignEnd);
1996 #endif /* SQLITE_OMIT_BUILTIN_TEST */