今天我们来看看 iPhone 中数据库的使用方法。iPhone 中使用名为 SQLite 的数据库管理系统。它是一款轻型的数据库,是遵守ACID的关联式数据库管理系统,它的设计目标是嵌入式的,而且目前已经在很多嵌入式产品中使用了它,它占用资源非常的低,在嵌入式设备中,可能只需要几百K的内存就够了。它能够支持Windows/Linux/Unix等等主流的操作系统,同时能够跟很多程序语言相结合,比如Tcl、PHP、Java等,还有ODBC接口,同样比起Mysql、PostgreSQL这两款开源世界著名的数据库管理系统来讲,它的处理速度比他们都快。

其使用步骤大致分为以下几步:

  1. 创建DB文件和表格
  2. 添加必须的库文件(FMDB for iPhone, libsqlite3.0.dylib)
  3. 通过 FMDB 的方法使用 SQLite
创建DB文件和表格
1
2
3
4
5
$ sqlite3 sample.db
sqlite> CREATE TABLE TEST(...>  id INTEGER PRIMARY KEY,...>  name VARCHAR(255)...> );

简单地使用上面的语句生成数据库文件后,用一个图形化SQLite管理工具,比如 Lita 来管理还是很方便的。

然后将文件(sample.db)添加到工程中。

添加必须的库文件(FMDB for iPhone, libsqlite3.0.dylib)

首先添加 Apple 提供的 sqlite 操作用程序库 ibsqlite3.0.dylib 到工程中。

位置如下
/Developer/Platforms/iPhoneOS.platform/Developer/SDKs/iPhoneOS${VER}.sdk/usr/lib/libsqlite3.0.dylib

这样一来就可以访问数据库了,但是为了更加方便的操作数据库,这里使用 FMDB for iPhone。

1
svn co http://flycode.googlecode.com/svn/trunk/fmdb fmdb

如上下载该库,并将以下文件添加到工程文件中:

FMDatabase.h
FMDatabase.m
FMDatabaseAdditions.h
FMDatabaseAdditions.m
FMResultSet.h
FMResultSet.m
通过 FMDB 的方法使用 SQLite

使用 SQL 操作数据库的代码在程序库的 fmdb.m 文件中大部分都列出了、只是连接数据库文件的时候需要注意 — 执行的时候,参照的数据库路径位于 Document 目录下,之前把刚才的 sample.db 文件拷贝过去就好了。

位置如下
/Users/xxxx/Library/Application Support/iPhone Simulator/User/Applications/xxxx/Documents/sample.db

以下为链接数据库时的代码:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
BOOL success;
NSError *error;
NSFileManager *fm = [NSFileManager defaultManager];
NSArray  *paths = NSSearchPathForDirectoriesInDomains(NSDocumentDirectory, NSUserDomainMask, YES);
NSString *documentsDirectory = [paths objectAtIndex:0];
NSString *writableDBPath = [documentsDirectory stringByAppendingPathComponent:@"sample.db"];
success = [fm fileExistsAtPath:writableDBPath];
if(!success){NSString *defaultDBPath = [[[NSBundle mainBundle] resourcePath] stringByAppendingPathComponent:@"sample.db"];success = [fm copyItemAtPath:defaultDBPath toPath:writableDBPath error:&error];if(!success){NSLog([error localizedDescription]);}
}// 连接DB
FMDatabase* db = [FMDatabase databaseWithPath:writableDBPath];
if ([db open]) {[db setShouldCacheStatements:YES];// INSERT
  [db beginTransaction];int i = 0;while (i++ < 20) {[db executeUpdate:@"INSERT INTO TEST (name) values (?)" , [NSString stringWithFormat:@"number %d", i]];if ([db hadError]) {NSLog(@"Err %d: %@", [db lastErrorCode], [db lastErrorMessage]);}}[db commit];// SELECT
  FMResultSet *rs = [db executeQuery:@"SELECT * FROM TEST"];while ([rs next]) {NSLog(@"%d %@", [rs intForColumn:@"id"], [rs stringForColumn:@"name"]);}[rs close];[db close];
}else{NSLog(@"Could not open db.");
}

接下来再看看用 DAO 的形式来访问数据库的使用方法,代码整体构造如下。

首先创建如下格式的数据库文件:

1
2
3
4
5
6
$ sqlite3 sample.db
sqlite> CREATE TABLE TbNote(...>  id INTEGER PRIMARY KEY,...>  title VARCHAR(255),...>  body VARCHAR(255)...> );
创建DTO(Data Transfer Object)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
//TbNote.h
#import <Foundation/Foundation.h>@interface TbNote : NSObject {int index;NSString *title;NSString *body;
}@property (nonatomic, retain) NSString *title;
@property (nonatomic, retain) NSString *body;- (id)initWithIndex:(int)newIndex Title:(NSString *)newTitle Body:(NSString *)newBody;
- (int)getIndex;@end//TbNote.m
#import "TbNote.h"@implementation TbNote
@synthesize title, body;- (id)initWithIndex:(int)newIndex Title:(NSString *)newTitle Body:(NSString *)newBody{if(self = [super init]){index = newIndex;self.title = newTitle;self.body = newBody;}return self;
}- (int)getIndex{return index;
}- (void)dealloc {[title release];[body release];[super dealloc];
}@end
创建DAO(Data Access Objects)

这里将 FMDB 的函数调用封装为 DAO 的方式。

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
//BaseDao.h
#import <Foundation/Foundation.h>@class FMDatabase;@interface BaseDao : NSObject {FMDatabase *db;
}@property (nonatomic, retain) FMDatabase *db;-(NSString *)setTable:(NSString *)sql;@end//BaseDao.m
#import "SqlSampleAppDelegate.h"
#import "FMDatabase.h"
#import "FMDatabaseAdditions.h"
#import "BaseDao.h"@implementation BaseDao
@synthesize db;- (id)init{if(self = [super init]){// 由 AppDelegate 取得打开的数据库
    SqlSampleAppDelegate *appDelegate = (SqlSampleAppDelegate *)[[UIApplication sharedApplication] delegate];db = [[appDelegate db] retain];}return self;
}
// 子类中实现
-(NSString *)setTable:(NSString *)sql{return NULL;
}- (void)dealloc {[db release];[super dealloc];
}@end

下面是访问 TbNote 表格的类。

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
//TbNoteDao.h
#import <Foundation/Foundation.h>
#import "BaseDao.h"@interface TbNoteDao : BaseDao {
}-(NSMutableArray *)select;
-(void)insertWithTitle:(NSString *)title Body:(NSString *)body;
-(BOOL)updateAt:(int)index Title:(NSString *)title Body:(NSString *)body;
-(BOOL)deleteAt:(int)index;@end//TbNoteDao.m
#import "FMDatabase.h"
#import "FMDatabaseAdditions.h"
#import "TbNoteDao.h"
#import "TbNote.h"@implementation TbNoteDao-(NSString *)setTable:(NSString *)sql{return [NSString stringWithFormat:sql,  @"TbNote"];
}
// SELECT
-(NSMutableArray *)select{NSMutableArray *result = [[[NSMutableArray alloc] initWithCapacity:0] autorelease];FMResultSet *rs = [db executeQuery:[self setTable:@"SELECT * FROM %@"]];while ([rs next]) {TbNote *tr = [[TbNote alloc]initWithIndex:[rs intForColumn:@"id"]Title:[rs stringForColumn:@"title"]Body:[rs stringForColumn:@"body"]];[result addObject:tr];[tr release];}[rs close];return result;
}
// INSERT
-(void)insertWithTitle:(NSString *)title Body:(NSString *)body{[db executeUpdate:[self setTable:@"INSERT INTO %@ (title, body) VALUES (?,?)"], title, body];if ([db hadError]) {NSLog(@"Err %d: %@", [db lastErrorCode], [db lastErrorMessage]);}
}
// UPDATE
-(BOOL)updateAt:(int)index Title:(NSString *)title Body:(NSString *)body{BOOL success = YES;[db executeUpdate:[self setTable:@"UPDATE %@ SET title=?, body=? WHERE id=?"], title, body, [NSNumber numberWithInt:index]];if ([db hadError]) {NSLog(@"Err %d: %@", [db lastErrorCode], [db lastErrorMessage]);success = NO;}return success;
}
// DELETE
- (BOOL)deleteAt:(int)index{BOOL success = YES;[db executeUpdate:[self setTable:@"DELETE FROM %@ WHERE id = ?"], [NSNumber numberWithInt:index]];if ([db hadError]) {NSLog(@"Err %d: %@", [db lastErrorCode], [db lastErrorMessage]);success = NO;}return success;
}- (void)dealloc {[super dealloc];
}@end

为了确认程序正确,我们添加一个 UITableView。使用 initWithNibName 测试 DAO。

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
//NoteController.h
#import <UIKit/UIKit.h>@class TbNoteDao;@interface NoteController : UIViewController <UITableViewDataSource, UITableViewDelegate>{UITableView *myTableView;TbNoteDao *tbNoteDao;NSMutableArray *record;
}@property (nonatomic, retain) UITableView *myTableView;
@property (nonatomic, retain) TbNoteDao *tbNoteDao;
@property (nonatomic, retain) NSMutableArray *record;@end//NoteController.m
#import "NoteController.h"
#import "TbNoteDao.h"
#import "TbNote.h"@implementation NoteController
@synthesize myTableView, tbNoteDao, record;- (id)initWithNibName:(NSString *)nibNameOrNil bundle:(NSBundle *)nibBundleOrNil {if (self = [super initWithNibName:nibNameOrNil bundle:nibBundleOrNil]) {tbNoteDao = [[TbNoteDao alloc] init];[tbNoteDao insertWithTitle:@"TEST TITLE" Body:@"TEST BODY"];
//    [tbNoteDao updateAt:1 Title:@"UPDATE TEST" Body:@"UPDATE BODY"];
//    [tbNoteDao deleteAt:1];
    record = [[tbNoteDao select] retain];}return self;
}- (void)viewDidLoad {[super viewDidLoad];myTableView = [[UITableView alloc] initWithFrame:[[UIScreen mainScreen] applicationFrame]];myTableView.delegate = self;myTableView.dataSource = self;self.view = myTableView;
}- (NSInteger)numberOfSectionsInTableView:(UITableView *)tableView {return 1;
}- (NSInteger)tableView:(UITableView *)tableView numberOfRowsInSection:(NSInteger)section {return [record count];
}- (UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath {static NSString *CellIdentifier = @"Cell";UITableViewCell *cell = [tableView dequeueReusableCellWithIdentifier:CellIdentifier];if (cell == nil) {cell = [[[UITableViewCell alloc] initWithFrame:CGRectZero reuseIdentifier:CellIdentifier] autorelease];}TbNote *tr = (TbNote *)[record objectAtIndex:indexPath.row];cell.text = [NSString stringWithFormat:@"%i %@", [tr getIndex], tr.title];return cell;
}- (void)didReceiveMemoryWarning {[super didReceiveMemoryWarning];
}- (void)dealloc {[super dealloc];
}@end

最后我们开看看连接DB,和添加 ViewController 的处理。这一同样不使用 Interface Builder。

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
//SqlSampleAppDelegate.h
#import <UIKit/UIKit.h>@class FMDatabase;@interface SqlSampleAppDelegate : NSObject <UIApplicationDelegate> {UIWindow *window;FMDatabase *db;
}@property (nonatomic, retain) IBOutlet UIWindow *window;
@property (nonatomic, retain) FMDatabase *db;- (BOOL)initDatabase;
- (void)closeDatabase;@end//SqlSampleAppDelegate.m
#import "SqlSampleAppDelegate.h"
#import "FMDatabase.h"
#import "FMDatabaseAdditions.h"
#import "NoteController.h"@implementation SqlSampleAppDelegate@synthesize window;
@synthesize db;- (void)applicationDidFinishLaunching:(UIApplication *)application {if (![self initDatabase]){NSLog(@"Failed to init Database.");}NoteController *ctrl = [[NoteController alloc] initWithNibName:nil bundle:nil];[window addSubview:ctrl.view];[window makeKeyAndVisible];
}- (BOOL)initDatabase{BOOL success;NSError *error;NSFileManager *fm = [NSFileManager defaultManager];NSArray  *paths = NSSearchPathForDirectoriesInDomains(NSDocumentDirectory, NSUserDomainMask, YES);NSString *documentsDirectory = [paths objectAtIndex:0];NSString *writableDBPath = [documentsDirectory stringByAppendingPathComponent:@"sample.db"];success = [fm fileExistsAtPath:writableDBPath];if(!success){NSString *defaultDBPath = [[[NSBundle mainBundle] resourcePath] stringByAppendingPathComponent:@"sample.db"];success = [fm copyItemAtPath:defaultDBPath toPath:writableDBPath error:&error];if(!success){NSLog([error localizedDescription]);}success = NO;}if(success){db = [[FMDatabase databaseWithPath:writableDBPath] retain];if ([db open]) {[db setShouldCacheStatements:YES];}else{NSLog(@"Failed to open database.");success = NO;}}return success;
}- (void) closeDatabase{[db close];
}- (void)dealloc {[db release];[window release];[super dealloc];
}@end

原文链接 : http://www.yifeiyang.net/iphone-developer-advanced-9-management-database-using-sqlite/

FMDB And Dao相关推荐

  1. java action dao_java中Action层、Service层和Dao层的功能区分

    一.Action/Service/DAO简介: Action是管理业务(Service)调度和管理跳转的. Service是管理具体的功能的. Action只负责管理,而Service负责实施. DA ...

  2. [转]JAVA中Action层, Service层 ,modle层 和 Dao层的功能区分

    首先这是现在最基本的分层方式,结合了SSH架构.modle层就是对应的数据库表的实体类.Dao层是使用了Hibernate连接数据库.操作数据库(增删改查).Service层:引用对应的Dao数据库操 ...

  3. Java中 实体类 VO、 PO、DO、DTO、 BO、 QO、DAO、POJO的概念

    PO(persistant object) 持久对象 在 o/r 映射的时候出现的概念,如果没有 o/r 映射,没有这个概念存在了.通常对应数据模型 ( 数据库 ), 本身还有部分业务逻辑的处理.可以 ...

  4. POJO、JavaBean、DAO

    POJO   POJO全称是Plain Ordinary Java Object / Plain Old Java Object,中文可以翻译成:普通Java类,具有一部分getter/setter方 ...

  5. SQLite第三方框架FMDB的使用,以及使用FMDatabaseQueue保证线程安全

    2019独角兽企业重金招聘Python工程师标准>>> (1)下载地址:https://github.com/ccgus/fmdb (2)注意点 --语句可以带分号":&q ...

  6. Sqlite3数据库之第三方库FMDB学习心得

    很早之前就接触Sqlite数据库,但是之前对数据库操作未使用任何第三方库,只是实现基本的增.删.改.查功能,自己对着一本iPhone开发入门级的书籍写了一个类,基本能实现上述四个功能.最近在开发一个软 ...

  7. IBatis.Net学习笔记九--动态选择Dao的设计分析

    在IBatis.Net中可以通过配置文件动态选择数据库.动态选择Dao对象. Dao对象也就是操作数据库的类,通过配置文件我们可以选择DataMapper的方式.Ado的方式.NHibernet的方式 ...

  8. JakartaEE Exception: Invalid bound statement (not found): com.mazaiting.blog.dao.UserDao.selectUs...

    异常 org.apache.ibatis.binding.BindingException: Invalid bound statement (not found): com.mazaiting.bl ...

  9. 使用Spring的@Autowired 实现DAO, Service, Controller三层的注入(转)

    简述: 结合Spring和Hibernate进行开发 使用@Autowired实现依赖注入, 实现一个学生注册的功能,做一个技术原型 从DAO(Repository) -> Service -& ...

最新文章

  1. 1小时学会:最简单的iOS直播推流(五)yuv、pcm数据的介绍和获取
  2. mybatis源码分析之事务管理器
  3. R语言使用survminer包生存分析及可视化(ggsurvplot)实战详解:从数据集导入、生存对象生成、ggsurvplot可视化参数配置、设置、可视化对比
  4. 浏览器登录java_java – 如何停止已登录的用户从其他浏览器登录
  5. distinct和group by不能一起用_内裤用热水洗更好吗?能不能和袜子一起洗?了解后炎症或能少困扰...
  6. 投稿 | “轻量应用服务器”征文活动正式启动
  7. DCASE三次挑战赛概览
  8. 求求你把输入法调小一点... | 今日最佳
  9. P1303 A*B Problem(python3实现)
  10. Gson实现自定义解析json格式
  11. 随机排列算法(Fisher-Yates)
  12. 用旧手机搭建服务器并实现内网穿透不需要root(本人亲测很多次最简单的一个)
  13. oracle外部表 查重,问题解决中对问题的外部表征和内部表征
  14. 网易手游《镇魔曲》怎么打?华为畅享6S帮你春节同学聚会露一手
  15. seo外包公司可以为企业带来什么好处
  16. linux的veth导致网络不通,使用veth-pair和bridge搭建的本地网络环境网络不通
  17. 1米*1米*1米*1米*1米等于什么?
  18. 手把手教做Excel直方图
  19. VB与C#的区别(转载)
  20. matlab 呼吸灯,STM32的呼吸灯.doc

热门文章

  1. Spring AOP 切面@Around注解的具体使用
  2. QML实现的支持动图的编辑器(比之前要好)
  3. 穆迪分析专家贡献IFRS 9和CECL新书
  4. Learning Atom 学习Atom编辑器 Lynda课程中文字幕
  5. 前端CDN资源库,解决HTML大屏首次加载慢的问题了,大屏项目必备cdn加速
  6. 根据阿里GeoJSON格式生成全国Shp矢量边界
  7. Python爬虫:短视频平台无水印下载(上)
  8. Bookmarklet - 小书签,实用浏览器小工具
  9. Posix API总结
  10. authorize(权限验证)