iOS多线程-自定义NSOperation(Cell下载图片缓存)

复习下线程的基础知识, 这里主要是参考文顶顶多线程篇复习写的。

一、cell下载图片思路 – 无沙盒(内存)缓存

主要解决下列问题
1、下载操作放在子线程不会卡UI。
2、使用operations字典解决重复下载问题,每个cell对应一个Operation
3、从字典中移除下载操作 (防止operations越来越大,保证下载失败后,能重新下载)
4、存放图片到images字典中,tableView要刷新对应行数的cell,防止正在下载时拖动tableView将当前的Cell放进缓存池,然后又将这个cell放在新的行数,导致下载完成显示对应的图片的位置不对。
5、使用占位图可以防止未下载的cell重用到其他行已经下载的的图片。
6、拖拽tableView时暂停下载操作,让tableView流程滑动。
7、接收到内存警告时移除下载操作和图片字典,待内存小时重新下载。

APPModel文件

#import <Foundation/Foundation.h>

@interface SSAPPModel : NSObject

@property(nonatomic, copy) NSString *name;
@property(nonatomic, copy) NSString *icon;
@property(nonatomic, copy) NSString *download;

+ (instancetype)appModelWithDict:(NSDictionary *)dict;
- (instancetype)initWithDict:(NSDictionary *)dict;

@end
@implementation SSAPPModel

- (instancetype)initWithDict:(NSDictionary *)dict {
    if (self = [super init]) {//KVC
        [self setValuesForKeysWithDictionary:dict];
    }
    return self;
}

+ (instancetype)appModelWithDict:(NSDictionary *)dict {
    return [[self alloc] initWithDict:dict];
}
@end
#import "SSViewController.h"
#import "SSAPPModel.h"

@interface SSViewController ()<UITableViewDataSource>

@property (nonatomic, strong) UITableView *tableView;

///数据模型
@property (nonatomic, strong) NSArray<SSAPPModel *> *apps;

///存放所有下载操作的队列
@property (nonatomic, strong) NSOperationQueue *queue;

///存放所有的下载操作(url是key,operation对象是value)
@property (nonatomic, strong) NSMutableDictionary *operations;

///存放所有下载完的图片
@property (nonatomic, strong) NSMutableDictionary *images;

@end

@implementation SSViewController

- (void)viewDidLoad {
    [super viewDidLoad];
    [self configData];
    [self configSubViews];
}

//初始化数据
- (void)configData {
    // 1.加载plist
    NSString *file = [[NSBundle mainBundle] pathForResource:@"apps" ofType:@"plist"];
    NSArray *dictArray = [NSArray arrayWithContentsOfFile:file];
    
    // 2.字典 --> 模型
    NSMutableArray *appArray = [NSMutableArray array];
    for (NSDictionary *dict in dictArray) {
        SSAPPModel *app = [SSAPPModel appModelWithDict:dict];
        [appArray addObject:app];
    }
    _apps = appArray;
    
    _queue = [[NSOperationQueue alloc] init];
    _operations = [NSMutableDictionary dictionary];
    _images = [NSMutableDictionary dictionary];
}

//初始化View
- (void)configSubViews {
    _tableView = [[UITableView alloc] initWithFrame:self.view.bounds style:UITableViewStylePlain];
    _tableView.dataSource = self;
    [self.view addSubview:_tableView];
}


#pragma mark - UITableViewDataSource

- (UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath {
    static NSString *identifier = @"cellIdentifier";
    UITableViewCell *cell = [tableView dequeueReusableCellWithIdentifier:identifier];
    if (!cell) {
        cell = [[UITableViewCell alloc] initWithStyle:UITableViewCellStyleSubtitle reuseIdentifier:identifier];
    }
    
    // 取出模型
    SSAPPModel *app = self.apps[indexPath.row];
    
    // 设置基本信息
    cell.textLabel.text = app.name;
    cell.detailTextLabel.text = app.download;
    
    // 先从images缓存中取出图片url对应的UIImage
    UIImage *image = self.images[app.icon];
    if (image) { // 说明图片已经下载成功过(成功缓存)
        cell.imageView.image = image;
    } else { // 说明图片并未下载成功过(并未缓存过)
        // 显示占位图片
        cell.imageView.image = [UIImage imageNamed:@"placeholder"];
        
        // 下载图片
        [self download:app.icon indexPath:indexPath];
    }
    return cell;
}

- (void)download:(NSString *)imageUrl indexPath:(NSIndexPath *)indexPath {
    // 取出当前图片url对应的下载操作(operation对象)
    NSBlockOperation *operation = self.operations[imageUrl];
    if (operation) {// 已经有了operation 不需要创建
        NSLog(@"已经有了operation, return");
        return;
    }
    
    // 创建操作,下载图片
    __weak typeof(self) weakSelf = self;
    operation = [NSBlockOperation blockOperationWithBlock:^{
        //   [NSThread sleepForTimeInterval:1.0];//模拟下载慢操作
        NSURL *url = [NSURL URLWithString:imageUrl];
        NSData *data = [NSData dataWithContentsOfURL:url]; // 下载
        UIImage *image = [UIImage imageWithData:data]; // NSData -> UIImage
        
        // 回到主线程
        [[NSOperationQueue mainQueue] addOperationWithBlock:^{
            // 存放图片到字典中
            if (image) {
                weakSelf.images[imageUrl] = image;
            }
            
            // 从字典中移除下载操作 (防止operations越来越大,保证下载失败后,能重新下载)
            [weakSelf.operations removeObjectForKey:imageUrl];
            
            // 刷新表格
            [weakSelf.tableView reloadRowsAtIndexPaths:@[indexPath] withRowAnimation:UITableViewRowAnimationNone];
        }];
    }];
    NSLog(@"imageUrl == %@", imageUrl);
    // 添加操作到队列中
    [self.queue addOperation:operation];
    
    // 添加到字典中 (这句代码为了解决重复下载)
    self.operations[imageUrl] = operation;
}

- (NSInteger)tableView:(UITableView *)tableView numberOfRowsInSection:(NSInteger)section {
    return self.apps.count;
}


#pragma mark - 拖动暂停恢复下载

- (void)scrollViewWillBeginDragging:(UIScrollView *)scrollView {
    // 暂停下载
    [self.queue setSuspended:YES];
}

//当用户停止拖拽表格时调用
- (void)scrollViewDidEndDragging:(UIScrollView *)scrollView willDecelerate:(BOOL)decelerate {
    // 恢复下载
    [self.queue setSuspended:NO];
}


#pragma mark - 内存警告

- (void)didReceiveMemoryWarning {
    [super didReceiveMemoryWarning];
    // 移除所有的下载操作缓存
    [self.queue cancelAllOperations];
    [self.operations removeAllObjects];
    // 移除所有的图片缓存
    [self.images removeAllObjects];
}

@end

二、cell下载图片思路 – 有沙盒缓存

应用了沙盒缓存,解决每次打开app都会下载问题。

代码示例

#import "SSViewController.h"
#import "SSAPPModel.h"

@interface SSViewController ()<UITableViewDataSource>

@property (nonatomic, strong) UITableView *tableView;

///数据模型
@property (nonatomic, strong) NSArray<SSAPPModel *> *apps;

///存放所有下载操作的队列
@property (nonatomic, strong) NSOperationQueue *queue;

///存放所有的下载操作(url是key,operation对象是value)
@property (nonatomic, strong) NSMutableDictionary *operations;

///存放所有下载完的图片
@property (nonatomic, strong) NSMutableDictionary *images;

@end

@implementation SSViewController

- (void)viewDidLoad {
    [super viewDidLoad];
    [self configData];
    [self configSubViews];
}

//初始化数据
- (void)configData {
    // 1.加载plist
    NSString *file = [[NSBundle mainBundle] pathForResource:@"apps" ofType:@"plist"];
    NSArray *dictArray = [NSArray arrayWithContentsOfFile:file];
    
    // 2.字典 --> 模型
    NSMutableArray *appArray = [NSMutableArray array];
    for (NSDictionary *dict in dictArray) {
        SSAPPModel *app = [SSAPPModel appModelWithDict:dict];
        [appArray addObject:app];
    }
    _apps = appArray;
    
    _queue = [[NSOperationQueue alloc] init];
    _operations = [NSMutableDictionary dictionary];
    _images = [NSMutableDictionary dictionary];
}

//初始化View
- (void)configSubViews {
    _tableView = [[UITableView alloc] initWithFrame:self.view.bounds style:UITableViewStylePlain];
    _tableView.dataSource = self;
    [self.view addSubview:_tableView];
}


#pragma mark - UITableViewDataSource

- (UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath {
    static NSString *identifier = @"cellIdentifier";
    UITableViewCell *cell = [tableView dequeueReusableCellWithIdentifier:identifier];
    if (!cell) {
        cell = [[UITableViewCell alloc] initWithStyle:UITableViewCellStyleSubtitle reuseIdentifier:identifier];
    }
    
    // 取出模型
    SSAPPModel *app = self.apps[indexPath.row];
    
    // 设置基本信息
    cell.textLabel.text = app.name;
    cell.detailTextLabel.text = app.download;
    
    // 先从images缓存中取出图片url对应的UIImage
    UIImage *image = self.images[app.icon];
    if (image) { // 说明图片已经下载成功过(成功缓存)
        cell.imageView.image = image;
    } else { // 说明图片并未下载成功过(并未缓存过)
        NSString *file = [self filePathWithImageUrl:app.icon];
        // 先从沙盒中取出图片
        NSData *data = [NSData dataWithContentsOfFile:file];
        if (data) { // 沙盒中存在这个文件
            cell.imageView.image = [UIImage imageWithData:data];
        } else {// 沙盒中不存在这个文件
            // 显示占位图片
            cell.imageView.image = [UIImage imageNamed:@"placeholder"];
            
            // 下载图片
            [self download:app.icon indexPath:indexPath];
        }
    }
    return cell;
}

- (void)download:(NSString *)imageUrl indexPath:(NSIndexPath *)indexPath {
    // 取出当前图片url对应的下载操作(operation对象)
    NSBlockOperation *operation = self.operations[imageUrl];
    if (operation) {// 已经有了operation 不需要创建
        NSLog(@"已经有了operation, return");
        return;
    }
    
    // 创建操作,下载图片
    __weak typeof(self) weakSelf = self;
    operation = [NSBlockOperation blockOperationWithBlock:^{
        [NSThread sleepForTimeInterval:3.0];//模拟下载慢操作
        NSURL *url = [NSURL URLWithString:imageUrl];
        NSData *data = [NSData dataWithContentsOfURL:url]; // 下载
        UIImage *image = [UIImage imageWithData:data]; // NSData -> UIImage
        
        // 回到主线程
        [[NSOperationQueue mainQueue] addOperationWithBlock:^{
            // 存放图片到字典中
            if (image) {
                weakSelf.images[imageUrl] = image;
            }
            
            //将图片存入沙盒中
            // UIImage --> NSData --> File(文件)
            NSData *data = UIImagePNGRepresentation(image);
            NSString *file = [self filePathWithImageUrl:imageUrl];
            [data writeToFile:file atomically:YES];
            
            // 从字典中移除下载操作 (防止operations越来越大,保证下载失败后,能重新下载)
            [weakSelf.operations removeObjectForKey:imageUrl];
            
            // 刷新表格
            [weakSelf.tableView reloadRowsAtIndexPaths:@[indexPath] withRowAnimation:UITableViewRowAnimationNone];
        }];
    }];
    NSLog(@"imageUrl == %@", imageUrl);
    // 添加操作到队列中
    [self.queue addOperation:operation];
    
    // 添加到字典中 (这句代码为了解决重复下载)
    self.operations[imageUrl] = operation;
}

- (NSInteger)tableView:(nonnull UITableView *)tableView numberOfRowsInSection:(NSInteger)section {
    return self.apps.count;
}


#pragma mark - 拖动暂停恢复下载

- (void)scrollViewWillBeginDragging:(UIScrollView *)scrollView {
    // 暂停下载
    [self.queue setSuspended:YES];
}

//当用户停止拖拽表格时调用
- (void)scrollViewDidEndDragging:(UIScrollView *)scrollView willDecelerate:(BOOL)decelerate {
    // 恢复下载
    [self.queue setSuspended:NO];
}


#pragma mark - 内存警告

- (void)didReceiveMemoryWarning {
    [super didReceiveMemoryWarning];
    // 移除所有的下载操作缓存
    [self.queue cancelAllOperations];
    [self.operations removeAllObjects];
    // 移除所有的图片缓存
    [self.images removeAllObjects];
}


#pragma mark - 沙盒图片路径

- (NSString *)filePathWithImageUrl:(NSString *)imageUrl {
    NSString *cacheDir = [NSSearchPathForDirectoriesInDomains(NSCachesDirectory, NSUserDomainMask, YES) lastObject];
    NSString *path = [cacheDir stringByAppendingPathComponent:[imageUrl lastPathComponent]];
    return path;
}


@end

沙盒中图片

三、自定义NSOperation

自定义NSOperation的步骤

  • 重写- (void)main方法,在里面实现想执行的任务
  • 重写- (void)main方法的注意点
  • 自己创建自动释放池(因为如果是异步操作,无法访问主线程的自动释放池)
  • 经常通过- (BOOL)isCancelled方法检测操作是否被取消,对取消做出响应

代码示例

#import <UIKit/UIKit.h>

@class SSDownloadOperation;

@protocol SSDownloadOperationDelegate <NSObject>

@optional
- (void)downloadOperation:(SSDownloadOperation *)operation didFinishDownload:(UIImage *)image;
@end

@interface SSDownloadOperation : NSOperation
@property (nonatomic, copy) NSString *imageUrl;
@property (nonatomic, strong) NSIndexPath *indexPath;
@property (nonatomic, weak) id<SSDownloadOperationDelegate> delegate;

@end
#import "SSDownloadOperation.h"

@implementation SSDownloadOperation

- (void)main {
    @autoreleasepool {
        if (self.isCancelled) {
            return;
        }
        
        NSURL *url = [NSURL URLWithString:self.imageUrl];
        NSData *data = [NSData dataWithContentsOfURL:url]; // 下载
        UIImage *image = [UIImage imageWithData:data]; // NSData -> UIImage
        
        if (self.isCancelled) return;
        
        // 回到主线程
        [[NSOperationQueue mainQueue] addOperationWithBlock:^{
            if ([self.delegate respondsToSelector:@selector(downloadOperation:didFinishDownload:)]) {
                [self.delegate downloadOperation:self didFinishDownload:image];
            }
        }];
    }
}
@end

#import "SSViewController.h"
#import "SSAPPModel.h"
#import "SSDownloadOperation.h"

@interface SSViewController ()<UITableViewDataSource, SSDownloadOperationDelegate>

@property (nonatomic, strong) UITableView *tableView;

///数据模型
@property (nonatomic, strong) NSArray<SSAPPModel *> *apps;

///存放所有下载操作的队列
@property (nonatomic, strong) NSOperationQueue *queue;

///存放所有的下载操作(url是key,operation对象是value)
@property (nonatomic, strong) NSMutableDictionary *operations;

///存放所有下载完的图片
@property (nonatomic, strong) NSMutableDictionary *images;

@end

@implementation SSViewController

- (void)viewDidLoad {
    [super viewDidLoad];
    [self configData];
    [self configSubViews];
}

//初始化数据
- (void)configData {
    // 1.加载plist
    NSString *file = [[NSBundle mainBundle] pathForResource:@"apps" ofType:@"plist"];
    NSArray *dictArray = [NSArray arrayWithContentsOfFile:file];
    
    // 2.字典 --> 模型
    NSMutableArray *appArray = [NSMutableArray array];
    for (NSDictionary *dict in dictArray) {
        SSAPPModel *app = [SSAPPModel appModelWithDict:dict];
        [appArray addObject:app];
    }
    _apps = appArray;
    
    _queue = [[NSOperationQueue alloc] init];
    _operations = [NSMutableDictionary dictionary];
    _images = [NSMutableDictionary dictionary];
}

//初始化View
- (void)configSubViews {
    _tableView = [[UITableView alloc] initWithFrame:self.view.bounds style:UITableViewStylePlain];
    _tableView.dataSource = self;
    [self.view addSubview:_tableView];
}


#pragma mark - UITableViewDataSource

- (UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath {
    static NSString *identifier = @"cellIdentifier";
    UITableViewCell *cell = [tableView dequeueReusableCellWithIdentifier:identifier];
    if (!cell) {
        cell = [[UITableViewCell alloc] initWithStyle:UITableViewCellStyleSubtitle reuseIdentifier:identifier];
    }
    
    // 取出模型
    SSAPPModel *app = self.apps[indexPath.row];
    
    // 设置基本信息
    cell.textLabel.text = app.name;
    cell.detailTextLabel.text = app.download;
    
    // 先从images缓存中取出图片url对应的UIImage
    UIImage *image = self.images[app.icon];
    if (image) { // 说明图片已经下载成功过(成功缓存)
        cell.imageView.image = image;
    } else { // 说明图片并未下载成功过(并未缓存过)
        NSString *file = [self filePathWithImageUrl:app.icon];
        // 先从沙盒中取出图片
        NSData *data = [NSData dataWithContentsOfFile:file];
        if (data) { // 沙盒中存在这个文件
            cell.imageView.image = [UIImage imageWithData:data];
        } else {// 沙盒中不存在这个文件
            // 显示占位图片
            cell.imageView.image = [UIImage imageNamed:@"placeholder"];
            
            // 下载图片
            [self download:app.icon indexPath:indexPath];
        }
    }
    return cell;
}

- (void)download:(NSString *)imageUrl indexPath:(NSIndexPath *)indexPath {
    // 取出当前图片url对应的下载操作(operation对象)
    SSDownloadOperation *operation = self.operations[imageUrl];
    if (operation) {// 已经有了operation 不需要创建
        NSLog(@"已经有了operation, return");
        return;
    }
    
    // 创建操作,下载图片
    operation = [[SSDownloadOperation alloc] init];
    operation.imageUrl = imageUrl;
    operation.indexPath = indexPath;
    
    // 设置代理
    operation.delegate = self;
    
    // 添加操作到队列中
    [self.queue addOperation:operation];
    
    // 添加到字典中 (这句代码为了解决重复下载)
    self.operations[imageUrl] = operation;
}

- (NSInteger)tableView:(UITableView *)tableView numberOfRowsInSection:(NSInteger)section {
    return self.apps.count;
}


#pragma mark - SSDownloadOperationDelegate下载操作的代理方法

- (void)downloadOperation:(SSDownloadOperation *)operation didFinishDownload:(UIImage *)image {
    // 存放图片到字典中
    if (image) {
        self.images[operation.imageUrl] = image;
        //将图片存入沙盒中
        NSData *data = UIImagePNGRepresentation(image);
        [data writeToFile:[self filePathWithImageUrl:operation.imageUrl] atomically:YES];
    }
    
    // 从字典中移除下载操作 (防止operations越来越大,保证下载失败后,能重新下载)
    [self.operations removeObjectForKey:operation.imageUrl];
    
    // 刷新表格
    [self.tableView reloadRowsAtIndexPaths:@[operation.indexPath] withRowAnimation:UITableViewRowAnimationNone];
}


#pragma mark - 拖动暂停恢复下载

- (void)scrollViewWillBeginDragging:(UIScrollView *)scrollView {
    // 暂停下载
    [self.queue setSuspended:YES];
}

//当用户停止拖拽表格时调用
- (void)scrollViewDidEndDragging:(UIScrollView *)scrollView willDecelerate:(BOOL)decelerate {
    // 恢复下载
    [self.queue setSuspended:NO];
}


#pragma mark - 内存警告

- (void)didReceiveMemoryWarning {
    [super didReceiveMemoryWarning];
    // 移除所有的下载操作缓存
    [self.queue cancelAllOperations];
    [self.operations removeAllObjects];
    // 移除所有的图片缓存
    [self.images removeAllObjects];
}


#pragma mark - 沙盒图片路径

- (NSString *)filePathWithImageUrl:(NSString *)imageUrl {
    NSString *cacheDir = [NSSearchPathForDirectoriesInDomains(NSCachesDirectory, NSUserDomainMask, YES) lastObject];
    NSString *path = [cacheDir stringByAppendingPathComponent:[imageUrl lastPathComponent]];
    return path;
}

@end

附件

效果图
placeholder.png
<?xml version="1.0" encoding="UTF-8"?>
<!DOCTYPE plist PUBLIC "-//Apple//DTD PLIST 1.0//EN" "http://www.apple.com/DTDs/PropertyList-1.0.dtd">
<plist version="1.0">
<array>
    <dict>
        <key>name</key>
        <string>植物大战僵尸</string>
        <key>icon</key>
        <string>http://p16.qhimg.com/dr/48_48_/t0125e8d438ae9d2fbb.png</string>
        <key>download</key>
        <string>10311万</string>
    </dict>
    <dict>
        <key>name</key>
        <string>捕鱼达人2</string>
        <key>icon</key>
        <string>http://p19.qhimg.com/dr/48_48_/t0101e2931181bb540d.png</string>
        <key>download</key>
        <string>9982万</string>
    </dict>
    <dict>
        <key>name</key>
        <string>保卫萝卜</string>
        <key>icon</key>
        <string>http://p17.qhimg.com/dr/48_48_/t012d281e8ec8e27c06.png</string>
        <key>download</key>
        <string>8582万</string>
    </dict>
    <dict>
        <key>name</key>
        <string>找你妹</string>
        <key>icon</key>
        <string>http://p18.qhimg.com/dr/48_48_/t0184f949337481f071.png</string>
        <key>download</key>
        <string>5910万</string>
    </dict>
    <dict>
        <key>name</key>
        <string>水果忍者</string>
        <key>icon</key>
        <string>http://p17.qhimg.com/dr/48_48_/t015f10076f95e27e74.png</string>
        <key>download</key>
        <string>5082万</string>
    </dict>
    <dict>
        <key>name</key>
        <string>鳄鱼小顽皮</string>
        <key>icon</key>
        <string>http://p16.qhimg.com/dr/48_48_/t01885f5596e1d30172.png</string>
        <key>download</key>
        <string>3918万</string>
    </dict>
    <dict>
        <key>name</key>
        <string>神偷奶爸</string>
        <key>icon</key>
        <string>http://p19.qhimg.com/dr/48_48_/t0164ad383c622aabef.png</string>
        <key>download</key>
        <string>3681万</string>
    </dict>
    <dict>
        <key>name</key>
        <string>时空猎人</string>
        <key>icon</key>
        <string>http://p17.qhimg.com/dr/48_48_/t017bc3cfcf3981b197.png</string>
        <key>download</key>
        <string>3645万</string>
    </dict>
    <dict>
        <key>name</key>
        <string>愤怒的小鸟</string>
        <key>icon</key>
        <string>http://p18.qhimg.com/dr/48_48_/t012fea7312194537c2.png</string>
        <key>download</key>
        <string>3552万</string>
    </dict>
    <dict>
        <key>name</key>
        <string>滑雪大冒险</string>
        <key>icon</key>
        <string>http://p18.qhimg.com/dr/48_48_/t01e61cbba53fb9eb82.png</string>
        <key>download</key>
        <string>3487万</string>
    </dict>
    <dict>
        <key>name</key>
        <string>爸爸去哪儿</string>
        <key>icon</key>
        <string>http://p18.qhimg.com/dr/48_48_/t0108c33d3321352682.png</string>
        <key>download</key>
        <string>3117万</string>
    </dict>
    <dict>
        <key>name</key>
        <string>我叫MT </string>
        <key>icon</key>
        <string>http://p17.qhimg.com/dr/48_48_/t01077fd80ffb5c8740.png</string>
        <key>download</key>
        <string>2386万</string>
    </dict>
    <dict>
        <key>name</key>
        <string>3D终极狂飙</string>
        <key>icon</key>
        <string>http://p17.qhimg.com/dr/48_48_/t01f55acd4a3ed024eb.png</string>
        <key>download</key>
        <string>2166万</string>
    </dict>
    <dict>
        <key>name</key>
        <string>杀手2</string>
        <key>icon</key>
        <string>http://p16.qhimg.com/dr/48_48_/t018f89d6e0922f75a1.png</string>
        <key>download</key>
        <string>1951万</string>
    </dict>
    <dict>
        <key>name</key>
        <string>俄罗斯方块</string>
        <key>icon</key>
        <string>http://p0.qhimg.com/dr/48_48_/t0183a670f1dbff380f.png</string>
        <key>download</key>
        <string>1290万</string>
    </dict>
    <dict>
        <key>name</key>
        <string>刀塔传奇</string>
        <key>icon</key>
        <string>http://p16.qhimg.com/dr/48_48_/t01c3f62a27c3de7af5.png</string>
        <key>download</key>
        <string>1249万</string>
    </dict>
</array>
</plist>

©著作权归作者所有,转载或内容合作请联系作者
  • 序言:七十年代末,一起剥皮案震惊了整个滨河市,随后出现的几起案子,更是在滨河造成了极大的恐慌,老刑警刘岩,带你破解...
    沈念sama阅读 212,686评论 6 492
  • 序言:滨河连续发生了三起死亡事件,死亡现场离奇诡异,居然都是意外死亡,警方通过查阅死者的电脑和手机,发现死者居然都...
    沈念sama阅读 90,668评论 3 385
  • 文/潘晓璐 我一进店门,熙熙楼的掌柜王于贵愁眉苦脸地迎上来,“玉大人,你说我怎么就摊上这事。” “怎么了?”我有些...
    开封第一讲书人阅读 158,160评论 0 348
  • 文/不坏的土叔 我叫张陵,是天一观的道长。 经常有香客问我,道长,这世上最难降的妖魔是什么? 我笑而不...
    开封第一讲书人阅读 56,736评论 1 284
  • 正文 为了忘掉前任,我火速办了婚礼,结果婚礼上,老公的妹妹穿的比我还像新娘。我一直安慰自己,他们只是感情好,可当我...
    茶点故事阅读 65,847评论 6 386
  • 文/花漫 我一把揭开白布。 她就那样静静地躺着,像睡着了一般。 火红的嫁衣衬着肌肤如雪。 梳的纹丝不乱的头发上,一...
    开封第一讲书人阅读 50,043评论 1 291
  • 那天,我揣着相机与录音,去河边找鬼。 笑死,一个胖子当着我的面吹牛,可吹牛的内容都是我干的。 我是一名探鬼主播,决...
    沈念sama阅读 39,129评论 3 410
  • 文/苍兰香墨 我猛地睁开眼,长吁一口气:“原来是场噩梦啊……” “哼!你这毒妇竟也来了?” 一声冷哼从身侧响起,我...
    开封第一讲书人阅读 37,872评论 0 268
  • 序言:老挝万荣一对情侣失踪,失踪者是张志新(化名)和其女友刘颖,没想到半个月后,有当地人在树林里发现了一具尸体,经...
    沈念sama阅读 44,318评论 1 303
  • 正文 独居荒郊野岭守林人离奇死亡,尸身上长有42处带血的脓包…… 初始之章·张勋 以下内容为张勋视角 年9月15日...
    茶点故事阅读 36,645评论 2 327
  • 正文 我和宋清朗相恋三年,在试婚纱的时候发现自己被绿了。 大学时的朋友给我发了我未婚夫和他白月光在一起吃饭的照片。...
    茶点故事阅读 38,777评论 1 341
  • 序言:一个原本活蹦乱跳的男人离奇死亡,死状恐怖,灵堂内的尸体忽然破棺而出,到底是诈尸还是另有隐情,我是刑警宁泽,带...
    沈念sama阅读 34,470评论 4 333
  • 正文 年R本政府宣布,位于F岛的核电站,受9级特大地震影响,放射性物质发生泄漏。R本人自食恶果不足惜,却给世界环境...
    茶点故事阅读 40,126评论 3 317
  • 文/蒙蒙 一、第九天 我趴在偏房一处隐蔽的房顶上张望。 院中可真热闹,春花似锦、人声如沸。这庄子的主人今日做“春日...
    开封第一讲书人阅读 30,861评论 0 21
  • 文/苍兰香墨 我抬头看了看天上的太阳。三九已至,却和暖如春,着一层夹袄步出监牢的瞬间,已是汗流浃背。 一阵脚步声响...
    开封第一讲书人阅读 32,095评论 1 267
  • 我被黑心中介骗来泰国打工, 没想到刚下飞机就差点儿被人妖公主榨干…… 1. 我叫王不留,地道东北人。 一个月前我还...
    沈念sama阅读 46,589评论 2 362
  • 正文 我出身青楼,却偏偏与公主长得像,于是被迫代替她去往敌国和亲。 传闻我的和亲对象是个残疾皇子,可洞房花烛夜当晚...
    茶点故事阅读 43,687评论 2 351

推荐阅读更多精彩内容

  • Swift1> Swift和OC的区别1.1> Swift没有地址/指针的概念1.2> 泛型1.3> 类型严谨 对...
    cosWriter阅读 11,093评论 1 32
  • 1 NSOperationQueue和GCD的区别是什么 GCD(Grand Central Dispatch)是...
    紫色冰雨阅读 739评论 0 3
  • 这是早上一个梦引起的感想,虽然那个梦跟今天这个文章一点关系.......也不能说没有吧,下面说的还是有点牵连。 人...
    流浪风儿阅读 368评论 2 8
  • 1. 这四种类型,与心理学上的恋父情结,恋母情结有异曲同工之妙,得细细品味与深究。 强悍型男人:是小时候 父亲不尊...
    宁静致远的猫阅读 409评论 0 0
  • 如果老是梦见一个人,意味着什么? 有人说代表这个人在想你,也有人说表示这个人正在慢慢遗忘你。 是吗?那我这么频繁的...
    岸堤阅读 176评论 0 0