Update contrib.
1 // Copyright (c) 2005-2010 Nokia Corporation and/or its subsidiary(-ies).
2 // All rights reserved.
3 // This component and the accompanying materials are made available
4 // under the terms of "Eclipse Public License v1.0"
5 // which accompanies this distribution, and is available
6 // at the URL "http://www.eclipse.org/legal/epl-v10.html".
8 // Initial Contributors:
9 // Nokia Corporation - initial contribution.
15 // The Symbian OS porting layer - multi-threaded implementation.
16 // SQLite never accesses the file system and the OS services directly.
17 // SQLite uses for that sqlite3_vfs and sqlite3_file objects.
18 // sqlite3_vfs and sqlite3_file functionality is implemented in this file -
19 // TVfs and TFileIo classes.
29 #ifdef SQLITE_OS_SYMBIAN
33 #include "sqliteInt.h"
35 #include "os_common.h"
38 #include "os_symbian.h"
39 #include "SqliteUtil.h"
40 #include "OstTraceDefinitions.h"
41 #ifdef OST_TRACE_COMPILER_IN_USE
42 #include "os_symbian_mtTraces.h"
44 #include "SqliteTraceDef.h"
46 //Bit-mask constant. If xOpen()'s "aFlag" parameter contains one of these bits set, then the the file top be
47 //opened or created is a journal file.
48 const TUint KJournalFileTypeBitMask = SQLITE_OPEN_MAIN_JOURNAL | SQLITE_OPEN_TEMP_JOURNAL | SQLITE_OPEN_SUBJOURNAL | SQLITE_OPEN_MASTER_JOURNAL;
52 //Count the number of fullsyncs and normal syncs. This is used to test
53 //that syncs and fullsyncs are occuring at the right times.
54 extern "C" int sqlite3_sync_count = 0;
55 extern "C" int sqlite3_fullsync_count = 0;
57 //The following variable, if set to a non-zero value, becomes the result
58 //returned from sqlite3OsCurrentTime(). This is used for testing.
59 extern "C" int sqlite3_current_time = 0;
65 //Used for the random numbers generation
66 static inline TInt64& Seed()
68 static TInt64 seed = 0;
79 Os2SqliteErr() is called at the end of many of the interface functions of the OS porting layer (wherever it is appropriate -
80 TFileIo and TVfs interfaces). The purpose of this function is to identify the "out of memory" and "disk is full" errors
81 reported by the used Symbian OS APIs (aOsErr parameter) and report them to SQLite as SQLITE_FULL and SQLITE_NOMEM errors.
82 The KErrEof error (TFileIo::Read() can return KErrEof) is reported to SQLite as SQLITE_IOERR_SHORT_READ. The rest of failures
83 are reported as the error specified in aDefaultErr parameter.
85 @param aOsErr Symbian OS error
86 @param aDefaultErr The default SQLite error that should be used if the aOsErr parameter is not one of:
87 KErrNone, KErrEof, KErrNoMemory, KErrDiskFull
88 @return SQLITE_OK, The OS porting layer function call has completed successfully,
89 SQLITE_IOERR_SHORT_READ, The amount of the data read is less than the requested amount,
90 SQLITE_IOERR_NOMEM, Out of memory,
91 SQLITE_FULL, The disk is full,
92 aDefaultErr, The rest of failures will be reported as aDefaultErr.
94 static TInt Os2SqliteErr(TInt aOsErr, TInt aDefaultErr)
101 return SQLITE_IOERR_SHORT_READ;
103 return SQLITE_IOERR_NOMEM;
108 SQLITE_TRACE_OS(OstTrace1(TRACE_INTERNALS, OS2SQLITEERR, "OS;0;Os2SqliteErr;aOsErr=%d", aOsErr));
115 ////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////
116 ////////////////////////// TStaticFs /////////////////////////////////////////////////////////////////////////////////////////
117 ////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////
120 Connects the file session used by the SQLite OS porting layer.
121 Single RFs instance per process is used.
123 @return KErrNone The operation was completed successfully,
124 System-wide error code if the operation has failed.
126 TInt TStaticFs::Connect()
128 TInt err = iFs.Connect();
131 err = iFs.ShareAuto();
137 SQLITE_TRACE_OS(OstTraceExt2(TRACE_INTERNALS, TSTATICFS_CONNECT, "OS;0;TStaticFs::Connect;iFs.Handle()=0x%X;err=%d", iFs.Handle(), err));
141 ////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////
142 ////////////////////////// sqlite3_mutex /////////////////////////////////////////////////////////////////////////////////////
143 ////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////
146 Initializes sqlite3_mutex data members with their default values.
148 sqlite3_mutex::sqlite3_mutex() :
150 iOwnerThreadId(KMaxTUint64)
152 SQLITE_TRACE_OS(OstTrace1(TRACE_INTERNALS, SQLITE3_MUTEX_SQLITE3_MUTEX, "OS;0x%X;sqlite3_mutex::sqlite3_mutex", (TUint)this));
156 Closes the mutex handle.
158 sqlite3_mutex::~sqlite3_mutex()
160 SQLITE_TRACE_OS(OstTrace1(TRACE_INTERNALS, SQLITE3_MUTEX_SQLITE3_MUTEX2, "OS;0x%X;sqlite3_mutex::~sqlite3_mutex", (TUint)this));
165 Gives the calling thread an exclusive access to the SQLite resources (global variables, file handles, buffers, cache, etc.).
166 The calling thread becomes a mutex owner.
167 If the mutex is already locked by another thread, the calling thread will block until the other thread releases the mutex.
168 The method can be called by the mutex owning thread more than once, even if the mutex is already entered.
170 @panic SqliteMt 23 Negative mutex lock counter (in debug builds only)
172 void sqlite3_mutex::Enter()
174 __ASSERT_DEBUG(iRefCount >= 0, __SQLITEPANIC(ESqliteOsPanicMutexLockCounter));
177 iOwnerThreadId = currThread.Id();
182 Unlocks the mutex. If sqlite3_mutex::Enter() was called more than once by the owning thread, then the number of
183 sqlite3_mutex::Leave() calls must eventually match the number of sqlite3_mutex::Enter() calls.
184 If there are thread(s) blocked on sqlite3_mutex::Enter(), after the mutex gets unlocked one of the waiting threads
185 will be able to lock the mutex and get an exclusive access to the guarded resources.
187 @panic SqliteMt 23 Negative mutex lock counter (in debug builds only)
188 @panic SqliteMt 24 The mutex has been entered (locked) by a different thread than the current one (in debug builds only)
190 void sqlite3_mutex::Leave()
192 __ASSERT_DEBUG(iRefCount > 0, __SQLITEPANIC(ESqliteOsPanicMutexLockCounter));
195 __ASSERT_DEBUG(iOwnerThreadId == currThread.Id(), __SQLITEPANIC(ESqliteOsPanicMutexOwner));
202 Returns true if the mutex is already locked (entered).
204 @return True if the mutex is locked, false otherwise
206 TBool sqlite3_mutex::IsHeld() const
209 return iRefCount > 0 && iOwnerThreadId == currThread.Id();
215 @return KErrNone The operation was completed successfully,
216 System-wide error code if the operation has failed.
218 TInt sqlite3_mutex::Create()
220 TInt err = iMutex.CreateLocal();
221 SQLITE_TRACE_OS(OstTraceExt2(TRACE_INTERNALS, SQLITE3_MUTEX_CREATE, "OS;0x%X;sqlite3_mutex::Create;err=%d", (TUint)this, err));
226 Creates new CRecursiveMutex object.
228 @return A pointer to the created CRecursiveMutex object or NULL if the operation has failed.
230 CRecursiveMutex* CRecursiveMutex::New()
232 CRecursiveMutex* self = new CRecursiveMutex;
235 if(self->Create() != KErrNone)
241 SQLITE_TRACE_OS(OstTrace1(TRACE_INTERNALS, CRECURSIVEMUTEX_NEWL, "OS;0x%X;CRecursiveMutex::New", (TUint)self));
245 CRecursiveMutex::~CRecursiveMutex()
249 ///////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////
250 ////////////////////////// TMutexApi ////////////////////////////////////////////////////////////////////////////////////////
251 ///////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////
254 Initializes the mutex system.
259 int TMutexApi::Init()
265 Finalizes the mutex system.
277 If the request is for a static mutex, a pointer to already created static mutex will be returned.
279 @param aType The mutex type: static, fast, recursive
280 @return A pointer to the created mutex or NULL if the operation has failed
282 sqlite3_mutex* TMutexApi::Alloc(int aType)
284 sqlite3_mutex* mutex = NULL;
287 case SQLITE_MUTEX_FAST:
288 case SQLITE_MUTEX_RECURSIVE:
289 mutex = CRecursiveMutex::New();
292 mutex = ::StaticMutex(aType - 2);//"aType - 2" because the first SQLITE_MUTEX_STATIC_<type> mutex definition
293 //value is 2 (SQLITE_MUTEX_FAST is 0, SQLITE_MUTEX_RECURSIVE is 1).
296 SQLITE_TRACE_OS(OstTraceExt2(TRACE_INTERNALS, TMUTEXAPI_ALLOC, "OS;0;TMutexApi::Alloc;aType=%d;mutex=0x%X", aType, (TUint)mutex));
301 Destroys a mutex, created previously by a call to TMutexApi::Alloc().
302 @param aMutex Pointer to the mutex object that has to be destroyed
304 void TMutexApi::Free(sqlite3_mutex* aMutex)
306 SQLITE_TRACE_OS(OstTrace1(TRACE_INTERNALS, TMUTEXAPI_FREE, "OS;0;TMutexApi::Free;mutex=0x%X", (TUint)aMutex));
312 See sqlite3_mutex::Enter() for more details.
314 @param aMutex Pointer to the mutex object
316 @see sqlite3_mutex::Enter()
318 void TMutexApi::Enter(sqlite3_mutex* aMutex)
324 No-op. Always returns SQLITE_BUSY.
328 int TMutexApi::Try(sqlite3_mutex*)
335 See sqlite3_mutex::Leave() for more details.
337 @param aMutex Pointer to the mutex object
339 @see sqlite3_mutex::Leave()
341 void TMutexApi::Leave(sqlite3_mutex* aMutex)
347 Checks whether the mutex is locked or not.
348 See sqlite3_mutex::IsHeld() for more details.
350 @param aMutex Pointer to the mutex object
352 @return True if the mutex is locked, false otherwise
354 @see sqlite3_mutex::IsHeld()
356 int TMutexApi::Held(sqlite3_mutex* aMutex)
358 return aMutex->IsHeld();
362 Checks whether the mutex is locked or not.
363 See sqlite3_mutex::IsHeld() for more details.
365 @param aMutex Pointer to the mutex object
367 @return False if the mutex is locked, true otherwise
369 @see sqlite3_mutex::IsHeld()
371 int TMutexApi::Notheld(sqlite3_mutex* aMutex)
373 return !aMutex->IsHeld();
376 ///////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////
377 /////////////////////////////////// SQLite init/release functions ///////////////////////////////////////////////////
378 ///////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////
381 Initializes the OS porting layer global data.
383 extern "C" SQLITE_EXPORT int sqlite3_os_init(void)
385 TInt err = sqlite3_vfs_register(VfsApi(), 1);
386 SQLITE_TRACE_OS(OstTrace1(TRACE_INTERNALS, SQLITE3_OS_INIT, "OS;0;sqlite3_os_init;err=%d", err));
391 Destroys the OS porting layer global data.
393 extern "C" SQLITE_EXPORT int sqlite3_os_end(void)
395 TInt err = sqlite3_vfs_unregister(VfsApi());
396 SQLITE_TRACE_OS(OstTrace1(TRACE_INTERNALS, SQLITE3_OS_END, "OS;0;sqlite3_os_end;err=%d", err));
400 ///////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////
401 ////////////////////////// TheFileIoApi /////////////////////////////////////////////////////////////////////////////////////
402 ///////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////
405 Single sqlite3_io_methods instance, which data members (function pointers) are initialized with the addresses of
407 TheFileIoApi is used by SQLite for performing OS independent file I/O.
414 const static sqlite3_io_methods TheFileIoApi =
425 &TFileIo::CheckReservedLock,
426 &TFileIo::FileControl,
427 &TFileIo::SectorSize,
428 &TFileIo::DeviceCharacteristics
431 ///////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////
432 ////////////////////////// TheMutexMethods //////////////////////////////////////////////////////////////////////////////////
433 ///////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////
436 sqlite3_mutex_methods is a structure declared in sqlite3.h header file.
437 sqlite3_mutex_methods defines the mutex interface used by SQLite and implemented by the OS porting layer.
439 static sqlite3_mutex_methods TheMutexMethods =
452 extern "C" sqlite3_mutex_methods* sqlite3DefaultMutex(void)
454 return &TheMutexMethods;
457 ///////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////
458 ////////////////// UTF16<-->UTF8, conversion functions ////////////////////////////////////////////////////////////
459 ///////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////
462 The function converts aFileName to UTF16 encoded file name, and stores the UTF16 encoded file name
463 to the place pointed by aFileNameDestBuf argument.
464 If the UTF16 conversion of the file name failed because the file name is too long or NULL,
465 the function returns EFalse.
467 @param aFileName Expected to point to UTF8 encoded, zero terminated string.
468 Max allowed aFileName length is KMaxFileName (excluding terminating 0 character).
469 @param aFileNameDestBuf Output parameter. Will hold UTF16, non-zero-terminated string.
470 The max length must be at least KMaxFileName characters.
472 @return True if the conversion has been completed successfully
474 static TBool ConvertToUnicode(const char *aFileName, TDes& aFileNameDestBuf)
478 wchar_t* dest = reinterpret_cast <wchar_t*> (const_cast <TUint16*> (aFileNameDestBuf.Ptr()));
479 TInt len = mbstowcs(dest, aFileName, KMaxFileName);
480 //Check the file name length. If it is longer than KMaxFileName characters, then the file name is not valid.
481 if(len > 0 && len <= KMaxFileName)
483 aFileNameDestBuf.SetLength(len);
491 The function converts aFileName to UTF8 encoded file name, and stores the UTF8 encoded file name
492 to the place pointed by aFileNameDestBuf argument.
493 If the UTF8 conversion of the file name failed because the file name is too long or NULL,
494 the function returns EFalse.
496 @param aFileName Expected to point to UTF16 encoded, zero terminated string.
497 Max allowed aFileName length is KMaxFileName (excluding terminating 0 character).
498 @param aFileNameDestBuf Output parameter. Will hold UTF8, non-zero-terminated string.
499 The max length must be at least KMaxFileName characters.
501 @return True if the conversion has been completed successfully
503 static TBool ConvertFromUnicode(const TDesC& aFileName, TDes8& aFileNameDestBuf)
505 char* dest = reinterpret_cast <char*> (const_cast <TUint8*> (aFileNameDestBuf.Ptr()));
506 const wchar_t* src = reinterpret_cast <const wchar_t*> (aFileName.Ptr());
507 TInt len = wcstombs(dest, src, KMaxFileName);
508 //Check the file name length. If it is longer than KMaxFileName characters, then the file name is not valid.
509 if(len > 0 && len <= KMaxFileName)
511 aFileNameDestBuf.SetLength(len);
517 ///////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////
518 ///////////////////// TDbFile class definition ///////////////////////////////////////////////////////////////////////
519 ///////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////
521 const TInt KFileBufSize = 8 * 1024;
524 Initializes TDbFile data members with their default values.
526 inline TDbFile::TDbFile() :
527 iFileBuf(KFileBufSize),
530 iLockType(SQLITE_LOCK_NONE),
533 iDeviceCharacteristics(-1)
536 SQLITE_TRACE_OS(OstTrace1(TRACE_INTERNALS, TDBFILE_TDBFILE, "OS;0x%X;TDbFile::TDbFile", (TUint)this));
540 Casts the passed sqlite3_file pointer to a reference to the derived class - TDbFile&.
541 All sqlite3_file pointers passed to TFileIo methods are actually pointers to TDbFile instances.
544 @param aDbFile A pointer to a sqlite3_file instance
546 @return A TDbFile reference.
551 @panic Sqlite 20 In _DEBUG mode if aDbFile is NULL.
555 static inline TDbFile& DbFile(sqlite3_file* aDbFile)
557 __ASSERT_DEBUG(aDbFile != 0, __SQLITEPANIC2(ESqliteOsPanicNullDbFilePtr));
558 return *(static_cast <TDbFile*> (aDbFile));
561 ///////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////
562 ///////////////////// TFileIo class definition ///////////////////////////////////////////////////////////////////////
563 ///////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////
566 SQLite OS porting layer API.
568 Closes the file referred by aDbFile parameter.
569 If aDbFile.iFullName data member is not NULL, then the file will be deleted.
571 @param aDbFile A pointer to a TDbFile instance, than contains the file handle to be closed.
577 /* static */ int TFileIo::Close(sqlite3_file* aDbFile)
579 TDbFile& dbFile = ::DbFile(aDbFile);
580 SQLITE_TRACE_OS(OstTrace1(TRACE_INTERNALS, TFILEIO_CLOSE1, "OS;0x%X;TFileIo::Close", (TUint)&dbFile));
581 dbFile.iFileBuf.Close();
583 {//"iFullName" will not be NULL only when TVfs::Open() is called with SQLITE_OPEN_DELETEONCLOSE flag.
584 //That means - SQlite expects the file to be deleted after the file close operation.
585 __SQLITETRACE_OSEXPR(TInt err = ) TStaticFs::Fs().Delete(*dbFile.iFullName);
586 SQLITE_TRACE_OS(OstTraceExt3(TRACE_INTERNALS, TFILEIO_CLOSE2, "OS;0x%X;TFileIo::Close;delete fileName=%S;err=%d", (TUint)&dbFile, __SQLITEPRNSTR(*dbFile.iFullName), err));
587 delete dbFile.iFullName;
588 dbFile.iFullName = NULL;
595 SQLite OS porting layer API.
597 Reads from the file referred by the aDbFile parameter.
599 @param aDbFile A pointer to a TDbFile instance, that contains the file handle to be read from.
600 @param aBuf Output parameter. The data read from the file will be copied there.
601 The buffer size must be at least aAmt bytes.
602 @param aAmt The amount of data to be read form the file.
603 @param aOffset The offset in the file where the read operation should start.
605 @return SQLITE_FULL, The disk is full,
606 SQLITE_IOERR_SHORT_READ, The amount of the data read is less than aAmt,
607 SQLITE_IOERR_READ, File read error,
608 SQLITE_IOERR_NOMEM, An out of memory condition has occured,
609 SQLITE_OK, The operation has completed successfully.
613 /* static */ int TFileIo::Read(sqlite3_file* aDbFile, void* aBuf, int aAmt, sqlite3_int64 aOffset)
615 SimulateIOError(return SQLITE_IOERR_READ);
616 TDbFile& dbFile = ::DbFile(aDbFile);
617 SQLITE_TRACE_OS(OstTraceExt3(TRACE_INTERNALS, TFILEIO_READ_ENTRY, "OS-Entry;0x%X;TFileIo::Read;aAmt=%d;aOffset=%lld", (TUint)&dbFile, aAmt, aOffset));
618 TPtr8 ptr((TUint8*)aBuf, 0, aAmt);
619 TInt err = dbFile.iFileBuf.Read(aOffset, ptr);
620 TInt cnt = ptr.Length();
621 TInt sqliteErr = ::Os2SqliteErr(err, SQLITE_IOERR_READ);
622 if(cnt != aAmt && (sqliteErr == SQLITE_OK || sqliteErr == SQLITE_IOERR_SHORT_READ))
624 Mem::FillZ(static_cast <TUint8*> (aBuf) + cnt, aAmt - cnt);
625 sqliteErr = SQLITE_IOERR_SHORT_READ;
627 SQLITE_TRACE_OS(OstTraceExt4(TRACE_INTERNALS, TFILEIO_READ_EXIT, "OS-Exit;0x%X;TFileIo::Read;cnt=%d;err=%d;sqliteErr=%d", (TUint)&dbFile, cnt, err, sqliteErr));
632 SQLite OS porting layer API.
634 Writes to the file referred by the aDbFile parameter.
635 "Write beyond the end of the file" operations are allowed.
637 @param aDbFile A pointer to a TDbFile instance, that contains the file handle to be written to.
638 @param aData The data to be written to the file. The buffer size must be at least aAmt bytes.
639 @param aAmt The amount of data to be written to the file.
640 @param aOffset The offset in the file where the write operation should start.
642 @return SQLITE_IOERR_WRITE, the file write operation has failed or the file is read-only,
643 SQLITE_FULL, The disk is full,
644 SQLITE_IOERR_NOMEM, An out of memory condition has occured,
645 SQLITE_OK, The operation has completed successfully.
649 /* static */ int TFileIo::Write(sqlite3_file* aDbFile, const void* aData, int aAmt, sqlite3_int64 aOffset)
651 SimulateIOError(return SQLITE_IOERR_WRITE);
652 SimulateDiskfullError(return SQLITE_FULL);
653 TDbFile& dbFile = ::DbFile(aDbFile);
654 SQLITE_TRACE_OS(OstTraceExt3(TRACE_INTERNALS, TFILEIO_WRITE_ENTRY, "OS-Entry;0x%X;TFileIo::Write;aAmt=%d;aOffset=%lld", (TUint)&dbFile, aAmt, aOffset));
655 TInt err = KErrAccessDenied;
656 if(!dbFile.iReadOnly)
658 TPtrC8 ptr((const TUint8*)aData, aAmt);
659 err = dbFile.iFileBuf.Write(aOffset, ptr);
661 TInt sqliteErr = ::Os2SqliteErr(err, SQLITE_IOERR_WRITE);
662 SQLITE_TRACE_OS(OstTraceExt3(TRACE_INTERNALS, TFILEIO_WRITE_EXIT, "OS-Exit;0x%X;TFileIo::Write;err=%d;sqliteErr=%d", (TUint)&dbFile, err, sqliteErr));
667 SQLite OS porting layer API.
669 Truncates the file referred by the aDbFile parameter.
671 @param aDbFile A pointer to a TDbFile instance, that contains the file handle.
672 @param aLength The new file size in bytes.
674 @return SQLITE_IOERR_TRUNCATE, the file truncate operation has failed or the file is read-only,
675 SQLITE_FULL, The disk is full,
676 The file truncate operation has failed,
677 SQLITE_IOERR_NOMEM, An out of memory condition has occured,
678 SQLITE_OK, The operation has completed successfully.
682 /* static */ int TFileIo::Truncate(sqlite3_file* aDbFile, sqlite3_int64 aLength)
684 SimulateIOError(return SQLITE_IOERR_TRUNCATE);
685 TDbFile& dbFile = ::DbFile(aDbFile);
686 SQLITE_TRACE_OS(OstTraceExt2(TRACE_INTERNALS, TFILEIO_TRUNCATE_ENTRY, "OS-Entry;0x%X;TFileIo::Truncate;aLength=%lld", (TUint)&dbFile, aLength));
687 TInt err = KErrAccessDenied;
688 if(!dbFile.iReadOnly)
690 err = dbFile.iFileBuf.SetSize(aLength);
692 TInt sqliteErr = ::Os2SqliteErr(err, SQLITE_IOERR_TRUNCATE);
693 SQLITE_TRACE_OS(OstTraceExt3(TRACE_INTERNALS, TFILEIO_TRUNCATE_EXIT, "OS-Exit;0x%X;TFileIo::Truncate;err=%d;sqliteErr=%d", (TUint)&dbFile, err, sqliteErr));
698 SQLite OS porting layer API.
700 Flushes the file referred by the aDbFile parameter.
702 @param aDbFile A pointer to a TDbFile instance, that contains the file handle.
703 @param aFlags This parameter is not used in the production builds. It may be one of
704 SQLITE_SYNC_NORMAL or SQLITE_SYNC_FULL and is used only by the TCL test suite.
706 @return SQLITE_IOERR_FSYNC, This is a read-only file, or the file flush operation has failed,
707 SQLITE_IOERR_NOMEM, An out of memory condition has occured,
708 SQLITE_FULL, The disk is full,
709 SQLITE_OK, The operation has completed successfully.
713 /* static */int TFileIo::Sync(sqlite3_file* aDbFile, int aFlags)
715 SimulateIOError(return SQLITE_IOERR_FSYNC);
716 TDbFile& dbFile = ::DbFile(aDbFile);
717 SQLITE_TRACE_OS(OstTrace1(TRACE_INTERNALS, TFILEIO_SYNC_ENTRY, "OS-Entry;0x%X;TFileIo::Sync", (TUint)&dbFile));
719 if(aFlags & SQLITE_SYNC_FULL)
721 sqlite3_fullsync_count++;
723 sqlite3_sync_count++;
727 TInt err = KErrAccessDenied;
728 if(!dbFile.iReadOnly)
730 err = dbFile.iFileBuf.Flush();
732 TInt sqliteErr = ::Os2SqliteErr(err, SQLITE_IOERR_FSYNC);
733 SQLITE_TRACE_OS(OstTraceExt3(TRACE_INTERNALS, TFILEIO_SYNC_EXIT, "OS-Exit;0x%X;TFileIo::Sync;err=%d;sqliteErr=%d", (TUint)&dbFile, err, sqliteErr));
738 SQLite OS porting layer API.
740 Returns the size of the file referred by the aDbFile parameter.
742 @param aDbFile A pointer to a TDbFile instance, that contains the file handle.
743 @param aSize Output parameter. If the function completes successfully, the file size will be stored there.
745 @return SQLITE_IOERR_FSTAT, The file size operation has failed;
746 SQLITE_IOERR_NOMEM, An out of memory condition has occured;
747 SQLITE_OK, The operation has completed successfully.
751 /* static */ int TFileIo::FileSize(sqlite3_file* aDbFile, sqlite3_int64* aSize)
753 SimulateIOError(return SQLITE_IOERR_FSTAT);
754 TDbFile& dbFile = ::DbFile(aDbFile);
755 SQLITE_TRACE_OS(OstTrace1(TRACE_INTERNALS, TFILEIO_FILESIZE_ENTRY, "OS-Entry;0x%X;TFileIo::FileSize", (TUint)&dbFile));
756 TInt err = dbFile.iFileBuf.Size(*aSize);
757 TInt sqliteErr = ::Os2SqliteErr(err, SQLITE_IOERR_FSTAT);
758 SQLITE_TRACE_OS(OstTraceExt4(TRACE_INTERNALS, TFILEIO_FILESIZE_EXIT, "OS-Exit;0x%X;TFileIo::FileSize;aSize=%lld;err=%d;sqliteErr=%d", (TUint)&dbFile, *aSize, err, sqliteErr));
763 This function is called when SQLite needs to obtain a read lock. This is done by generating a
764 random file position within the first page beyond the first Gb of the file and locking a single byte there.
765 There is a possible problem with that random file position, because the database file may be shared between multiple
766 connections. That increases the possibility of generating the same "random" file position by different connections to the
767 same file. In order to minimise that, TFileIo::GetReadLock() will generate up to 3 different file positions in a case of
768 a "lock byte" failure.
769 The generated file position will be stored in TDbFile::iSharedLockByte data member and will be used later for the
772 @param aDbFile The Os porting layer file handle
773 @return KErrNone The locking operation has completed successfully,
774 KErrLocked The 1 byte file area that begins from the generated file position is already locked,
775 Some other system-wide error codes in a case of failure.
777 @see TFileIo::UnlockReadLock()
779 /* static */TInt TFileIo::GetReadLock(TDbFile& aDbFile)
781 const TInt KLockTryCount = 3;
782 TInt rc = KErrLocked;
783 for(TInt i=0;i<KLockTryCount;++i)
785 TInt lock = Math::Rand(Seed());
786 //Explanation regarding how the file locking works can be found in os.h file, lines 279-335.
787 //Shortly, in order to read pages from the database the calling thread must obtain a shared lock.
788 //This is done locking a randomly chosen byte - iSharedLockByte.
789 //The calculation of iSharedLockByte is done in a way that:
790 // - All calculated iSharedLockByte fit on a single page, even if the page size is chosen to be the smallest one possible.
791 // That's why the "% (SHARED_SIZE - 1)" is used in the calculation;
792 // - The locked byte cannot be used for storing data. That is the reason SHARED_FIRST to be set to be a position beyond the
794 TInt sharedLockByte = (lock & 0x7fffffff) % (SHARED_SIZE - 1);
795 rc = aDbFile.iFileBuf.Lock(SHARED_FIRST + sharedLockByte, 1);
798 aDbFile.iSharedLockByte = sharedLockByte;
802 SQLITE_TRACE_OS(OstTraceExt2(TRACE_INTERNALS, TFILEIO_GETREADLOCK, "OS;0x%X;TFileIo::GetReadLock;rc=%d", (TUint)&aDbFile, rc));
807 Unlocks the file area previously locked by the GetReadLock() call.
808 The beginning of the locked area with length 1 byte is stored in TDbFile::iSharedLockByte data member.
810 @param aDbFile The Os porting layer file handle
812 @return KErrNone The locking operation has completed successfully,
813 Some other system-wide error codes in a case of failure.
815 @see TFileIo::GetReadLock()
817 /* static */TInt TFileIo::UnlockReadLock(TDbFile& aDbFile)
819 TInt err = aDbFile.iFileBuf.UnLock(SHARED_FIRST + aDbFile.iSharedLockByte, 1);
820 SQLITE_TRACE_OS(OstTraceExt2(TRACE_INTERNALS, TFILEIO_UNLOCKREADLOCK, "OS;0x%X;TFileIo::UnlockReadLock;err=%d", (TUint)&aDbFile, err));
825 SQLite OS porting layer API.
827 Locks the file, referred by the aDbFile parameter, with the specified lock type.
828 The file lock type is stored for later use by the CheckReservedLock() call.
830 Sometimes when requesting one lock state, additional lock states
831 are inserted in between. The locking might fail on one of the later
832 transitions leaving the lock state different from what it started but
833 still short of its goal. The following chart shows the allowed
834 transitions and the inserted intermediate states:
836 SQLITE_LOCK_NONE -> SQLITE_LOCK_SHARED
837 SQLITE_LOCK_SHARED -> SQLITE_LOCK_RESERVED
838 SQLITE_LOCK_SHARED -> (SQLITE_LOCK_PENDING) -> SQLITE_LOCK_EXCLUSIVE
839 SQLITE_LOCK_RESERVED -> (SQLITE_LOCK_PENDING) -> SQLITE_LOCK_EXCLUSIVE
840 SQLITE_LOCK_PENDING -> SQLITE_LOCK_EXCLUSIVE
842 @param aDbFile A pointer to a TDbFile instance, that contains the file handle.
843 @param aLockType Lock type: SQLITE_LOCK_NONE, SQLITE_LOCK_SHARED, SQLITE_LOCK_RESERVED, SQLITE_LOCK_PENDING or
844 SQLITE_LOCK_EXCLUSIVE.
846 @return SQLITE_IOERR_NOMEM, An out of memory condition has occured;
847 SQLITE_BUSY, The requested lock cannot be obtained;
848 SQLITE_LOCK, File locking error,
849 SQLITE_OK, The operation has completed successfully.
851 @see TFileIo::CheckReservedLock()
852 @see TFileIo::Unlock()
856 /* static */ int TFileIo::Lock(sqlite3_file* aDbFile, int aLockType)
858 TDbFile& dbFile = ::DbFile(aDbFile);
859 //If there is already a lock of this type or more restrictive on the aDbFile, then - do nothing.
860 if(dbFile.iLockType >= aLockType)
862 SQLITE_TRACE_OS(OstTraceExt3(TRACE_INTERNALS, TFILEIO_LOCK1, "OS;0x%X;TFileIo::Lock;dbFile.iLockType=%d;aLockType=%d", (TUint)&dbFile, dbFile.iLockType, aLockType));
866 //The file flushing here must be done in order to get the file buffer object content (iFileBuf data member))
867 //synchronised with the database file content (the database file content may get modified by a different connection
869 if(aLockType == SQLITE_LOCK_SHARED && !dbFile.iReadOnly)
871 TInt err = dbFile.iFileBuf.Flush(ETrue);
874 SQLITE_TRACE_OS(OstTraceExt2(TRACE_INTERNALS, TFILEIO_LOCK2, "OS;0x%X;TFileIo::Lock;iFileBuf.Flush() failed, err=%d", (TUint)&dbFile, err));
875 return ::Os2SqliteErr(err, SQLITE_IOERR_LOCK);
879 //Make sure the locking sequence is correct
880 __ASSERT_DEBUG(dbFile.iLockType != SQLITE_LOCK_NONE || aLockType == SQLITE_LOCK_SHARED, __SQLITEPANIC2(ESqliteOsPanicInvalidLock));
881 __ASSERT_DEBUG(aLockType != SQLITE_LOCK_PENDING, __SQLITEPANIC2(ESqliteOsPanicInvalidLock));
882 __ASSERT_DEBUG(aLockType != SQLITE_LOCK_RESERVED || dbFile.iLockType == SQLITE_LOCK_SHARED, __SQLITEPANIC2(ESqliteOsPanicInvalidLock));
884 TInt rc = SQLITE_OK; //Return code from subroutines
885 TBool locked = ETrue; //Result of a file lock call (the default value means: "lock accuired")
886 TInt newLockType = -1; //Set dbFile.iLockType to this value before exiting
887 TBool gotPendingLock = EFalse;//True if we acquired a SQLITE_LOCK_PENDING lock this time
889 //Lock the SQLITE_LOCK_PENDING byte if we need to acquire a SQLITE_LOCK_PENDING lock or
890 //SQLITE_LOCK_SHARED lock. If we are acquiring a SQLITE_LOCK_SHARED lock, the acquisition of
891 //the SQLITE_LOCK_PENDING byte is temporary.
892 newLockType = dbFile.iLockType;
893 if(dbFile.iLockType == SQLITE_LOCK_NONE || (aLockType == SQLITE_LOCK_EXCLUSIVE && dbFile.iLockType == SQLITE_LOCK_RESERVED))
895 //Try 3 times to get the pending lock. The pending lock might be
896 //held by another reader process who will release it momentarily.
897 const TInt KLockTryCnt = 3;
899 for(TInt i=0;i<KLockTryCnt && !locked;++i)
901 TInt err = dbFile.iFileBuf.Lock(PENDING_BYTE, 1);
902 if(err != KErrNone && err != KErrLocked)
904 return ::Os2SqliteErr(err, SQLITE_IOERR_LOCK);
906 locked = (err == KErrNone);
910 TVfs::Sleep(NULL, KMs * 1000);
913 gotPendingLock = locked;
916 //Acquire a shared lock
917 if(aLockType == SQLITE_LOCK_SHARED && locked)
919 __ASSERT_DEBUG(dbFile.iLockType == SQLITE_LOCK_NONE, __SQLITEPANIC2(ESqliteOsPanicInvalidLock));
920 TInt err = TFileIo::GetReadLock(dbFile);
921 if(err != KErrNone && err != KErrLocked)
923 SQLITE_TRACE_OS(OstTraceExt2(TRACE_INTERNALS, TFILEIO_LOCK3, "OS;0x%X;TFileIo::Lock;TFileIo::GetReadLock() failed, err=%d", (TUint)&dbFile, err));
924 return ::Os2SqliteErr(err, SQLITE_IOERR_LOCK);
926 locked = (err == KErrNone);
929 newLockType = SQLITE_LOCK_SHARED;
933 //Acquire a RESERVED lock
934 if(aLockType == SQLITE_LOCK_RESERVED && locked)
936 __ASSERT_DEBUG(dbFile.iLockType == SQLITE_LOCK_SHARED, __SQLITEPANIC2(ESqliteOsPanicInvalidLock));
937 TInt err = dbFile.iFileBuf.Lock(RESERVED_BYTE, 1);
938 if(err != KErrNone && err != KErrLocked)
940 SQLITE_TRACE_OS(OstTraceExt2(TRACE_INTERNALS, TFILEIO_LOCK4, "OS;0x%X;TFileIo::Lock;iFileBuf.Lock() failed, err=%d", (TUint)&dbFile, err));
941 return ::Os2SqliteErr(err, SQLITE_IOERR_LOCK);
943 locked = (err == KErrNone);
946 newLockType = SQLITE_LOCK_RESERVED;
950 // Acquire a PENDING lock
951 if(aLockType == SQLITE_LOCK_EXCLUSIVE && locked)
953 newLockType = SQLITE_LOCK_PENDING;
954 gotPendingLock = EFalse;
957 //Acquire an EXCLUSIVE lock
958 if(aLockType == SQLITE_LOCK_EXCLUSIVE && locked)
960 __ASSERT_DEBUG(dbFile.iLockType >= SQLITE_LOCK_SHARED, __SQLITEPANIC2(ESqliteOsPanicInvalidLock));
961 (void)TFileIo::UnlockReadLock(dbFile);
962 TInt err = dbFile.iFileBuf.Lock(SHARED_FIRST, SHARED_SIZE);
963 if(err != KErrNone && err != KErrLocked)
965 SQLITE_TRACE_OS(OstTraceExt2(TRACE_INTERNALS, TFILEIO_LOCK5, "OS;0x%X;TFileIo::Lock;iFileBuf.Lock()-2 failed, err=%d", (TUint)&dbFile, err));
966 return ::Os2SqliteErr(err, SQLITE_IOERR_LOCK);
968 locked = (err == KErrNone);
971 newLockType = SQLITE_LOCK_EXCLUSIVE;
975 // If we are holding a PENDING lock that ought to be released, then
977 if(gotPendingLock && aLockType == SQLITE_LOCK_SHARED)
979 __SQLITETRACE_OSEXPR(TInt err =) dbFile.iFileBuf.UnLock(PENDING_BYTE, 1);
980 SQLITE_TRACE_OS(OstTraceExt2(TRACE_INTERNALS, TFILEIO_LOCK6, "OS;0x%X;TFileIo::Lock;iFileBuf.UnLock()=%d", (TUint)&dbFile, err));
983 // Update the state of the lock has held in the file descriptor then
984 // return the appropriate result code.
985 rc = locked ? SQLITE_OK : SQLITE_BUSY;
986 dbFile.iLockType = newLockType;
987 SQLITE_TRACE_OS(OstTraceExt3(TRACE_INTERNALS, TFILEIO_LOCK7, "OS;0x%X;TFileIo::Lock;rc=%d;newLockType=%d", (TUint)&dbFile, rc, newLockType));
992 SQLite OS porting layer API.
994 Lower the locking level on file descriptor id to locktype. locktype
995 must be either SQLITE_LOCK_NONE or SQLITE_LOCK_SHARED.
997 If the locking level of the file descriptor is already at or below
998 the requested locking level, this routine is a no-op.
1000 It is not possible for this routine to fail if the second argument
1001 is SQLITE_LOCK_NONE. If the second argument is SQLITE_LOCK_SHARED then this routine
1002 might return SQLITE_IOERR;
1004 @param aDbFile A pointer to a TDbFile instance, that contains the file handle.
1005 @param aLockType Lock type: SQLITE_LOCK_NONE, SQLITE_LOCK_SHARED, SQLITE_LOCK_RESERVED, SQLITE_LOCK_PENDING or
1006 SQLITE_LOCK_EXCLUSIVE.
1008 @return SQLITE_OK, The operation has completed successfully,
1009 SQLITE_IOERR_UNLOCK, The unlock operation has failed.
1011 @see TFileIo::CheckReservedLock()
1012 @see TFileIo::Lock()
1016 /* static */ int TFileIo::Unlock(sqlite3_file* aDbFile, int aLockType)
1018 __ASSERT_DEBUG(aLockType <= SQLITE_LOCK_SHARED, __SQLITEPANIC2(ESqliteOsPanicInvalidLock));
1020 TDbFile& dbFile = ::DbFile(aDbFile);
1021 TInt rc = SQLITE_OK;
1022 TInt currLockType = dbFile.iLockType;
1024 if(currLockType >= SQLITE_LOCK_EXCLUSIVE)
1026 __SQLITETRACE_OSEXPR(TInt err2 =) dbFile.iFileBuf.UnLock(SHARED_FIRST, SHARED_SIZE);
1027 SQLITE_TRACE_OS(OstTraceExt2(TRACE_INTERNALS, TFILEIO_UNLOCK1, "OS;0x%X;TFileIo::Unlock;iFileBuf.UnLock()=%d", (TUint)&dbFile, err2));
1028 if(aLockType == SQLITE_LOCK_SHARED)
1030 TInt err = TFileIo::GetReadLock(dbFile);
1031 if(err != KErrNone && err != KErrLocked)
1033 SQLITE_TRACE_OS(OstTraceExt2(TRACE_INTERNALS, TFILEIO_UNLOCK2, "OS;0x%X;TFileIo::Unlock;TFileIo::GetReadLock() failed, err=%d", (TUint)&dbFile, err));
1034 return ::Os2SqliteErr(err, SQLITE_IOERR_UNLOCK);
1036 if(err == KErrLocked)
1038 //This should never happen. We should always be able to reacquire the read lock
1039 rc = SQLITE_IOERR_UNLOCK;
1043 if(currLockType >= SQLITE_LOCK_RESERVED)
1045 __SQLITETRACE_OSEXPR(TInt err2 =) dbFile.iFileBuf.UnLock(RESERVED_BYTE, 1);
1046 SQLITE_TRACE_OS(OstTraceExt2(TRACE_INTERNALS, TFILEIO_UNLOCK3, "OS;0x%X;TFileIo::Unlock;iFileBuf.UnLock()-2=%d", (TUint)&dbFile, err2));
1048 if(aLockType == SQLITE_LOCK_NONE && currLockType >= SQLITE_LOCK_SHARED)
1050 __SQLITETRACE_OSEXPR(TInt err2 =) TFileIo::UnlockReadLock(dbFile);
1051 SQLITE_TRACE_OS(OstTraceExt2(TRACE_INTERNALS, TFILEIO_UNLOCK4, "OS;0x%X;TFileIo::Unlock;TFileIo::UnlockReadLock()=%d", (TUint)&dbFile, err2));
1053 if(currLockType>= SQLITE_LOCK_PENDING)
1055 __SQLITETRACE_OSEXPR(TInt err2 =) dbFile.iFileBuf.UnLock(PENDING_BYTE, 1);
1056 SQLITE_TRACE_OS(OstTraceExt2(TRACE_INTERNALS, TFILEIO_UNLOCK5, "OS;0x%X;TFileIo::Unlock;iFileBuf.UnLock()-3=%d", (TUint)&dbFile, err2));
1059 dbFile.iLockType = aLockType;
1060 SQLITE_TRACE_OS(OstTraceExt3(TRACE_INTERNALS, TFILEIO_UNLOCK6, "OS;0x%X;TFileIo::Unlock;rc=%d;newLockType=%d", (TUint)&dbFile, rc, aLockType));
1065 SQLite OS porting layer API.
1067 Checks if the file lock type is SQLITE_LOCK_RESERVED or bigger.
1069 @param aDbFile A pointer to a TDbFile instance, that contains the file handle.
1070 @param aResOut Output parameter. It will be set to be non-zero if the stored lock type is bigger or equal
1071 than SQLITE_LOCK_RESERVED.
1073 @return SQLITE_IOERR_CHECKRESERVEDLOCK, The operation has failed,
1074 SQLITE_OK The operation has completed successfully.
1076 @see TFileIo::Lock()
1077 @see TFileIo::Unlock()
1081 /* static */ int TFileIo::CheckReservedLock(sqlite3_file* aDbFile, int *aResOut)
1083 TDbFile& dbFile = ::DbFile(aDbFile);
1085 if(dbFile.iLockType >= SQLITE_LOCK_RESERVED)
1091 TInt err = dbFile.iFileBuf.Lock(RESERVED_BYTE, 1);
1092 if(err != KErrNone && err != KErrLocked)
1094 SQLITE_TRACE_OS(OstTraceExt2(TRACE_INTERNALS, TFILEIO_CHECKRESERVEDLOCK1, "OS;0x%X;TFileIo::CheckReservedLock;iFileBuf.Lock(), err=%d", (TUint)&dbFile, err));
1095 return ::Os2SqliteErr(err, SQLITE_IOERR_CHECKRESERVEDLOCK);
1097 rc = (err == KErrNone);
1098 if(rc) //non-zero rc means: the lock has been successful (there wasn't a reserved lock on this file)
1100 __SQLITETRACE_OSEXPR(TInt err2 =) dbFile.iFileBuf.UnLock(RESERVED_BYTE, 1);
1101 SQLITE_TRACE_OS(OstTraceExt2(TRACE_INTERNALS, TFILEIO_CHECKRESERVEDLOCK2, "OS;0x%X;TFileIo::CheckReservedLock;iFileBuf.UnLock()=%d", (TUint)&dbFile, err2));
1106 SQLITE_TRACE_OS(OstTraceExt2(TRACE_INTERNALS, TFILEIO_CHECKRESERVEDLOCK3, "OS;0x%X;TFileIo::CheckReservedLock;rc=%d", (TUint)&dbFile, rc));
1111 SQLite OS porting layer API.
1113 Performs an aOp operation on the file referred by the aDbFile parameter.
1114 Since the only supported operation at the moment is SQLITE_FCNTL_LOCKSTATE, and the current lock type is stored as
1115 a data memebr of TDbFile, the function implementation has been optimised - no file I/O calls. The stored file lock type
1116 is retured if the operation is SQLITE_FCNTL_LOCKSTATE.
1118 @param aDbFile A pointer to a TDbFile instance, that contains the file handle.
1119 @param aOp File operation type. Currently only SQLITE_FCNTL_LOCKSTATE is supported.
1120 @param aArg An additional input/output parameter which purpose depends on the type of the current file operation.
1121 If the file operation is SQLITE_FCNTL_LOCKSTATE, then aArg is used as an output parameter, where
1122 the file lock type is stored.
1124 @return SQLITE_ERROR, Non-supported operation,
1125 SQLITE_OK, The operation has completed successfully.
1129 /* static */ int TFileIo::FileControl(sqlite3_file* aDbFile, int aOp, void* aArg)
1131 TDbFile& dbFile = ::DbFile(aDbFile);
1132 TInt err = KErrNone;
1135 case SQLITE_FCNTL_LOCKSTATE:
1136 *(int*)aArg = dbFile.iLockType;
1142 TInt sqliteErr = err == KErrNone ? SQLITE_OK : SQLITE_ERROR;
1143 SQLITE_TRACE_OS(OstTraceExt3(TRACE_INTERNALS, TFILEIO_FILECONTROL, "OS;0x%X;TFileIo::FileControl;err=%d;sqliteErr=%d", (TUint)&dbFile, err, sqliteErr));
1148 SQLite OS porting layer API.
1150 Retrieves the sector size of the media of the file referred by the aDbFile parameter.
1151 Since the sector size never changes till the file is open, the function has been optimised - no file I/O calls.
1152 The sector size is retrieved during the TVfs::Open() call and stored in TDbFile::iSectorSize. The SectorSize()
1153 call returns the value of TDbFile::iSectorSize.
1155 @param aDbFile A pointer to a TDbFile instance, that contains the file handle.
1157 @return The sector size.
1159 @panic Sqlite 19 In _DEBUG mode - TDbFile::iSectorSize is negative or 0 .
1164 /* static */ int TFileIo::SectorSize(sqlite3_file* aDbFile)
1166 TDbFile& dbFile = ::DbFile(aDbFile);
1167 __ASSERT_DEBUG(dbFile.iSectorSize > 0, __SQLITEPANIC2(ESqliteOsPanicInternalError));
1168 if(dbFile.iSectorSize > 0)
1170 return dbFile.iSectorSize;
1172 return SQLITE_DEFAULT_SECTOR_SIZE;
1176 SQLite OS porting layer API.
1178 Retrieves the device characteristics of the device of the file referred by the aDbFile parameter.
1179 Since the device characteristics never change till the file is open, the function has been optimised - no file I/O calls.
1180 The device characteristics are retrieved during the TVfs::Open() call and stored in TDbFile::iDeviceCharacteristics.
1181 The DeviceCharacteristics() call returns the value of TDbFile::iDeviceCharacteristics.
1183 @param aDbFile A pointer to a TDbFile instance, that contains the file handle.
1185 @return A bit set containing the device characteristics.
1187 @panic Sqlite 19 In _DEBUG mode - TDbFile::iDeviceCharacteristics is negative or 0 .
1192 /* static */ int TFileIo::DeviceCharacteristics(sqlite3_file* aDbFile)
1194 TDbFile& dbFile = ::DbFile(aDbFile);
1195 __ASSERT_DEBUG(dbFile.iDeviceCharacteristics >= 0, __SQLITEPANIC2(ESqliteOsPanicInternalError));
1196 if(dbFile.iDeviceCharacteristics >= 0)
1198 return dbFile.iDeviceCharacteristics;
1203 ///////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////
1204 /////////////////////////////////// TVfs class definition ///////////////////////////////////////////////////////////
1205 ///////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////
1208 Collects information about the drive referred by the aDriveNo parameter.
1210 @param aFs RFs instance.
1211 @param aDriveNo The drive about which an information will be collected.
1212 @param aVolumeInfo Output parameter. A reference to a TVolumeIOParamInfo object where the collected information will be stored.
1214 @return KErrNone, The operation has completed succesfully;
1215 KErrNoMemory, Out of memory condition has occured;
1216 Note that other system-wide error codes may also be returned.
1220 /* static */ inline TInt TVfs::DoGetVolumeIoParamInfo(RFs& aFs, TInt aDriveNo, TVolumeIOParamInfo& aVolumeInfo)
1222 TInt err = aFs.VolumeIOParam(aDriveNo, aVolumeInfo);
1223 SQLITE_TRACE_OS(OstTraceExt2(TRACE_INTERNALS, TVFS_DOGETVOLUMEIOPARAMINFO, "OS;0;TVfs::DoGetVolumeIoParamInfo;aDriveNo=%d;err=%d", aDriveNo, err));
1228 Retrieves and returns in a bit set the device characteristics.
1230 @param aDriveInfo A TDriveInfo reference from which the device characteristics will be extracted.
1231 @param aVolumeInfo A TVolumeIOParamInfo reference from which the device characteristics will be extracted.
1233 @return A bit set containing the device characteristics:
1234 SQLITE_IOCAP_SAFE_APPEND, SQLITE_IOCAP_ATOMIC, the atomic block size.
1236 @see TVfs::DoGetDriveInfo();
1237 @see TVfs::DoGetVolumeIoParamInfo();
1240 /* static */ TInt TVfs::DoGetDeviceCharacteristics(const TDriveInfo& aDriveInfo, const TVolumeIOParamInfo& aVolumeInfo)
1242 TInt deviceCharacteristics = 0;
1243 if(aDriveInfo.iDriveAtt & (KDriveAttLocal | KDriveAttInternal))
1245 deviceCharacteristics |= SQLITE_IOCAP_SAFE_APPEND;//Data written first, file size updated second
1247 if(aDriveInfo.iDriveAtt & KDriveAttTransaction)
1249 deviceCharacteristics |= SQLITE_IOCAP_ATOMIC;
1251 if(aVolumeInfo.iBlockSize >= SQLITE_DEFAULT_SECTOR_SIZE && (aVolumeInfo.iBlockSize & (aVolumeInfo.iBlockSize - 1)) == 0)
1253 switch(aVolumeInfo.iBlockSize)
1256 deviceCharacteristics |= SQLITE_IOCAP_ATOMIC512;
1259 deviceCharacteristics |= SQLITE_IOCAP_ATOMIC1K;
1262 deviceCharacteristics |= SQLITE_IOCAP_ATOMIC2K;
1265 deviceCharacteristics |= SQLITE_IOCAP_ATOMIC4K;
1268 deviceCharacteristics |= SQLITE_IOCAP_ATOMIC8K;
1271 deviceCharacteristics |= SQLITE_IOCAP_ATOMIC16K;
1274 deviceCharacteristics |= SQLITE_IOCAP_ATOMIC32K;
1277 deviceCharacteristics |= SQLITE_IOCAP_ATOMIC64K;
1280 //Do nothing. deviceCharacteristics was initialized with 0 at the beginning of the function body.
1284 return deviceCharacteristics;
1288 Retrieves and returns the sector size of the drive referred by the aDriveInfo parameter.
1289 The sector size must be a power of two.
1290 The sector size is extracted only if aDriveInfo refers to a removable device, otherwise the
1291 SQLITE_DEFAULT_SECTOR_SIZE value (512 bytes) will be used as a sector size.
1293 @param aDriveInfo A TDriveInfo reference.
1294 @param aVolumeInfo A TVolumeIOParamInfo reference.
1296 @return The sector size of the drive referred by the aDriveInfo parameter.
1298 @panic Sqlite 19 In _DEBUG mode - The sector size is negative, zero or is not a power of two.
1302 /* static */ TInt TVfs::DoGetSectorSize(const TDriveInfo& aDriveInfo, const TVolumeIOParamInfo& aVolumeInfo)
1304 //Initialize the sectorSize variable only if:
1305 // - aDriveInfo refers to a removable drive
1306 // - aVolumeInfo.iBlockSize > SQLITE_DEFAULT_SECTOR_SIZE;
1307 // - aVolumeInfo.iBlockSize is power of 2;
1308 TInt sectorSize = SQLITE_DEFAULT_SECTOR_SIZE;
1309 if(aDriveInfo.iDriveAtt & KDriveAttRemovable)
1311 if(aVolumeInfo.iBlockSize > SQLITE_DEFAULT_SECTOR_SIZE && (aVolumeInfo.iBlockSize & (aVolumeInfo.iBlockSize - 1)) == 0)
1313 sectorSize = aVolumeInfo.iBlockSize;
1316 __ASSERT_DEBUG(sectorSize > 0 && (sectorSize & (sectorSize - 1)) == 0, __SQLITEPANIC2(ESqliteOsPanicInternalError));
1321 Retrieves in a bit set the device characteristics of the device of the file referred by the aDbFile parameter.
1322 Retrieves the sector size of the drive of the file referred by the aDbFile parameter.
1323 The sector size and the device characteristics will be stored in iSectorSize and iDeviceCharacteristics TDbFile data members.
1324 The stored values will be used later by TFileIo::DeviceCharacteristics() and TFileIo::SectorSize().
1326 @param aDbFile Input/Output parameter. A TDriveInfo reference. The collected information will be stored in TDbDrive
1328 @param aRecReadBufSize Output parameter. The recommended buffer size for optimised reading performance.
1330 @return KErrNone, The operation has completed succesfully;
1331 Note that other system-wide error codes may also be returned.
1333 @panic Sqlite 19 In _DEBUG mode - TDbFile::iSectorSize has been already initialized.
1334 @panic Sqlite 19 In _DEBUG mode - TDbFile::iDeviceCharacteristics has been already initialized.
1336 @see TVfs::DoGetDeviceCharacteristics();
1337 @see TVfs::DoGetSectorSize();
1340 @see TFileIo::DeviceCharacteristics()
1341 @see TFileIo::SectorSize()
1343 /* static */ TInt TVfs::DoGetDeviceCharacteristicsAndSectorSize(TDbFile& aDbFile, TInt& aRecReadBufSize)
1345 __ASSERT_DEBUG(aDbFile.iDeviceCharacteristics < 0, __SQLITEPANIC2(ESqliteOsPanicInternalError));
1346 __ASSERT_DEBUG(aDbFile.iSectorSize <= 0, __SQLITEPANIC2(ESqliteOsPanicInternalError));
1348 TDriveInfo driveInfo;
1349 TInt err = aDbFile.iFileBuf.Drive(driveNo, driveInfo);
1354 TVolumeIOParamInfo volumeInfo;
1355 err = TVfs::DoGetVolumeIoParamInfo(TStaticFs::Fs(), driveNo, volumeInfo);
1360 aDbFile.iDeviceCharacteristics = TVfs::DoGetDeviceCharacteristics(driveInfo, volumeInfo);
1361 aDbFile.iSectorSize = TVfs::DoGetSectorSize(driveInfo, volumeInfo);
1362 aRecReadBufSize = volumeInfo.iRecReadBufSize;
1363 SQLITE_TRACE_OS(OstTraceExt5(TRACE_INTERNALS, TVFS_DOGETGETDEVICECHARACTERISTICSANDSECTORSIZE, "OS;0x%X;TVfs::DoGetDeviceCharacteristicsAndSectorSize;driveNo=%d;sectorSize=%d;devCharact=0x%X;readBufSize=%d", (TUint)&aDbFile, driveNo, aDbFile.iSectorSize, (TUint)aDbFile.iDeviceCharacteristics, volumeInfo.iRecReadBufSize));
1367 //Creates a temporary file. The file location will be the application's session path.
1368 //If the session path does not exist, then the function will create the session path.
1369 static TInt CreateTempFile(TDbFile& aDbFile, TFileName& aFileNameOut, TInt aFileMode)
1371 TFileName sessionPath;
1372 TInt err = TStaticFs::Fs().SessionPath(sessionPath);
1375 err = aDbFile.iFileBuf.Temp(TStaticFs::Fs(), sessionPath, aFileNameOut, aFileMode);
1376 if(err == KErrPathNotFound)
1378 err = TStaticFs::Fs().MkDirAll(sessionPath);
1381 err = aDbFile.iFileBuf.Temp(TStaticFs::Fs(), sessionPath, aFileNameOut, aFileMode);
1386 aDbFile.iFullName = aFileNameOut.Alloc();
1387 if(!aDbFile.iFullName)
1389 aDbFile.iFileBuf.Close();
1390 (void)TStaticFs::Fs().Delete(aFileNameOut);
1399 SQLite OS porting layer API.
1401 The behaviour of the RFile/RFile64::SetSize operation is not atomic for non-rugged drives.
1402 When RFile/RFile64::SetSize() is called 2 operations occurs:-
1404 1)The cluster chain of the file is updated.
1405 2)The new file size is added to the file cache.
1407 If a power loss occurs after a SetSize there is a chance that the cluster chain was updated
1408 but the new file size is not yet flushed to the file. This puts the file into an inconsistent state.
1409 This is most likely to occur in the journal file where the time between a SetSize and Flush can
1412 For this reason this check is added when the file is opened to see if the end of the file can
1413 be read straight away, if an error is returned then it is assumed that the SetSize has not be
1414 completed previously. In this case the file is deleted and re-created.
1416 @param aDbFile A pointer to a TDbFile instance, that contains the file handle.
1417 @param aFname A string of 16-bit wide characters containing name of the file to be checked.
1418 @param aFmode The mode in which the file is opened. These mode are documented in TFileMode.
1420 @return KErrNone, The operation has completed succesfully;
1421 Note that other system-wide error codes may also be returned.
1426 /* static */ TInt TVfs::DoFileSizeCorruptionCheck(TDbFile& aDbFile, const TDesC& aFname, TInt aFmode)
1428 const TInt KMinSize = 16;
1430 TInt err = KErrNone ;
1431 TBuf8<KMinSize> buf;
1433 err = aDbFile.iFileBuf.Size(size);
1434 if (err != KErrNone)
1438 TBool IsMinFileSize = (size >= KMinSize);
1442 err = aDbFile.iFileBuf.Read(size - KMinSize, buf);
1445 if (err == KErrCorrupt || err == KErrEof || !IsMinFileSize)
1447 aDbFile.iFileBuf.Close();
1448 __SQLITETRACE_OSEXPR(TInt err2 =) TStaticFs::Fs().Delete(aFname);
1449 SQLITE_TRACE_OS(OstTraceExt4(TRACE_INTERNALS, TVFS_DOFILESIZECORRUPTIONCHECK1, "OS;0x%X;TVfs::DoFileSizeCorruptionCheck;size=%lld;err=%d;deleteErr=%d", (TUint)&aDbFile, size, err, err2));
1450 err = aDbFile.iFileBuf.Create(TStaticFs::Fs(), aFname, aFmode);
1451 SQLITE_TRACE_OS(OstTraceExt2(TRACE_INTERNALS, TVFS_DOFILESIZECORRUPTIONCHECK2, "OS;0x%X;TVfs::DoFileSizeCorruptionCheck;createErr=%d", (TUint)&aDbFile, err));
1457 SQLite OS porting layer API.
1459 Opens or creates a file which name is in the aFileName parameter.
1460 If the function succeeds, the file handle and other related information will be stored in the place pointed by the
1461 aDbFile parameter, a memory block of sizeof(TDbFile) size for which is allocated by the caller.
1462 The function will also retrieve the sector size and the device characteristics and store them in aDbFile,
1463 which is actually a TDbFile pointer, for later use.
1465 @param aFileName Zero-terminated, UTF8 encoded file name.
1466 If aFileName is NULL then a temporary file is created.
1467 @param aDbFile Output parameter. The file handle and other related information will be stored there.
1468 @param aFlags "Open/Create" input flags:
1469 SQLITE_OPEN_DELETEONCLOSE,
1470 SQLITE_OPEN_READWRITE,
1471 SQLITE_OPEN_EXCLUSIVE,
1473 @param aOutFlags "Open/Create" output flags:
1474 SQLITE_OPEN_READWRITE,
1475 SQLITE_OPEN_READONLY
1477 @return SQLITE_CANTOPEN, The aFileName parameter cannot be converted to UTF16.
1478 Any other file I/O error will also be reported as SQLITE_CANTOPEN;
1479 SQLITE_IOERR_NOMEM, An out of memory condition has occured;
1480 SQLITE_OK, The operation has completed successfully.
1484 /* static */ int TVfs::Open(sqlite3_vfs* aVfs, const char* aFileName, sqlite3_file* aDbFile, int aFlags, int* aOutFlags)
1487 if(aFileName && !::ConvertToUnicode(aFileName, fname))
1489 SQLITE_TRACE_OS(OstTrace0(TRACE_INTERNALS, TVFS_OPEN1, "OS;0;TVfs::Open;ConvertToUnicode() failed"));
1490 return SQLITE_CANTOPEN;
1492 new (aDbFile) TDbFile;
1493 TDbFile& dbFile = ::DbFile(aDbFile);
1494 SQLITE_TRACE_OS(OstTraceExt3(TRACE_INTERNALS, TVFS_OPEN_ENTRY, "OS-Entry;0x%X;TVfs::Open;fname=%S;aFlags=0x%X", (TUint)&aDbFile, __SQLITEPRNSTR(fname), (TUint)aFlags));
1495 if(aFileName && (aFlags & SQLITE_OPEN_DELETEONCLOSE))
1497 dbFile.iFullName = fname.Alloc();
1498 if(!dbFile.iFullName)
1500 SQLITE_TRACE_OS(OstTrace0(TRACE_INTERNALS, TVFS_OPEN2, "OS;0;TVfs::Open;fname.Alloc() failed"));
1501 return SQLITE_IOERR_NOMEM;
1504 TInt recReadBufSize = -1;
1505 TInt err = KErrNone;
1506 TInt fmode = EFileRead;
1507 if(aFlags & SQLITE_OPEN_READWRITE)
1509 fmode |= EFileWrite;
1511 //SQLite TCL tests expect the journal file to be open in shared mode.
1512 if(aFlags & SQLITE_OPEN_EXCLUSIVE && !(aFlags & SQLITE_OPEN_MAIN_JOURNAL))
1514 fmode |= EFileShareExclusive;
1518 fmode |= (fmode & EFileWrite) ? EFileShareAny : EFileShareReadersOnly;
1521 {//Create temporary file
1522 err = ::CreateTempFile(dbFile, fname, fmode);
1526 err = KErrAccessDenied;//The error has to be set here, because, there is a case where none of the file create/open operations will be executed
1527 TInt prevErr = KErrNone;
1528 if(aFlags & SQLITE_OPEN_CREATE)
1530 prevErr = err = dbFile.iFileBuf.Create(TStaticFs::Fs(), fname, fmode);
1532 if(err != KErrNone && err != KErrNoMemory && err != KErrDiskFull)
1534 err = dbFile.iFileBuf.Open(TStaticFs::Fs(), fname, fmode);
1535 if(err == KErrNone && (aFlags & KJournalFileTypeBitMask))
1537 err = TVfs::DoFileSizeCorruptionCheck(dbFile, fname, fmode);
1540 if((err != KErrNone && err != KErrNoMemory && err != KErrDiskFull) && (aFlags & SQLITE_OPEN_READWRITE))
1542 aFlags &= ~SQLITE_OPEN_READWRITE;
1543 aFlags |= SQLITE_OPEN_READONLY;
1544 fmode &= ~EFileWrite;
1545 err = dbFile.iFileBuf.Open(TStaticFs::Fs(), fname, fmode);
1547 if(err != KErrNone && prevErr == KErrAccessDenied)
1549 err = KErrAccessDenied;
1554 err = TVfs::DoGetDeviceCharacteristicsAndSectorSize(dbFile, recReadBufSize);
1558 dbFile.iFileBuf.Close();
1559 delete dbFile.iFullName;
1560 dbFile.iFullName = NULL;
1561 if(!aFileName && fname.Length() > 0)
1562 {//temporary file, the error is not KErrNone. Then delete the file (after a successfull
1563 //temporary file creation there could be a failed memory allocation)
1564 (void)TStaticFs::Fs().Delete(fname);
1569 dbFile.pMethods = &TheFileIoApi;
1570 dbFile.iReadOnly = !(aFlags & SQLITE_OPEN_READWRITE);
1573 *aOutFlags = dbFile.iReadOnly ? SQLITE_OPEN_READONLY : SQLITE_OPEN_READWRITE;
1575 (void)dbFile.iFileBuf.SetReadAheadSize(dbFile.iSectorSize, recReadBufSize);
1578 TInt sqliteErr = ::Os2SqliteErr(err, SQLITE_CANTOPEN);
1579 SQLITE_TRACE_OS(OstTraceExt4(TRACE_INTERNALS, TVFS_OPEN_EXIT, "OS-Exit;0x%X;TVfs::Open;outFlags=0x%X;err=%d;sqliteErr=%d", (TUint)&aDbFile, aOutFlags ? (TUint)*aOutFlags : 0, err, sqliteErr));
1584 SQLite OS porting layer API.
1586 Deletes a file which name is in the aFileName parameter.
1588 @param aFileName Zero-terminated, UTF8 encoded file name.
1590 @return SQLITE_ERROR, The aFileName parameter cannot be converted to UTF16.
1591 The file name refers to a private secure database;
1592 SQLITE_IOERR_NOMEM, An out of memory condition has occured;
1593 SQLITE_IOERR_DELETE,The delete file operation has failed;
1594 SQLITE_OK, The operation has completed successfully.
1596 /* static */ int TVfs::Delete(sqlite3_vfs* aVfs, const char* aFileName, int /*aSyncDir*/)
1598 SimulateIOError(return SQLITE_IOERR_DELETE);
1600 if(!::ConvertToUnicode(aFileName, fname))
1602 SQLITE_TRACE_OS(OstTrace0(TRACE_INTERNALS, TVFS_DELETE1, "OS;0;TVfs::Delete;ConvertToUnicode() failed"));
1603 return SQLITE_ERROR;
1605 TInt err = TStaticFs::Fs().Delete(fname);
1606 TInt sqliteErr = ::Os2SqliteErr(err, SQLITE_IOERR_DELETE);
1607 SQLITE_TRACE_OS(OstTraceExt2(TRACE_INTERNALS, TVFS_DELETE2, "OS;0;TVfs::Delete;err=%d;sqliteErr=%d", err, sqliteErr));
1612 SQLite OS porting layer API.
1614 Retrieves an information about a file which name is in the aFileName parameter.
1615 The requested information type can be: does the file exist, is the file read-only or read/write.
1617 @param aFileName Zero-terminated, UTF8 encoded file name.
1618 @param aFlags This parameter can be one of: SQLITE_ACCESS_READ, SQLITE_ACCESS_EXISTS or SQLITE_ACCESS_READWRITE.
1619 @param aResOut Output parameter, set to 1 if the tested condition is true, 0 otherwise.
1621 @return SQLITE_OK, The call has completed successfully,
1622 SQLITE_IOERR_NOMEM, An out of memory conditon has occured,
1623 SQLITE_IOERR_ACCESS,File I/O error;
1625 /* static */ int TVfs::Access(sqlite3_vfs* aVfs, const char* aFileName, int aFlags, int* aResOut)
1628 if(!::ConvertToUnicode(aFileName, fname))
1630 SQLITE_TRACE_OS(OstTrace0(TRACE_INTERNALS, TVFS_ACCESS1, "OS;0;TVfs::Access;ConvertToUnicode() failed"));
1631 return SQLITE_IOERR_ACCESS;
1633 SQLITE_TRACE_OS(OstTraceExt2(TRACE_INTERNALS, TVFS_ACCESS_ENTRY, "OS-Entry;0;TVfs::Access;fname=%S;aFlags=0x%X", __SQLITEPRNSTR(fname), (TUint)aFlags));
1635 TInt err = TStaticFs::Fs().Entry(fname, entry);
1636 if(aFlags == SQLITE_ACCESS_EXISTS && err == KErrNotFound)
1639 SQLITE_TRACE_OS(OstTrace0(TRACE_INTERNALS, TVFS_ACCESS_EXIT1, "OS-Exit;0;TVfs::Access;Exists-NoFound"));
1644 SQLITE_TRACE_OS(OstTrace1(TRACE_INTERNALS, TVFS_ACCESS_EXIT2, "OS-Exit;0;TVfs::Access;err=%d", err));
1645 return err == KErrNoMemory ? SQLITE_IOERR_NOMEM : SQLITE_IOERR_ACCESS;
1650 case SQLITE_ACCESS_READ:
1651 *aResOut = entry.IsReadOnly();
1653 case SQLITE_ACCESS_EXISTS:
1656 case SQLITE_ACCESS_READWRITE:
1657 *aResOut = !entry.IsReadOnly();
1662 SQLITE_TRACE_OS(OstTrace1(TRACE_INTERNALS, TVFS_ACCESS_EXIT3, "OS-Exit;0;TVfs::Access;aResOut=%d", *aResOut));
1667 SQLite OS porting layer API.
1669 Accepts UTF8 encoded, zero-terminated file as an input argument in the aRelative parameter
1670 and constructs the full file path in the aBuf output parameter.
1672 If the format of aRelative argument is <[SID]FileName.[EXT]>, then the database file name will be
1673 treated as a name of a secure database file which has to be created/opened in the server's private
1674 directory on the system drive.
1676 If the format of aRelative argument is <Drive:[SID]FileName.[EXT]>, then the database file name
1677 will be treated as a name of a secure database file which has to be created/opened in the server's
1678 private directory on <Drive:> drive.
1680 If the format of aRelative argument is <Drive:\Path\FileName.[EXT]>, then the database file name
1681 will be treated as a name of a non-secure database file in <Drive:\Path\> directory.
1682 If aRelative contains file handles, then it will be treated as a name of a file belonging to server's
1685 @param aRelative The input file name, zero-terminated, UTF8 encoded.
1686 @param aBufLen The output buffer length.
1687 @param aBuf Output buffer for the constructed full file name path. The allocated buffer length must be at least aBufLen bytes.
1689 @return SQLITE_ERROR, The aRelative parameter is NULL or cannot be converted to UTF16;
1690 SQLITE_OK The operation has completed successfully.
1692 /* static */ int TVfs::FullPathName(sqlite3_vfs* aVfs, const char* aRelative, int aBufLen, char* aBuf)
1694 if(!aRelative) //NULL argument
1696 SQLITE_TRACE_OS(OstTrace0(TRACE_INTERNALS, TVFS_FULLPATHNAME1, "OS;0;TVfs::FullPathName;err=SQLITE_ERROR"));
1697 return SQLITE_ERROR;
1699 //Convert the received file name to UTF16
1700 TBuf<KMaxFileName + 1> fname;
1701 if(!::ConvertToUnicode(aRelative, fname))
1703 SQLITE_TRACE_OS(OstTrace0(TRACE_INTERNALS, TVFS_FULLPATHNAME_EXIT1, "OS-Exit;0;TVfs::FullPathName;ConvertToUnicode() failed"));
1704 return SQLITE_ERROR;
1706 SQLITE_TRACE_OS(OstTraceExt2(TRACE_INTERNALS, TVFS_FULLPATHNAME_ENTRY, "OS-Entry;0;TVfs::FullPathName;fname=%S;aBufLen=%d", __SQLITEPRNSTR(fname), aBufLen));
1707 //Search if the file name begins with ".\" - current directory
1708 if(fname.Find(KCwd) == 0)
1710 fname.Delete(0, KCwd().Length());
1712 fname.Append(TChar(0));//Zero-terminate the converted file name
1713 TFileName defaultPath;
1714 TInt err = TStaticFs::Fs().SessionPath(defaultPath);
1717 SQLITE_TRACE_OS(OstTrace1(TRACE_INTERNALS, TVFS_FULLPATHNAME_EXIT4, "OS-Exit;0;TVfs::FullPathName;SessionPath() failed, err=%d", err));
1718 return SQLITE_ERROR;
1721 (void)parse.Set(fname, &defaultPath, 0);//If fname does not have a path, defaultPath will be used
1722 TPtr8 dest8(reinterpret_cast <TUint8*> (aBuf), aBufLen);
1723 if(!::ConvertFromUnicode(parse.FullName(), dest8))
1725 SQLITE_TRACE_OS(OstTrace0(TRACE_INTERNALS, TVFS_FULLPATHNAME_EXIT2, "OS-Exit;0;TVfs::FullPathName;ConvertFromUnicode() failed"));
1726 return SQLITE_ERROR;
1728 SQLITE_TRACE_OS(OstTrace0(TRACE_INTERNALS, TVFS_FULLPATHNAME_EXIT3, "OS-Exit;0;TVfs::FullPathName;err=SQLITE_OK"));
1733 SQLite OS porting layer API.
1735 Generates a set of random numbers and stores them in the aBuf output parameter.
1737 @param aBufLen The output buffer length.
1738 @param aBuf Output buffer for the generated random numbers. The allocated buffer length must be at least aBufLen bytes.
1740 @return The length of the used part of the output buffer.
1742 /* static */ int TVfs::Randomness(sqlite3_vfs* aVfs, int aBufLen, char* aBuf)
1744 const TInt KRandIterations = aBufLen / sizeof(int);
1745 for(TInt i=0;i<KRandIterations;++i)
1747 TInt val = Math::Rand(Seed());
1748 Mem::Copy(&aBuf[i * sizeof(int)], &val, sizeof(val));
1750 return KRandIterations * sizeof(int);
1754 SQLite OS porting layer API.
1756 Sleeps for aMicrosec microseconds.
1758 @param aMicrosec The sleep interval in microseconds.
1760 @return The aMicrosec value.
1762 /* static */ int TVfs::Sleep(sqlite3_vfs* aVfs, int aMicrosec)
1764 User::AfterHighRes(TTimeIntervalMicroSeconds32(aMicrosec));
1769 SQLite OS porting layer API.
1771 Retrieves the current date and time.
1773 @param aNow Output parameter, where the data and time value will be stored.
1774 SQLite processes all times and dates as Julian Day numbers and
1775 aNow parameter will contain the julian date and time.
1779 /* static */ int TVfs::CurrentTime(sqlite3_vfs* aVfs, double* aNow)
1782 now.UniversalTime();
1783 TDateTime date = now.DateTime();
1784 TInt year = date.Year();
1785 TInt month = date.Month() + 1;
1786 TInt day = date.Day() + 1;
1788 //Calculate the Julian days
1789 TInt jd = day - 32076 +
1790 1461*(year + 4800 + (month - 14)/12)/4 +
1791 367*(month - 2 - (month - 14)/12*12)/12 -
1792 3*((year + 4900 + (month - 14)/12)/100)/4;
1796 // Add the fractional hours, mins and seconds
1797 *aNow += (date.Hour() + 12.0) / 24.0;
1798 *aNow += date.Minute() / 1440.0;
1799 *aNow += date.Second() / 86400.0;
1802 if( sqlite3_current_time )
1804 *aNow = sqlite3_current_time / 86400.0 + 2440587.5;
1811 SQLite OS porting layer API.
1813 Retrieves a text description of the last OS error.
1814 Note: the method has a default "no-op" implementation at the moment.
1818 /* static */int TVfs::GetLastError(sqlite3_vfs* aVfs, int /*aBufLen*/, char* /*aBuf*/)
1823 ///////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////
1825 #endif//SQLITE_OS_SYMBIAN