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.
16 #include "SqlSrvFileData.h" //TSqlSrvFileData
17 #include "SqlSrvMain.h" //CSqlServer
18 #include "SqlSrvAuthorizer.h" //MSqlPolicyInspector
19 #include "SqlSrvDatabase.h"
20 #include "SqlSrvStatement.h"
21 #include "SqlUtil.h" //Panic codes, Sql2OsErrCode()
22 #include "SqlSrvUtil.h" //Global server functions
23 #include "SqlCompact.h"
24 #include "SqlSrvResourceProfiler.h"
25 #include "OstTraceDefinitions.h"
26 #ifdef OST_TRACE_COMPILER_IN_USE
27 #include "SqlSrvDatabaseTraces.h"
29 #include "SqlTraceDef.h"
32 // The following macro disables the creation/loading of the settings table.
33 // It is for internal testing purposes only!
35 // __SQL_DISABLE_SYMBIAN_SETTINGS_TABLE__
37 // This means that the database index will always be rebuilt when loaded by
38 // by the server regardless of the current system collation/locale in use.
39 // The benefit of enabling this macro is that a client can send PRAGMA
40 // commands to the SQL server before any tables have been explicity created in
41 // a NON-SECURE database (secure databases still automatically get a security
44 // The macro is applied inside:
45 // CSqlSrvDatabase::StoreSettingsL
46 // CSqlSrvDatabase::ProcessSettingsL
48 // We should inform the user at compile-time if this macro has been enabled:
49 #if defined(__SQL_DISABLE_SYMBIAN_SETTINGS_TABLE__)
50 #pragma message(">>> WARNING: Use of SYMBIAN_SETTINGS table has been disabled <<<")
54 ///////////////////////////////////////////////////////////////////////////////////////////////////////////////
55 ///////////////////////////// Local const data ///////////////////////////////////////////////////////
56 ///////////////////////////////////////////////////////////////////////////////////////////////////////////////
58 const char* KErrMsg1 = "Missing ESCAPE expression";
59 const char* KErrMsg2 = "ESCAPE expression must be a single character";
61 ////////////////////////////////////////////////////////
62 //Attach/detach SQL statements (zero-terminated strings)
63 _LIT(KAttachDb, "ATTACH DATABASE :FileName AS :DbName\x0");
64 _LIT(KDetachDb, "DETACH DATABASE :DbName\x0");
65 ////////////////////////////////////////////////////////
66 // Pragma SQL statements. The database names in all statements are quoted to avoid the "sql injection" threat.
67 // (At the moment there is no way to pass an invalid database name for these statements, because the database has to be attached
68 // first and a parameter binding is used there. So, the quoting is just for safety and against changes in the future)
69 _LIT(KCacheSizePragma, "PRAGMA \"%S\".cache_size=%d\x0");
70 _LIT(KPageSizePragma, "PRAGMA \"%S\".page_size=%d\x0");
71 _LIT(KAutoVacuumPragma, "PRAGMA \"%S\".auto_vacuum=%d\x0");
72 //_LIT(KPersist, "persist");
73 //_LIT(KPersistentJournalPragma, "PRAGMA \"%S\".journal_mode=%S\x0");
74 _LIT(KJournalSizeLimitPragma, "PRAGMA \"%S\".journal_size_limit=%d\x0");
75 ////////////////////////////////////////////////////////
76 //"LIKE" - user defined function name
77 _LIT8(KStrLikeFuncName, "LIKE\x0");
79 ///////////////////////////////////////////////////////////////////////////////////////////////////////////////
80 ///////////////////////////// Local functions ///////////////////////////////////////////////////////
81 ///////////////////////////////////////////////////////////////////////////////////////////////////////////////
83 //Local function, used for comparing TSqlAttachDbPair objects.
84 //(TSqlAttachDbPair structure represents type of the objects, members
85 // of the map used for keeping the information regarding attached databases)
87 //Note that iKey members of aLeft and aRight function parameters are expected to be
88 //UTF8 encoded, zero-terminated strings.
90 //The function will panic with panic code 7 in _DEBUG mode if iKey member of aLeft or
91 //aRight argument is NULL.
92 static TInt Compare(const TSqlAttachDbPair& aLeft, const TSqlAttachDbPair& aRight)
94 __ASSERT_DEBUG(aLeft.iKey != NULL && aRight.iKey != NULL, __SQLPANIC2(ESqlPanicInternalError));
95 return ::CompareNoCase8(TPtrC8(aLeft.iKey), TPtrC8(aRight.iKey));
98 //Local function, used for comparing TSqlCompactDbPair objects.
99 //(TSqlCompactDbPair structure represents type of the objects, members
100 // of the map used for keeping the information regarding compacted databases)
102 //Note that iKey members of aLeft and aRight function parameters are expected to be
103 //UTF16 encoded strings.
105 //The function will panic with panic code 7 in _DEBUG mode if iKey member of aLeft or
106 //aRight argument is NULL.
107 static TInt Compare2(const TSqlCompactDbPair& aLeft, const TSqlCompactDbPair& aRight)
109 __ASSERT_DEBUG(aLeft.iKey != NULL && aRight.iKey != NULL, __SQLPANIC2(ESqlPanicInternalError));
110 return ::CompareNoCase(*aLeft.iKey, *aRight.iKey);
113 //Creates/opens database file (database file name in aFileData parameter) and initializes aDbHandle parameter.
114 //The database will be created either with UTF-16 or UTF-8 encoding, depending on the
115 //TSqlSrvFileData::IsUTF16() property.
116 static void CreateDbHandleL(const TSqlSrvFileData& aFileData, sqlite3*& aDbHandle)
118 if(aFileData.ConfigParams().iDbEncoding == TSqlSrvConfigParams::EEncUtf8)
120 TBuf8<KMaxFileName + 1> fileNameZ;
121 if(!::UTF16ZToUTF8Z(aFileData.FileNameZ(), fileNameZ))
123 __SQLLEAVE2(KErrGeneral);
125 __SQLLEAVE_IF_ERROR2(::CreateDbHandle8(fileNameZ, aDbHandle));
129 __SQLLEAVE_IF_ERROR2(::CreateDbHandle16(aFileData.FileNameZ(), aDbHandle));
133 //LoadAttachedDbSecurityPolicyLC() creates a new CSqlSecurityPolicy object and initializes it with the
134 //security policies read from the attached database file, which name is in aFileData parameter.
135 //The created database security policy object is placed in the cleanup stack.
136 //The caller is responsible for the destruction of the created and returned security policy object.
137 //This function is used to read the security policies of attached databases.
138 static CSqlSecurityPolicy* LoadAttachedDbSecurityPolicyLC(const TSqlSrvFileData& aFileData)
140 //Create new database security policy object and initialize it with a default security policy
141 TSecurityPolicy defaultPolicy(TSecurityPolicy::EAlwaysFail);
142 CSqlSecurityPolicy* dbPolicy = CSqlSecurityPolicy::NewLC(defaultPolicy);
143 //This is an attached database and has to be opened
144 sqlite3* dbHandle = NULL;
145 CreateDbHandleL(aFileData, dbHandle);
146 CleanupStack::PushL(TCleanupItem(&CloseDbCleanup, dbHandle));
147 //Read the security policies.
148 TSqlDbSysSettings dbSysSettings(dbHandle);
149 dbSysSettings.LoadSecurityPolicyL(*dbPolicy);
150 CleanupStack::PopAndDestroy();//TCleanupItem(&CloseDbCleanup, dbHandle)
154 //LoadDbSecurityPolicyLC() creates a new CSqlSecurityPolicy object and initializes it with the
155 //security policies read from the database file.
156 //The created database security policy object is placed in the cleanup stack.
157 //The caller is responsible for destroying the returned database security policy object.
158 //The function is used to read the security policy of the main database.
159 static CSqlSecurityPolicy* LoadDbSecurityPolicyLC(sqlite3* aDbHandle)
161 __ASSERT_DEBUG(aDbHandle != NULL, __SQLPANIC2(ESqlPanicBadArgument));
162 //Create new database security policy object and initialize it with a default security policy
163 TSecurityPolicy defaultPolicy(TSecurityPolicy::EAlwaysFail);
164 CSqlSecurityPolicy* dbPolicy = CSqlSecurityPolicy::NewLC(defaultPolicy);
165 //Read the security policies.
166 TSqlDbSysSettings dbSysSettings(aDbHandle);
167 dbSysSettings.LoadSecurityPolicyL(*dbPolicy);
171 //CreateStrCopyLC() makes a copy of aSrc string and places it in the cleanup stack.
172 //aSrc is expected to be UTF8 encoded, zero terminated string.
173 //The function panics in _DEBUG mode if aSrc is NULL.
174 static TUint8* CreateStrCopyLC(const TUint8* aSrc)
176 __ASSERT_DEBUG(aSrc != NULL, __SQLPANIC2(ESqlPanicBadArgument));
177 TInt len = User::StringLength(aSrc) + 1;
178 TUint8* copy = new (ELeave) TUint8[len];
179 Mem::Copy(copy, aSrc, len);
180 CleanupStack::PushL(copy);
184 //EnableAuthorizer() function is used to reenable the authorizer callback
185 //during the stack cleanup.
186 static void EnableAuthorizer(void* aAuthorizerDisabled)
188 __ASSERT_DEBUG(aAuthorizerDisabled != NULL, __SQLPANIC2(ESqlPanicBadArgument));
189 TBool* authorizerDisabled = static_cast <TBool*> (aAuthorizerDisabled);
190 *authorizerDisabled = EFalse;
193 //Used by DbFileCleanup()
194 NONSHARABLE_STRUCT(TDbFileCleanup)
196 TDbFileCleanup(const TSqlSrvFileData& aSqlSrvFileData, sqlite3*& aDbHandle) :
197 iSqlSrvFileData(aSqlSrvFileData),
200 //aDbHandle can be NULL (it is a reference to a pointer and the pointer can be initialized later)
204 ::CloseDbHandle(iDbHandle);//This operation also deletes the journal file
206 (void)iSqlSrvFileData.Fs().Delete(iSqlSrvFileData.FileName());
209 const TSqlSrvFileData& iSqlSrvFileData;
213 //DbFileCleanup() is used to close and delete the database file during the stack cleanup, if
214 //CSqlSrvDatabase's ConstructL() method(s) leave (when creating a new database file).
215 static void DbFileCleanup(void* aDbFileCleanup)
217 __ASSERT_DEBUG(aDbFileCleanup != NULL, __SQLPANIC2(ESqlPanicBadArgument));
218 TDbFileCleanup* dbFileCleanup = static_cast <TDbFileCleanup*> (aDbFileCleanup);
219 dbFileCleanup->Cleanup();
222 //Executes "PRAGMA" SQL statement + INTEGER value.
224 // aValue - integer pragma value to be set;
225 // aPragma - pragma statement, the format is: ""PRAGMA <database name>.<parameter name>=%d\x0""
226 // aDbName - "main" or the attached database name
227 //This function is used for setting "cache_size", "page_size", "auto_vacuum" pragmas.
228 //During the call the authorizer will be disabled.
229 static TInt ExecPragma(sqlite3* aDbHandle, TBool& aAuthorizerDisabled, const TDesC& aPragma, TInt aValue, const TDesC& aDbName = KMainDb16)
231 __SQLTRACE_INTERNALSEXPR(TPtrC pragmaprnptr(aPragma.Left(aPragma.Length() - 1)));
232 SQL_TRACE_INTERNALS(OstTraceExt4(TRACE_INTERNALS, EXECPRAGMA_ENTRY, "Entry;0;ExecPragma;sqlite3*=0x%X;aPragma=%S;aValue=%d;aDbName=%S", (TUint)aDbHandle, __SQLPRNSTR(pragmaprnptr), aValue, __SQLPRNSTR(aDbName)));
233 __ASSERT_DEBUG(aDbHandle != NULL, __SQLPANIC2(ESqlPanicBadArgument));
234 TBuf<KMaxFileName + 64> pragmaSql;//(KMaxFileName + 64) characters buffer length is enough for the longest possible PRAGMA statement
235 pragmaSql.Format(aPragma, &aDbName, aValue);
236 TBool authorizerDisabledState = aAuthorizerDisabled;
237 aAuthorizerDisabled = ETrue;
238 TInt err = DbExecStmt16(aDbHandle, pragmaSql);
239 aAuthorizerDisabled = authorizerDisabledState;
240 SQL_TRACE_INTERNALS(OstTraceExt2(TRACE_INTERNALS, EXECPRAGMA_EXIT, "Exit;0;ExecPragma;sqlite3*=0x%X;err=%d", (TUint)aDbHandle, err));
244 //The journal size limit is set to be at lest 16 pages and no less than 64 Kb.
245 static void SetJournalSizeLimitL(sqlite3* aDbHandle, TBool& aAuthorizerDisabled, TInt aPageSize, const TDesC& aDbName = KMainDb16)
247 __ASSERT_DEBUG(aDbHandle != NULL, __SQLPANIC2(ESqlPanicBadArgument));
248 if(aPageSize == TSqlSrvConfigParams::KConfigPrmValueNotSet)
250 __SQLLEAVE_IF_ERROR2(DbPageSize(aDbHandle, aDbName, aPageSize));
252 const TInt KPageMultiplier = 16;
253 const TInt KDefaultJournalSizeLimit = 64 * 1024;
254 const TInt KMaxJournalSizeLimit = 512 * 1024;
255 const TInt KJournalSizeLimit = Min((aPageSize * KPageMultiplier), KMaxJournalSizeLimit);
256 if(KJournalSizeLimit > KDefaultJournalSizeLimit)
258 __SQLLEAVE_IF_ERROR2(::ExecPragma(aDbHandle, aAuthorizerDisabled, KJournalSizeLimitPragma, KJournalSizeLimit));
262 //////////////////////////////////////////////////////////////////////////////////////////////////////
263 ///////////////////////////// CSqlSrvDatabase class /////////////////////////////////////////////
264 //////////////////////////////////////////////////////////////////////////////////////////////////////
268 ///////////////////////////// Object creation methods /////////////////////////////////////////////
271 Creates new CSqlSrvDatabase instance which creates and manages new secure SQL database.
273 @param aFileData A reference to a TSqlSrvFileData instance, which keeps the database name, a
274 file session reference and some other database file related properties.
275 The format of the name must be:
276 \<drive\>:\<[SID]database file name excluding the path\>.
277 "[SID]" refers to SID of the application which creates the database.
278 @param aSecurityPolicy The database security policies container.
279 CSqlSrvDatabase instance stores the pointer in the security policy map,
280 if it does not exist there already. The security policies map is owned by the CSqlServer class.
282 @return A pointer to the created CSqlSrvDatabase instance.
286 @see MSqlPolicyInspector
288 @see CSqlSecurityPolicy
290 @leave KErrNoMemory, an out of memory condition has occurred;
291 KErrArgument, if a system table name found in the security policies (aSecurityPolicy);
292 KErrAlreadyExists, the file already exists;
293 KErrNotReady, the drive does not exist or is not ready;
294 KErrInUse, the file is already open;
295 KErrPermissionDenied, the client application does not satisfy the relevant database security policies.
296 Note that the function may also leave with some other database specific
297 errors categorised as ESqlDbError, and other system-wide error codes.
299 @panic SqlDb 4 In _DEBUG mode if aFileData does not refer to a secure database file name.
300 @panic SqlDb 4 In _DEBUG mode if aSecurityPolicy is NULL.
302 CSqlSrvDatabase* CSqlSrvDatabase::CreateSecureL(const TSqlSrvFileData& aFileData, CSqlSecurityPolicy* aSecurityPolicy)
304 SQL_TRACE_INTERNALS(OstTrace0(TRACE_INTERNALS, CSQLSRVDATABASE_CREATESECUREL_ENTRY, "Entry;0;CSqlSrvDatabase::CreateSecureL"));
305 __ASSERT_DEBUG(aFileData.IsSecureFileNameFmt(), __SQLPANIC2(ESqlPanicBadArgument));
306 __ASSERT_DEBUG(aSecurityPolicy != NULL, __SQLPANIC2(ESqlPanicBadArgument));
307 if(!::SqlServer().SecurityInspector().Check(aSecurityPolicy->DbPolicy(RSqlSecurityPolicy::ESchemaPolicy)))
309 //The caller has no "SCHEMA" policy. Then the client is not given a permission to create the database.
310 //Delete aSecurityPolicy since no database object is going to be created and the security policy object
311 //won't be put in the security policies map.
312 delete aSecurityPolicy;
313 __SQLLEAVE2(KErrPermissionDenied);
315 //What does happen with aSecurityPolicy instance?
316 // If the database is created successfully, then a lookup will be made in the security policies map.
317 // (the security policies map contains reference counted security policies)
318 // If the same security policy already exists in the map, then aSecurityPolicy will be deleted.
319 // The reference counter of the found policy will be incremented.
320 // If aSecurityPolicy is not in the map, then it will be put in the map and removed
321 // from the map when CSqlSrvDatabase object is destroyed.
322 // (the "remove" operation decrements the security policy counter
323 // and destroys the policy if it reaches 0)
325 //The security policy map pair is:
326 //{secure_db_name, reference_counted db_security_policy}
327 //The security policy is reference counted, because the same database can be shared between one or more
328 //connections (clients), in which case only a single, reference counted instance of the database security
329 //policy is kept in the map.
330 CleanupStack::PushL(aSecurityPolicy);
331 CSqlSrvDatabase* self = new (ELeave) CSqlSrvDatabase();
332 CleanupStack::Pop(aSecurityPolicy);
333 CleanupStack::PushL(self);
334 self->ConstructCreateSecureL(aFileData, aSecurityPolicy);
335 CleanupStack::Pop(self);
336 SQL_TRACE_INTERNALS(OstTraceExt2(TRACE_INTERNALS, CSQLSRVDATABASE_CREATESECUREL_EXIT, "Exit;0x%X;CSqlSrvDatabase::CreateSecureL;sqlite3*=0x%X", (TUint)self, (TUint)self->iDbHandle));
341 Creates new CSqlSrvDatabase instance which creates and manages new SQL database.
343 @param aFileData A reference to a TSqlSrvFileData instance, which keeps the database name, a
344 file session reference and some other database file related properties.
346 @return A pointer to the created CSqlSrvDatabase instance.
350 @see MSqlPolicyInspector
352 @see CSqlSecurityPolicy
354 @leave KErrNoMemory, an out of memory condition has occurred;
355 KErrArgument, the file name is a name of a secure database;
356 KErrAlreadyExists, the file already exists;
357 KErrNotReady, the drive does not exist or is not ready;
358 KErrInUse, the file is already open;
359 KErrArgument, the file name refers to a secure database, but aSecurityPolicy is NULL;
360 Note that the function may also leave with some other database specific
361 errors categorised as ESqlDbError, and other system-wide error codes.
363 @panic SqlDb 4 In _DEBUG mode if aFileData refers to a secure database file name.
365 CSqlSrvDatabase* CSqlSrvDatabase::CreateL(const TSqlSrvFileData& aFileData)
367 SQL_TRACE_INTERNALS(OstTrace0(TRACE_INTERNALS, CSQLSRVDATABASE_CREATEL_ENTRY, "Entry;0;CSqlSrvDatabase::CreateL"));
368 __ASSERT_DEBUG(!aFileData.IsSecureFileNameFmt(), __SQLPANIC2(ESqlPanicBadArgument));
369 CSqlSrvDatabase* self = new (ELeave) CSqlSrvDatabase();
370 CleanupStack::PushL(self);
371 self->ConstructCreateL(aFileData);
372 CleanupStack::Pop(self);
373 SQL_TRACE_INTERNALS(OstTraceExt2(TRACE_INTERNALS, CSQLSRVDATABASE_CREATEL_EXIT, "Exit;0x%X;CSqlSrvDatabase::CreateL;sqlite3*=0x%X", (TUint)self, (TUint)self->iDbHandle));
378 Creates new CSqlSrvDatabase instance which opens and manages an existing SQL database.
380 @param aFileData A reference to a TSqlSrvFileData instance, which keeps the database name, a
381 file session reference and some other database file related properties.
382 If this is a secure database, then the format of the name must be:
383 \<drive\>:\<[SID]database file name excluding the path\>.
384 If this is a non-secure database, then the file name has to be the full database file name.
385 "[SID]" refers to SID of the application which created the database.
386 If this is application's private database, then the format of aFileData is as it is described
387 in TSqlSrvFileData::SetFromHandleL() comments.
389 @return A pointer to the created CSqlSrvDatabase instance.
391 @leave KErrNoMemory, an out of memory condition has occurred;
392 KErrNotReady, the drive does not exist or is not ready;
393 KErrNotFound, the database file does not exist;
394 KErrInUse, the file is already open;
395 KErrPermissionDenied, the client application does not satisfy the relevant database security policies.
396 Note that the function may also leave with some other database specific
397 errors categorised as ESqlDbError, and other system-wide error codes.
401 @see MSqlPolicyInspector
403 @see CSqlSecurityPolicy
404 @see TSqlSrvFileData::SetFromHandleL()
406 CSqlSrvDatabase* CSqlSrvDatabase::OpenL(const TSqlSrvFileData& aFileData)
408 SQL_TRACE_INTERNALS(OstTrace0(TRACE_INTERNALS, CSQLSRVDATABASE_OPENL_ENTRY, "Entry;0;CSqlSrvDatabase::OpenL"));
409 CSqlSrvDatabase* self = new (ELeave) CSqlSrvDatabase();
410 CleanupStack::PushL(self);
411 aFileData.IsSecureFileNameFmt() ? self->ConstructOpenSecureL(aFileData) : self->ConstructOpenL(aFileData);
412 CleanupStack::Pop(self);
413 SQL_TRACE_INTERNALS(OstTraceExt2(TRACE_INTERNALS, CSQLSRVDATABASE_OPENL_EXIT, "Exit;0x%X;CSqlSrvDatabase::OpenL;sqlite3*=0x%X", (TUint)self, (TUint)self->iDbHandle));
418 Cleans up the allocated for the database connection memory and other resources.
420 CSqlSrvDatabase::~CSqlSrvDatabase()
422 SQL_TRACE_INTERNALS(OstTraceExt2(TRACE_INTERNALS, CSQLSRVDATABASE_CSQLSRVDATABASE2_ENTRY, "Entry;0x%X;CSqlSrvDatabase::~CSqlSrvDatabase;sqlite3*=0x%X", (TUint)this, (TUint)iDbHandle));
423 TSqlCompactDbMapIterator compactDbIt(iCompactDbMap);
424 TSqlCompactDbPair compactDbPair;
425 while(compactDbIt.Next(compactDbPair))
427 __ASSERT_DEBUG(compactDbPair.iData, __SQLPANIC2(ESqlPanicInvalidObj));
428 ::SqlServer().Compactor().ReleaseEntry(*compactDbPair.iData);
430 iCompactDbMap.Close();
431 //If iSecureDbName is not NULL, the current CSqlSrvDatabase object operates on a secure database.
432 //The database security policy has to be removed from the security policy map.
433 //(The "remove" operation actually decrements the security policy reference counter and destroys the policy
434 //when the counter reaches 0. The counter value may be greater than 1 if the database is shared between
435 //more than one connection)
438 ::SqlServer().SecurityMap().Remove(iSecureDbName);
439 //The security policy map owns iSecureDbName and iSecurityPolicy and is responsible for
440 //iSecureDbName and iSecurityPolicy destruction.
442 //The next step of the "resource release" process is to walk over iAttachDbMap entries, get the data part of
443 //the found TSqlAttachDbPair objects, which is secure database name used as a key in iSecurityMap, and remove
444 //the related entry from iSecurityMap. If the database is closed in normal circumstances, the iAttachDbMap
445 //has no entries. But if the database client forgets to detach the used attached databases or if the Detach() call
446 //fails (for example, with KErrNoMemory error), then at this point iAttachDbMap has one or more entries.
447 //That means there are still some attached databases to this connection. This is not a problem, SQLite will take
448 //care of them. The problem is that there are related entries in iSecurityMap map, owned by CSqlServer object,
449 //and they won't be removed from the map till CSqlServer object is alive. This causes problems in OOM tests and in
450 //real life of the device.
451 //For example, one database client opens "c:[11111111]a.db" and attaches "c:[11111111]b.db":
452 // - c:[11111111]a.db database has been opened successfully. iSecurityMap has 1 entry:
453 // {"c:[11111111]a.db", <database security policy object>}.
454 // - c:[11111111]b.db is attached to c:[11111111]a.db with name "db2". There will be 1 entry in iAttachDbMap:
455 // {"db2", "c:[11111111]a.db"}
456 // and a new entry will be added to iSecurityMap:
457 // {"c:[11111111]b.db", <database security policy object>}. 2 entries in total in iSecurityMap.
458 // - The database client attempts to detach the attached database but the opertaion fails during the execution
459 // of the DETACH sql statement. Both maps are intact.
460 // - The database client attempts to close the database. The previous implementation of CSqlSrvDatabase::~CSqlSrvDatabase()
461 // would only remove "c:[11111111]a.db" entry from iSecurityMap and close the iAttachDbMap map.
462 // The result: no opened or attached databases but there will be one entry in iSecurityMap: "c:[11111111]b.db".
463 // OOM tests will report a memory leak in this case. On a real device, if "c:[11111111]b.db" gets deleted and
464 // recreated again, unexpected memory leak will occur in CSqlSrvDatabase::ConstructCreateSecureL() because
465 // the code there "expects" that is the first time when a "c:[11111111]b.db" entry is added to iSecurityMap.
466 TSqlAttachDbMapIterator it(iAttachDbMap);
467 TSqlAttachDbPair attachDbPair;
468 while(it.Next(attachDbPair))
470 __ASSERT_DEBUG(attachDbPair.iData, __SQLPANIC2(ESqlPanicInvalidObj));
471 ::SqlServer().SecurityMap().Remove(attachDbPair.iData);
473 iAttachDbMap.Close();
474 ::CloseDbHandle(iDbHandle);
475 SQL_TRACE_INTERNALS(OstTrace1(TRACE_INTERNALS, CSQLSRVDATABASE_CSQLSRVDATABASE2_EXIT, "Exit;0x%X;CSqlSrvDatabase::~CSqlSrvDatabase", (TUint)this));
479 Initializes CSqlSrvDatabase data memebers with their default values.
482 @see MSqlPolicyInspector
486 CSqlSrvDatabase::CSqlSrvDatabase() :
487 iAttachDbMap(TSqlAttachDbLinearOrder(&Compare), TSqlAttachDbDestructor()),
488 iCompactDbMap(TSqlCompactDbLinearOrder(&Compare2), TSqlCompactDbDestructor())
493 Creates a new SQL database file and executes config pragmas.
494 This function is part of CSqlSrvDatabase instance initialization.
495 If the function leaves and the error is not KErrAlreadyExists, the database file will be deleted.
497 @param aFileData A reference to a TSqlSrvFileData instance, which keeps the database name, a
498 file session reference and some other database file related properties.
499 If this is a secure database, then the format of the name must be:
500 \<drive\>:\<[SID]database file name excluding the path\>.
501 If this is a non-secure database, then the file name has to be the full database file name.
502 "[SID]" refers to SID of the application which creates the database.
506 @leave KErrNoMemory, an out of memory condition has occurred;
507 KErrAlreadyExists, the file already exists.
508 Note that the function may also leave with some other database specific
509 errors categorised as ESqlDbError, and other system-wide error codes.
511 void CSqlSrvDatabase::CreateNewDbFileL(const TSqlSrvFileData& aFileData)
513 __SQLTRACE_INTERNALSVAR(TPtrC fname = aFileData.FileName());
514 SQL_TRACE_INTERNALS(OstTraceExt2(TRACE_INTERNALS, CSQLSRVDATABASE_CREATENEWDBFILEL, "0x%x;CSqlSrvDatabase::CreateNewDbFileL;fname=%S", (TUint)this, __SQLPRNSTR(fname)));
515 if(::FileExists(aFileData.Fs(), aFileData.FileName()))
517 __SQLLEAVE(KErrAlreadyExists);
519 TDbFileCleanup dbFileCleanup(aFileData, iDbHandle);
520 CleanupStack::PushL(TCleanupItem(&DbFileCleanup, &dbFileCleanup));
521 ::CreateDbHandleL(aFileData, iDbHandle);
522 SetConfigL(aFileData.ConfigParams(), ETrue);
523 CleanupStack::Pop();//DbFileCleanup
527 Opens an existing SQL database file and executes config pragmas.
529 This function is part of CSqlSrvDatabase instance initialization.
531 @param aFileData A reference to a TSqlSrvFileData instance, which keeps the database name, a
532 file session reference and some other database file related properties.
533 If this is a secure database, then the format of the name must be:
534 \<drive\>:\<[SID]database file name excluding the path\>.
535 If this is a non-secure database, then the file name has to be the full database file name.
536 "[SID]" refers to SID of the application which creates the database.
537 If this is application's private database, then the format of aFileData is as it is described
538 in TSqlSrvFileData::SetFromHandleL() comments.
540 @leave KErrNoMemory, an out of memory condition has occurred;
541 KErrNotFound, SQL database file not found.
542 Note that the function may also leave with some other database specific
543 errors categorised as ESqlDbError, and other system-wide error codes.
546 @see TSqlSrvFileData::SetFromHandleL()
548 void CSqlSrvDatabase::OpenExistingDbFileL(const TSqlSrvFileData& aFileData)
550 __SQLTRACE_INTERNALSVAR(TPtrC fname = aFileData.FileName());
551 SQL_TRACE_INTERNALS(OstTraceExt2(TRACE_INTERNALS, CSQLSRVDATABASE_OPENEXISTINGDBFILEL, "0x%x;CSqlSrvDatabase::OpenExistingDbFileL;fname=%S", (TUint)this, __SQLPRNSTR(fname)));
552 if(!aFileData.ContainHandles())
553 {//This check is valid only if the database is outside application's private data cage
554 if(!::FileExists(aFileData.Fs(), aFileData.FileName()))
556 __SQLLEAVE(KErrNotFound);
559 ::CreateDbHandleL(aFileData, iDbHandle);
560 //this is an existing database, only the cache size can be changed, the page size is persistent database property.
561 //But for private databases, opened on the client side - the page size can be set (for the "create database" operations).
562 SetConfigL(aFileData.ConfigParams(), aFileData.ContainHandles());
566 Installs an authorizer callback function.
568 The callback function is invoked by the SQL parser at SQL statement compile time for each attempt
569 to access a column of a table in the database and is used to assert the calling application's rights to
570 perform specific SQL operation.
572 This function is part of CSqlSrvDatabase instance initialization.
574 @leave The function may leave with some database specific errors categorised as ESqlDbError.
576 void CSqlSrvDatabase::InstallAuthorizerL()
578 //Install the authorizer just once. "Install authorizer" may be expensive and dangerous operation because
579 //it will expire the already prepared statements.
580 if(!iAuthorizerInstalled)
582 (void)sqlite3SymbianLastOsError();//clear last OS error
583 TInt err = sqlite3_set_authorizer(iDbHandle, &CSqlSrvDatabase::AuthorizeCallback, this);
584 __SQLLEAVE_IF_ERROR(::Sql2OsErrCode(err, sqlite3SymbianLastOsError()));
586 iAuthorizerInstalled = ETrue;
589 #ifdef SYMBIAN_USE_SQLITE_VERSION_3_6_4
590 extern "C" int sqlite3RegisterInternalUtf8Like(sqlite3 *db);
593 Installs user-defined functions. At the moment there is only one: LIKE.
595 Replacing the LIKE operator default implementation with user defined LIKE functions.
596 The default implementation need a replacement because it does not work correctly with UTF16 encoded strings.
598 void CSqlSrvDatabase::InstallUDFsL()
600 //Registering user defined LIKE function with 2 parameters for UTF16 encoding
601 TInt err = sqlite3_create_function(iDbHandle, reinterpret_cast <const char*> (KStrLikeFuncName().Ptr()),
602 2/*arg*/, SQLITE_UTF16, this /*user data*/,
603 &CSqlSrvDatabase::LikeSqlFunc, NULL/*xStep*/, NULL/*xFinal*/);
604 __SQLLEAVE_IF_ERROR(::Sql2OsErrCode(err, sqlite3SymbianLastOsError()));
605 //Registering user defined LIKE function with 3 parameters for UTF16 encoding
606 err = sqlite3_create_function(iDbHandle, reinterpret_cast <const char*> (KStrLikeFuncName().Ptr()),
607 3/*arg*/, SQLITE_UTF16, this/*user data*/,
608 &CSqlSrvDatabase::LikeSqlFunc, NULL/*xStep*/, NULL/*xFinal*/);
609 __SQLLEAVE_IF_ERROR(::Sql2OsErrCode(err, sqlite3SymbianLastOsError()));
611 #ifdef SYMBIAN_USE_SQLITE_VERSION_3_6_4
612 //Registering user defined LIKE function with 2 and 3 parameters for UTF8 encoding
613 //Once registered, these will be treated as built-in functions
614 err = sqlite3RegisterInternalUtf8Like(iDbHandle);
615 __SQLLEAVE_IF_ERROR(::Sql2OsErrCode(err, sqlite3SymbianLastOsError()));
620 Constructs a key for searching in the security policies map.
622 The key is UTF8 encoded, zero-terminated string.
624 Every time when CSqlSrvDatabase instance creates, opens or attaches a secure database, it updates
625 the contents of the security policies map (RSqlSecurityMap class), which is a single instance owned
626 by the CSqlServer class.
628 @param aDbFileName Full secure database file name, from which the security policies map key
631 @return A const pointer to the constructed security map key. No memory is allocated for the key.
633 @leave KErrGeneral the UTF16 to UTF8 conversion of aDbFileName parameter failed.
638 const TUint8* CSqlSrvDatabase::SecurityMapKeyL(const TDesC& aDbFileName)
640 //Form the map item key - the secure database name
641 TParsePtrC parse(aDbFileName);//this call may panic if aDbFileName cannot be parsed. But aDbFileName was preprocessed by TSqlSrvFileData::Set
642 TFileName secureDbName;
643 secureDbName.Copy(parse.Drive());
644 secureDbName.Append(parse.NameAndExt());
645 secureDbName.Append(TChar(0));
646 TPtr8 ptr(iFileNameBuf, sizeof(iFileNameBuf));
647 if(!::UTF16ZToUTF8Z(secureDbName, ptr))
649 __SQLLEAVE(KErrGeneral);
655 Attaches a secure or non-secure database to the current database connection.
657 @param aFileData A reference to a TSqlSrvFileData instance, which keeps the database name, a
658 file session reference and some other database file related properties.
659 If this is a secure database, then the format of the name must be:
660 \<drive\>:\<[SID]database file name excluding the path\>.
661 If this is a non-secure database, then the file name has to be the full database file name.
662 "[SID]" refers to SID of the application which creates the database.
663 @param aDbName Database name. It must be unique (per database connection). This is the name which can
664 be used for accessing tables in the attached database. The syntax is "database-name.table-name".
666 @leave KErrNotFound, the database file which has to be attached does not exist.
667 KErrPermissionDenied, the client application does not satisfy the relevant security policies of
668 the attached database.
669 Note that the function may also leave with some other database specific
670 errors categorised as ESqlDbError, and other system-wide error codes.
674 void CSqlSrvDatabase::AttachDbL(const TSqlSrvFileData& aFileData, const TDesC& aDbName)
676 SQL_TRACE_INTERNALS(OstTraceExt2(TRACE_INTERNALS, CSQLSRVDATABASE_ATTACHDBL_ENTRY, "Entry;0x%X;CSqlSrvDatabase::AttachDbL;aDbName=%S", (TUint)this, __SQLPRNSTR(aDbName)));
677 if(!aFileData.ContainHandles())
678 {//This check is valid only if the database is outside application's private data cage
679 if(!::FileExists(aFileData.Fs(), aFileData.FileName()))
681 __SQLLEAVE(KErrNotFound);
684 if(!aFileData.IsSecureFileNameFmt())
685 {//A non-secure database to be attached - execute the "ATTACH DB" SQL statement and initialize the attached database.
686 InitAttachedDbL(aFileData, aDbName);
689 {//A secure database has to be attached. This is a complex operation and if it fails, proper cleanup
690 //has to be performed. "state" variable keeps the state, after which the "attach db" operation failed.
691 //There are three things needed to be done when atatching a secure database:
692 // 1. Executing the "ATTACH DB" SQL statement and initializing the attached database
693 // 2. Updating the security policy map
694 // 3. Updating the {db name, logical db name} map
695 //The additional map (3) is needed because when the authorizer callback is called by SQLITE, the callback
696 //is given the logical database name, if that's an operation on an attached database. Since the security
697 //policy map uses the database name as a key, the map (3) is used to find what is the physical database
698 //name, which the logical database name points to.
700 //There is an additional step (0), which may happen when a secure database is attached to a
701 //non-secure database. But this step does not require a cleanup.
702 CSqlSrvDatabase::TAttachState state = CSqlSrvDatabase::EAStNone;
703 const TUint8* securityMapKey = NULL;
704 TRAPD(err, DoAttachSecureDbL(state, aFileData, aDbName, securityMapKey));
708 if(state > CSqlSrvDatabase::EAStNone)
710 (void)FinalizeAttachedDb(aDbName);
711 if(state > CSqlSrvDatabase::EAStDbAttached)
713 ::SqlServer().SecurityMap().Remove(securityMapKey);
719 SQL_TRACE_INTERNALS(OstTrace1(TRACE_INTERNALS, CSQLSRVDATABASE_ATTACHDBL_EXIT, "Exit;0x%X;CSqlSrvDatabase::AttachDbL", (TUint)this));
723 Attaches a secure database to the existing connection.
725 The function also updates the following maps:
726 - Security policies map (CSqlServer::iSecurityMap), where a reference counted copy of database security policies
727 is kept for each created/opened/attached database during the life time of the SQL server;
728 - Attached secure databases map (CSqlSrvDatabase::iAttachDbMap), where an information is kept what SQL database
729 file name corresponds to a specific attached database name. This information is used by the authorizer callback
730 function in order to find what database security policies have to be asserted when a SQL operation is issued
731 for a particular attached database (the attached database name is identified always by its name, not the file name);
733 @param aState Output parameter - the attach progress state, used by the calling function to perform correctly
734 the cleanup, if the attach operation fails.
735 It may have the following values set:
736 - CSqlSrvDatabase::EAStNone - no resources need to be freed;
737 - CSqlSrvDatabase::EAStDbAttached - the function was able to execute the "ATTACH DATABASE"
738 SQL statement before an error occured. The calling function has to execute "DETACH DATABASE"
739 SQL statement to detach the database;
740 - CSqlSrvDatabase::EAStSecurityMapUpdated - the function was able to update the security policies
741 map (CSqlServer::iSecurityMap) before an error occured. The calling function has to remove
742 the attached database security policies from the map and detach the database.
743 @param aFileData A reference to a TSqlSrvFileData instance, which keeps the database name, a
744 file session reference and some other database file related properties.
745 The secure database name format must be:
746 \<drive\>:\<[SID]database file name excluding the path\>.
747 "[SID]" refers to SID of the application which creates the database.
748 @param aDbName Database name. It must be unique (per database connection). This is the name which can
749 be used for accessing tables in the attached database. The syntax is "database-name.table-name".
750 @param aMapKey Output parameter, UTF8 encoded, zero-terminated string, which can be used for searching
751 of the attached database security policies in the security policies map (CSqlServer::iSecurityMap).
752 No memory is allocated for the key.
760 @leave KErrNoMemory, an out of memory condition has occurred;
761 KErrPermissionDenied, the client application does not satisfy the relevant security policies of
762 the attached database.
763 Note that the function may also leave with some other database specific
764 errors categorised as ESqlDbError, and other system-wide error codes.
766 void CSqlSrvDatabase::DoAttachSecureDbL(CSqlSrvDatabase::TAttachState& aState,
767 const TSqlSrvFileData& aFileData,
768 const TDesC& aDbName, const TUint8*& aMapKey)
770 //Step 1: Attach the database and initialize the attached database
771 InitAttachedDbL(aFileData, aDbName);
772 aState = CSqlSrvDatabase::EAStDbAttached;
773 //Step 2: Load the database security policy and update the security map
774 const CSqlSecurityPolicy* securityPolicy = NULL;
775 UpdateSecurityMapL(ETrue, aFileData, aMapKey, securityPolicy);
776 aState = CSqlSrvDatabase::EAStSecurityMapUpdated;
777 //Check that the caller has at least one of {Schema, Read, Write} policies.
778 BasicSecurityPolicyCheckL(*securityPolicy);
779 //Step 3: Update the attached databases map
780 InsertInAttachDbMapL(aFileData.FileName(), aDbName);
784 Detaches a database from the current database connection.
786 The function also will search the security policies map (CSqlServer::iSecurityMap) and the attached databases
787 map (CSqlSrvDatabase::iAttachDbMap) for entries which correspond to the database ,
788 which is about to be detached, and will remove the entries.
790 @param aDbName Attached database name. It must be unique (per database connection).
792 @leave The function may leave with some database specific errors categorised as ESqlDbError,
793 and other system-wide error codes.
795 @see CSqlSrvDatabase::DoAttachSecureDbL()
801 void CSqlSrvDatabase::DetachDbL(const TDesC& aDbName)
803 SQL_TRACE_INTERNALS(OstTraceExt2(TRACE_INTERNALS, CSQLSRVDATABASE_DETACHDBL_ENTRY, "Entry;0x%X;CSqlSrvDatabase::DetachDbL;aDbName=%S", (TUint)this, __SQLPRNSTR(aDbName)));
804 TInt err = FinalizeAttachedDb(aDbName);
807 TRAP_IGNORE(RemoveFromMapsL(aDbName));
813 SQL_TRACE_INTERNALS(OstTrace1(TRACE_INTERNALS, CSQLSRVDATABASE_DETACHDBL_EXIT, "Exit;0x%X;CSqlSrvDatabase::DetachDbL", (TUint)this));
817 Calculates and returns the database size.
819 @param aDbName Attached database name or KNullDesC for the main database
821 @leave The function may leave with some database specific errors categorised as ESqlDbError,
822 and other system-wide error codes.
824 @return Database size in bytes.
826 TInt64 CSqlSrvDatabase::SizeL(const TDesC& aDbName)
828 iAuthorizerDisabled = ETrue;
829 CleanupStack::PushL(TCleanupItem(&EnableAuthorizer, &iAuthorizerDisabled));
831 __SQLLEAVE_IF_ERROR(::DbPageCount(iDbHandle, aDbName, pageCount));
832 __ASSERT_DEBUG(pageCount >= 0, __SQLPANIC(ESqlPanicInternalError));
833 CleanupStack::PopAndDestroy();
834 return (TInt64)pageCount * PageSizeL(aDbName);
838 Retrieves the database free space.
840 @param aDbName Attached database name or KNullDesC for the main database
842 @return Database free space in bytes.
844 @leave The function may leave with some database specific errors categorised as ESqlDbError,
845 and other system-wide error codes.
847 TInt64 CSqlSrvDatabase::FreeSpaceL(const TDesC& aDbName)
849 iAuthorizerDisabled = ETrue;
850 CleanupStack::PushL(TCleanupItem(&EnableAuthorizer, &iAuthorizerDisabled));
851 TInt freePageCount = 0;
852 __SQLLEAVE_IF_ERROR(::DbFreePageCount(iDbHandle, aDbName, freePageCount));
853 CleanupStack::PopAndDestroy();
854 __ASSERT_DEBUG(freePageCount >= 0, __SQLPANIC(ESqlPanicInternalError));
855 return (TInt64)freePageCount * PageSizeL(aDbName);
859 Collects information regarding the current cache size, page, size, encoding, etc. and puts the values
860 in the aDest output string.
862 @param aDest Output parameter, where the result values will be stored. The string format is: "<val1>;<val2>...;".
864 @leave The function may leave with some database specific errors categorised as ESqlDbError,
865 and other system-wide error codes.
867 void CSqlSrvDatabase::QueryConfigL(TDes8& aDest)
869 iAuthorizerDisabled = ETrue;
870 CleanupStack::PushL(TCleanupItem(&EnableAuthorizer, &iAuthorizerDisabled));
873 __SQLLEAVE_IF_ERROR(::DbCacheSize(iDbHandle, KNullDesC, cacheSize));
876 __SQLLEAVE_IF_ERROR(::DbPageSize(iDbHandle, KNullDesC, pageSize));
879 __SQLLEAVE_IF_ERROR(::DbEncoding(iDbHandle, KNullDesC, encoding));
881 TInt defaultSoftHeapLimit = TSqlSrvConfigParams::KDefaultSoftHeapLimitKb;
884 __SQLLEAVE_IF_ERROR(::DbVacuumMode(iDbHandle, KNullDesC, vacuum));
886 aDest.AppendNum(cacheSize);
887 _LIT8(KSemiColon, ";");
888 aDest.Append(KSemiColon);
889 aDest.AppendNum(pageSize);
890 aDest.Append(KSemiColon);
891 aDest.Append(encoding);
892 aDest.Append(KSemiColon);
893 aDest.AppendNum(defaultSoftHeapLimit);
894 aDest.Append(KSemiColon);
895 aDest.AppendNum(vacuum);
896 aDest.Append(KSemiColon);
898 CleanupStack::PopAndDestroy();
902 Compacts the database free space.
904 @param aSize The requested database space to be compacted, in bytes.
905 If aSize value is RSqlDatabase::EMaxCompaction, then all free pages will be removed.
906 Note that the requested space to be compacted will be rounded up to the nearest page count,
907 e.g. request for removing 1 byte will remove one free page from the database file.
909 @param aDbName Attached database name or KNullDesC for the main database
911 @return The size of the removed free space
913 @leave The function may leave with some database specific errors categorised as ESqlDbError,
914 and other system-wide error codes.
916 TInt CSqlSrvDatabase::CompactL(TInt aSize, const TDesC& aDbName)
918 SQL_TRACE_INTERNALS(OstTraceExt3(TRACE_INTERNALS, CSQLSRVDATABASE_COMPACTL_ENTRY, "Entry;0x%X;CSqlSrvDatabase::CompactL;aSize=%d;aDbName=%S", (TUint)this, aSize, __SQLPRNSTR(aDbName)));
919 __ASSERT_DEBUG(aSize > 0 || aSize == RSqlDatabase::EMaxCompaction, __SQLPANIC(ESqlPanicBadArgument));
920 TInt pageSize = PageSizeL(aDbName);//PageSizeL() will disable/enable the authorizer
921 TInt pageCount = KMaxTInt;
923 {//64-bit calculations to avoid the overflow in case if (aSize + pageSize) >= KMaxTInt.
924 pageCount = (TInt64)((TInt64)aSize + pageSize - 1) / pageSize;
928 iAuthorizerDisabled = ETrue;
929 CleanupStack::PushL(TCleanupItem(&EnableAuthorizer, &iAuthorizerDisabled));
930 __SQLLEAVE_IF_ERROR(::DbCompact(iDbHandle, aDbName, pageCount, pageCount));
931 CleanupStack::PopAndDestroy();
933 SQL_TRACE_INTERNALS(OstTraceExt3(TRACE_INTERNALS, CSQLSRVDATABASE_COMPACTL_EXIT, "Exit;0x%X;CSqlSrvDatabase::CompactL;pageCount=%d;pageSize=%d", (TUint)this, pageCount, pageSize));
934 return pageCount * pageSize;
938 This structure is used in case if the InitAttachedDbL() execution fails and the
939 executed operations ("attach database", "init compact") have to be reverted calling
940 FinalizeAttachedDb().
942 @see CSqlSrvDatabase::InitAttachedDbL
943 @see CSqlSrvDatabase::FinalizeAttachedDb
944 @see CSqlSrvDatabase::AttachCleanup
948 NONSHARABLE_STRUCT(TAttachCleanup)
950 inline TAttachCleanup(CSqlSrvDatabase& aSelf, const TDesC& aDbName) :
955 CSqlSrvDatabase& iSelf;
956 const TDesC& iDbName;
960 Cleanup function. Calls FinalizeAttachedDb() if InitAttachedDbL() has failed.
962 @param aCleanup A pointer to a TAttachCleanup object that contains the needed for the cleanup information.
968 void CSqlSrvDatabase::AttachCleanup(void* aCleanup)
970 TAttachCleanup* cleanup = reinterpret_cast <TAttachCleanup*> (aCleanup);
971 __ASSERT_DEBUG(cleanup != NULL, __SQLPANIC2(ESqlPanicBadArgument));
972 (void)cleanup->iSelf.FinalizeAttachedDb(cleanup->iDbName);
976 Forms and executes "ATTACH DATABASE" SQL statement.
977 If the database is not read-only:
978 - Makes the attached database journal file persistent.
979 - Initializes the attached database compaction mode.
980 - The attached database will be reindexed if the default collation has been changed.
982 @param aFileData Attached database file data
983 @param aDbName Attached database name. It must be unique (per database connection).
985 @leave KErrNoMemory, an out of memory condition has occurred;
986 Note that the function may also leave with some other database specific
987 errors categorised as ESqlDbError, and other system-wide error codes.
990 @see ProcessSettingsL
992 void CSqlSrvDatabase::InitAttachedDbL(const TSqlSrvFileData& aFileData, const TDesC& aDbName)
994 TPtrC dbFileName = aFileData.FileName();
995 TBool readOnlyDbFile = aFileData.IsReadOnly();
997 InstallAuthorizerL();
998 iAuthorizerDisabled = ETrue;
999 CleanupStack::PushL(TCleanupItem(&EnableAuthorizer, &iAuthorizerDisabled));
1000 sqlite3_stmt* stmtHandle = StmtPrepare16L(iDbHandle, KAttachDb);
1001 TInt err = ::Sql2OsErrCode(sqlite3_bind_text16(stmtHandle, 1, dbFileName.Ptr(), dbFileName.Length() * sizeof(TUint16), SQLITE_STATIC), sqlite3SymbianLastOsError());
1004 err = ::Sql2OsErrCode(sqlite3_bind_text16(stmtHandle, 2, aDbName.Ptr(), aDbName.Length() * sizeof(TUint16), SQLITE_STATIC), sqlite3SymbianLastOsError());
1007 err = StmtExec(stmtHandle);
1010 (void)::FinalizeStmtHandle(stmtHandle);//sqlite3_finalize() fails only if an invalid statement handle is passed.
1011 CleanupStack::PopAndDestroy();//TCleanupItem(&EnableAuthorizer, &iAuthorizerDisabled)
1012 __SQLLEAVE_IF_ERROR(err);
1014 TAttachCleanup attachCleanup(*this, aDbName);
1015 CleanupStack::PushL(TCleanupItem(&CSqlSrvDatabase::AttachCleanup, &attachCleanup));
1017 SetConfigL(aFileData.ConfigParams(), EFalse, aDbName);
1021 iAuthorizerDisabled = ETrue;
1022 CleanupStack::PushL(TCleanupItem(&EnableAuthorizer, &iAuthorizerDisabled));
1023 ProcessSettingsL(aFileData, aDbName);
1024 CleanupStack::PopAndDestroy();//TCleanupItem(&EnableAuthorizer, &iAuthorizerDisabled)
1027 CleanupStack::Pop();//TCleanupItem(&CSqlSrvDatabase::AttachCleanup, &attachCleanup)
1031 Forms and executes "DETACH DATABASE" SQL statement.
1032 If the database was scheduled for background compacting, the related database entry will be removed from
1035 @param aDbName Attached database name. It must be unique (per database connection).
1037 @return KErrNone, Operation completed successfully;
1038 KErrNoMemory, an out of memory condition has occurred.
1039 Note that the function may also return some other database specific
1040 errors categorised as ESqlDbError, and other system-wide error codes.
1042 TInt CSqlSrvDatabase::FinalizeAttachedDb(const TDesC& aDbName)
1044 ReleaseCompactEntry(aDbName);
1045 iAuthorizerDisabled = ETrue;
1046 sqlite3_stmt* stmtHandle = NULL;
1047 TRAPD(err, stmtHandle = StmtPrepare16L(iDbHandle, KDetachDb));
1050 err = ::Sql2OsErrCode(sqlite3_bind_text16(stmtHandle, 1, aDbName.Ptr(), aDbName.Length() * sizeof(TUint16), SQLITE_STATIC), sqlite3SymbianLastOsError());
1053 err = StmtExec(stmtHandle);
1056 (void)::FinalizeStmtHandle(stmtHandle);//sqlite3_finalize() fails only if an invalid statement handle is passed.
1057 iAuthorizerDisabled = EFalse;
1062 Updates the security policies map (CSqlServer::iSecurityMap).
1064 Inserts a new item in the security map, or if such item already exists there - its reference counter will
1066 The method guarantees that either the security map will be updated, or the method leaves and the security
1067 policies map stays unchanged.
1069 @param aAttachedDb True if the currently processed database is an attached database, false if it is the main db.
1070 @param aFileData A reference to a TSqlSrvFileData instance, which keeps the database name, a
1071 file session reference and some other database file related properties.
1072 The secure database name format must be:
1073 \<drive\>:\<[SID]database file name excluding the path\>.
1074 "[SID]" refers to SID of the application which creates the database.
1075 @param aMapKey Output parameter. UTF8 encoded, zero-terminated string. On function exit cannot be NULL.
1076 It will be set to point to the security policies map key. No memory is allocated for the key.
1077 @param aSecurityPolicy Output parameter. On function exit cannot be NULL. It will be set to point to the security policies.
1079 @leave KErrNoMemory, an out of memory condition has occurred;
1080 Note that the function may also leave with some other database specific
1081 errors categorised as ESqlDbError, and other system-wide error codes.
1083 @see RSqlSecurityMap
1085 @see TSqlSrvFileData
1086 @see CSqlSecurityPolicy
1088 void CSqlSrvDatabase::UpdateSecurityMapL(TBool aAttachedDb, const TSqlSrvFileData& aFileData,
1089 const TUint8*& aMapKey, const CSqlSecurityPolicy*& aSecurityPolicy)
1091 //Check if a copy of the database security policies is already in the security map.
1092 aMapKey = SecurityMapKeyL(aFileData.FileName());
1093 TSqlSecurityPair* pair = ::SqlServer().SecurityMap().Entry(aMapKey);
1096 //Yes, it is in the map. Increment the reference counter.
1097 //(It will be decremented when detaching the database).
1098 pair->iRefCounter.Increment();
1099 aMapKey = pair->iKey;
1100 aSecurityPolicy = pair->iData;
1104 //No, it is not in the map. Read the security policies from the security policies tables and
1105 //insert a new item in the map.
1106 __ASSERT_DEBUG(aMapKey != NULL, __SQLPANIC(ESqlPanicInternalError));
1107 aMapKey = ::CreateStrCopyLC(aMapKey);
1108 CSqlSecurityPolicy* securityPolicy = aAttachedDb ? ::LoadAttachedDbSecurityPolicyLC(aFileData) :
1109 ::LoadDbSecurityPolicyLC(iDbHandle);
1110 __ASSERT_DEBUG(!::SqlServer().SecurityMap().Entry(aMapKey), __SQLPANIC2(ESqlPanicObjExists));
1111 __SQLLEAVE_IF_ERROR(::SqlServer().SecurityMap().Insert(aMapKey, securityPolicy));
1112 CleanupStack::Pop(2);//iSecurityMap owns aMapKey and securityPolicy objects
1113 aSecurityPolicy = securityPolicy;
1115 __ASSERT_DEBUG(aMapKey != NULL, __SQLPANIC(ESqlPanicInternalError));
1116 __ASSERT_DEBUG(aSecurityPolicy != NULL, __SQLPANIC(ESqlPanicInternalError));
1120 Removes attached secure database entries from the maps.
1122 The function will search the security policies map (CSqlServer::iSecurityMap) and the attached databases
1123 map (CSqlSrvDatabase::iAttachDbMap) for entries which correspond to the database with aDbName name,
1124 and will remove the entries.
1126 The sequence of the performed by the function operations is:
1127 1. Looks for a map item which key is aDbName in iAttachDbMap map.
1128 2. If such pair exists, the data part of the pair is used as a key in iSecurityMap map.
1129 3. Remove the iSecurityMap map item pointed by the data part of the found pair.
1130 4. Remove the iAttachDbMap map item pointed by aDbName.
1132 @param aDbName Attached database name. It must be unique (per database connection).
1134 @leave KErrGeneral It is not possible to convert aDbName parameter to UTF8 encoded string.
1136 @see CSqlSrvDatabase::DoAttachDbL()
1137 @see CSqlSrvDatabase::DoAttachSecureDbL()
1138 @see RSqlSecurityMap
1139 @see RSqlAttachDbMap
1141 @see CSqlSrvDatabase
1143 void CSqlSrvDatabase::RemoveFromMapsL(const TDesC& aDbName)
1145 SQL_TRACE_INTERNALS(OstTraceExt2(TRACE_INTERNALS, CSQLSRVDATABASE_REMOVEFROMMAPSL, "0x%X;CSqlSrvDatabase::RemoveFromMapsL;aDbName=%S", (TUint)this, __SQLPRNSTR(aDbName)));
1146 TPtr8 ptr(iFileNameBuf, sizeof(iFileNameBuf));
1147 if(!::UTF16ToUTF8Z(aDbName, ptr))
1149 __SQLLEAVE(KErrGeneral);
1151 TSqlAttachDbPair* attachDbPair = iAttachDbMap.Entry(iFileNameBuf);
1153 {//aDbName refers to attached secure database
1154 ::SqlServer().SecurityMap().Remove(attachDbPair->iData);
1155 iAttachDbMap.Remove(iFileNameBuf);
1160 Inserts a new entry in the attached databases map (CSqlSrvDatabase::iAttachDbMap).
1162 The method guarantees that either a new [logical db name, secure db name] pair will be inserted in
1163 iAttachDbMap or the method fails and the content of iAttachDbMap remains unchanged.
1165 @param aDbFileName Database file name, including the path.
1166 @param aDbName Database name.
1168 @leave KErrNoMemory, an out of memory condition has occurred;
1169 KErrGeneral, it is not possible to convert the function parameters to UTF8 encoded strings.
1171 @see RSqlAttachDbMap
1172 @see CSqlSrvDatabase
1174 void CSqlSrvDatabase::InsertInAttachDbMapL(const TDesC& aDbFileName, const TDesC& aDbName)
1176 SQL_TRACE_INTERNALS(OstTraceExt3(TRACE_INTERNALS, CSQLSRVDATABASE_INSERTINATTACHDBMAPL, "0x%X;CSqlSrvDatabase::InsertInAttachDbMapL;aDbFileName=%S;aDbName=%S", (TUint)this, __SQLPRNSTR(aDbFileName), __SQLPRNSTR(aDbName)));
1177 //Convert aDbName to UTF8, zero-terminated name
1178 TPtr8 ptr(iFileNameBuf, sizeof(iFileNameBuf));
1179 if(!::UTF16ToUTF8Z(aDbName, ptr))
1181 __SQLLEAVE(KErrGeneral);
1183 const TUint8* mapKey = ::CreateStrCopyLC(iFileNameBuf);
1184 const TUint8* mapData = SecurityMapKeyL(aDbFileName);
1185 mapData = ::CreateStrCopyLC(mapData);
1186 __ASSERT_DEBUG(!iAttachDbMap.Entry(mapKey), __SQLPANIC(ESqlPanicObjExists));
1187 __SQLLEAVE_IF_ERROR(iAttachDbMap.Insert(mapKey, mapData));
1188 CleanupStack::Pop(2);//iAttachDbMap owns mapKey amd mapData.
1192 Processes the database settings that are currently stored in the settings table.
1193 Makes the journal file persistent.
1194 Initializes the database compaction mode.
1195 Based on the current settings the database may be configured to become 'up-to-date'.
1196 This configuration may include reindexing the database if the collation dll has
1197 changed and/or executing database configuration file operations.
1199 @param aFileData The file data object,
1200 @param aDbName Logical database name: "main" for the main database or attached database name,
1202 @leave The function may leave with system-wide error codes or SQL errors of ESqlDbError type
1204 @panic SqlDb 7 In _DEBUG mode if aFileData does not refer to a r/w database file.
1206 void CSqlSrvDatabase::ProcessSettingsL(const TSqlSrvFileData& aFileData, const TDesC& aDbName)
1208 __ASSERT_DEBUG(!aFileData.IsReadOnly(), __SQLPANIC(ESqlPanicInternalError));
1209 #if !defined(__SQL_DISABLE_SYMBIAN_SETTINGS_TABLE__)
1210 //Make the journal file persistent - done by SQLite automatically because the locking mode is EXCLUSIVE
1211 //__SQLLEAVE_IF_ERROR(::ExecPragma(iDbHandle, iAuthorizerDisabled, KPersistentJournalPragma, KPersist, aDbName));
1212 //Load the current settings
1213 TFileName storedCollationDllName;
1214 TInt storedDbConfigFileVer = -1;
1215 TInt currVacuumMode = -1;
1216 __SQLLEAVE_IF_ERROR(::DbVacuumMode(iDbHandle, aDbName, currVacuumMode));
1217 //currVacuumMode == ESqliteVacuumOff ==> This is a database created not by the SQL server
1218 TSqlCompactionMode compactionMode = currVacuumMode == ESqliteVacuumOff ? ESqlCompactionManual : ESqlCompactionNotSet;
1219 TSqlDbSysSettings dbSettings(iDbHandle);
1220 dbSettings.LoadSettingsL(aDbName, storedCollationDllName, storedDbConfigFileVer, compactionMode);
1221 if(currVacuumMode == ESqliteVacuumOff && compactionMode != ESqlCompactionManual)
1222 {//The database has been opened and the vacuum mode is "off". Then this is a database, not created by SQL
1223 //server or it is a corrupted database. The compaction mode read from the system table does not match the
1224 //database vacuum mode. Conclusion: this is a corrupted database.
1225 __SQLLEAVE(KErrCorrupt);
1227 if(aFileData.ContainHandles() && aFileData.IsCreated())
1229 compactionMode = aFileData.ConfigParams().iCompactionMode;
1230 if(compactionMode == ESqlCompactionNotSet)
1232 compactionMode = KSqlDefaultCompactionMode;
1234 //This is a just created private database. Store the compaction mode (the compaction mode may have been set using a config string).
1235 StoreSettingsL(storedCollationDllName, storedDbConfigFileVer, compactionMode);
1237 //Init the database compaction mode
1238 InitCompactionL(compactionMode, aFileData.ConfigParams().iFreePageThresholdKb, aFileData.FileName(),
1239 (TSqliteVacuumMode)currVacuumMode, aDbName);
1240 //Based on the current settings, apply any necessary configuration updates to the database
1241 ApplyConfigUpdatesL(storedCollationDllName, storedDbConfigFileVer, aFileData, aDbName);
1242 #endif // !(__SQL_DISABLE_SYMBIAN_SETTINGS_TABLE__)
1246 Applies any necessary configuration updates to the database, based on the current settings
1247 in the settings table and how the database is being used (i.e. 'Opened' or 'Attached').
1248 The applied configuration may include:
1249 - Reindexing the main database and all attached databases, if the collation dll has been changed.
1250 After the reindexation the new collation dll name will be stored in the settings table of the database.
1251 - Executing all supported operations on the database that are specified in a database configuration
1252 file, if such a file exists and has not already been processed.
1253 The settings table will updated with the current version of the database configuration file if the file
1256 @param aStoredCollationDllName The name of the collation dll that is stored in the settings table,
1257 @param aStoredDbConfigFileVersion The database configuration file version that is stored in the settings table,
1258 @param aFileData The file data object,
1259 @param aDbName Logical database name: "main" for the main database or attached database name,
1261 @leave The function may leave with system-wide error codes or SQL errors of ESqlDbError type
1263 void CSqlSrvDatabase::ApplyConfigUpdatesL(const TDesC& aStoredCollationDllName, const TInt& aStoredDbConfigFileVersion,
1264 const TSqlSrvFileData& aFileData, const TDesC& aDbName)
1266 TSqlDbSysSettings dbSettings(iDbHandle);
1267 //Check whether reindexing is necessary
1268 if(::SqlServer().CollationDllName().CompareF(aStoredCollationDllName) != 0)
1270 SQL_TRACE_INTERNALS(OstTraceExt3(TRACE_INTERNALS, CSQLSRVDATABASE_APPLYCONFIGUPDATES2L, "0x%X;CSqlSrvDatabase::ApplyConfigUpdatesL;Reindex db;aStoredCollationDllName=%S;aDbName=%S", (TUint)this, __SQLPRNSTR(aStoredCollationDllName), __SQLPRNSTR(aDbName)));
1271 dbSettings.ReindexDatabaseL(aDbName, ::SqlServer().CollationDllName());
1274 //Perform any necessary configuration file updates to the database.
1275 //We do not want failures here to cause the database to fail
1276 //to be opened and so any leave error is TRAPed and ignored
1277 //(the error is logged in _DEBUG mode)
1278 TRAPD(err, dbSettings.ConfigureDatabaseL(aStoredDbConfigFileVersion, aFileData, aDbName));
1281 SQL_TRACE_INTERNALS(OstTraceExt2(TRACE_INTERNALS, CSQLSRVDATABASE_APPLYCONFIGUPDATESL, "0x%X;CSqlSrvDatabase::ApplyConfigUpdatesL;ConfigureDatabaseL() failed with error code %d", (TUint)this, err));
1286 Sets the "cache size" and "page size" parameter values, if their values are valid.
1287 This is done formatting and executing PRAGMA statements.
1288 @param aConfigParams This object contains the cofiguration parameters
1289 @param aSetPageSize If true, the page size will be set, otherwise not.
1290 The aSetPageSize is set to true if:
1291 1) The operation is "create database"
1292 2) The operation is "open private database"
1293 @param aLogicalDbName Parameter with default value of KNullDesC. If aLogicalDbName length is not 0, then the
1294 "cache_size" pragma will be executed on the attached database with aLogicalDbName name.
1296 void CSqlSrvDatabase::SetConfigL(const TSqlSrvConfigParams& aConfigParams, TBool aSetPageSize, const TDesC& aLogicalDbName)
1298 __ASSERT_DEBUG(aConfigParams.iPageSize == TSqlSrvConfigParams::KConfigPrmValueNotSet || aConfigParams.iPageSize >= 0, __SQLPANIC(ESqlPanicBadArgument));
1299 __ASSERT_DEBUG(aConfigParams.iCacheSize == TSqlSrvConfigParams::KConfigPrmValueNotSet || aConfigParams.iCacheSize >= 0, __SQLPANIC(ESqlPanicBadArgument));
1300 if(aSetPageSize && aConfigParams.iPageSize != TSqlSrvConfigParams::KConfigPrmValueNotSet)
1302 __SQLLEAVE_IF_ERROR(::ExecPragma(iDbHandle, iAuthorizerDisabled, KPageSizePragma, aConfigParams.iPageSize));
1305 const TDesC& logicalDbName = aLogicalDbName.Length() > 0 ? aLogicalDbName : KMainDb16;
1307 ::SetJournalSizeLimitL(iDbHandle, iAuthorizerDisabled, aConfigParams.iPageSize, logicalDbName);
1309 //Setting the cache size.
1310 //Step 1: Check if aConfigParams.iCacheSize value is set. If it is set, then use it.
1311 if(aConfigParams.iCacheSize != TSqlSrvConfigParams::KConfigPrmValueNotSet)
1313 __SQLLEAVE_IF_ERROR(::ExecPragma(iDbHandle, iAuthorizerDisabled, KCacheSizePragma, aConfigParams.iCacheSize, logicalDbName));
1317 //Step 2: aConfigParams.iCacheSize value is not set. Then check if aConfigParams.iSoftHeapLimitKb value is set.
1318 if(aConfigParams.iSoftHeapLimitKb != TSqlSrvConfigParams::KConfigPrmValueNotSet)
1320 __ASSERT_DEBUG(aConfigParams.iSoftHeapLimitKb >= TSqlSrvConfigParams::KMinSoftHeapLimitKb &&
1321 aConfigParams.iSoftHeapLimitKb <= TSqlSrvConfigParams::KMaxSoftHeapLimitKb, __SQLPANIC(ESqlPanicInternalError));
1322 //Step 3: aConfigParams.iSoftHeapLimitKb value is set. Then use it to calculate the cache size. But we need the page size first.
1323 // aLogicalDbName is used instead of logicalDbName because PageSizeL() if called with non-zero length name,
1324 // "thinks" it is the main database name. KMainDb16 will be interpreted as an attached database name.
1325 TInt pageSize = PageSizeL(aLogicalDbName);
1326 //Step 4: Calculate the cache size.
1327 TInt cacheSize = ((TInt64)aConfigParams.iSoftHeapLimitKb * 1024) / pageSize;//"TInt64" cast is used because of a possible overflow
1328 //Step 5: Set the cache size.
1329 __SQLLEAVE_IF_ERROR(::ExecPragma(iDbHandle, iAuthorizerDisabled, KCacheSizePragma, cacheSize, logicalDbName));
1335 Initializes the database compaction mode.
1336 If the aCompactionMode parameter is ESqlCompactionBackground, the database with aDbFileName file name will be added
1337 to the compactor for background compacting.
1339 @param aCompactionMode The database compaction mode. See TSqlCompactionMode enum for the supported database compaction modes.
1340 @param aFreePageThresholdKb Free page threshold. The background compaction won't start if the free pages size in Kb is less than
1341 the free page threshold.
1342 @param aDbFileName Database file name including full path
1343 @param aCurrentVacuumMode The current SQLite vacuum mode, one of TSqliteVacuumMode enum item values.
1344 If the current database vacuum mode is ESqliteVacuumOff, which means
1345 the database has been created not by the SQL server,
1346 then the "off" vacuum mode is kept unchanged.
1347 @param aDbName "main" or the attached database name
1349 @leave KErrNoMemory, an out of memory condition has occurred;
1350 Note that the function may also leave with some other database specific
1351 errors categorised as ESqlDbError, and other system-wide error codes.
1353 @see TSqlCompactionMode
1355 @see TSqliteVacuumMode
1357 @panic SqlDb 4 In _DEBUG mode if aCompactionMode parameter value is invalid.
1359 void CSqlSrvDatabase::InitCompactionL(TSqlCompactionMode aCompactionMode, TInt aFreePageThresholdKb,
1360 const TDesC& aDbFileName, TSqliteVacuumMode aCurrentVacuumMode, const TDesC& aDbName)
1362 __ASSERT_DEBUG(aCompactionMode == ESqlCompactionManual || aCompactionMode == ESqlCompactionBackground || aCompactionMode == ESqlCompactionAuto, __SQLPANIC(ESqlPanicBadArgument));
1363 __ASSERT_DEBUG(aCurrentVacuumMode == ESqliteVacuumOff || aCurrentVacuumMode == ESqliteVacuumAuto ||
1364 aCurrentVacuumMode == ESqliteVacuumIncremental, __SQLPANIC(ESqlPanicBadArgument));
1365 __ASSERT_DEBUG(aFreePageThresholdKb >= 0, __SQLPANIC(ESqlPanicBadArgument));
1366 TSqliteVacuumMode newSqliteVacuumMode = aCompactionMode == ESqlCompactionAuto ? ESqliteVacuumAuto : ESqliteVacuumIncremental;
1367 if(aCurrentVacuumMode == ESqliteVacuumOff)
1369 newSqliteVacuumMode = ESqliteVacuumOff;
1371 if(aCurrentVacuumMode != newSqliteVacuumMode)
1373 __SQLLEAVE_IF_ERROR(::ExecPragma(iDbHandle, iAuthorizerDisabled, KAutoVacuumPragma, newSqliteVacuumMode, aDbName));
1375 if(aCompactionMode == ESqlCompactionBackground)
1377 NewCompactEntryL(aFreePageThresholdKb, aDbFileName, aDbName);
1382 Adds the aDbFileName database to the compactor object for background compacting.
1384 @param aFreePageThresholdKb Free page threshold in Kb. The background compaction won't start if the total size of the free pages
1385 is less than the free page threshold.
1386 @param aDbFileName Database file name including full path
1387 @param aDbName "main" or the attached database name
1389 @leave KErrNoMemory, an out of memory condition has occurred;
1390 Note that the function may also leave with some other database specific
1391 errors categorised as ESqlDbError, and other system-wide error codes.
1394 @see RSqlCompactDbMap
1396 void CSqlSrvDatabase::NewCompactEntryL(TInt aFreePageThresholdKb, const TDesC& aDbFileName, const TDesC& aDbName)
1398 SQL_TRACE_INTERNALS(OstTraceExt4(TRACE_INTERNALS, CSQLSRVDATABASE_NEWCOMPACTENTRYL_ENTRY, "Entry;0x%X;CSqlSrvDatabase::NewCompactEntryL;aFreePageThresholdKb=%d;aDbFileName=%S;aDbName=%S", (TUint)this, aFreePageThresholdKb, __SQLPRNSTR(aDbFileName), __SQLPRNSTR(aDbName)));
1399 TSqlCompactSettings settings;
1400 settings.iFreePageThresholdKb = aFreePageThresholdKb;
1401 ::SqlServer().Compactor().AddEntryL(aDbFileName, settings);
1402 TInt err = KErrNoMemory;
1403 HBufC* key = aDbName.Alloc();
1404 HBufC* data = aDbFileName.Alloc();
1407 __ASSERT_DEBUG(!iCompactDbMap.Entry(key), __SQLPANIC(ESqlPanicObjExists));
1408 err = iCompactDbMap.Insert(key, data);//returns the index of the new entry
1410 if(err < 0) //If either "key" or "data" or both is NULL, then "err" is KErrNoMemory and the next "if" will be executed.
1414 ::SqlServer().Compactor().ReleaseEntry(aDbFileName);
1416 SQL_TRACE_INTERNALS(OstTraceExt2(TRACE_INTERNALS, CSQLSRVDATABASE_NEWCOMPACTENTRYL_EXIT, "Exit;0x%X;CSqlSrvDatabase::NewCompactEntryL;err=%d", (TUint)this, err));
1417 __SQLLEAVE_IF_ERROR(err);
1421 Removes database (identified by its logical name) from the compactor.
1423 @param aDbName "main" or the attached database name
1426 @see RSqlCompactDbMap
1428 void CSqlSrvDatabase::ReleaseCompactEntry(const TDesC& aDbName)
1430 TSqlCompactDbMapIterator compactDbIt(iCompactDbMap);
1431 TSqlCompactDbPair compactDbPair;
1432 while(compactDbIt.Next(compactDbPair))
1434 if(::CompareNoCase(*compactDbPair.iKey, aDbName) == 0)
1436 ::SqlServer().Compactor().ReleaseEntry(*compactDbPair.iData);
1437 iCompactDbMap.Remove(compactDbPair.iKey);
1438 SQL_TRACE_INTERNALS(OstTrace1(TRACE_INTERNALS, CSQLSRVDATABASE_RELEASECOMPACTENTRY, "0x%X;CSqlSrvDatabase::ReleaseCompactEntry", (TUint)this));
1446 Used during the construction phase of the CSqlSrvDatabase instance when a new database is created.
1447 If the database creation succeeds, the "init compaction" operation succeeds but some other init operation fail,
1448 the just created database file has to be deleted. But before that the database has to be removed from the compactor,
1449 because the compactor creates independent database connection that has to be closed before the database deletion.
1451 The database will be removed from the compactor as a result of the call.
1453 @param aCleanup A pointer to the CSqlSrvDatabase object
1455 void CSqlSrvDatabase::CompactCleanup(void* aCleanup)
1457 CSqlSrvDatabase* self = reinterpret_cast <CSqlSrvDatabase*> (aCleanup);
1458 __ASSERT_DEBUG(self != NULL, __SQLPANIC2(ESqlPanicBadArgument));
1459 self->ReleaseCompactEntry(KMainDb16);
1463 Retrieves the database page size.
1464 If the request is for the main database page size and if the size is not retrieved yet, then the page size value will be
1465 cached in iPageSize data member.
1467 @param aDbName Attached database name or KNullDesC for the main database
1469 @leave KErrNoMemory, an out of memory condition has occurred;
1470 Note that the function may also leave with some other database specific
1471 errors categorised as ESqlDbError, and other system-wide error codes.
1473 @return The database page size
1475 TInt CSqlSrvDatabase::PageSizeL(const TDesC& aDbName)
1477 if(iPageSize > 0 && aDbName == KNullDesC)
1481 iAuthorizerDisabled = ETrue;
1482 CleanupStack::PushL(TCleanupItem(&EnableAuthorizer, &iAuthorizerDisabled));
1484 __SQLLEAVE_IF_ERROR(::DbPageSize(iDbHandle, aDbName, pageSize));
1485 CleanupStack::PopAndDestroy();
1486 __ASSERT_DEBUG(pageSize > 0, __SQLPANIC(ESqlPanicInternalError));
1487 if(aDbName == KNullDesC)
1489 iPageSize = pageSize;
1494 //////////////////////////////////////////////////////////////////////////////////////////////////////
1495 ///////////////////////////// ConstructL() methods ///////////////////////////////////////
1496 //////////////////////////////////////////////////////////////////////////////////////////////////////
1499 Second phase construction method. Creates a new secure database file.
1500 If the function fails, the database file will be closed and deleted.
1502 @param aFileData A reference to a TSqlSrvFileData instance, which keeps the database name, a
1503 file session reference and some other database file related properties.
1504 If this is a secure database, then the format of the name must be:
1505 \<drive\>:\<[SID]database file name excluding the path\>.
1506 If this is a non-secure database, then the file name has to be the full database file name.
1507 "[SID]" refers to SID of the application which creates the database.
1508 @param aSecurityPolicy Database security policy
1510 @panic SqlDb 4 In _DEBUG mode if aSecurityPolicy is NULL.
1512 void CSqlSrvDatabase::ConstructCreateSecureL(const TSqlSrvFileData& aFileData, CSqlSecurityPolicy* aSecurityPolicy)
1514 __ASSERT_DEBUG(aSecurityPolicy != NULL, __SQLPANIC(ESqlPanicBadArgument));
1515 //Insert a new item in the security policies map.
1516 CleanupStack::PushL(aSecurityPolicy);
1517 const TUint8* mapKey = SecurityMapKeyL(aFileData.FileName());
1518 mapKey = ::CreateStrCopyLC(mapKey);
1519 __ASSERT_DEBUG(!::SqlServer().SecurityMap().Entry(mapKey), __SQLPANIC(ESqlPanicObjExists));
1520 __SQLLEAVE_IF_ERROR(::SqlServer().SecurityMap().Insert(mapKey, aSecurityPolicy));
1521 CleanupStack::Pop(2);//iSecurityMap owns mapKey and aSecurityPolicy.
1522 iSecureDbName = mapKey;
1523 iSecurityPolicy = aSecurityPolicy;
1525 DoCommonConstructCreateL(aFileData, ETrue);
1529 Second phase construction method. Creates a new non-secure database file.
1530 If the function fails, the database file will be closed and deleted.
1532 @param aFileData A reference to a TSqlSrvFileData instance, which keeps the database name, a
1533 file session reference and some other database file related properties.
1534 If this is a secure database, then the format of the name must be:
1535 \<drive\>:\<[SID]database file name excluding the path\>.
1536 If this is a non-secure database, then the file name has to be the full database file name.
1537 "[SID]" refers to SID of the application which creates the database.
1539 void CSqlSrvDatabase::ConstructCreateL(const TSqlSrvFileData& aFileData)
1541 DoCommonConstructCreateL(aFileData, EFalse);
1544 //Called by the two "Contruct&Create" methods: ConstructCreateL() and ConstructCreateSecureL().
1545 //The aSecureDb parameter tells which method is the caller.
1546 //The function performs common construction and initialization:
1547 // - creates the database file
1548 // - makes the journal file persistent
1549 // - initializes the database compaction mode
1550 // - stores the initial settings in the settings table, including the current collation dll name
1551 // - stores the security settings and installs the authorizer, if aSecureDb is true
1552 // - installs the user-defined functions
1553 // - installs collations
1554 //If the method fails and the error is not KErrAlreadyExists, the database file will be closed and deleted.
1555 void CSqlSrvDatabase::DoCommonConstructCreateL(const TSqlSrvFileData& aFileData, TBool aSecureDb)
1557 __ASSERT_DEBUG(!iDbHandle, __SQLPANIC(ESqlPanicInternalError));
1558 __ASSERT_DEBUG(aSecureDb ? iSecurityPolicy != NULL : ETrue, __SQLPANIC(ESqlPanicInternalError));
1559 CreateNewDbFileL(aFileData);
1560 TDbFileCleanup dbFileCleanup(aFileData, iDbHandle);
1561 CleanupStack::PushL(TCleanupItem(&DbFileCleanup, &dbFileCleanup));
1562 //Make the journal file persistent - done by SQLite automatically because the locking mode is EXCLUSIVE
1563 //::ExecPragma(iDbHandle, iAuthorizerDisabled, KPersistentJournalPragma, KPersist);
1564 //Init database compaction mode
1565 TSqlCompactionMode compactionMode = aFileData.ConfigParams().iCompactionMode;
1566 if(compactionMode == ESqlCompactionNotSet)
1568 compactionMode = KSqlDefaultCompactionMode;
1570 TInt currVacuumMode = -1;
1571 __SQLLEAVE_IF_ERROR(::DbVacuumMode(iDbHandle, KNullDesC, currVacuumMode));
1572 //currVacuumMode == ESqliteVacuumOff ==> This is a database created not by the SQL server
1573 InitCompactionL(compactionMode, aFileData.ConfigParams().iFreePageThresholdKb, aFileData.FileName(), (TSqliteVacuumMode)currVacuumMode);
1574 CleanupStack::PushL(TCleanupItem(&CSqlSrvDatabase::CompactCleanup, this));
1575 //Store the initial settings in the settings table (including the current collation dll name)
1576 StoreSettingsL(::SqlServer().CollationDllName(), KSqlNullDbConfigFileVersion, compactionMode);
1579 //Store the security policies in the security policies tables.
1580 TSqlDbSysSettings dbSysSettings(iDbHandle);
1581 dbSysSettings.StoreSecurityPolicyL(*iSecurityPolicy);
1583 InstallAuthorizerL();
1585 InstallCollationsL();
1586 CleanupStack::Pop(2);//CompactCleanup, DbFileCleanup
1587 SQLPROFILER_DB_CREATE((TUint)iDbHandle, aFileData.FileName());
1591 Second phase construction method. Opens an existing secure database file.
1593 @param aFileData A reference to a TSqlSrvFileData instance, which keeps the database name, a
1594 file session reference and some other database file related properties.
1595 If this is a secure database, then the format of the name must be:
1596 \<drive\>:\<[SID]database file name excluding the path\>.
1597 If this is a non-secure database, then the file name has to be the full database file name.
1598 "[SID]" refers to SID of the application which creates the database.
1600 void CSqlSrvDatabase::ConstructOpenSecureL(const TSqlSrvFileData& aFileData)
1602 DoCommonConstructOpenL(aFileData, ETrue);
1606 Second phase construction method. Opens an existing non-secure database file.
1608 @param aFileData A reference to a TSqlSrvFileData instance, which keeps the database name, a
1609 file session reference and some other database file related properties.
1610 If this is a secure database, then the format of the name must be:
1611 \<drive\>:\<[SID]database file name excluding the path\>.
1612 If this is a non-secure database, then the file name has to be the full database file name.
1613 "[SID]" refers to SID of the application which creates the database.
1614 If this is application's private database, then the format of aFileData is as it is described
1615 in TSqlSrvFileData::SetFromHandleL() comments.
1616 @see TSqlSrvFileData::SetFromHandleL()
1618 void CSqlSrvDatabase::ConstructOpenL(const TSqlSrvFileData& aFileData)
1620 DoCommonConstructOpenL(aFileData, EFalse);
1623 //Opens a database and does all necessary initializations
1624 //Called by the two "Contruct&Open" methods: ConstructOpenL() and ConstructOpenSecureL().
1625 //The aSecureDb parameter tells which method is the caller.
1626 //The function performs common construction and initialization:
1627 // - opens the database file
1628 // - installs the user-defined functions
1629 // - installs collations
1630 // - installs the authoriser callback
1631 void CSqlSrvDatabase::DoCommonConstructOpenL(const TSqlSrvFileData& aFileData, TBool aSecureDb)
1633 OpenExistingDbFileL(aFileData);//iDbHandle is valid after a successful call
1634 //The user-defined collations must be installed before the possible database reindexing!!!
1635 InstallCollationsL();
1636 if(!aFileData.IsReadOnly())
1637 {//No need to disable the authorizer since it is not installed yet.
1638 //Make sure that the user-defined collation have been installed before the reindexing operation.
1639 ProcessSettingsL(aFileData, KMainDb16);
1643 const TUint8* mapKey = NULL;
1644 //Load database security policy, update the security policy map
1645 UpdateSecurityMapL(EFalse, aFileData, mapKey, iSecurityPolicy);
1646 iSecureDbName = mapKey;//used in CSqlSrvDatabase destructor.
1647 mapKey = NULL;//it is not used
1648 //Check that the caller has at least one of {Schema, Read, Write} policies.
1649 BasicSecurityPolicyCheckL(*iSecurityPolicy);
1651 //Install user-defined functions.
1654 //Install the authorizer.
1655 InstallAuthorizerL();
1657 SQLPROFILER_DB_OPEN((TUint)iDbHandle, aFileData.FileName());
1661 Implementation of the like() SQL function. This function implements
1662 the user defined LIKE operator. The first argument to the function is the
1663 pattern and the second argument is the string. So, the SQL statements:
1665 is implemented as like(B, A).
1667 @param aContext Function call context;
1668 @param aArgc Number of LIKE arguments: 2 for the standard LIKE operator, 3 for the LIKE operator with an ESCAPE clause;
1669 @param aArgv LIKE arguments;
1673 void CSqlSrvDatabase::LikeSqlFunc(sqlite3_context* aContext, int aArgc, sqlite3_value** aArgv)
1675 TUint escapeChar = 0;
1678 //The escape character string must consist of a single UTF16 character.
1679 //Otherwise, return an error.
1680 const TUint16* esc = static_cast <const TUint16*> (sqlite3_value_text16(aArgv[2]));
1683 sqlite3_result_error(aContext, KErrMsg1, -1);
1686 if(User::StringLength(esc) != 1)
1688 sqlite3_result_error(aContext, KErrMsg2, -1);
1693 const TUint16* pattern = static_cast <const TUint16*> (sqlite3_value_text16(aArgv[0]));
1694 const TUint16* candidate = static_cast <const TUint16*> (sqlite3_value_text16(aArgv[1]));
1695 if(pattern && candidate)
1697 TInt wildChar = '_';
1698 TInt wildSeqChar = '%';
1699 TPtrC16 patternStr(pattern, (TUint)sqlite3_value_bytes16(aArgv[0]) / sizeof(TUint16));
1700 TPtrC16 candidateStr(candidate, (TUint)sqlite3_value_bytes16(aArgv[1]) / sizeof(TUint16));
1701 TInt res = candidateStr.MatchC(patternStr, wildChar, wildSeqChar, escapeChar, 0/*collation level*/);
1702 sqlite3_result_int(aContext, res >= 0);
1703 //RDebug::Print(_L("--res=%d, pattern=%S, candidate=%S\r\n"), res, &patternStr, &candidateStr);