UI-plist、懒加载、封装、模型

2016-01-31  本文已影响101人  居敬持志

1、加载plist文件


- (void)viewDidLoad {
    // 加载plist数据
    
    // 一个NSBundle对象对应一个资源包(图片、音频、视频、plis等文件)
    // NSBundle的作用:用来访问与之对应的资源包内部的文件,可以用来获得文件的全路径
    // 项目中添加的资源都会被添加到主资源包中
    // [NSBundle mainBundle]关联的就是项目的主资源包
    NSBundle *bundle = [NSBundle mainBundle];
    
    // 利用mainBundle获得plist文件在主资源包中的全路径
    NSString *file = [bundle pathForResource:@"shops" ofType:@"plist"];
//    NSString *file = [bundle pathForResource:@"shops.plist" ofType:nil];
    
    // 凡是参数名为File,传递的都是文件的全路径
    self.shops = [NSArray arrayWithContentsOfFile:file];

}

模型取代字典

字典转模型

- (instancetype)initWithDict:(NSDictionary *)dict;
+ (instancetype)xxxWithDict:(NSDictionary *)dict;
- (instancetype)initWithDict:(NSDictionary *)dict
{
    if (self = [super init]) {
        self.name = dict[@"name"];
        self.icon = dict[@"icon"];
    }
    return self;
}

+ (instancetype)shopWithDict:(NSDictionary *)dict
{
    return [[self alloc] initWithDict:dict];
}

2、懒加载


- (NSArray *)shops {
    if (_shops == nil) {
        _shops = [NSArray arrayWithContentsOfFile:[[NSBundle mainBundle] pathForResource:@"shops" ofType:@"plist"]];
    }
    return _shops;
}

这段代码没有写在 viewDidLoad 中,所以不回加载。用到的时候在去加载。
if(_shops == nil){ }当加载数据的时候判断数据是否为空,为空就加载一次数据。然后返回return _shops。当再次加载数据的时候判断不为空(因为已经内存中已经加载过一次数据,是有数据状态),不为空就跳过if(_shops == nil){ }这段代码,直接return _shops

// 加载plist数据(比较大)
// 懒加载:用到时再去加载,而且也只加载一次
- (NSArray *)shops
{
    if (_shops == nil) {
        // 1、加载一个字典数组
        NSArray *dictArray = [NSArray arrayWithContentsOfFile:[[NSBundle mainBundle] pathForResource:@"shops" ofType:@"plist"]];
        //2、字典数组转模型数组
        NSMutableArray *shopArray = [NSMutableArray array];
        for (NSDictionary *dict in dictArray) {
            XMGShop *shop = [XMGShop shopWithDict:dict];
            [shopArray addObject:shop];
        }
        //3.赋值
        _shops = shopArray;
    }
    return _shops;
}

3、View的封装


  • 如果一个view内部的子控件比较多,一般会考虑自定义一个view,把它内部子控件的创建屏蔽起来,不让外界关心
// 代码1  重写UIView类的 init 的构造方法
- (instancetype)init {
  if(self = [super init]){
   // 代码 :要初始化创建的 界面
  }
  return self;
}

// 推荐使用
- (instancetype)initWithFrame:(CRrect)frame {
  if(self = [super initWithFrame:frame]){
   // 代码 :要初始化创建的 界面
  }
  return self;
}
// 代码2 布局子控件的位置  外面尺寸发生改变的时候就会调用
-(void)layoutSubviews {
  // 一定要写
  [super layoutSubviews];
// 代码
}
// 代码3 模型数据
-(void)setShop:(SXShop *)shop {
  _shop = shop
  self.nameLabel.text = shop.name;
}
上一篇下一篇

猜你喜欢

热点阅读