现有dogs.plist文件如下
1.如何加载plist文件呢?
- (IBAction)loadPlistBtn:(id)sender {
//获取bundle
NSBundle *bundle = [NSBundle mainBundle];
//获取plist地址
NSString *path = [bundle pathForResource:@"dogs" ofType:@"plist"];
//加载plist文件
NSArray *array = [NSArray arrayWithContentsOfFile:path];
for (NSDictionary *dic in array) {
NSLog(@"%@----%@---%@",dic[@"name"],dic[@"age"],dic[@"icon"]);
}
}
2.数据懒加载
按照上面的方式打印,每次都得解析plist读取文件,懒加载如何实现呢?
@interface ViewController ()
@property (nonatomic,strong) NSArray *dogs;//小狗数组
@end
@implementation ViewController
- (NSArray *)dogs{
if (_dogs==nil) {
_dogs = [NSArray arrayWithContentsOfFile:[[NSBundle mainBundle] pathForResource:@"dogs" ofType:@"plist"]];
}
return _dogs;
}
- (IBAction)loadPlistBtn:(id)sender {
for (NSDictionary *dic in self.dogs) {
NSLog(@"%@----%@---%@",dic[@"name"],dic[@"age"],dic[@"icon"]);
}
}
@end
这样每次点击的时候只会在首次解析plist文件,后面直接使用第一次读取到的内容
3.数据模型
直接通过字典去读取内容会存在很多问题,不管是本地数据还是网络数据最好的方式应该是通过模型去加载
- 使用字典的坏处
- 一般情况下,设置数据和取出数据都使用“字符串类型的key”,编写这些key时,编辑器没有智能提示,需要手敲
dict[@"name"] = @"欢欢"; NSString *name = dict[@"name"];
- 手敲字符串key,key容易写错
- Key如果写错了,编译器不会有任何警告和报错,造成设错数据或者取错数据
- 使用模型的好处
- 所谓模型,其实就是数据模型,专门用来存放数据的对象,用它来表示数据会更加专业
- 模型设置数据和取出数据都是通过它的属性,属性名如果写错了,编译器会马上报错,因此,保证了数据的正确性
- 使用模型访问属性时,编译器会提供一系列的提示,提高编码效率
app.name = @"欢欢"; NSString *name = app.name;
(1)创建的dog.h
#import <Foundation/Foundation.h>
@interface Dog : NSObject
@property (nonatomic,copy) NSString *name;//姓名
@property (nonatomic,copy) NSString *age;//年龄
@property (nonatomic,copy) NSString *icon;//照片
- (instancetype) initWithDict:(NSDictionary *) dict;
+ (instancetype) dogWithDict:(NSDictionary *) dict;
@end
(2)创建的dog.m
#import "Dog.h"
@implementation Dog
- (instancetype)initWithDict:(NSDictionary *)dict
{
if (self == [super init]) {
self.name = dict[@"name"];
self.age = dict[@"age"];
self.icon = dict[@"icon"];
}
return self;
}
+ (instancetype)dogWithDict:(NSDictionary *)dict
{
return [[self alloc] initWithDict:dict];
}
@end
(3)修改后的ViewController.m
@interface ViewController ()
@property (nonatomic,strong) NSArray *dogs;//小狗模型数组
@end
@implementation ViewController
- (NSArray *)dogs{
if (_dogs==nil) {
//拿到字典数组
NSArray *dictArray = [NSArray arrayWithContentsOfFile:[[NSBundle mainBundle] pathForResource:@"dogs" ofType:@"plist"]];
//创建小狗模型空数组
NSMutableArray *dogArray = [NSMutableArray array];
//遍历字典数组转为模型数组
for (NSDictionary *dict in dictArray) {
Dog *dog = [Dog dogWithDict:dict];//创建模型
[dogArray addObject:dog];//添加到模型数组
}
_dogs = dogArray;//赋值
}
return _dogs;
}
- (IBAction)loadPlistBtn:(id)sender {
for (int i=0;i<self.dogs.count;i++) {
Dog *dog = self.dogs[i];
NSLog(@"%@----%@",dog.name,dog.icon);
}
}
@end