[Cocoa]深入浅出 Cocoa 之 Core Data(2)- 手动编写代码

2024-09-02 16:32

本文主要是介绍[Cocoa]深入浅出 Cocoa 之 Core Data(2)- 手动编写代码,希望对大家解决编程问题提供一定的参考价值,需要的开发者们随着小编来一起学习吧!

深入浅出 Cocoa 之 Core Data(2)- 代码示例

罗朝辉( http://blog.csdn.net/kesalin)

CC 许可,转载请注明出处

前面 详细讲解了 Core Data 的框架以及设计的类,下面我们来讲解一个完全手动编写代码使用这些类的示例,这个例子来自苹果官方示例。在这个例子里面,我们打算做这样一件事情:记录程序运行记录(时间与 process id),并保存到xml文件中。我们使用 Core Data 来做这个事情。

示例代码下载:点击这里


一,建立一个新的 Mac command-line tool application 工程,命名为 CoreDataTutorial。为支持垃圾主动回收机制,点击项目名称,在右边的 Build Setting 中查找 garbage 关键字,将找到的 Objective-C Garbage Collection 设置为 Required [-fobj-gc-only]。并将  main.m 中 的 main() 方法修改为如下:

[cpp]  view plain copy print ?
  1. int main (int argc, const char * argv[])  
  2. {  
  3.     NSLog(@" === Core Data Tutorial ===");  
  4.   
  5.     // Enable GC  
  6.     //  
  7.     objc_startCollectorThread();  
  8.       
  9.     return 0;  
  10. }  

二,创建并设置模型类

在 main() 之前添加如下方法:

[cpp]  view plain copy print ?
  1. NSManagedObjectModel *managedObjectModel()  
  2. {  
  3.     static NSManagedObjectModel *moModel = nil;  
  4.   
  5.     if (moModel != nil) {  
  6.         return moModel;  
  7.     }  
  8.       
  9.     moModel = [[NSManagedObjectModel alloc] init];  
  10.       
  11.     // Create the entity  
  12.     //  
  13.     NSEntityDescription *runEntity = [[NSEntityDescription alloc] init];  
  14.     [runEntity setName:@"Run"];  
  15.     [runEntity setManagedObjectClassName:@"Run"];  
  16.       
  17.     [moModel setEntities:[NSArray arrayWithObject:runEntity]];  
  18.       
  19.     // Add the Attributes  
  20.     //  
  21.     NSAttributeDescription *dateAttribute = [[NSAttributeDescription alloc] init];  
  22.     [dateAttribute setName:@"date"];  
  23.     [dateAttribute setAttributeType:NSDateAttributeType];  
  24.     [dateAttribute setOptional:NO];  
  25.       
  26.     NSAttributeDescription *idAttribute = [[NSAttributeDescription alloc] init];  
  27.     [idAttribute setName:@"processID"];  
  28.     [idAttribute setAttributeType:NSInteger32AttributeType];  
  29.     [idAttribute setOptional:NO];  
  30.     [idAttribute setDefaultValue:[NSNumber numberWithInteger:-1]];  
  31.   
  32.     // Create the validation predicate for the process ID.  
  33.     // The following code is equivalent to validationPredicate = [NSPredicate predicateWithFormat:@"SELF > 0"]  
  34.     //  
  35.     NSExpression *lhs = [NSExpression expressionForEvaluatedObject];  
  36.     NSExpression *rhs = [NSExpression expressionForConstantValue:[NSNumber numberWithInteger:0]];  
  37.       
  38.     NSPredicate *validationPredicate = [NSComparisonPredicate  
  39.                                         predicateWithLeftExpression:lhs  
  40.                                         rightExpression:rhs  
  41.                                         modifier:NSDirectPredicateModifier  
  42.                                         type:NSGreaterThanPredicateOperatorType  
  43.                                         options:0];  
  44.       
  45.     NSString *validationWarning = @"Process ID < 1";  
  46.     [idAttribute setValidationPredicates:[NSArray arrayWithObject:validationPredicate]  
  47.                   withValidationWarnings:[NSArray arrayWithObject:validationWarning]];  
  48.       
  49.     // set the properties for the entity.  
  50.     //  
  51.     NSArray *properties = [NSArray arrayWithObjects: dateAttribute, idAttribute, nil];  
  52.     [runEntity setProperties:properties];  
  53.       
  54.     // Add a Localization Dictionary  
  55.     //  
  56.     NSMutableDictionary *localizationDictionary = [NSMutableDictionary dictionary];  
  57.     [localizationDictionary setObject:@"Date" forKey:@"Property/date/Entity/Run"];  
  58.     [localizationDictionary setObject:@"Process ID" forKey:@"Property/processID/Entity/Run"];  
  59.     [localizationDictionary setObject:@"Process ID must not be less than 1" forKey:@"ErrorString/Process ID < 1"];  
  60.       
  61.     [moModel setLocalizationDictionary:localizationDictionary];  
  62.       
  63.     return moModel;  
  64. }  


在上面的代码中:

1)我们创建了一个全局模型 moModel;
2)并在其中创建一个名为 Run 的 Entity,这个 Entity 对应的 ManagedObject 类名为 Run(很快我们将创建这样一个类);
3)给 Run Entity 添加了两个必须的 Property:date 和 processID,分别表示运行时间以及进程 ID;并设置默认的进程 ID 为 -1;
4)给 processID 特性设置检验条件:必须大于 0;
5)给模型设置本地化描述词典;

本地化描述提供对 Entity,Property,Error信息等的便于理解的描述,其可用的键值对如下表:

Key

Value


"Entity/NonLocalizedEntityName"

"LocalizedEntityName"


"Property/NonLocalizedPropertyName/Entity/EntityName"

"LocalizedPropertyName"


"Property/NonLocalizedPropertyName"

"LocalizedPropertyName"


"ErrorString/NonLocalizedErrorString"

"LocalizedErrorString"



三,创建并设置运行时类和对象

由于要用到存储功能,所以我们必须定义持久化数据的存储路径。我们在 main() 之前添加如下方法设置存储路径:

[cpp]  view plain copy print ?
  1. NSURL *applicationLogDirectory()  
  2. {  
  3.     NSString *LOG_DIRECTORY = @"CoreDataTutorial";  
  4.     static NSURL *ald = nil;  
  5.       
  6.     if (ald == nil)  
  7.     {  
  8.         NSFileManager *fileManager = [[NSFileManager alloc] init];  
  9.         NSError *error = nil;  
  10.         NSURL *libraryURL = [fileManager URLForDirectory:NSLibraryDirectory inDomain:NSUserDomainMask  
  11.                                        appropriateForURL:nil create:YES error:&error];  
  12.         if (libraryURL == nil) {  
  13.             NSLog(@"Could not access Library directory\n%@", [error localizedDescription]);  
  14.         }  
  15.         else  
  16.         {  
  17.             ald = [libraryURL URLByAppendingPathComponent:@"Logs"];  
  18.             ald = [ald URLByAppendingPathComponent:LOG_DIRECTORY];  
  19.               
  20.             NSLog(@" >> log path %@", [ald path]);  
  21.               
  22.             NSDictionary *properties = [ald resourceValuesForKeys:[NSArray arrayWithObject:NSURLIsDirectoryKey] error:&error];  
  23.             if (properties == nil)  
  24.             {  
  25.                 if (![fileManager createDirectoryAtPath:[ald path] withIntermediateDirectories:YES attributes:nil error:&error])  
  26.                 {  
  27.                     NSLog(@"Could not create directory %@\n%@",  
  28.                           [ald path], [error localizedDescription]);  
  29.                     ald = nil;  
  30.                 }  
  31.             }  
  32.         }  
  33.     }  
  34.       
  35.     return ald;  
  36. }  

在上面的代码中,我们将持久化数据文件保存到路径: /Users/kesalin/Library/Logs/CoreDataTutorial 下。

下面,我们来创建运行时对象:ManagedObjectContext 和 PersistentStoreCoordinator。

[cpp]  view plain copy print ?
  1. NSManagedObjectContext *managedObjectContext()  
  2. {  
  3.     static NSManagedObjectContext *moContext = nil;  
  4.     if (moContext != nil) {  
  5.         return moContext;  
  6.     }  
  7.       
  8.     moContext = [[NSManagedObjectContext alloc] init];  
  9.       
  10.     // Create a persistent store coordinator, then set the coordinator for the context.  
  11.     //  
  12.     NSManagedObjectModel *moModel = managedObjectModel();  
  13.     NSPersistentStoreCoordinator *coordinator = [[NSPersistentStoreCoordinator alloc] initWithManagedObjectModel:moModel];  
  14.     [moContext setPersistentStoreCoordinator: coordinator];  
  15.       
  16.     // Create a new persistent store of the appropriate type.   
  17.     //  
  18.     NSString *STORE_TYPE = NSXMLStoreType;  
  19.     NSString *STORE_FILENAME = @"CoreDataTutorial.xml";  
  20.       
  21.     NSError *error = nil;  
  22.     NSURL *url = [applicationLogDirectory() URLByAppendingPathComponent:STORE_FILENAME];  
  23.       
  24.     NSPersistentStore *newStore = [coordinator addPersistentStoreWithType:STORE_TYPE  
  25.                                                             configuration:nil  
  26.                                                                       URL:url  
  27.                                                                   options:nil  
  28.                                                                     error:&error];  
  29.       
  30.     if (newStore == nil) {  
  31.         NSLog(@"Store Configuration Failure\n%@", ([error localizedDescription] != nil) ? [error localizedDescription] : @"Unknown Error");  
  32.     }  
  33.   
  34.     return moContext;  
  35. }  

在上面的代码中:
1)我们创建了一个全局 ManagedObjectContext 对象 moContext;
2)并在设置其 persistent store coordinator,存储类型为 xml,保存文件名为:CoreDataTutorial.xml,并将其放到前面定义的存储路径下。

好,至此万事具备,只欠 ManagedObject 了!下面我们就来定义这个数据对象类。向工程添加 Core Data->NSManagedObject subclass 的类,名为 Run (模型中 Entity 定义的类名) 。

Run.h

[cpp]  view plain copy print ?
  1. #import <CoreData/NSManagedObject.h>  
  2.   
  3. @interface Run : NSManagedObject  
  4. {  
  5.     NSInteger processID;  
  6. }  
  7.   
  8. @property (retain) NSDate *date;  
  9. @property (retain) NSDate *primitiveDate;  
  10. @property NSInteger processID;  
  11.   
  12. @end  

Run.m
[cpp]  view plain copy print ?
  1. //  
  2. //  Run.m  
  3. //  CoreDataTutorial  
  4. //  
  5. //  Created by kesalin on 8/29/11.  
  6. //  Copyright 2011 kesalin@gmail.com. All rights reserved.  
  7. //  
  8.   
  9. #import "Run.h"  
  10.   
  11. @implementation Run  
  12.   
  13. @dynamic date;  
  14. @dynamic primitiveDate;  
  15.   
  16. - (void) awakeFromInsert  
  17. {  
  18.     [super awakeFromInsert];  
  19.   
  20.     self.primitiveDate = [NSDate date];  
  21. }  
  22.   
  23. #pragma mark -  
  24. #pragma mark Getter and setter  
  25.   
  26. - (NSInteger)processID   
  27. {  
  28.     [self willAccessValueForKey:@"processID"];  
  29.     NSInteger pid = processID;  
  30.     [self didAccessValueForKey:@"processID"];  
  31.     return pid;  
  32. }  
  33.   
  34. - (void)setProcessID:(NSInteger)newProcessID  
  35. {  
  36.     [self willChangeValueForKey:@"processID"];  
  37.     processID = newProcessID;  
  38.     [self didChangeValueForKey:@"processID"];  
  39. }  
  40.   
  41. // Implement a setNilValueForKey: method. If the key is “processID” then set processID to 0.  
  42. //  
  43. - (void)setNilValueForKey:(NSString *)key {  
  44.       
  45.     if ([key isEqualToString:@"processID"]) {  
  46.         self.processID = 0;  
  47.     }  
  48.     else {  
  49.         [super setNilValueForKey:key];  
  50.     }  
  51. }  
  52.   
  53. @end  

注意:
1)这个类中的 date 和 primitiveDate 的访问属性为 @dynamic,这表明在运行期会动态生成对应的 setter 和 getter;
2)在这里我们演示了如何正确地手动实现 processID 的 setter 和 getter:为了让 ManagedObjecContext  能够检测 processID的变化,以及自动支持 undo/redo,我们需要在访问和更改数据对象时告之系统,will/didAccessValueForKey 以及 will/didChangeValueForKey 就是起这个作用的。
3)当我们设置 nil 给数据对象 processID 时,我们可以在 setNilValueForKey 捕获这个情况,并将 processID  置 0;
4)当数据对象被插入到 ManagedObjectContext 时,我们在 awakeFromInsert 将时间设置为当前时间。

三,创建或读取数据对象,设置其值,保存
好,至此真正的万事具备,我们可以创建或从持久化文件中读取数据对象,设置其值,并将其保存到持久化文件中。本例中持久化文件为 xml 文件。修改 main() 中代码如下:

[cpp]  view plain copy print ?
  1. int main (int argc, const char * argv[])  
  2. {  
  3.     NSLog(@" === Core Data Tutorial ===");  
  4.   
  5.     // Enable GC  
  6.     //  
  7.     objc_startCollectorThread();  
  8.   
  9.     NSError *error = nil;  
  10.       
  11.     NSManagedObjectModel *moModel = managedObjectModel();  
  12.     NSLog(@"The managed object model is defined as follows:\n%@", moModel);  
  13.       
  14.     if (applicationLogDirectory() == nil) {  
  15.         exit(1);  
  16.     }  
  17.       
  18.     NSManagedObjectContext *moContext = managedObjectContext();  
  19.       
  20.     // Create an Instance of the Run Entity  
  21.     //  
  22.     NSEntityDescription *runEntity = [[moModel entitiesByName] objectForKey:@"Run"];  
  23.     Run *run = [[Run alloc] initWithEntity:runEntity insertIntoManagedObjectContext:moContext];  
  24.     NSProcessInfo *processInfo = [NSProcessInfo processInfo];  
  25.     run.processID = [processInfo processIdentifier];  
  26.       
  27.     if (![moContext save: &error]) {  
  28.         NSLog(@"Error while saving\n%@", ([error localizedDescription] != nil) ? [error localizedDescription] : @"Unknown Error");  
  29.         exit(1);  
  30.     }  
  31.       
  32.     // Fetching Run Objects  
  33.     //  
  34.     NSFetchRequest *request = [[NSFetchRequest alloc] init];  
  35.     [request setEntity:runEntity];  
  36.   
  37.     NSSortDescriptor *sortDescriptor = [[NSSortDescriptor alloc] initWithKey:@"date" ascending:YES];  
  38.     [request setSortDescriptors:[NSArray arrayWithObject:sortDescriptor]];  
  39.       
  40.     error = nil;  
  41.     NSArray *array = [moContext executeFetchRequest:request error:&error];  
  42.     if ((error != nil) || (array == nil))  
  43.     {  
  44.         NSLog(@"Error while fetching\n%@", ([error localizedDescription] != nil) ? [error localizedDescription] : @"Unknown Error");  
  45.         exit(1);  
  46.     }  
  47.       
  48.     // Display the Results  
  49.     //  
  50.     NSDateFormatter *formatter = [[NSDateFormatter alloc] init];  
  51.     [formatter setDateStyle:NSDateFormatterMediumStyle];  
  52.     [formatter setTimeStyle:NSDateFormatterMediumStyle];  
  53.       
  54.     NSLog(@"%@ run history:", [processInfo processName]);  
  55.       
  56.     for (run in array)  
  57.     {  
  58.         NSLog(@"On %@ as process ID %ld", [formatter stringForObjectValue:run.date], run.processID);  
  59.     }  
  60.       
  61.     return 0;  
  62. }  

在上面的代码中:
1)我们先获得全局的 NSManagedObjectModel 和 NSManagedObjectContext 对象:moModel 和 moContext;
2)并创建一个Run Entity,设置其 Property processID 为当前进程的 ID;
3)将该数据对象保存到持久化文件中:[moContext  save : &error]。我们无需与 PersistentStoreCoordinator 打交道,只需要给 ManagedObjectContext 发送 save 消息即可,NSManagedObjectContext 会透明地在后面处理对持久化数据文件的读写;
4)然后我们创建一个 FetchRequest 来查询持久化数据文件中保存的数据记录,并将结果按照日期升序排列。查询操作也是由 ManagedObjectContext 来处理的:[moContext  executeFetchRequest :request  error :&error];
5)将查询结果打印输出;

大功告成!编译运行,我们可以得到如下显示:

[cpp]  view plain copy print ?
  1. 2011-09-03 21:42:47.556 CoreDataTutorial[992:903] CoreDataTutorial run history:  
  2. 2011-09-03 21:42:47.557 CoreDataTutorial[992:903] On 2011-9-3 下午09:41:56 as process ID 940  
  3. 2011-09-03 21:42:47.557 CoreDataTutorial[992:903] On 2011-9-3 下午09:42:16 as process ID 955  
  4. 2011-09-03 21:42:47.558 CoreDataTutorial[992:903] On 2011-9-3 下午09:42:20 as process ID 965  
  5. 2011-09-03 21:42:47.558 CoreDataTutorial[992:903] On 2011-9-3 下午09:42:24 as process ID 978  
  6. 2011-09-03 21:42:47.559 CoreDataTutorial[992:903] On 2011-9-3 下午09:42:47 as process ID 992  

通过这个例子,我们可以更好理解 Core Data  的运作机制。在 Core Data 中我们最常用的就是 ManagedObjectContext,它几乎参与对数据对象的所有操作,包括对 undo/redo 的支持;而 Entity 对应的运行时类为 ManagedObject,我们可以理解为抽象数据结构 Entity 在内存中由 ManagedObject 来体现,而 Perproty 数据类型在内存中则由 ManagedObject 类的成员属性来体现。一般我们不需要与 PersistentStoreCoordinator 打交道,对数据文件的读写操作都由 ManagedObjectContext 为我们代劳了。


这篇关于[Cocoa]深入浅出 Cocoa 之 Core Data(2)- 手动编写代码的文章就介绍到这儿,希望我们推荐的文章对编程师们有所帮助!



http://www.chinasem.cn/article/1130481

相关文章

活用c4d官方开发文档查询代码

当你问AI助手比如豆包,如何用python禁止掉xpresso标签时候,它会提示到 这时候要用到两个东西。https://developers.maxon.net/论坛搜索和开发文档 比如这里我就在官方找到正确的id描述 然后我就把参数标签换过来

poj 1258 Agri-Net(最小生成树模板代码)

感觉用这题来当模板更适合。 题意就是给你邻接矩阵求最小生成树啦。~ prim代码:效率很高。172k...0ms。 #include<stdio.h>#include<algorithm>using namespace std;const int MaxN = 101;const int INF = 0x3f3f3f3f;int g[MaxN][MaxN];int n

计算机毕业设计 大学志愿填报系统 Java+SpringBoot+Vue 前后端分离 文档报告 代码讲解 安装调试

🍊作者:计算机编程-吉哥 🍊简介:专业从事JavaWeb程序开发,微信小程序开发,定制化项目、 源码、代码讲解、文档撰写、ppt制作。做自己喜欢的事,生活就是快乐的。 🍊心愿:点赞 👍 收藏 ⭐评论 📝 🍅 文末获取源码联系 👇🏻 精彩专栏推荐订阅 👇🏻 不然下次找不到哟~Java毕业设计项目~热门选题推荐《1000套》 目录 1.技术选型 2.开发工具 3.功能

代码随想录冲冲冲 Day39 动态规划Part7

198. 打家劫舍 dp数组的意义是在第i位的时候偷的最大钱数是多少 如果nums的size为0 总价值当然就是0 如果nums的size为1 总价值是nums[0] 遍历顺序就是从小到大遍历 之后是递推公式 对于dp[i]的最大价值来说有两种可能 1.偷第i个 那么最大价值就是dp[i-2]+nums[i] 2.不偷第i个 那么价值就是dp[i-1] 之后取这两个的最大值就是d

pip-tools:打造可重复、可控的 Python 开发环境,解决依赖关系,让代码更稳定

在 Python 开发中,管理依赖关系是一项繁琐且容易出错的任务。手动更新依赖版本、处理冲突、确保一致性等等,都可能让开发者感到头疼。而 pip-tools 为开发者提供了一套稳定可靠的解决方案。 什么是 pip-tools? pip-tools 是一组命令行工具,旨在简化 Python 依赖关系的管理,确保项目环境的稳定性和可重复性。它主要包含两个核心工具:pip-compile 和 pip

论文翻译:arxiv-2024 Benchmark Data Contamination of Large Language Models: A Survey

Benchmark Data Contamination of Large Language Models: A Survey https://arxiv.org/abs/2406.04244 大规模语言模型的基准数据污染:一项综述 文章目录 大规模语言模型的基准数据污染:一项综述摘要1 引言 摘要 大规模语言模型(LLMs),如GPT-4、Claude-3和Gemini的快

D4代码AC集

贪心问题解决的步骤: (局部贪心能导致全局贪心)    1.确定贪心策略    2.验证贪心策略是否正确 排队接水 #include<bits/stdc++.h>using namespace std;int main(){int w,n,a[32000];cin>>w>>n;for(int i=1;i<=n;i++){cin>>a[i];}sort(a+1,a+n+1);int i=1

如何编写Linux PCIe设备驱动器 之二

如何编写Linux PCIe设备驱动器 之二 功能(capability)集功能(capability)APIs通过pci_bus_read_config完成功能存取功能APIs参数pos常量值PCI功能结构 PCI功能IDMSI功能电源功率管理功能 功能(capability)集 功能(capability)APIs int pcie_capability_read_wo

html css jquery选项卡 代码练习小项目

在学习 html 和 css jquery 结合使用的时候 做好是能尝试做一些简单的小功能,来提高自己的 逻辑能力,熟悉代码的编写语法 下面分享一段代码 使用html css jquery选项卡 代码练习 <div class="box"><dl class="tab"><dd class="active">手机</dd><dd>家电</dd><dd>服装</dd><dd>数码</dd><dd

生信代码入门:从零开始掌握生物信息学编程技能

少走弯路,高效分析;了解生信云,访问 【生信圆桌x生信专用云服务器】 : www.tebteb.cc 介绍 生物信息学是一个高度跨学科的领域,结合了生物学、计算机科学和统计学。随着高通量测序技术的发展,海量的生物数据需要通过编程来进行处理和分析。因此,掌握生信编程技能,成为每一个生物信息学研究者的必备能力。 生信代码入门,旨在帮助初学者从零开始学习生物信息学中的编程基础。通过学习常用