在做快递查询功能的时候需要提交一个叫快递公司编号的字段。
由于快递公司有很多,再加上每个接口提供的快递公司编号是不统一的,排除了自己手动往plist表中写数据的可能。所以只能将接口提供的JSON数据写入plist表中,需要用到时再读plist表取出来。
其中有一个问题就是:我只需要在第一次打开app时获得这些数据,将它们保存在plist文件中,以后就直接调用plist中的数据,不再调用接口获取了。
我的做法是通过另一个plist表来判断这是不是用户第一次进入app。
1.首先在启动页(广告页)调用接口加载JSON数据
- (void)getData{
...
...
BKKCompanyDataModel *model = [BKKCompanyDataModel yy_modelWithDictionary:dic];
NSString *home = NSHomeDirectory();
NSString *docPath = [home stringByAppendingPathComponent:@"Documents"];
NSString *filePath = [docPath stringByAppendingPathComponent:@"companyList.plist"];
NSMutableArray *array = [NSMutableArray array];
//将数据存入plist
for(int i = 0;i
字典dic是通过AFNetworking第三方库GET到的JSON数据。利用同样是第三方库的YYModel将dic转化为model。其中BKKCompanyResultModel是嵌套在BKKCompanyDataModel中的。
我将model的com字段(公司中文名称)与no字段(公司编号)写入新字典保存至plist表中。
至此,我已经将网络加载的JSON数据进行了本地持久化保存。
2.上面的方法我只需要调用一次。我们还需要做一次判断:
- (void)load{
NSString *home = NSHomeDirectory();
NSString *docPath = [home stringByAppendingPathComponent:@"Documents"];
NSString *filePath = [docPath stringByAppendingPathComponent:@"timeList.plist"];
NSArray *arrayM = [NSArray arrayWithContentsOfFile:filePath];
if([[[arrayM objectAtIndex:0] objectForKey:@"useTime"] isEqualToString:@"1"]){
NSLog(@"already exist data");
}
else{
[self getData];
}
}
其中timeList表中的key--useTime的value如果为1的话,说明这已经不是第一次进入app了。不再调用gatData方法。
至于timeList表的写入,在进入app后的随便一个操作中添加就行了。
3.将plist表中的数据转化为模型
plist的结构一般为
array
{
{
key:@"something",value:@"something"
...
}
{
key:@"something",value:@"something"
...
}
...
}
也就是有若干字典存放在数组中。
我们需要自定义一个继承于NSObject的类BKKCompanyModel
.h
#import
@interface BKKCompanyModel : NSObject
@property(nonatomic,copy)NSString *com;
@property(nonatomic,copy)NSString *no;
-(instancetype)initWithDict:(NSDictionary *)dict;
+(instancetype)dataWithDict:(NSDictionary *)dict;
@end
.m
#import "BKKCompanyModel.h"
@implementation BKKCompanyModel
-(instancetype)initWithDict:(NSDictionary *)dict
{
if (self=[super init]) {
self.com = dict[@"com"];
self.no = dict[@"no"];
}
return self;
}
+(instancetype)dataWithDict:(NSDictionary *)dict
{
return [[self alloc]initWithDict:dict];
}
@end
在我们需要用到公司编号的地方创建数组
- (NSMutableArray *)companyNo{
if (!_companyNo) {
_companyNo = [NSMutableArray array];
NSString *home = NSHomeDirectory();
NSString *docPath = [home stringByAppendingPathComponent:@"Documents"];
NSString *filePath = [docPath stringByAppendingPathComponent:@"companyList.plist"];
//取出数据放入数组
NSArray *arrayM=[NSArray arrayWithContentsOfFile:filePath];
NSMutableArray *dictArray =[NSMutableArray array];
//将字典放入新数组
for(NSDictionary *dict in arrayM){
[dictArray addObject:[BKKCompanyModel dataWithDict:dict]];
}
//
for(int i=0;i
以上,已经完成了JSON字典到plist表再到模型数组的转换。当然如果不想本地存储也行...那就得每次使用app时都要调用接口,直接把接口的JSON数据通过YYModel转化为模型数组。