一、instancetype与id
在很多时候,总是会看到instancetype与id这两个关键字.似乎会感觉是同一样东西.
存在就是真理!
接下来,就让我带领大家研究一下这两个关键字的异同:
直接看代码:
.h文件
#import <Foundation/Foundation.h>
@interface HGSquareMode : NSObject
#pragma mark - 属性
@property (nonatomic, copy) NSString* title;
@property (nonatomic, copy) NSString* subTitle;
// 实例方法
- (id)initWithDict:(NSDictionary*)dict;
// 类方法
+ (id)squareWithDict:(NSDictionary*)dict;
@end
.m文件
#import "HGSquareMode.h"
@implementation HGSquareMode
- (id)initWithDict:(NSDictionary*)dict {
if (self = [super init]) {
[self setValuesForKeysWithDictionary:dict];
}
return self;
}
+ (id)squareWithDict:(NSDictionary*)dict {
return [[self alloc] initWithDict:dict];
}
@end
上面有分别有两个方法:1.实例方法(initWithDict:),2.类方法(squareWithDict:)
返回值,都为id类型.
回到控制器(HGinstancetypeViewController)中,代码如下:
#import "HGinstancetypeViewController.h"
#import "HGSquareMode.h"
@interface HGinstancetypeViewController ()
@end
@implementation HGinstancetypeViewController
- (void)viewDidLoad {
[super viewDidLoad];
// Do any additional setup after loading the view.
NSDictionary* instancetypeDict = @{
@"title":@"instancetype试演",
@"subTitle":@"HGinstancetypeViewController"
};
NSArray* instancetypeArr = [HGSquareMode squareWithDict:instancetypeDict];
HGLog(@"%zd", instancetypeArr.count);
}
@end
会闪退
上面的代码你build时没有问题,能通过。但是如果是运行呢?所以上面的代码是有危险的。
再看一下下面的代码(仅仅是改了HGSquareMode两个方法的返回值):
.h文件
#import <Foundation/Foundation.h>
@interface HGSquareMode : NSObject
#pragma mark - 属性
@property (nonatomic, copy) NSString* title;
@property (nonatomic, copy) NSString* subTitle;
// 实例方法
- (instancetype)initWithDict:(NSDictionary*)dict;
// 类方法
+ (instancetype)squareWithDict:(NSDictionary*)dict;
@end
.m文件
#import "HGSquareMode.h"
@implementation HGSquareMode
- (instancetype)initWithDict:(NSDictionary*)dict {
if (self = [super init]) {
[self setValuesForKeysWithDictionary:dict];
}
return self;
}
+ (instancetype)squareWithDict:(NSDictionary*)dict {
return [[self alloc] initWithDict:dict];
}
@end
然后我在控制器(HGinstancetypeViewController)中截图看一下:
有警告⚠有警告!对,这就是区别!
总结instancetype与id的异同
- instancetype,编译器能正确的推断出返回实例的实际类型!
- instancetype只能用于返回值!
建议在返回self实例的方法中,用instancetype,别用id.
二、线程欣赏
名词解释
很多人对下面的4个名词,或多或少的在理解上会有偏差:
- 同步: 不具备开启线程的能力(dispatch_sync)
- 异步: 具备开启线程的能力(dispatch_async)
- 并列队列: 多个任务可以同时执行
- 串行队列: 一个任务执行完后,再执行下一个任务
常用的的宏定义
#define CoderHGGlobalQueue dispatch_get_global_queue(DISPATCH_QUEUE_PRIORITY_DEFAULT, 0)
#define CoderHGMainQueue dispatch_get_main_queue()
金典的用例
- (void)touchesBegan:(NSSet *)touches withEvent:(UIEvent *)event
{
dispatch_async(CoderHGGlobalQueue, ^{
// 1.子线程
NSString* urlStr = @"";
NSURL *url = [NSURL URLWithString:urlStr];
NSData *data = [NSData dataWithContentsOfURL:url];
UIImage *image = [UIImage imageWithData:data];
// 2.回主线程设置图片
dispatch_async(CoderHGMainQueue, ^{
[self.imageView setImage:image];
});
});
}
网友评论