IOS學習筆記16——Core Data

來源:互聯網
上載者:User

Core Data是一個功能強大的層,位於SQLite資料庫之上,它避免了SQL的複雜性,能讓我們以更自然的方式與資料庫進行互動。Core Data將資料庫行轉換為OC對象(託管對象)來實現,這樣無需任何SQL知識就能操作他們。

Core Data位於MVC設計模式中的模型層,一般需要在裝置上儲存結構化資料時,考慮使用SQLite或是序列化等方法,而Core Data是這兩種方法的混合體,並增加了一些功能,提供了SQL強大威力,但是用起來又和序列化一樣簡單。Core Data能將應用程式中的對象直接儲存到資料庫中,無需進行複雜的查詢,也無需確保對象的屬性名稱和資料庫欄位名對應,這一切都由Core Data完成。


Core Data的核心——託管對象

託管對象是要儲存到資料庫中的對象的一種表示,可以看成是SQL記錄,它通常包含一些欄位,這些欄位與應用程式中要儲存的對象的屬性進行匹配,建立託管對象後,必須將氣託管到託管物件內容中,然後才可以儲存到資料庫中。

託管物件內容:

託管物件內容包含所有的託管對象,這些託管對象已經為提交給資料庫準備就緒,在託管物件內容中,可以添加、修改和刪除託管對象,這一層相當於應用程式和資料庫之間的緩衝區。

託管對象表:

託管對象表描述了資料庫的架構(schema),供託管物件內容與資料庫互動時使用。託管對象表包含一些列實體描述,每個實體都描述了一個資料庫表,用於將託管對象映射到資料庫條目。


下面來建立一個Core Data

首先要保證引入了CoreData.framwork架構到項目中,然後建立模型檔案,New File——Core Data中的Data Model,然後命名為CDJournal.Xcdatamodel,這裡我們做一個簡單的記錄流水賬的程式。

接下來是定義資料庫實體,選中CDJournal.Xcdatamodel檔案開啟表編輯器,點擊添加一個名為Entry的實體,然後可以為實體添加屬性並指定屬性的資料類型。還可以建立其他實體,如果一個實體包含另一個實體,可通過拖放建立關係,類似於SQL外鍵,比如建立一個Author實體可以有多個Entry。建立實體及屬性如:


建立完實體後必鬚生成表示資料庫物件的類,使我們能在代碼中表示實體,選擇Entry實體,然後選擇菜單Editor——Create NSManagedObject Subclass,點擊create,就完成了。完成後可以看到工程中多了一個Entry的h和m檔案,這就是Core Data模型中的實體物件。基本準備工作就完成了,如下是工程目錄:


現在開始編寫初始化Core Data模型的代碼

首先,在AppDelegate.h中聲明Core Data需要的對象,代碼如下:

#import <UIKit/UIKit.h>//引入CoreData架構#import <CoreData/CoreData.h>@classViewController;@interface AppDelegate : UIResponder <UIApplicationDelegate]]>@property (strong, nonatomic) UIWindow *window;@property (strong, nonatomic) ViewController *viewController;//資料模型對象@property(strong,nonatomic) NSManagedObjectModel *managedObjectModel;//內容物件@property(strong,nonatomic) NSManagedObjectContext *managedObjectContext;//持久性儲存區@property(strong,nonatomic) NSPersistentStoreCoordinator *persistentStoreCoordinator;//初始化Core Data使用的資料庫-(NSPersistentStoreCoordinator *)persistentStoreCoordinator;//managedObjectModel的初始化賦值函數-(NSManagedObjectModel *)managedObjectModel;//managedObjectContext的初始化賦值函數-(NSManagedObjectContext *)managedObjectContext;@end

然後在.m檔案中實現定義的方法:

-(NSManagedObjectModel *)managedObjectModel{    if (managedObjectModel != nil) {        returnmanagedObjectModel;    }    managedObjectModel = [[NSManagedObjectModel mergedModelFromBundles:nil] retain];    return managedObjectModel;}-(NSPersistentStoreCoordinator *)persistentStoreCoordinator{    if (persistentStoreCoordinator != nil) {        returnpersistentStoreCoordinator;    }        //得到資料庫的路徑    NSString *docs = [NSSearchPathForDirectoriesInDomains(NSDocumentDirectory, NSUserDomainMask, YES) lastObject];    //CoreData是建立在SQLite之上的,資料庫名稱需與Xcdatamodel檔案同名    NSURL *storeUrl = [NSURL fileURLWithPath:[docs stringByAppendingPathComponent:@"CDJournal.sqlite"]];    NSError *error = nil;    persistentStoreCoordinator = [[NSPersistentStoreCoordinator alloc]initWithManagedObjectModel:[self managedObjectModel]];        if (![persistentStoreCoordinator addPersistentStoreWithType:NSSQLiteStoreType configuration:nil URL:storeUrl options:nil error:&error]) {        NSLog(@"Error: %@,%@",error,[error userInfo]);    }        returnpersistentStoreCoordinator;}-(NSManagedObjectContext *)managedObjectContext{    if (managedObjectContext != nil) {        return managedObjectContext;    }        NSPersistentStoreCoordinator *coordinator =[self persistentStoreCoordinator];        if (coordinator != nil) {        managedObjectContext = [[NSManagedObjectContext alloc]init];        [managedObjectContext setPersistentStoreCoordinator:coordinator];    }        return managedObjectContext;}

另外,為了保證需要儲存的資料不丟失,添加如下代碼:

//這個方法定義的是當應用程式退到後台時將執行的方法,按下home鍵執行(通知中樞來調度)//實現此方法的目的是將託管物件內容儲存到資料存放區區,防止程式退出時有未儲存的資料- (void)applicationWillTerminate:(UIApplication *)application{    NSError *error;    if (managedObjectContext != nil) {        //hasChanges方法是檢查是否有未儲存的上下文更改,如果有,則執行save方法儲存上下文        if ([managedObjectContext hasChanges] && ![managedObjectContext save:&error]) {            NSLog(@"Error: %@,%@",error,[error userInfo]);            abort();        }    }}

然後對xib檔案進行布局並串連IBOutlet和IBAction

ViewController.h代碼如下:

#import <UIKit/UIKit.h>#import "AppDelegate.h"@interface ViewController : UIViewController@property (retain, nonatomic) IBOutletUITextField *titleTextField;@property (retain, nonatomic) IBOutletUITextField *contentTextField;@property (strong,nonatomic) AppDelegate *myDelegate;@property (strong,nonatomic) NSMutableArray *entries;//單擊按鈕後執行資料儲存操作- (IBAction)addToDB:(id)sender;//單擊按鈕後執行查詢操作- (IBAction)queryFromDB:(id)sender;//當通過鍵盤在UITextField中輸入完畢後,點擊螢幕空白地區關閉鍵盤的操作-(IBAction)backgroundTapped:(id)sender;@end

ViewController.m代碼如下:

#import "ViewController.h"#import "Entry.h"@interfaceViewController ()@end@implementation ViewController@synthesize titleTextField;@synthesize contentTextField;@synthesize myDelegate = _myDelegate;@synthesize entries = _entries;- (void)viewDidLoad{    [superviewDidLoad];    //擷取當前應用程式的委託(UIApplication sharedApplication為整個應用程式上下文)    self.myDelegate = (AppDelegate *)[[UIApplication sharedApplication] delegate];    }- (void)viewDidUnload{    [selfsetTitleTextField:nil];    [selfsetContentTextField:nil];    [superviewDidUnload];    // Release any retained subviews of the main view.}- (BOOL)shouldAutorotateToInterfaceOrientation:(UIInterfaceOrientation)interfaceOrientation{    return (interfaceOrientation != UIInterfaceOrientationPortraitUpsideDown);}- (void)dealloc {    [titleTextFieldrelease];    [contentTextFieldrelease];    [superdealloc];}//單擊按鈕後執行資料儲存操作- (IBAction)addToDB:(id)sender {    //讓CoreData在上下文中建立一個新對象(託管對象)    Entry *entry = (Entry *)[NSEntityDescription insertNewObjectForEntityForName:@"Entry" inManagedObjectContext:self.myDelegate.managedObjectContext];        [entry setTitle:self.titleTextField.text];    [entry setBody:self.contentTextField.text];    [entry setCreationDate:[NSDatedate]];        NSError *error;        //託管對象準備好後,調用託管物件內容的save方法將資料寫入資料庫    BOOL isSaveSuccess = [self.myDelegate.managedObjectContextsave:&error];        if (!isSaveSuccess) {        NSLog(@"Error: %@,%@",error,[error userInfo]);    }else {        NSLog(@"Save successful!");    }}//單擊按鈕後執行查詢操作- (IBAction)queryFromDB:(id)sender {    //建立取回資料請求    NSFetchRequest *request = [[NSFetchRequest alloc] init];    //設定要檢索哪種類型的實體物件    NSEntityDescription *entity = [NSEntityDescription entityForName:@"Entry"inManagedObjectContext:self.myDelegate.managedObjectContext];    //佈建要求實體    [request setEntity:entity];    //指定對結果的排序方式    NSSortDescriptor *sortDescriptor = [[NSSortDescriptor alloc] initWithKey:@"creationDate"ascending:NO];    NSArray *sortDescriptions = [[NSArray alloc]initWithObjects:sortDescriptor, nil];    [request setSortDescriptors:sortDescriptions];    [sortDescriptions release];    [sortDescriptor release];        NSError *error = nil;    //執行擷取資料請求,返回數組    NSMutableArray *mutableFetchResult = [[self.myDelegate.managedObjectContext executeFetchRequest:request error:&error] mutableCopy];    if (mutableFetchResult == nil) {        NSLog(@"Error: %@,%@",error,[error userInfo]);    }    self.entries = mutableFetchResult;        NSLog(@"The count of entry:%i",[self.entriescount]);        for (Entry *entry inself.entries) {        NSLog(@"Title:%@---Content:%@---Date:%@",entry.title,entry.body,entry.creationDate);    }        [mutableFetchResult release];    [request release];}//更新操作-(void)updateEntry:(Entry *)entry{    [entry setTitle:self.titleTextField.text];    [entry setBody:self.contentTextField.text];    [entry setCreationDate:[NSDatedate]];        NSError *error;    BOOL isUpdateSuccess = [self.myDelegate.managedObjectContextsave:&error ];    if (!isUpdateSuccess) {        NSLog(@"Error:%@,%@",error,[error userInfo]);    }}//刪除操作-(void)deleteEntry:(Entry *)entry{    [self.myDelegate.managedObjectContext deleteObject:entry];    [self.entriesremoveObject:entry];        NSError *error;    if (![self.myDelegate.managedObjectContext save:&error]) {        NSLog(@"Error:%@,%@",error,[error userInfo]);    }}//當通過鍵盤在UITextField中輸入完畢後,點擊螢幕空白地區關閉鍵盤的操作-(IBAction)backgroundTapped:(id)sender{    [titleTextField resignFirstResponder];    [contentTextField resignFirstResponder];}@end

最後運行並填入資料,點擊Add後添加成功

多添加幾條資料後點擊Query便可以查看輸出的查詢結果,在命令列的輸出結果如下:


以上就是對Core Data的一個簡單的使用,Core Data還有很多功能,這裡就不一一列舉,具體的在Apple的官方文檔中有詳細解釋。

加入我們的QQ群或公眾帳號請查看:Ryan's
zone公眾帳號及QQ群


歡迎關注我的新浪微博和我交流:@唐韌_Ryan

相關文章

聯繫我們

該頁面正文內容均來源於網絡整理,並不代表阿里雲官方的觀點,該頁面所提到的產品和服務也與阿里云無關,如果該頁面內容對您造成了困擾,歡迎寫郵件給我們,收到郵件我們將在5個工作日內處理。

如果您發現本社區中有涉嫌抄襲的內容,歡迎發送郵件至: info-contact@alibabacloud.com 進行舉報並提供相關證據,工作人員會在 5 個工作天內聯絡您,一經查實,本站將立刻刪除涉嫌侵權內容。

A Free Trial That Lets You Build Big!

Start building with 50+ products and up to 12 months usage for Elastic Compute Service

  • Sales Support

    1 on 1 presale consultation

  • After-Sales Support

    24/7 Technical Support 6 Free Tickets per Quarter Faster Response

  • Alibaba Cloud offers highly flexible support services tailored to meet your exact needs.