- 须知: (1)归档(2)偏好设置(3)Plist存储:都不适合处理大批量数据的存储,大批量数据通常使用数据库来进行存储;
- 对数据库的操作:通常情况下是启动程序立即打开数据库,所以在
AppDelegate.m
文件didFinishLaunchingWithOptions
方法中打开数据库(如果没有则先创建,再打开)
- 数据库的操作应该封装成工具类,在这个工具类里面对外提供接口,方便外界的CRUD操作;
- 封装的这个工具类,设计成单例,非绝对的单例
- 使用
sqlite3
,应该手动导入这个框架
- 具体步奏如下
- 1.创建表
- 2.执行sql语句
- 3.查看的所有数据
1.单例设计
+ (instancetype)shareIntance
{
static dispatch_once_t onceToken;
dispatch_once(&onceToken, ^{
_instance = [[self alloc] init];
});
return _instance;
}
2.定义一个数据库对象,注意用assign修饰
@interface SQLiteManager ()
@property (nonatomic, assign) sqlite3 *db;
@end
3.打开数据库方法
- (BOOL)openDB
{
// 数据库文件存放的路径(沙盒中)
NSString *filePath = [NSSearchPathForDirectoriesInDomains(NSCachesDirectory, NSUserDomainMask, YES) firstObject];
// 全路径
filePath = [filePath stringByAppendingPathComponent:@"demo.sqlite"];
// 1> 参数一:文件路径+文件名字
// 2> 参数二:数据库对象
if (sqlite3_open(filePath.UTF8String, &_db) != SQLITE_OK) {
NSLog(@"数据库打开失败");
return NO;
}
// 创建表
return [self createTable];
}
4.创建表的方法
- (BOOL)createTable
{
// 1.封装创建表的语句-->注意标点符号分号,要包括在内
NSString *createTableSQL = @"CREATE TABLE IF NOT EXISTS 't_student' ( 'id' INTEGER NOT NULL PRIMARY KEY AUTOINCREMENT,'name' TEXT,'age' INTEGER);";
// 2.执行sql语句
return [self execSQL:createTableSQL];
}
5.执行sql语句的方法
- (BOOL)execSQL:(NSString *)sql
{
// 1> 参数一:数据库对象
// 2> 参数二:要执行的sql语句
return sqlite3_exec(self.db, sql.UTF8String, nil, nil, nil) == SQLITE_OK;
}
6.返回要查看的所有数据的数组
- (NSArray *)querySQL:(NSString *)querySQL
{
// 定义游标对象
sqlite3_stmt *stmt = nil;
// 准备查询
// 1> 参数一:数据库对象
// 2> 参数二:查询语句
// 3> 参数三:查询语句的长度:-1
// 4> 参数四:句柄(游标对象)
if (sqlite3_prepare_v2(self.db, querySQL.UTF8String, -1, &stmt, nil) != SQLITE_OK) {
NSLog(@"准备查询失败");
return nil;
};
// 准备成功,开始查询数据
NSMutableArray *dictArray = [NSMutableArray array];
while (sqlite3_step(stmt) == SQLITE_ROW) {
// 获取一共多少列
int count = sqlite3_column_count(stmt);
// 定义字典
NSMutableDictionary *dict = [NSMutableDictionary dictionary];
for (int i = 0; i < count; i++) {
// 取出i位置列的字段名,作为字典的键
const char *cKey = sqlite3_column_name(stmt, i);
NSString *key = [NSString stringWithUTF8String:cKey];
// 取出i位置的存储的值,作为字典的值
const char *cValue = (const char *)sqlite3_column_text(stmt, i);
NSString *value = [NSString stringWithUTF8String:cValue];
// 将键值对一个一个放入字典中
[dict setValue:value forKey:key];
}
// 将获取的字典放入数组中
[dictArray addObject:dict];
}
// 返回取出所有数据的数组
return dictArray;
}