美文网首页
NSOperation做图片异步下载

NSOperation做图片异步下载

作者: 写啥呢 | 来源:发表于2016-09-20 18:00 被阅读0次

图片的异步加载

class DataModel: NSObject {

    var name = ""
    var icon = ""
    var download = ""
    
    
    init(dict:NSDictionary) {
        
        self.name = dict["name"] as! String
        self.icon = dict["icon"] as! String
        self.download = dict["download"] as! String
    }
    
///图片缓存目录
let ImageCache_Path = NSHomeDirectory()+"/Library/Caches/imageCache"

class ViewController: UITableViewController {
    
    //MARK: - 属性
    //1.数据源数组
    lazy var dataArray:[DataModel] = {
    
        return self.getData()
    }()
    
    //2.任务队列
    lazy var queue:NSOperationQueue = {
    
        var tQueue = NSOperationQueue()
        
        //设置最大并发数
        tQueue.maxConcurrentOperationCount = 3
        
        return tQueue
    }()
    
    //3.图片缓存
    //NSCache是一种和字典一样的容器类。通过键值对的形式去存储数据。和字典相比,NSCache在程序接受到内存警告的时候,会自动的去删除自己存储的数据
    lazy var imageCache:NSCache = {
        
    
        return NSCache()
    }()
    
    //4.任务缓存
    lazy var operationCache:NSMutableDictionary = {
    
        return NSMutableDictionary()
    }()
    
    
    
    //MARK: - 生命周期
    override func viewDidLoad() {
        super.viewDidLoad()
        
        //1.注册cell
        self.tableView.registerNib(UINib.init(nibName: "TableViewCell", bundle: nil), forCellReuseIdentifier: "cell")
        
        //2.设置行高
        self.tableView.rowHeight = 120
        
        //3.在沙盒目录下创建缓存图片的文件夹
        //在指定目录下创建一个文件夹
        //参数1:需要创建的文件夹的目录
        //参数2:是否创建中间目录
        //参数3:文件夹的属性(nil -> 默认属性)
        do{
            try NSFileManager.defaultManager().createDirectoryAtPath(ImageCache_Path, withIntermediateDirectories: true, attributes: nil)
        }catch{
        
            print("已经存在")
        }
        
        
    }

    //在程序接受到内存警告的时候会自动调用的方法
    override func didReceiveMemoryWarning() {
        super.didReceiveMemoryWarning()
        
        //删除缓存
        self.operationCache.removeAllObjects()  //删除字典中所有的数据
    
    }
}


//MARK: -  tableView 协议方法
extension ViewController{

    //1.设置cell的个数
    override func tableView(tableView: UITableView, numberOfRowsInSection section: Int) -> Int {
        
        return self.dataArray.count
    }
    
    //2.创建cell
    override func tableView(tableView: UITableView, cellForRowAtIndexPath indexPath: NSIndexPath) -> UITableViewCell {
        //1.创建cell
        let cell = tableView.dequeueReusableCellWithIdentifier("cell", forIndexPath: indexPath) as! TableViewCell
        
        //2.刷新数据
        let model = self.dataArray[indexPath.row]
        
        cell.nameLabel.text = model.name
        cell.downloadLabel.text = model.download
        //a.判断缓存中是否已经有对应的图片
        if self.imageCache.objectForKey(model.icon) != nil {
            
            cell.iconImageView.image = self.imageCache.objectForKey(model.icon) as? UIImage
            
            return cell
        }else{
            
            //b.去本地查看是否有本地缓存
            //获取当前cell对应数据中的图片
            let fileName = (model.icon as! NSString).lastPathComponent
            //拼接文件对应的路径
            let path = ImageCache_Path + "/" + fileName
            //获取本地文件
            let data = NSData.init(contentsOfFile: path)
            //判断是否找到了对应的本地图片
            if data != nil {
                let image = UIImage.init(data: data!)
                //保存到程序的缓存
                self.imageCache.setObject(image!, forKey: model.icon)
                //显示图片
                cell.iconImageView.image = image
                
                print("获取本地数据")
                
                //返回
                return cell
            }
            
            
            
            //c.如果本地缓存没有再做网络请求
            //图片没有下载出来的时候,显示默认图片
            cell.iconImageView.image = UIImage.init(named: "user_default.png")
            
            //异步下载图片
            self.downloadImage(indexPath)
        }
        
        
        //3.返回cell
        return cell
        
    }
}

//MARK: - 图片的异步下载
extension ViewController{

    func downloadImage(indexPath:NSIndexPath) {
        let model = self.dataArray[indexPath.row]
        
        
        //1.判断当前这个下载任务是否已经创建过
        if (self.operationCache.objectForKey(model.icon) != nil) {
            
            return
        }
        
        //2.异步加载图片
        //注意:只要是网络上的图片就必须要异步加载
        let operation = NSBlockOperation.init {
            
            //1.下载图片
            let data = NSData.init(contentsOfURL: NSURL.init(string: model.icon)!)
            
            if data == nil{
            
                print("网络错误")
                return
            }
            
            let image = UIImage.init(data: data!)
            
            //2.将数据保存到程序的缓存中
            //将model.icon作为key,image作为值存到imageCache中
            self.imageCache.setObject(image!, forKey: model.icon)
            
            //3.保存到本地一份
            //将二进制数据写入到指定的文件中
            //参数1:文件路径
            //参数2:是否进行原子操作 -> 是否异步进行写的操作
            //取到icon的最后一个部分,作为文件名
            let iconStr = model.icon as NSString
            let lastStr = iconStr.lastPathComponent
            data?.writeToFile(ImageCache_Path+"/"+lastStr, atomically: false)
            
            //4.回到主线程
            NSOperationQueue.mainQueue().addOperationWithBlock({
                
                //刷新cell
                self.tableView.reloadRowsAtIndexPaths([indexPath], withRowAnimation: .Automatic)
            })
            
        }
        self.queue.addOperation(operation)
        //将任务保存到缓存
        self.operationCache.setObject(operation, forKey: model.icon)
    }
}



//MARK: - 获取数据
extension ViewController{

    func getData() -> [DataModel] {
        var tempArray = [DataModel]()
        
        //1.获取plist文件路径
        let path = NSBundle.mainBundle().pathForResource("model.plist", ofType: nil)
        
        //2.拿到plist文件中的数组
        let plistArray = NSArray.init(contentsOfFile: path!)
        
        //3.遍历数组拿到所有的字典
        for item in plistArray! {
            
            let dict = item as! NSDictionary
            
            //4.根据字典去创建对应的数据模型
            let model = DataModel.init(dict: dict)
            
            //5.将模型保存到数组中
            tempArray.append(model)
        }
        
        
        return tempArray
    }

SDWebImage的使用

import UIKit

//在swift中使用OC的第三方库
//1.将第三方库的文件拖到工程中
//2.创建桥接文件
//a.通过新建文件创建一个.h文件,命名规范:XXX-Briding-Header
//b.在桥接文件中将需要使用的头文件通过"#import"包含进去
//c.设置工程文件

class ViewController: UITableViewController {
    
    //MARK: - 属性
    //1.数据源数组
    lazy var dataArray:[DataModel] = {
    
        return self.getData()
    }()
    
    //MARK: - 生命周期
    override func viewDidLoad() {
        super.viewDidLoad()
        
        //1.注册cell
        self.tableView.registerNib(UINib.init(nibName: "TableViewCell", bundle: nil), forCellReuseIdentifier: "cell")
        
        //2.设置行高
        self.tableView.rowHeight = 120
        
        print(NSHomeDirectory())
    }

    //在程序接受到内存警告的时候会自动调用的方法
    override func didReceiveMemoryWarning() {
        super.didReceiveMemoryWarning()
    
    }
}


//MARK: -  tableView 协议方法
extension ViewController{

    //1.设置cell的个数
    override func tableView(tableView: UITableView, numberOfRowsInSection section: Int) -> Int {
        
        return self.dataArray.count
    }
    
    //2.创建cell
    override func tableView(tableView: UITableView, cellForRowAtIndexPath indexPath: NSIndexPath) -> UITableViewCell {
        //1.创建cell
        let cell = tableView.dequeueReusableCellWithIdentifier("cell", forIndexPath: indexPath) as! TableViewCell
        
        //2.刷新数据
        let model = self.dataArray[indexPath.row]
        
        cell.nameLabel.text = model.name
        cell.downloadLabel.text = model.download
        //通过SDWebImage做图片的异步下载和缓存
        //参数1:图片的网路路径对应的url
        //参数2:占位图
        //cell.iconImageView.setImageWithURL(NSURL.init(string: model.icon), placeholderImage: UIImage.init(named: "user_default"))
        cell.iconImageView.sd_setImageWithURL(NSURL.init(string: model.icon), placeholderImage: UIImage.init(named: "user_default"))
        
    
        //3.返回cell
        return cell
        
    }
}

//MARK: - 获取数据
extension ViewController{

    func getData() -> [DataModel] {
        var tempArray = [DataModel]()
        
        //1.获取plist文件路径
        let path = NSBundle.mainBundle().pathForResource("model.plist", ofType: nil)
        
        //2.拿到plist文件中的数组
        let plistArray = NSArray.init(contentsOfFile: path!)
        
        //3.遍历数组拿到所有的字典
        for item in plistArray! {
            
            let dict = item as! NSDictionary
            
            //4.根据字典去创建对应的数据模型
            let model = DataModel.init(dict: dict)
            
            //5.将模型保存到数组中
            tempArray.append(model)
        }
        
        
        return tempArray
    }

图片的异步加载封装

import UIKit

//sd_setImageWithURL(NSURL.init(string: model.icon), placeholderImage: UIImage.init(named: "user_default"))

extension UIImageView{

    
    func yt_setImage(urlStr:String,placeholderImageName:String) {
        //创建图片缓存的文件夹
        do{
            try NSFileManager.defaultManager().createDirectoryAtPath(ImageCache_Path, withIntermediateDirectories: true, attributes: nil)
        }catch{}
        
        //判断当前这个图片是否有本地缓存
        let fileName = (urlStr as NSString).lastPathComponent
        let getData = NSData.init(contentsOfFile: ImageCache_Path+"/"+fileName)
        if getData != nil {
            
            self.image = UIImage.init(data: getData!)
            return
        }else{
        
            //如果没有本地图片显示占位图
            self.image = UIImage.init(named: placeholderImageName)
        }
        
        
        
        //下载图片
        dispatch_async(dispatch_get_global_queue(0, 0)) { 
            //1.异步下载图片
            let data = NSData.init(contentsOfURL: NSURL.init(string: urlStr)!)
            if data == nil{
            
                print("网络错误")
                return
            }
            let image = UIImage.init(data: data!)
            
            //2.将图片保存到本地
            data?.writeToFile(ImageCache_Path+"/"+fileName, atomically: true)
            
            //3.回到主线程显示图片
            dispatch_async(dispatch_get_main_queue(), { 
                
                self.image = image
            })
        }
        
    }
}

///图片缓存目录
let ImageCache_Path = NSHomeDirectory()+"/Library/Caches/imageCache"

class ViewController: UITableViewController {
    
    //MARK: - 属性
    //1.数据源数组
    lazy var dataArray:[DataModel] = {
    
        return self.getData()
    }()
    
    //2.任务队列
    lazy var queue:NSOperationQueue = {
    
        var tQueue = NSOperationQueue()
        
        //设置最大并发数
        tQueue.maxConcurrentOperationCount = 3
        
        return tQueue
    }()
    
    //3.图片缓存
    //NSCache是一种和字典一样的容器类。通过键值对的形式去存储数据。和字典相比,NSCache在程序接受到内存警告的时候,会自动的去删除自己存储的数据
    lazy var imageCache:NSCache = {
        
    
        return NSCache()
    }()
    
    //4.任务缓存
    lazy var operationCache:NSMutableDictionary = {
    
        return NSMutableDictionary()
    }()
    
    
    
    //MARK: - 生命周期
    override func viewDidLoad() {
        super.viewDidLoad()
        
        //1.注册cell
        self.tableView.registerNib(UINib.init(nibName: "TableViewCell", bundle: nil), forCellReuseIdentifier: "cell")
        
        //2.设置行高
        self.tableView.rowHeight = 120
        
        print(NSHomeDirectory())
        
        
        
        
    }

    //在程序接受到内存警告的时候会自动调用的方法
    override func didReceiveMemoryWarning() {
        super.didReceiveMemoryWarning()
        
        //删除缓存
        self.operationCache.removeAllObjects()  //删除字典中所有的数据
    
    }
}


//MARK: -  tableView 协议方法
extension ViewController{

    //1.设置cell的个数
    override func tableView(tableView: UITableView, numberOfRowsInSection section: Int) -> Int {
        
        return self.dataArray.count
    }
    
    //2.创建cell
    override func tableView(tableView: UITableView, cellForRowAtIndexPath indexPath: NSIndexPath) -> UITableViewCell {
        //1.创建cell
        let cell = tableView.dequeueReusableCellWithIdentifier("cell", forIndexPath: indexPath) as! TableViewCell
        
        //2.刷新数据
        let model = self.dataArray[indexPath.row]
        
        cell.nameLabel.text = model.name
        cell.downloadLabel.text = model.download
        
        cell.iconImageView.yt_setImage(model.icon, placeholderImageName: "user_default.png")
        
        
        //3.返回cell
        return cell
        
    }
}

//MARK: - 图片的异步下载
extension ViewController{

    func downloadImage(indexPath:NSIndexPath) {
        let model = self.dataArray[indexPath.row]
        
        
        //1.判断当前这个下载任务是否已经创建过
        if (self.operationCache.objectForKey(model.icon) != nil) {
            
            return
        }
        
        //2.异步加载图片
        //注意:只要是网络上的图片就必须要异步加载
        let operation = NSBlockOperation.init {
            
            //1.下载图片
            let data = NSData.init(contentsOfURL: NSURL.init(string: model.icon)!)
            
            if data == nil{
            
                print("网络错误")
                return
            }
            
            let image = UIImage.init(data: data!)
            
            //2.将数据保存到程序的缓存中
            //将model.icon作为key,image作为值存到imageCache中
            self.imageCache.setObject(image!, forKey: model.icon)
            
            //3.保存到本地一份
            //将二进制数据写入到指定的文件中
            //参数1:文件路径
            //参数2:是否进行原子操作 -> 是否异步进行写的操作
            //取到icon的最后一个部分,作为文件名
            let iconStr = model.icon as NSString
            let lastStr = iconStr.lastPathComponent
            data?.writeToFile(ImageCache_Path+"/"+lastStr, atomically: false)
            
            //4.回到主线程
            NSOperationQueue.mainQueue().addOperationWithBlock({
                
                //刷新cell
                self.tableView.reloadRowsAtIndexPaths([indexPath], withRowAnimation: .Automatic)
            })
            
        }
        self.queue.addOperation(operation)
        //将任务保存到缓存
        self.operationCache.setObject(operation, forKey: model.icon)
    }
}



//MARK: - 获取数据
extension ViewController{

    func getData() -> [DataModel] {
        var tempArray = [DataModel]()
        
        //1.获取plist文件路径
        let path = NSBundle.mainBundle().pathForResource("model.plist", ofType: nil)
        
        //2.拿到plist文件中的数组
        let plistArray = NSArray.init(contentsOfFile: path!)
        
        //3.遍历数组拿到所有的字典
        for item in plistArray! {
            
            let dict = item as! NSDictionary
            
            //4.根据字典去创建对应的数据模型
            let model = DataModel.init(dict: dict)
            
            //5.将模型保存到数组中
            tempArray.append(model)
        }
        
        

相关文章

  • NSOperation做图片异步下载

    图片的异步加载 SDWebImage的使用 图片的异步加载封装

  • iOS 多线程

    GCD NSOperation(NSNetWorking和图片异步下载) NSThread (常驻线程的实现) 多...

  • WebImage框架实现原理

    利用NSOperationQueue和NSOperation下载图片 利用url做key,NSOperation做...

  • 图片下载缓存思路

    自定义NSOperation下载图片思路 – 无沙盒缓存 自定义NSOperation下载图片思路 – 有沙盒缓存

  • 异步下载图片

    我的需求是当前页面异步下载图片,存在数组里,传给下一级页面展示。保证下级页面打开的时候就可以展示出来。 dispa...

  • 异步下载图片

    一. 加载图片常见问题 1.同步加载图片 存在问题:通过模拟延时发现,如果网速慢,会非常卡,影响用户体验滚动表格,...

  • 八、SDWebImage源码解析之SDWebImageDownl

    SDWebImageDownloaderOperation继承自NSOperation,是具体的执行图片下载的单位...

  • 自定义NSOperation子类-图片下载器

    研究过NSOperation后,想通过实战更好的理解NSOperation,适用于对下载图片不频繁的项目,免得为了...

  • iOS部分面试题总结

    1.SDWebImage具体如何实现 利用NSOperationQueue和NSOperation下载图片,还使用...

  • 图片下载

    NSOperation下载图片 首先就是根据图片的url去images中取图片,如果存在直接就将图片显示到cell...

网友评论

      本文标题:NSOperation做图片异步下载

      本文链接:https://www.haomeiwen.com/subject/rluoettx.html