多线程应用(从网络加载图片)

#import "UIImageView+WebCache.h"

@implementation UIImageView (WebCache)

- (void)setImageWithURL:(NSURL *)url {

    //NSOperation来实现多线程
    //创建并发队列
    NSOperationQueue *queue = [[NSOperationQueue alloc] init];
    //添加任务到队列
    [queue addOperationWithBlock:^{
        //加载网络数据
        NSData *data = [NSData dataWithContentsOfURL:url];
        //转化为图片
        UIImage *image = [UIImage imageWithData:data];
        //刷新图片
        //界面刷新/图像处理的引擎工作于主线程,因此必须在主线程中才能对界面进行修改/调整
        [self performSelectorOnMainThread:@selector(setImage:) withObject:image waitUntilDone:NO]; 
    }];   
}
@end
在多线程中加载网络的方式,
 1 因为网络访问普遍需要比较多的时间和资源,如果放在主线程中执行,会导致线程阻塞,主线程阻塞,会导致原本运行在主线程中的很多任务无法执行。例如:界面刷新,用户事件响应。
 2 需要将网络访问的操作放到多线程中执行,避免主线程阻塞。
 3 在网络加载完毕之后,如果需要对界面进行数据的加载/内容的显示,需将这些操作返回到主线程中执行,因为界面显示的相关操作只能在主线程中执行。

你可能感兴趣的:(iOS高级)