我正在创建一个需要使用类别的应用程序。 我希望通过应用程序提供基本类别集,但可以由用户编辑(删除,添加类别)。基本的.plist不会改变,只读一次,然后在其他地方存储可变。
这是我的方法:
使用该应用在categoryCollection.plist
中投放的默认类别。
defaultCategories.plist
将是被操纵的新.plist文件
categoryCollection.plist
将类别读入NSMutableSet
我使用:
NSString *mainBundlePath = [NSSearchPathForDirectoriesInDomains(NSDocumentDirectory, NSUserDomainMask, YES) objectAtIndex:0];
NSString *dictPath = [mainBundlePath stringByAppendingPathComponent:@"defaultCategories"];
NSDictionary * dict = [[NSDictionary alloc]initWithContentsOfFile:dictPath];
// testing if the file has values, if not load from categoryCollection.plist
if (dict.count == 0) {
NSString *tempPath = [[NSBundle mainBundle] pathForResource:@"categoryCollection" ofType:@"plist"];
dict = [NSMutableDictionary dictionaryWithContentsOfFile:tempPath];
[dict writeToFile:dictPath atomically:YES];
}
// load into NSMutableSet
[self.stringsCollection addObjectsFromArray:[[dict objectForKey:@"categories"]objectForKey:@"default"]];
添加类别我称之为此功能:
-(void)addCategoryWithName:(NSString *)name{
NSString *mainBundlePath = [NSSearchPathForDirectoriesInDomains(NSDocumentDirectory, NSUserDomainMask, YES) objectAtIndex:0];
NSString *dictPath = [mainBundlePath stringByAppendingPathComponent:@"defaultCategories"];
NSMutableDictionary * dict = [[NSMutableDictionary alloc]initWithContentsOfFile:dictPath];
[[[dict objectForKey:@"categories"]objectForKey:@"default"]addObject:name];
[dict writeToFile:dictPath atomically:YES];
self.needsToUpdateCategoryCollection = YES;
}
并删除我使用的字符串:
-(void)removeCategoryWithName:(NSString *)name{
NSString *mainBundlePath = [NSSearchPathForDirectoriesInDomains(NSDocumentDirectory, NSUserDomainMask, YES) objectAtIndex:0];
NSString *dictPath = [mainBundlePath stringByAppendingPathComponent:@"defaultCategories"];
NSDictionary * dict = [[NSDictionary alloc]initWithContentsOfFile:dictPath];
NSMutableArray *temp = [NSMutableArray arrayWithArray:[[dict objectForKey:@"categories"]objectForKey:@"default"]] ;
for (NSString *string in temp) {
if ([string isEqualToString:name]) {
[temp removeObject:string];
break;
}
}
[[dict objectForKey:@"categories"]removeObjectForKey:@"default"];
[[dict objectForKey:@"categories"] setValue:temp forKey:@"default"];
[dict writeToFile:dictPath atomically:YES];
self.needsToUpdateCategoryCollection = YES;
}
代码实际上工作得很好,但我想知道是否真的有必要进行多次I / O操作,测试等的大量开销,或者是否存在更优雅的解决方案来存储字符串集合并让它们被操作? / p>
或者如果你看到任何可能提高速度的speedbump(因为我在拥有很多类别时会对代码产生一些小的滞后)
任何想法? 塞巴斯蒂安
答案 0 :(得分:1)
您的方法运行正常,但每次修改集合时都会通过编写结果来完成更多工作。它是写入add
和remove
方法中费用最高的文件。
解决问题的一种方法是在应用启动时阅读您的类别,将NSMutableDictionary
缓存在单身对象中,并在应用运行时引用它。当最终用户进行更改时,只在内存中更新字典;不要立即将数据写入文件。
在您的app委托中,收听applicationDidEnterBackground:
事件,并将数据写入该处理程序中的文件。同时收听applicationDidEnterForeground:
事件,并将您的文件读入NSMutableDictionary
。这将为您节省大量CPU周期,并提供更流畅的最终用户体验。