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 ******************************************************************************
13 ** This file contains code that is specific to windows.
15 ** $Id: os_win.c,v 1.135 2008/10/12 02:27:39 shane Exp $
17 #include "sqliteInt.h"
18 #if SQLITE_OS_WIN /* This file is used for windows only */
22 ** A Note About Memory Allocation:
24 ** This driver uses malloc()/free() directly rather than going through
25 ** the SQLite-wrappers sqlite3_malloc()/sqlite3_free(). Those wrappers
26 ** are designed for use on embedded systems where memory is scarce and
27 ** malloc failures happen frequently. Win32 does not typically run on
28 ** embedded systems, and when it does the developers normally have bigger
29 ** problems to worry about than running out of memory. So there is not
30 ** a compelling need to use the wrappers.
32 ** But there is a good reason to not use the wrappers. If we use the
33 ** wrappers then we will get simulated malloc() failures within this
34 ** driver. And that causes all kinds of problems for our tests. We
35 ** could enhance SQLite to deal with simulated malloc failures within
36 ** the OS driver, but the code to deal with those failure would not
37 ** be exercised on Linux (which does not need to malloc() in the driver)
38 ** and so we would have difficulty writing coverage tests for that
39 ** code. Better to leave the code out, we think.
41 ** The point of this discussion is as follows: When creating a new
42 ** OS layer for an embedded system, if you use this file as an example,
43 ** avoid the use of malloc()/free(). Those routines work ok on windows
44 ** desktops but not so well in embedded systems.
50 # include <sys/cygwin.h>
54 ** Macros used to determine whether or not to use threads.
56 #if defined(THREADSAFE) && THREADSAFE
57 # define SQLITE_W32_THREADS 1
61 ** Include code that is common to all os_*.c files
63 #include "os_common.h"
66 ** Some microsoft compilers lack this definition.
68 #ifndef INVALID_FILE_ATTRIBUTES
69 # define INVALID_FILE_ATTRIBUTES ((DWORD)-1)
73 ** Determine if we are dealing with WindowsCE - which has a much
76 #if defined(SQLITE_OS_WINCE)
77 # define AreFileApisANSI() 1
81 ** WinCE lacks native support for file locking so we have to fake it
82 ** with some code of our own.
85 typedef struct winceLock {
86 int nReaders; /* Number of reader locks obtained */
87 BOOL bPending; /* Indicates a pending lock has been obtained */
88 BOOL bReserved; /* Indicates a reserved lock has been obtained */
89 BOOL bExclusive; /* Indicates an exclusive lock has been obtained */
94 ** The winFile structure is a subclass of sqlite3_file* specific to the win32
97 typedef struct winFile winFile;
99 const sqlite3_io_methods *pMethod;/* Must be first */
100 HANDLE h; /* Handle for accessing the file */
101 unsigned char locktype; /* Type of lock currently held on this file */
102 short sharedLockByte; /* Randomly chosen byte used as a shared lock */
104 WCHAR *zDeleteOnClose; /* Name of file to delete when closing */
105 HANDLE hMutex; /* Mutex used to control access to shared lock */
106 HANDLE hShared; /* Shared memory segment used for locking */
107 winceLock local; /* Locks obtained by this instance of winFile */
108 winceLock *shared; /* Global shared lock memory for the file */
114 ** The following variable is (normally) set once and never changes
115 ** thereafter. It records whether the operating system is Win95
118 ** 0: Operating system unknown.
119 ** 1: Operating system is Win95.
120 ** 2: Operating system is WinNT.
122 ** In order to facilitate testing on a WinNT system, the test fixture
123 ** can manually set this value to 1 to emulate Win98 behavior.
126 int sqlite3_os_type = 0;
128 static int sqlite3_os_type = 0;
132 ** Return true (non-zero) if we are running under WinNT, Win2K, WinXP,
133 ** or WinCE. Return false (zero) for Win95, Win98, or WinME.
135 ** Here is an interesting observation: Win95, Win98, and WinME lack
136 ** the LockFileEx() API. But we can still statically link against that
137 ** API as long as we don't call it win running Win95/98/ME. A call to
138 ** this routine is used to determine if the host is Win95/98/ME or
139 ** WinNT/2K/XP so that we will know whether or not we can safely call
140 ** the LockFileEx() API.
145 static int isNT(void){
146 if( sqlite3_os_type==0 ){
148 sInfo.dwOSVersionInfoSize = sizeof(sInfo);
149 GetVersionEx(&sInfo);
150 sqlite3_os_type = sInfo.dwPlatformId==VER_PLATFORM_WIN32_NT ? 2 : 1;
152 return sqlite3_os_type==2;
154 #endif /* SQLITE_OS_WINCE */
157 ** Convert a UTF-8 string to microsoft unicode (UTF-16?).
159 ** Space to hold the returned string is obtained from malloc.
161 static WCHAR *utf8ToUnicode(const char *zFilename){
163 WCHAR *zWideFilename;
165 nChar = MultiByteToWideChar(CP_UTF8, 0, zFilename, -1, NULL, 0);
166 zWideFilename = malloc( nChar*sizeof(zWideFilename[0]) );
167 if( zWideFilename==0 ){
170 nChar = MultiByteToWideChar(CP_UTF8, 0, zFilename, -1, zWideFilename, nChar);
175 return zWideFilename;
179 ** Convert microsoft unicode to UTF-8. Space to hold the returned string is
180 ** obtained from malloc().
182 static char *unicodeToUtf8(const WCHAR *zWideFilename){
186 nByte = WideCharToMultiByte(CP_UTF8, 0, zWideFilename, -1, 0, 0, 0, 0);
187 zFilename = malloc( nByte );
191 nByte = WideCharToMultiByte(CP_UTF8, 0, zWideFilename, -1, zFilename, nByte,
201 ** Convert an ansi string to microsoft unicode, based on the
202 ** current codepage settings for file apis.
204 ** Space to hold the returned string is obtained
207 static WCHAR *mbcsToUnicode(const char *zFilename){
209 WCHAR *zMbcsFilename;
210 int codepage = AreFileApisANSI() ? CP_ACP : CP_OEMCP;
212 nByte = MultiByteToWideChar(codepage, 0, zFilename, -1, NULL,0)*sizeof(WCHAR);
213 zMbcsFilename = malloc( nByte*sizeof(zMbcsFilename[0]) );
214 if( zMbcsFilename==0 ){
217 nByte = MultiByteToWideChar(codepage, 0, zFilename, -1, zMbcsFilename, nByte);
222 return zMbcsFilename;
226 ** Convert microsoft unicode to multibyte character string, based on the
227 ** user's Ansi codepage.
229 ** Space to hold the returned string is obtained from
232 static char *unicodeToMbcs(const WCHAR *zWideFilename){
235 int codepage = AreFileApisANSI() ? CP_ACP : CP_OEMCP;
237 nByte = WideCharToMultiByte(codepage, 0, zWideFilename, -1, 0, 0, 0, 0);
238 zFilename = malloc( nByte );
242 nByte = WideCharToMultiByte(codepage, 0, zWideFilename, -1, zFilename, nByte,
252 ** Convert multibyte character string to UTF-8. Space to hold the
253 ** returned string is obtained from malloc().
255 static char *mbcsToUtf8(const char *zFilename){
259 zTmpWide = mbcsToUnicode(zFilename);
263 zFilenameUtf8 = unicodeToUtf8(zTmpWide);
265 return zFilenameUtf8;
269 ** Convert UTF-8 to multibyte character string. Space to hold the
270 ** returned string is obtained from malloc().
272 static char *utf8ToMbcs(const char *zFilename){
276 zTmpWide = utf8ToUnicode(zFilename);
280 zFilenameMbcs = unicodeToMbcs(zTmpWide);
282 return zFilenameMbcs;
286 /*************************************************************************
287 ** This section contains code for WinCE only.
290 ** WindowsCE does not have a localtime() function. So create a
294 struct tm *__cdecl localtime(const time_t *t)
301 t64 = (t64 + 11644473600)*10000000;
302 uTm.dwLowDateTime = t64 & 0xFFFFFFFF;
303 uTm.dwHighDateTime= t64 >> 32;
304 FileTimeToLocalFileTime(&uTm,&lTm);
305 FileTimeToSystemTime(&lTm,&pTm);
306 y.tm_year = pTm.wYear - 1900;
307 y.tm_mon = pTm.wMonth - 1;
308 y.tm_wday = pTm.wDayOfWeek;
309 y.tm_mday = pTm.wDay;
310 y.tm_hour = pTm.wHour;
311 y.tm_min = pTm.wMinute;
312 y.tm_sec = pTm.wSecond;
316 /* This will never be called, but defined to make the code compile */
317 #define GetTempPathA(a,b)
319 #define LockFile(a,b,c,d,e) winceLockFile(&a, b, c, d, e)
320 #define UnlockFile(a,b,c,d,e) winceUnlockFile(&a, b, c, d, e)
321 #define LockFileEx(a,b,c,d,e,f) winceLockFileEx(&a, b, c, d, e, f)
323 #define HANDLE_TO_WINFILE(a) (winFile*)&((char*)a)[-offsetof(winFile,h)]
326 ** Acquire a lock on the handle h
328 static void winceMutexAcquire(HANDLE h){
331 dwErr = WaitForSingleObject(h, INFINITE);
332 } while (dwErr != WAIT_OBJECT_0 && dwErr != WAIT_ABANDONED);
335 ** Release a lock acquired by winceMutexAcquire()
337 #define winceMutexRelease(h) ReleaseMutex(h)
340 ** Create the mutex and shared memory used for locking in the file
343 static BOOL winceCreateLock(const char *zFilename, winFile *pFile){
345 WCHAR *zName = utf8ToUnicode(zFilename);
348 /* Initialize the local lockdata */
349 ZeroMemory(&pFile->local, sizeof(pFile->local));
351 /* Replace the backslashes from the filename and lowercase it
352 ** to derive a mutex name. */
353 zTok = CharLowerW(zName);
355 if (*zTok == '\\') *zTok = '_';
358 /* Create/open the named mutex */
359 pFile->hMutex = CreateMutexW(NULL, FALSE, zName);
365 /* Acquire the mutex before continuing */
366 winceMutexAcquire(pFile->hMutex);
368 /* Since the names of named mutexes, semaphores, file mappings etc are
369 ** case-sensitive, take advantage of that by uppercasing the mutex name
370 ** and using that as the shared filemapping name.
373 pFile->hShared = CreateFileMappingW(INVALID_HANDLE_VALUE, NULL,
374 PAGE_READWRITE, 0, sizeof(winceLock),
377 /* Set a flag that indicates we're the first to create the memory so it
378 ** must be zero-initialized */
379 if (GetLastError() == ERROR_ALREADY_EXISTS){
385 /* If we succeeded in making the shared memory handle, map it. */
387 pFile->shared = (winceLock*)MapViewOfFile(pFile->hShared,
388 FILE_MAP_READ|FILE_MAP_WRITE, 0, 0, sizeof(winceLock));
389 /* If mapping failed, close the shared memory handle and erase it */
391 CloseHandle(pFile->hShared);
392 pFile->hShared = NULL;
396 /* If shared memory could not be created, then close the mutex and fail */
397 if (pFile->hShared == NULL){
398 winceMutexRelease(pFile->hMutex);
399 CloseHandle(pFile->hMutex);
400 pFile->hMutex = NULL;
404 /* Initialize the shared memory if we're supposed to */
406 ZeroMemory(pFile->shared, sizeof(winceLock));
409 winceMutexRelease(pFile->hMutex);
414 ** Destroy the part of winFile that deals with wince locks
416 static void winceDestroyLock(winFile *pFile){
418 /* Acquire the mutex */
419 winceMutexAcquire(pFile->hMutex);
421 /* The following blocks should probably assert in debug mode, but they
422 are to cleanup in case any locks remained open */
423 if (pFile->local.nReaders){
424 pFile->shared->nReaders --;
426 if (pFile->local.bReserved){
427 pFile->shared->bReserved = FALSE;
429 if (pFile->local.bPending){
430 pFile->shared->bPending = FALSE;
432 if (pFile->local.bExclusive){
433 pFile->shared->bExclusive = FALSE;
436 /* De-reference and close our copy of the shared memory handle */
437 UnmapViewOfFile(pFile->shared);
438 CloseHandle(pFile->hShared);
440 /* Done with the mutex */
441 winceMutexRelease(pFile->hMutex);
442 CloseHandle(pFile->hMutex);
443 pFile->hMutex = NULL;
448 ** An implementation of the LockFile() API of windows for wince
450 static BOOL winceLockFile(
452 DWORD dwFileOffsetLow,
453 DWORD dwFileOffsetHigh,
454 DWORD nNumberOfBytesToLockLow,
455 DWORD nNumberOfBytesToLockHigh
457 winFile *pFile = HANDLE_TO_WINFILE(phFile);
458 BOOL bReturn = FALSE;
460 if (!pFile->hMutex) return TRUE;
461 winceMutexAcquire(pFile->hMutex);
463 /* Wanting an exclusive lock? */
464 if (dwFileOffsetLow == SHARED_FIRST
465 && nNumberOfBytesToLockLow == SHARED_SIZE){
466 if (pFile->shared->nReaders == 0 && pFile->shared->bExclusive == 0){
467 pFile->shared->bExclusive = TRUE;
468 pFile->local.bExclusive = TRUE;
473 /* Want a read-only lock? */
474 else if ((dwFileOffsetLow >= SHARED_FIRST &&
475 dwFileOffsetLow < SHARED_FIRST + SHARED_SIZE) &&
476 nNumberOfBytesToLockLow == 1){
477 if (pFile->shared->bExclusive == 0){
478 pFile->local.nReaders ++;
479 if (pFile->local.nReaders == 1){
480 pFile->shared->nReaders ++;
486 /* Want a pending lock? */
487 else if (dwFileOffsetLow == PENDING_BYTE && nNumberOfBytesToLockLow == 1){
488 /* If no pending lock has been acquired, then acquire it */
489 if (pFile->shared->bPending == 0) {
490 pFile->shared->bPending = TRUE;
491 pFile->local.bPending = TRUE;
495 /* Want a reserved lock? */
496 else if (dwFileOffsetLow == RESERVED_BYTE && nNumberOfBytesToLockLow == 1){
497 if (pFile->shared->bReserved == 0) {
498 pFile->shared->bReserved = TRUE;
499 pFile->local.bReserved = TRUE;
504 winceMutexRelease(pFile->hMutex);
509 ** An implementation of the UnlockFile API of windows for wince
511 static BOOL winceUnlockFile(
513 DWORD dwFileOffsetLow,
514 DWORD dwFileOffsetHigh,
515 DWORD nNumberOfBytesToUnlockLow,
516 DWORD nNumberOfBytesToUnlockHigh
518 winFile *pFile = HANDLE_TO_WINFILE(phFile);
519 BOOL bReturn = FALSE;
521 if (!pFile->hMutex) return TRUE;
522 winceMutexAcquire(pFile->hMutex);
524 /* Releasing a reader lock or an exclusive lock */
525 if (dwFileOffsetLow >= SHARED_FIRST &&
526 dwFileOffsetLow < SHARED_FIRST + SHARED_SIZE){
527 /* Did we have an exclusive lock? */
528 if (pFile->local.bExclusive){
529 pFile->local.bExclusive = FALSE;
530 pFile->shared->bExclusive = FALSE;
534 /* Did we just have a reader lock? */
535 else if (pFile->local.nReaders){
536 pFile->local.nReaders --;
537 if (pFile->local.nReaders == 0)
539 pFile->shared->nReaders --;
545 /* Releasing a pending lock */
546 else if (dwFileOffsetLow == PENDING_BYTE && nNumberOfBytesToUnlockLow == 1){
547 if (pFile->local.bPending){
548 pFile->local.bPending = FALSE;
549 pFile->shared->bPending = FALSE;
553 /* Releasing a reserved lock */
554 else if (dwFileOffsetLow == RESERVED_BYTE && nNumberOfBytesToUnlockLow == 1){
555 if (pFile->local.bReserved) {
556 pFile->local.bReserved = FALSE;
557 pFile->shared->bReserved = FALSE;
562 winceMutexRelease(pFile->hMutex);
567 ** An implementation of the LockFileEx() API of windows for wince
569 static BOOL winceLockFileEx(
573 DWORD nNumberOfBytesToLockLow,
574 DWORD nNumberOfBytesToLockHigh,
575 LPOVERLAPPED lpOverlapped
577 /* If the caller wants a shared read lock, forward this call
578 ** to winceLockFile */
579 if (lpOverlapped->Offset == SHARED_FIRST &&
581 nNumberOfBytesToLockLow == SHARED_SIZE){
582 return winceLockFile(phFile, SHARED_FIRST, 0, 1, 0);
587 ** End of the special code for wince
588 *****************************************************************************/
589 #endif /* SQLITE_OS_WINCE */
591 /*****************************************************************************
592 ** The next group of routines implement the I/O methods specified
593 ** by the sqlite3_io_methods object.
594 ******************************************************************************/
599 ** It is reported that an attempt to close a handle might sometimes
600 ** fail. This is a very unreasonable result, but windows is notorious
601 ** for being unreasonable so I do not doubt that it might happen. If
602 ** the close fails, we pause for 100 milliseconds and try again. As
603 ** many as MX_CLOSE_ATTEMPT attempts to close the handle are made before
604 ** giving up and returning an error.
606 #define MX_CLOSE_ATTEMPT 3
607 static int winClose(sqlite3_file *id){
609 winFile *pFile = (winFile*)id;
610 OSTRACE2("CLOSE %d\n", pFile->h);
612 rc = CloseHandle(pFile->h);
613 }while( rc==0 && ++cnt < MX_CLOSE_ATTEMPT && (Sleep(100), 1) );
615 #define WINCE_DELETION_ATTEMPTS 3
616 winceDestroyLock(pFile);
617 if( pFile->zDeleteOnClose ){
620 DeleteFileW(pFile->zDeleteOnClose)==0
621 && GetFileAttributesW(pFile->zDeleteOnClose)!=0xffffffff
622 && cnt++ < WINCE_DELETION_ATTEMPTS
624 Sleep(100); /* Wait a little before trying again */
626 free(pFile->zDeleteOnClose);
630 return rc ? SQLITE_OK : SQLITE_IOERR;
634 ** Some microsoft compilers lack this definition.
636 #ifndef INVALID_SET_FILE_POINTER
637 # define INVALID_SET_FILE_POINTER ((DWORD)-1)
641 ** Read data from a file into a buffer. Return SQLITE_OK if all
642 ** bytes were read successfully and SQLITE_IOERR if anything goes
646 sqlite3_file *id, /* File to read from */
647 void *pBuf, /* Write content into this buffer */
648 int amt, /* Number of bytes to read */
649 sqlite3_int64 offset /* Begin reading at this offset */
651 LONG upperBits = (offset>>32) & 0x7fffffff;
652 LONG lowerBits = offset & 0xffffffff;
655 winFile *pFile = (winFile*)id;
657 SimulateIOError(return SQLITE_IOERR_READ);
658 OSTRACE3("READ %d lock=%d\n", pFile->h, pFile->locktype);
659 rc = SetFilePointer(pFile->h, lowerBits, &upperBits, FILE_BEGIN);
660 if( rc==INVALID_SET_FILE_POINTER && GetLastError()!=NO_ERROR ){
663 if( !ReadFile(pFile->h, pBuf, amt, &got, 0) ){
664 return SQLITE_IOERR_READ;
666 if( got==(DWORD)amt ){
669 memset(&((char*)pBuf)[got], 0, amt-got);
670 return SQLITE_IOERR_SHORT_READ;
675 ** Write data from a buffer into a file. Return SQLITE_OK on success
676 ** or some other error code on failure.
679 sqlite3_file *id, /* File to write into */
680 const void *pBuf, /* The bytes to be written */
681 int amt, /* Number of bytes to write */
682 sqlite3_int64 offset /* Offset into the file to begin writing at */
684 LONG upperBits = (offset>>32) & 0x7fffffff;
685 LONG lowerBits = offset & 0xffffffff;
688 winFile *pFile = (winFile*)id;
690 SimulateIOError(return SQLITE_IOERR_WRITE);
691 SimulateDiskfullError(return SQLITE_FULL);
692 OSTRACE3("WRITE %d lock=%d\n", pFile->h, pFile->locktype);
693 rc = SetFilePointer(pFile->h, lowerBits, &upperBits, FILE_BEGIN);
694 if( rc==INVALID_SET_FILE_POINTER && GetLastError()!=NO_ERROR ){
700 && (rc = WriteFile(pFile->h, pBuf, amt, &wrote, 0))!=0
704 pBuf = &((char*)pBuf)[wrote];
706 if( !rc || amt>(int)wrote ){
713 ** Truncate an open file to a specified size
715 static int winTruncate(sqlite3_file *id, sqlite3_int64 nByte){
717 LONG upperBits = (nByte>>32) & 0x7fffffff;
718 LONG lowerBits = nByte & 0xffffffff;
719 winFile *pFile = (winFile*)id;
720 OSTRACE3("TRUNCATE %d %lld\n", pFile->h, nByte);
721 SimulateIOError(return SQLITE_IOERR_TRUNCATE);
722 rc = SetFilePointer(pFile->h, lowerBits, &upperBits, FILE_BEGIN);
723 if( INVALID_SET_FILE_POINTER != rc ){
724 /* SetEndOfFile will fail if nByte is negative */
725 if( SetEndOfFile(pFile->h) ){
729 return SQLITE_IOERR_TRUNCATE;
734 ** Count the number of fullsyncs and normal syncs. This is used to test
735 ** that syncs and fullsyncs are occuring at the right times.
737 int sqlite3_sync_count = 0;
738 int sqlite3_fullsync_count = 0;
742 ** Make sure all writes to a particular file are committed to disk.
744 static int winSync(sqlite3_file *id, int flags){
745 winFile *pFile = (winFile*)id;
746 OSTRACE3("SYNC %d lock=%d\n", pFile->h, pFile->locktype);
748 if( flags & SQLITE_SYNC_FULL ){
749 sqlite3_fullsync_count++;
751 sqlite3_sync_count++;
753 if( FlushFileBuffers(pFile->h) ){
761 ** Determine the current size of a file in bytes
763 static int winFileSize(sqlite3_file *id, sqlite3_int64 *pSize){
764 winFile *pFile = (winFile*)id;
765 DWORD upperBits, lowerBits;
766 SimulateIOError(return SQLITE_IOERR_FSTAT);
767 lowerBits = GetFileSize(pFile->h, &upperBits);
768 *pSize = (((sqlite3_int64)upperBits)<<32) + lowerBits;
773 ** LOCKFILE_FAIL_IMMEDIATELY is undefined on some Windows systems.
775 #ifndef LOCKFILE_FAIL_IMMEDIATELY
776 # define LOCKFILE_FAIL_IMMEDIATELY 1
780 ** Acquire a reader lock.
781 ** Different API routines are called depending on whether or not this
782 ** is Win95 or WinNT.
784 static int getReadLock(winFile *pFile){
788 ovlp.Offset = SHARED_FIRST;
791 res = LockFileEx(pFile->h, LOCKFILE_FAIL_IMMEDIATELY,
792 0, SHARED_SIZE, 0, &ovlp);
795 sqlite3_randomness(sizeof(lk), &lk);
796 pFile->sharedLockByte = (lk & 0x7fffffff)%(SHARED_SIZE - 1);
797 res = LockFile(pFile->h, SHARED_FIRST+pFile->sharedLockByte, 0, 1, 0);
805 static int unlockReadLock(winFile *pFile){
808 res = UnlockFile(pFile->h, SHARED_FIRST, 0, SHARED_SIZE, 0);
810 res = UnlockFile(pFile->h, SHARED_FIRST + pFile->sharedLockByte, 0, 1, 0);
816 ** Lock the file with the lock specified by parameter locktype - one
822 ** (4) EXCLUSIVE_LOCK
824 ** Sometimes when requesting one lock state, additional lock states
825 ** are inserted in between. The locking might fail on one of the later
826 ** transitions leaving the lock state different from what it started but
827 ** still short of its goal. The following chart shows the allowed
828 ** transitions and the inserted intermediate states:
830 ** UNLOCKED -> SHARED
831 ** SHARED -> RESERVED
832 ** SHARED -> (PENDING) -> EXCLUSIVE
833 ** RESERVED -> (PENDING) -> EXCLUSIVE
834 ** PENDING -> EXCLUSIVE
836 ** This routine will only increase a lock. The winUnlock() routine
837 ** erases all locks at once and returns us immediately to locking level 0.
838 ** It is not possible to lower the locking level one step at a time. You
839 ** must go straight to locking level 0.
841 static int winLock(sqlite3_file *id, int locktype){
842 int rc = SQLITE_OK; /* Return code from subroutines */
843 int res = 1; /* Result of a windows lock call */
844 int newLocktype; /* Set pFile->locktype to this value before exiting */
845 int gotPendingLock = 0;/* True if we acquired a PENDING lock this time */
846 winFile *pFile = (winFile*)id;
849 OSTRACE5("LOCK %d %d was %d(%d)\n",
850 pFile->h, locktype, pFile->locktype, pFile->sharedLockByte);
852 /* If there is already a lock of this type or more restrictive on the
853 ** OsFile, do nothing. Don't use the end_lock: exit path, as
854 ** sqlite3OsEnterMutex() hasn't been called yet.
856 if( pFile->locktype>=locktype ){
860 /* Make sure the locking sequence is correct
862 assert( pFile->locktype!=NO_LOCK || locktype==SHARED_LOCK );
863 assert( locktype!=PENDING_LOCK );
864 assert( locktype!=RESERVED_LOCK || pFile->locktype==SHARED_LOCK );
866 /* Lock the PENDING_LOCK byte if we need to acquire a PENDING lock or
867 ** a SHARED lock. If we are acquiring a SHARED lock, the acquisition of
868 ** the PENDING_LOCK byte is temporary.
870 newLocktype = pFile->locktype;
871 if( pFile->locktype==NO_LOCK
872 || (locktype==EXCLUSIVE_LOCK && pFile->locktype==RESERVED_LOCK)
875 while( cnt-->0 && (res = LockFile(pFile->h, PENDING_BYTE, 0, 1, 0))==0 ){
876 /* Try 3 times to get the pending lock. The pending lock might be
877 ** held by another reader process who will release it momentarily.
879 OSTRACE2("could not get a PENDING lock. cnt=%d\n", cnt);
882 gotPendingLock = res;
885 /* Acquire a shared lock
887 if( locktype==SHARED_LOCK && res ){
888 assert( pFile->locktype==NO_LOCK );
889 res = getReadLock(pFile);
891 newLocktype = SHARED_LOCK;
895 /* Acquire a RESERVED lock
897 if( locktype==RESERVED_LOCK && res ){
898 assert( pFile->locktype==SHARED_LOCK );
899 res = LockFile(pFile->h, RESERVED_BYTE, 0, 1, 0);
901 newLocktype = RESERVED_LOCK;
905 /* Acquire a PENDING lock
907 if( locktype==EXCLUSIVE_LOCK && res ){
908 newLocktype = PENDING_LOCK;
912 /* Acquire an EXCLUSIVE lock
914 if( locktype==EXCLUSIVE_LOCK && res ){
915 assert( pFile->locktype>=SHARED_LOCK );
916 res = unlockReadLock(pFile);
917 OSTRACE2("unreadlock = %d\n", res);
918 res = LockFile(pFile->h, SHARED_FIRST, 0, SHARED_SIZE, 0);
920 newLocktype = EXCLUSIVE_LOCK;
922 OSTRACE2("error-code = %d\n", GetLastError());
927 /* If we are holding a PENDING lock that ought to be released, then
930 if( gotPendingLock && locktype==SHARED_LOCK ){
931 UnlockFile(pFile->h, PENDING_BYTE, 0, 1, 0);
934 /* Update the state of the lock has held in the file descriptor then
935 ** return the appropriate result code.
940 OSTRACE4("LOCK FAILED %d trying for %d but got %d\n", pFile->h,
941 locktype, newLocktype);
944 pFile->locktype = newLocktype;
949 ** This routine checks if there is a RESERVED lock held on the specified
950 ** file by this or any other process. If such a lock is held, return
951 ** non-zero, otherwise zero.
953 static int winCheckReservedLock(sqlite3_file *id, int *pResOut){
955 winFile *pFile = (winFile*)id;
957 if( pFile->locktype>=RESERVED_LOCK ){
959 OSTRACE3("TEST WR-LOCK %d %d (local)\n", pFile->h, rc);
961 rc = LockFile(pFile->h, RESERVED_BYTE, 0, 1, 0);
963 UnlockFile(pFile->h, RESERVED_BYTE, 0, 1, 0);
966 OSTRACE3("TEST WR-LOCK %d %d (remote)\n", pFile->h, rc);
973 ** Lower the locking level on file descriptor id to locktype. locktype
974 ** must be either NO_LOCK or SHARED_LOCK.
976 ** If the locking level of the file descriptor is already at or below
977 ** the requested locking level, this routine is a no-op.
979 ** It is not possible for this routine to fail if the second argument
980 ** is NO_LOCK. If the second argument is SHARED_LOCK then this routine
981 ** might return SQLITE_IOERR;
983 static int winUnlock(sqlite3_file *id, int locktype){
985 winFile *pFile = (winFile*)id;
988 assert( locktype<=SHARED_LOCK );
989 OSTRACE5("UNLOCK %d to %d was %d(%d)\n", pFile->h, locktype,
990 pFile->locktype, pFile->sharedLockByte);
991 type = pFile->locktype;
992 if( type>=EXCLUSIVE_LOCK ){
993 UnlockFile(pFile->h, SHARED_FIRST, 0, SHARED_SIZE, 0);
994 if( locktype==SHARED_LOCK && !getReadLock(pFile) ){
995 /* This should never happen. We should always be able to
996 ** reacquire the read lock */
997 rc = SQLITE_IOERR_UNLOCK;
1000 if( type>=RESERVED_LOCK ){
1001 UnlockFile(pFile->h, RESERVED_BYTE, 0, 1, 0);
1003 if( locktype==NO_LOCK && type>=SHARED_LOCK ){
1004 unlockReadLock(pFile);
1006 if( type>=PENDING_LOCK ){
1007 UnlockFile(pFile->h, PENDING_BYTE, 0, 1, 0);
1009 pFile->locktype = locktype;
1014 ** Control and query of the open file handle.
1016 static int winFileControl(sqlite3_file *id, int op, void *pArg){
1018 case SQLITE_FCNTL_LOCKSTATE: {
1019 *(int*)pArg = ((winFile*)id)->locktype;
1023 return SQLITE_ERROR;
1027 ** Return the sector size in bytes of the underlying block device for
1028 ** the specified file. This is almost always 512 bytes, but may be
1029 ** larger for some devices.
1031 ** SQLite code assumes this function cannot fail. It also assumes that
1032 ** if two files are created in the same file-system directory (i.e.
1033 ** a database and its journal file) that the sector size will be the
1036 static int winSectorSize(sqlite3_file *id){
1037 return SQLITE_DEFAULT_SECTOR_SIZE;
1041 ** Return a vector of device characteristics.
1043 static int winDeviceCharacteristics(sqlite3_file *id){
1048 ** This vector defines all the methods that can operate on an
1049 ** sqlite3_file for win32.
1051 static const sqlite3_io_methods winIoMethod = {
1061 winCheckReservedLock,
1064 winDeviceCharacteristics
1067 /***************************************************************************
1068 ** Here ends the I/O methods that form the sqlite3_io_methods object.
1070 ** The next block of code implements the VFS methods.
1071 ****************************************************************************/
1074 ** Convert a UTF-8 filename into whatever form the underlying
1075 ** operating system wants filenames in. Space to hold the result
1076 ** is obtained from malloc and must be freed by the calling
1079 static void *convertUtf8Filename(const char *zFilename){
1080 void *zConverted = 0;
1082 zConverted = utf8ToUnicode(zFilename);
1084 zConverted = utf8ToMbcs(zFilename);
1086 /* caller will handle out of memory */
1091 ** Create a temporary file name in zBuf. zBuf must be big enough to
1092 ** hold at pVfs->mxPathname characters.
1094 static int getTempname(int nBuf, char *zBuf){
1095 static char zChars[] =
1096 "abcdefghijklmnopqrstuvwxyz"
1097 "ABCDEFGHIJKLMNOPQRSTUVWXYZ"
1100 char zTempPath[MAX_PATH+1];
1101 if( sqlite3_temp_directory ){
1102 sqlite3_snprintf(MAX_PATH-30, zTempPath, "%s", sqlite3_temp_directory);
1105 WCHAR zWidePath[MAX_PATH];
1106 GetTempPathW(MAX_PATH-30, zWidePath);
1107 zMulti = unicodeToUtf8(zWidePath);
1109 sqlite3_snprintf(MAX_PATH-30, zTempPath, "%s", zMulti);
1112 return SQLITE_NOMEM;
1116 char zMbcsPath[MAX_PATH];
1117 GetTempPathA(MAX_PATH-30, zMbcsPath);
1118 zUtf8 = mbcsToUtf8(zMbcsPath);
1120 sqlite3_snprintf(MAX_PATH-30, zTempPath, "%s", zUtf8);
1123 return SQLITE_NOMEM;
1126 for(i=strlen(zTempPath); i>0 && zTempPath[i-1]=='\\'; i--){}
1128 sqlite3_snprintf(nBuf-30, zBuf,
1129 "%s\\"SQLITE_TEMP_FILE_PREFIX, zTempPath);
1131 sqlite3_randomness(20, &zBuf[j]);
1132 for(i=0; i<20; i++, j++){
1133 zBuf[j] = (char)zChars[ ((unsigned char)zBuf[j])%(sizeof(zChars)-1) ];
1136 OSTRACE2("TEMP FILENAME: %s\n", zBuf);
1141 ** The return value of getLastErrorMsg
1142 ** is zero if the error message fits in the buffer, or non-zero
1143 ** otherwise (if the message was truncated).
1145 static int getLastErrorMsg(int nBuf, char *zBuf){
1146 DWORD error = GetLastError();
1149 sqlite3_snprintf(nBuf, zBuf, "OsError 0x%x (%u)", error, error);
1151 /* FormatMessage returns 0 on failure. Otherwise it
1152 ** returns the number of TCHARs written to the output
1153 ** buffer, excluding the terminating null char.
1155 if (!FormatMessageA(FORMAT_MESSAGE_FROM_SYSTEM,
1163 sqlite3_snprintf(nBuf, zBuf, "OsError 0x%x (%u)", error, error);
1175 sqlite3_vfs *pVfs, /* Not used */
1176 const char *zName, /* Name of the file (UTF-8) */
1177 sqlite3_file *id, /* Write the SQLite file handle here */
1178 int flags, /* Open mode flags */
1179 int *pOutFlags /* Status return flags */
1182 DWORD dwDesiredAccess;
1184 DWORD dwCreationDisposition;
1185 DWORD dwFlagsAndAttributes = 0;
1189 winFile *pFile = (winFile*)id;
1190 void *zConverted; /* Filename in OS encoding */
1191 const char *zUtf8Name = zName; /* Filename in UTF-8 encoding */
1192 char zTmpname[MAX_PATH+1]; /* Buffer used to create temp filename */
1194 /* If the second argument to this function is NULL, generate a
1195 ** temporary file name to use
1198 int rc = getTempname(MAX_PATH+1, zTmpname);
1199 if( rc!=SQLITE_OK ){
1202 zUtf8Name = zTmpname;
1205 /* Convert the filename to the system encoding. */
1206 zConverted = convertUtf8Filename(zUtf8Name);
1207 if( zConverted==0 ){
1208 return SQLITE_NOMEM;
1211 if( flags & SQLITE_OPEN_READWRITE ){
1212 dwDesiredAccess = GENERIC_READ | GENERIC_WRITE;
1214 dwDesiredAccess = GENERIC_READ;
1216 if( flags & SQLITE_OPEN_CREATE ){
1217 dwCreationDisposition = OPEN_ALWAYS;
1219 dwCreationDisposition = OPEN_EXISTING;
1221 if( flags & SQLITE_OPEN_MAIN_DB ){
1222 dwShareMode = FILE_SHARE_READ | FILE_SHARE_WRITE;
1226 if( flags & SQLITE_OPEN_DELETEONCLOSE ){
1228 dwFlagsAndAttributes = FILE_ATTRIBUTE_HIDDEN;
1231 dwFlagsAndAttributes = FILE_ATTRIBUTE_TEMPORARY
1232 | FILE_ATTRIBUTE_HIDDEN
1233 | FILE_FLAG_DELETE_ON_CLOSE;
1236 dwFlagsAndAttributes = FILE_ATTRIBUTE_NORMAL;
1238 /* Reports from the internet are that performance is always
1239 ** better if FILE_FLAG_RANDOM_ACCESS is used. Ticket #2699. */
1241 dwFlagsAndAttributes |= FILE_FLAG_RANDOM_ACCESS;
1244 h = CreateFileW((WCHAR*)zConverted,
1248 dwCreationDisposition,
1249 dwFlagsAndAttributes,
1253 h = CreateFileA((char*)zConverted,
1257 dwCreationDisposition,
1258 dwFlagsAndAttributes,
1262 if( h==INVALID_HANDLE_VALUE ){
1264 if( flags & SQLITE_OPEN_READWRITE ){
1265 return winOpen(0, zName, id,
1266 ((flags|SQLITE_OPEN_READONLY)&~SQLITE_OPEN_READWRITE), pOutFlags);
1268 return SQLITE_CANTOPEN;
1272 if( flags & SQLITE_OPEN_READWRITE ){
1273 *pOutFlags = SQLITE_OPEN_READWRITE;
1275 *pOutFlags = SQLITE_OPEN_READONLY;
1278 memset(pFile, 0, sizeof(*pFile));
1279 pFile->pMethod = &winIoMethod;
1282 if( (flags & (SQLITE_OPEN_READWRITE|SQLITE_OPEN_MAIN_DB)) ==
1283 (SQLITE_OPEN_READWRITE|SQLITE_OPEN_MAIN_DB)
1284 && !winceCreateLock(zName, pFile)
1288 return SQLITE_CANTOPEN;
1291 pFile->zDeleteOnClose = zConverted;
1302 ** Delete the named file.
1304 ** Note that windows does not allow a file to be deleted if some other
1305 ** process has it open. Sometimes a virus scanner or indexing program
1306 ** will open a journal file shortly after it is created in order to do
1307 ** whatever it does. While this other process is holding the
1308 ** file open, we will be unable to delete it. To work around this
1309 ** problem, we delay 100 milliseconds and try to delete again. Up
1310 ** to MX_DELETION_ATTEMPTs deletion attempts are run before giving
1311 ** up and returning an error.
1313 #define MX_DELETION_ATTEMPTS 5
1314 static int winDelete(
1315 sqlite3_vfs *pVfs, /* Not used on win32 */
1316 const char *zFilename, /* Name of file to delete */
1317 int syncDir /* Not used on win32 */
1322 void *zConverted = convertUtf8Filename(zFilename);
1323 if( zConverted==0 ){
1324 return SQLITE_NOMEM;
1326 SimulateIOError(return SQLITE_IOERR_DELETE);
1329 DeleteFileW(zConverted);
1330 }while( ( ((rc = GetFileAttributesW(zConverted)) != INVALID_FILE_ATTRIBUTES)
1331 || ((error = GetLastError()) == ERROR_ACCESS_DENIED))
1332 && (++cnt < MX_DELETION_ATTEMPTS)
1333 && (Sleep(100), 1) );
1336 DeleteFileA(zConverted);
1337 }while( ( ((rc = GetFileAttributesA(zConverted)) != INVALID_FILE_ATTRIBUTES)
1338 || ((error = GetLastError()) == ERROR_ACCESS_DENIED))
1339 && (++cnt < MX_DELETION_ATTEMPTS)
1340 && (Sleep(100), 1) );
1343 OSTRACE2("DELETE \"%s\"\n", zFilename);
1344 return ( (rc == INVALID_FILE_ATTRIBUTES)
1345 && (error == ERROR_FILE_NOT_FOUND)) ? SQLITE_OK : SQLITE_IOERR_DELETE;
1349 ** Check the existance and status of a file.
1351 static int winAccess(
1352 sqlite3_vfs *pVfs, /* Not used on win32 */
1353 const char *zFilename, /* Name of file to check */
1354 int flags, /* Type of test to make on this file */
1355 int *pResOut /* OUT: Result */
1359 void *zConverted = convertUtf8Filename(zFilename);
1360 if( zConverted==0 ){
1361 return SQLITE_NOMEM;
1364 attr = GetFileAttributesW((WCHAR*)zConverted);
1366 attr = GetFileAttributesA((char*)zConverted);
1370 case SQLITE_ACCESS_READ:
1371 case SQLITE_ACCESS_EXISTS:
1372 rc = attr!=INVALID_FILE_ATTRIBUTES;
1374 case SQLITE_ACCESS_READWRITE:
1375 rc = (attr & FILE_ATTRIBUTE_READONLY)==0;
1378 assert(!"Invalid flags argument");
1386 ** Turn a relative pathname into a full pathname. Write the full
1387 ** pathname into zOut[]. zOut[] will be at least pVfs->mxPathname
1390 static int winFullPathname(
1391 sqlite3_vfs *pVfs, /* Pointer to vfs object */
1392 const char *zRelative, /* Possibly relative input path */
1393 int nFull, /* Size of output buffer in bytes */
1394 char *zFull /* Output buffer */
1397 #if defined(__CYGWIN__)
1398 cygwin_conv_to_full_win32_path(zRelative, zFull);
1403 /* WinCE has no concept of a relative pathname, or so I am told. */
1404 sqlite3_snprintf(pVfs->mxPathname, zFull, "%s", zRelative);
1408 #if !SQLITE_OS_WINCE && !defined(__CYGWIN__)
1412 zConverted = convertUtf8Filename(zRelative);
1415 nByte = GetFullPathNameW((WCHAR*)zConverted, 0, 0, 0) + 3;
1416 zTemp = malloc( nByte*sizeof(zTemp[0]) );
1419 return SQLITE_NOMEM;
1421 GetFullPathNameW((WCHAR*)zConverted, nByte, zTemp, 0);
1423 zOut = unicodeToUtf8(zTemp);
1427 nByte = GetFullPathNameA((char*)zConverted, 0, 0, 0) + 3;
1428 zTemp = malloc( nByte*sizeof(zTemp[0]) );
1431 return SQLITE_NOMEM;
1433 GetFullPathNameA((char*)zConverted, nByte, zTemp, 0);
1435 zOut = mbcsToUtf8(zTemp);
1439 sqlite3_snprintf(pVfs->mxPathname, zFull, "%s", zOut);
1443 return SQLITE_NOMEM;
1448 #ifndef SQLITE_OMIT_LOAD_EXTENSION
1450 ** Interfaces for opening a shared library, finding entry points
1451 ** within the shared library, and closing the shared library.
1454 ** Interfaces for opening a shared library, finding entry points
1455 ** within the shared library, and closing the shared library.
1457 static void *winDlOpen(sqlite3_vfs *pVfs, const char *zFilename){
1459 void *zConverted = convertUtf8Filename(zFilename);
1460 if( zConverted==0 ){
1464 h = LoadLibraryW((WCHAR*)zConverted);
1466 h = LoadLibraryA((char*)zConverted);
1471 static void winDlError(sqlite3_vfs *pVfs, int nBuf, char *zBufOut){
1472 getLastErrorMsg(nBuf, zBufOut);
1474 void *winDlSym(sqlite3_vfs *pVfs, void *pHandle, const char *zSymbol){
1476 /* The GetProcAddressA() routine is only available on wince. */
1477 return GetProcAddressA((HANDLE)pHandle, zSymbol);
1479 /* All other windows platforms expect GetProcAddress() to take
1480 ** an Ansi string regardless of the _UNICODE setting */
1481 return GetProcAddress((HANDLE)pHandle, zSymbol);
1484 void winDlClose(sqlite3_vfs *pVfs, void *pHandle){
1485 FreeLibrary((HANDLE)pHandle);
1487 #else /* if SQLITE_OMIT_LOAD_EXTENSION is defined: */
1489 #define winDlError 0
1491 #define winDlClose 0
1496 ** Write up to nBuf bytes of randomness into zBuf.
1498 static int winRandomness(sqlite3_vfs *pVfs, int nBuf, char *zBuf){
1500 if( sizeof(SYSTEMTIME)<=nBuf-n ){
1503 memcpy(&zBuf[n], &x, sizeof(x));
1506 if( sizeof(DWORD)<=nBuf-n ){
1507 DWORD pid = GetCurrentProcessId();
1508 memcpy(&zBuf[n], &pid, sizeof(pid));
1511 if( sizeof(DWORD)<=nBuf-n ){
1512 DWORD cnt = GetTickCount();
1513 memcpy(&zBuf[n], &cnt, sizeof(cnt));
1516 if( sizeof(LARGE_INTEGER)<=nBuf-n ){
1518 QueryPerformanceCounter(&i);
1519 memcpy(&zBuf[n], &i, sizeof(i));
1527 ** Sleep for a little while. Return the amount of time slept.
1529 static int winSleep(sqlite3_vfs *pVfs, int microsec){
1530 Sleep((microsec+999)/1000);
1531 return ((microsec+999)/1000)*1000;
1535 ** The following variable, if set to a non-zero value, becomes the result
1536 ** returned from sqlite3OsCurrentTime(). This is used for testing.
1539 int sqlite3_current_time = 0;
1543 ** Find the current time (in Universal Coordinated Time). Write the
1544 ** current time and date as a Julian Day number into *prNow and
1545 ** return 0. Return 1 if the time and date cannot be found.
1547 int winCurrentTime(sqlite3_vfs *pVfs, double *prNow){
1549 /* FILETIME structure is a 64-bit value representing the number of
1550 100-nanosecond intervals since January 1, 1601 (= JD 2305813.5).
1555 GetSystemTime(&time);
1556 /* if SystemTimeToFileTime() fails, it returns zero. */
1557 if (!SystemTimeToFileTime(&time,&ft)){
1561 GetSystemTimeAsFileTime( &ft );
1563 now = ((double)ft.dwHighDateTime) * 4294967296.0;
1564 *prNow = (now + ft.dwLowDateTime)/864000000000.0 + 2305813.5;
1566 if( sqlite3_current_time ){
1567 *prNow = sqlite3_current_time/86400.0 + 2440587.5;
1574 ** The idea is that this function works like a combination of
1575 ** GetLastError() and FormatMessage() on windows (or errno and
1576 ** strerror_r() on unix). After an error is returned by an OS
1577 ** function, SQLite calls this function with zBuf pointing to
1578 ** a buffer of nBuf bytes. The OS layer should populate the
1579 ** buffer with a nul-terminated UTF-8 encoded error message
1580 ** describing the last IO error to have occured within the calling
1583 ** If the error message is too large for the supplied buffer,
1584 ** it should be truncated. The return value of xGetLastError
1585 ** is zero if the error message fits in the buffer, or non-zero
1586 ** otherwise (if the message was truncated). If non-zero is returned,
1587 ** then it is not necessary to include the nul-terminator character
1588 ** in the output buffer.
1590 ** Not supplying an error message will have no adverse effect
1591 ** on SQLite. It is fine to have an implementation that never
1592 ** returns an error message:
1594 ** int xGetLastError(sqlite3_vfs *pVfs, int nBuf, char *zBuf){
1595 ** assert(zBuf[0]=='\0');
1599 ** However if an error message is supplied, it will be incorporated
1600 ** by sqlite into the error message available to the user using
1601 ** sqlite3_errmsg(), possibly making IO errors easier to debug.
1603 static int winGetLastError(sqlite3_vfs *pVfs, int nBuf, char *zBuf){
1604 return getLastErrorMsg(nBuf, zBuf);
1608 ** Initialize and deinitialize the operating system interface.
1610 int sqlite3_os_init(void){
1611 static sqlite3_vfs winVfs = {
1613 sizeof(winFile), /* szOsFile */
1614 MAX_PATH, /* mxPathname */
1616 "win32", /* zName */
1619 winOpen, /* xOpen */
1620 winDelete, /* xDelete */
1621 winAccess, /* xAccess */
1622 winFullPathname, /* xFullPathname */
1623 winDlOpen, /* xDlOpen */
1624 winDlError, /* xDlError */
1625 winDlSym, /* xDlSym */
1626 winDlClose, /* xDlClose */
1627 winRandomness, /* xRandomness */
1628 winSleep, /* xSleep */
1629 winCurrentTime, /* xCurrentTime */
1630 winGetLastError /* xGetLastError */
1632 sqlite3_vfs_register(&winVfs, 1);
1635 int sqlite3_os_end(void){
1639 #endif /* SQLITE_OS_WIN */