这是我的代码:
为了创建数据库,在我的 ViewDidLoad 中:
NSString *docsDir;
NSArray *dirPaths;
dirPaths=NSSearchPathForDirectoriesInDomains(NSDocumentationDirectory, NSUserDomainMask, YES);
docsDir = [dirPaths objectAtIndex:0];
databasePath = [[NSString alloc] initWithString: [docsDir stringByAppendingPathComponent: @"contacts.db"]];
NSFileManager *filemgr=[NSFileManager defaultManager];
if ([filemgr fileExistsAtPath:databasePath]==NO)
{
NSLog(@"Creating DB");
const char *dbpath=[databasePath UTF8String];
if (sqlite3_open(dbpath, &contactDB)==SQLITE_OK)
{
char *error_msg;
const char *sql_stmt = "CREATE TABLE IF NOT EXISTS CONTACTS (ID INTEGER PRIMARY KEY AUTOINCREMENT, URL TEXT, EMAIL TEXT, CODE TEXT, FULL TEXT)";
if (sqlite3_exec(contactDB, sql_stmt, NULL, NULL, &error_msg) != SQLITE_OK)
{
NSLog(@"Failed to create table");
}
sqlite3_close(contactDB);
} else {
NSLog(@"Failed to open/create database");
}
} else {
NSLog(@"DB exists");
}
我可以看到输出消息"Creating DB"
然后我必须在其中添加我的数据:
sqlite3_stmt *statement;
const char *dbpath = [databasePath UTF8String];
if (sqlite3_open(dbpath, &contactDB) == SQLITE_OK)
{
NSString *insertSQL = [NSString stringWithFormat: @"INSERT INTO CONTACTS (url, email, code, full) VALUES (\"%@\", \"%@\", \"%@\", \"%@\")", url_2, mail, keycode,full_2 ];
const char *insert_stmt = [insertSQL UTF8String];
sqlite3_prepare_v2(contactDB, insert_stmt, -1, &statement, NULL);
if (sqlite3_step(statement) == SQLITE_DONE)
{
NSLog(@"Contact added");
} else {
NSLog(@"Failed to add contact");
}
sqlite3_finalize(statement);
sqlite3_close(contactDB);
} else {
NSLog(@"ROBLEM - CONTACT NOT ADDED");
}
我看到 “问题 - 未添加联系人” 消息。
有什么帮助吗?
Best Answer-推荐答案 strong>
问题在于您在 NSDocumentationDirectory 中打开数据库,而不是在 NSDocumentDirectory 中。
一些不相关的观察:
如果 sqlite3_open() 失败,您应该查看有助于诊断问题根源的数字返回码。您可以在 sqlite3.h 头文件中查找值。
与您的代码示例无关的观察结果:您应该检查您的 sqlite3_prepare_v2() 返回代码,因为 SQL 错误通常在此处被识别,而不是在 sqlite3_step() .如果它返回 SQLITE_OK 以外的内容,则立即调用 sqlite3_errmsg() 以准确确定失败的原因。
您不应使用 stringWithFormat 为 INSERT SQL 语句添加值。而是使用 ? 占位符,然后使用 sqlite3_bind_XXX() 将值绑定(bind)到这些 SQL 值的函数。事实上,如果您插入的任何值包含引号,您的 SQL 就会失败(并且容易受到 SQL 注入(inject)攻击)。
关于ios - 无法将数据添加到本地数据库 sqlite IOS,我们在Stack Overflow上找到一个类似的问题:
https://stackoverflow.com/questions/14149431/
|