`

[转]iPhone 中数据库的使用方法

 
阅读更多

iPhone 中使用名为 SQLite 的数据库管理系统。它是一款轻型的数据库,是遵守ACID的关联式数据库管理系统,它的设计目标是嵌入式的,而且目前已经在很多嵌入式产品中使用了它,它占用

 

    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文件和表格

$ 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。

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

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

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 的形式来访问数据库的使用方法,代码整体构造如下。

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

$ sqlite3 sample.db
sqlite> CREATE TABLE TbNote(
   ...>  id INTEGER PRIMARY KEY,
   ...>  title VARCHAR(255),
   ...>  body VARCHAR(255)
   ...> );

创建DTO(Data Transfer Object)

//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 的方式。

//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 表格的类。

//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。

//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。

//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/

分享到:
评论

相关推荐

    iphone开发SQLite数据库使用

    本文将详细介绍如何在iPhone开发中使用SQLite数据库,并通过具体的示例来帮助读者更好地理解和掌握这一技术。 #### 二、SQLite数据库概述 SQLite是一种开源的嵌入式数据库引擎,它不依赖于服务器进程,而是直接...

    iPhone iOS数据库查询源代码

    综上所述,“iPhone iOS数据库查询源代码”涵盖了从SQLite基础知识、API使用、查询语法,到实际开发中的FMDB库应用、性能优化、错误处理等多个方面的知识点。通过学习这些内容,开发者可以更好地掌握在iOS应用中管理...

    iPhone开发之数据库使用

    通过执行SQL的`CREATE TABLE`语句,可以在数据库中创建表。例如,创建一个名为`Users`的表,包含`ID`(整数,主键)、`Name`(文本)和`Age`(整数)字段。 ```sql CREATE TABLE Users (ID INTEGER PRIMARY KEY, ...

    iphone程序中连接mysql远程数据库

    iphone 远程连接 mysql 实例

    iphone FMDB 数据库操作示例

    在iOS开发中,数据库操作是不可或缺的一部分,尤其是在处理应用程序的数据存储和检索时。SQLite作为一款轻量级的...通过学习和实践这个示例,你将能够更好地理解和掌握在iPhone应用中使用FMDB进行数据库操作的方法。

    IPhone 中使用SQLlite数据库开发的实例代码

    在实际应用中,为了简化操作,开发者通常会使用ORM(对象关系映射)框架,如CoreData或FMDB,它们提供了更高级别的抽象和便利的方法来与SQLite交互。 在学习这个实例代码时,建议你逐步了解每个函数的作用,理解SQL...

    Iphone数据库访问技术

    "Iphone数据库访问技术"主要涉及如何在iPhone应用中有效地使用数据库系统,尤其是SQLite,这是iOS开发中最常用的轻量级数据库。SQLite是一个嵌入式关系型数据库,它不需要单独的服务器进程,可以直接在应用程序中...

    iphone mysql数据库操作代码例子.docx

    代码中使用`NSLog`打印错误信息,这是简单的调试手段。在实际开发中,可能需要更完善的错误处理机制,比如使用`NSAssert`进行断言,或者抛出异常,以便于追踪和修复问题。 7. **内存管理**: 在SQLite操作中,`...

    iphone mysql数据库操作代码例子_.docx

    本示例中的代码展示了如何在iPhone应用中使用SQLite数据库进行基本的操作,如打开、创建表和插入数据。SQLite是一个轻量级的关系型数据库,被广泛用于移动应用中,因为它不需要单独的服务器进程,可以直接在本地存储...

    sqlite persistent objects iphone数据库操作源码

    sqlite persistent objects iphone数据库操作源码sqlite persistent objects iphone数据库操作源码sqlite persistent objects iphone数据库操作源码

    iphone调用云数据库simpledb

    iphone调用aws.amazon.com的云数据库simpledb 包含IOS例子源代码和api手册 用免费的数据库服务器,看看大家用得着不,可以省一笔服务器成本了,祝大家早日做出挣钱的游戏 一次失败的腾讯面试真是激励自己努力学习哈....

    FMDB数据库iPhone版本源码

    FMDB是iOS开发中广泛使用的SQLite数据库管理库,它是一个Objective-C封装的SQLite接口,提供了简单易用的API来操作数据库。在这个名为"FMDB数据库iPhone版本源码"的资源中,你将找到适用于iPhone应用的FMDB实现,它...

    基于IPHONE与SQLLITE数据库的应用介绍

    为了能够在iPhone应用中使用SQLite,首先需要将SQLite库添加到Xcode项目中。具体步骤如下: - 在Xcode项目中的资源文件夹下(Resource 文件夹),通过右键点击“Add Files to [Your Project]”选项,将`libsqlite...

    iphone数据库sqlite3的使用基础操作

    通过上述知识点的介绍,我们了解了 SQLite3 在 iPhone 数据库应用中的基本使用方法,包括如何打开和关闭数据库、执行 SQL 语句、准备和执行预编译语句以及如何获取查询结果等。这些基础知识对于在 iOS 平台上开发...

    iphone 开发 xcode 源代码 数据库 database sqlite3 的使用封装函数.

    本文将详细介绍如何在Xcode中使用SQLite3进行iPhone开发,并提供一个封装好的源代码示例。 首先,我们需要了解SQLite3的基本概念。SQLite3是一个关系型数据库管理系统,它的数据以表格的形式存储,表格之间可以通过...

    列车时刻查询-基于SQLite数据库-iPhone版

    在项目“iQuery-iPhone”中,开发者首先需要创建一个SQLite数据库文件,这个文件通常会存储在应用的沙盒中。然后,通过Objective-C的SQLite库,如FMDB,与数据库进行交互,包括创建表、插入数据、查询数据等操作。...

    iPhone中Sqlite的使用

    下面将详细阐述如何在iPhone应用中使用SQLite3.0。 1. **安装SQLite**: 在Xcode项目中,无需额外安装SQLite库,因为Apple已将其集成到iOS SDK中。只需包含必要的头文件`#import &lt;sqlite3.h&gt;`,就可以在Objective-C...

    iphone开发,sqlite数据库案例

    本案例将探讨如何在iPhone应用中集成并使用SQLite3。 首先,你需要在Xcode项目中引入SQLite3库。这可以通过在“Build Phases”设置中添加`libsqlite3.tbd`或`libsqlite3.dylib`库来完成。确保你的目标平台支持这个...

    iphone全国省市城市数据库源码(例子)

    标题中的“iphone全国省市城市数据库源码(例子)”指的是为iPhone iOS应用开发提供的一个包含全国省市城市数据的源代码示例。这个源码库通常用于实现用户在应用中选择省份、城市的功能,例如地址输入或者地理位置...

Global site tag (gtag.js) - Google Analytics