1.NSTimer一般用于定时的更新一些非界面上的数据,告诉多久调用一次
使用定时器,使用该定时器会出现卡顿的现象
http://www.cnblogs.com/wendingding/p/3782658.html
[NSTimer scheduledTimerWithTimeInterval:0.1 target:self selector:@selector(updateImage) userInfo:nil repeats:YES];
// CADisplayLink刷帧,默认每秒刷新60次 //该定时器创建之后,默认是不会执行的,需要把它加载到消息循环中31
CADisplayLink *display= [CADisplayLink displayLinkWithTarget:self selector:@selector(updateImage)];
[display addToRunLoop: [NSRunLoop mainRunLoop] forMode:NSDefaultRunLoopMode];
2.设置图层蒙版效果
https://github.com/AttackOnDobby/iOS-Core-Animation-Advanced-Techniques/blob/master/4-%E8%A7%86%E8%A7%89%E6%95%88%E6%9E%9C/4-%E8%A7%86%E8%A7%89%E6%95%88%E6%9E%9C.md
//遮盖的Layer是什么形状,下面显示的就是什么什么形状
CALayer *maskLayer = [CALayer layer];
maskLayer.frame = self.layerView.bounds;
UIImage *maskImage = [UIImage imageNamed:@"Cone.png"];
maskLayer.contents = (__bridge id)maskImage.CGImage; //apply mask to image layer self.imageView.layer.mask = maskLayer;
3.Core Data: 创建Context使用哪种模式?
http://mp.weixin.qq.com/s?__biz=MjM5OTM0MzIwMQ==&mid=400679410&idx=1&sn=6e87f27fbfeaf35e77a8e57834849cae&scene=23&srcid=1107vxxtgdddSVHEzIz1NDm4#rd
Core Data 对多线程的支持比较好,NSManagedObjectContext 在初始化时可以指定并发模式,有三种选项:
1.NSConfinementConcurrencyType
这种模式是用于向后兼容的,使用这种模式时你应该保证不能在其他线程使用 context,但这点很难保证,不推荐使用。此模式在 iOS 9中已经被废弃。
2.NSPrivateQueueConcurrencyType
在一个私有队列中创建并管理 context。
3.NSMainQueueConcurrencyType
其实这种模式与第 2 种模式比较相似,只不过 context 与主队列绑定,也因此与应用的 event loop 很亲密。当 context 与 UI 更新相关的话就使用这种模式。
搭建多线程 Core Data 环境的方案一般如下,创建一个 NSMainQueueConcurrencyType 的 context 用于响应 UI 事件,其他涉及大量数据操作可能会阻塞 UI 的就使用 NSPrivateQueueConcurrencyType 的 context。环境搭建好了,如何实现多线程操作?官方文档《Using a Private Queue to Support Concurrency》为我们做了示范,在 private queue 的 context 中进行操作时,应该使用以下方法:
func performBlock(_ block: () -> Void)
//在私有队列中异步地执行 Blcok
func performBlockAndWait(_ block: () -> Void)
//在私有队列中执行 Block 直至操作结束才返回
要在不同线程中使用 managed object context 时,不需要我们创建后台线程然后访问 managed object context 进行操作,而是交给 context 自身绑定的私有队列去处理,我们只需要在上述两个方法的 Block 中执行操作即可。而且,在 NSMainQueueConcurrencyType 的 context 中也应该使用这种方法执行操作,这样可以确保 context 本身在主线程中进行操作。
3.NSURLConnection 网络请求操作,默认是在主线程处理.
只提供开始和取消的操作,不支持暂停.
// 把这段代码 移动子线程
dispatch_async(dispatch_get_global_queue(0, 0), ^{
// 下载 GET
// 1. url
NSString *urlStr = @"http://127.0.0.1/01-课程概述.mp4";
// 百分号转义
urlStr = [urlStr stringByAddingPercentEscapesUsingEncoding:NSUTF8StringEncoding];
NSURL *url = [NSURL URLWithString:urlStr];
// 2. 请求
NSURLRequest *request = [NSURLRequest requestWithURL:url cachePolicy:1 timeoutInterval:2.0f];
// 3. 创建连接
NSURLConnection *connect = [NSURLConnection connectionWithRequest:request delegate:self];
// 设置代理工作的队列(把代理的工作放到子线程)
[connect setDelegateQueue:[[NSOperationQueue alloc] init]];
// 4. 启动网络连接
[connect start];
// 子线程开启运行循环, 这个死循环 肯定要想办法关闭
do{
// [[NSRunLoop currentRunLoop] run];
// 让运行循环每隔0.1秒运行一下
[[NSRunLoop currentRunLoop] runMode:NSDefaultRunLoopMode beforeDate:[NSDate dateWithTimeIntervalSinceNow:0.1]];
}while(!self.finished);
});
// 2. 接受到服务器返回的数据 - 会调用多次
- (void)connection:(NSURLConnection *)connection didReceiveData:(NSData *)data
{
// NSLog(@"接收到数据, 可以拼接所有的数据%tu", data.length);
// 记录当前已经下载的文件的长度
self.currentLenght += data.length;
// 计算进度()
float progress = (float)self.currentLenght/self.expectedContentLength;
NSLog(@"进度%f, ---%@", progress, [NSThread currentThread]);
// 更新UI进度条
dispatch_async(dispatch_get_main_queue(), ^{
self.progressView.progress = progress;
});
// 建立文件句柄, 准备写入到targetPath
NSFileHandle *fp = [NSFileHandle fileHandleForWritingAtPath:self.targetPath];
// 如果文件不存在,句柄就是nil。 这时候没法操作文件的
if (fp == nil) {
[data writeToFile:self.targetPath atomically:YES];
}else {
// 将句柄移到当前文件的末尾
[fp seekToEndOfFile];
// 将数据写入(以句柄为参照来 开始写入的)
[fp writeData:data];
// 在C语言中,所有的文件的操作完成以后,都需要关闭文件,这里也需要关闭。
// 为了保证文件的安全
[fp closeFile];
}
}
// 3. 所有的数据传输完毕
- (void)connectionDidFinishLoading:(NSURLConnection *)connection
{
NSLog(@"所有的数据传输完毕,写成文件");
self.finished = YES;
}
NSURLSession 可以断点续传 支持暂停和取消
在取消的时候,保存当前的下载数据,继续的时候,将保存的resumeData传递过去进行下载
@interface ViewController ()<NSURLSessionDownloadDelegate>
/**下载任务*/
@property(nonatomic,strong)NSURLSessionDownloadTask *downloadTask;
/**全局管理的会话*/
@property(nonatomic,strong)NSURLSession *session;
/**续传的数据*/
@property(nonatomic,strong)NSData *resumeData;
@end
@implementation ViewController
- (NSURLSession *)session
{
if (_session == nil) {
NSURLSessionConfiguration *config = [NSURLSessionConfiguration defaultSessionConfiguration];
_session = [NSURLSession sessionWithConfiguration:config delegate:self delegateQueue:nil];
}
return _session;
}
/**继续*/
- (IBAction)resume:(id)sender
{
if (self.resumeData == nil) {
NSLog(@"没有续传的数据");
return;
}
// 使用上一次的记录,新建一个下载任务
self.downloadTask = [self.session downloadTaskWithResumeData:self.resumeData];
// 一旦任务建立完成,之前的续传数据没有用,释放掉
self.resumeData = nil;
[self.downloadTask resume];
}
/**暂停*/
- (IBAction)pause:(id)sender
{
NSLog(@"%s", __func__);
[self.downloadTask cancelByProducingResumeData:^(NSData *resumeData) {
NSLog(@"=----%tu", resumeData.length);
// 保存起来暂停的时候的字节数
self.resumeData = resumeData;
// 释放下载任务
self.downloadTask = nil;
}];
}
- (IBAction)start {
// 1. url
NSString *urlStr = @"http://127.0.0.1/05-URLSession介绍.mp4";
urlStr = [urlStr stringByAddingPercentEscapesUsingEncoding:NSUTF8StringEncoding];
NSURL *url = [NSURL URLWithString:urlStr];
// 2. 通过session对象 开始一个任务
self.downloadTask = [self.session downloadTaskWithURL:url];
// 继续
[self.downloadTask resume];
}
#pragma mark - NSURLSessionDownloadDelegate
// 1. 下载完成被调用的方法 iOS 7 & iOS 8都必须实现
- (void)URLSession:(NSURLSession *)session downloadTask:(NSURLSessionDownloadTask *)downloadTask didFinishDownloadingToURL:(NSURL *)location
{
NSLog(@"下载完成..");
// 任务完成,取消NSURLSession
[self.session invalidateAndCancel];
// 释放会话
self.session = nil;
self.downloadTask = nil;
}
// 2. 下载进度变化的时候被调用的。 iOS 8可以不实现
/**
bytesWritten: 本次写入的字节数
totalBytesWritten:已经写入的字节数(目前下载的字节数)
totalBytesExpectedToWrite: 总的下载字节数(文件的总大小)
*/
- (void)URLSession:(NSURLSession *)session downloadTask:(NSURLSessionDownloadTask *)downloadTask didWriteData:(int64_t)bytesWritten totalBytesWritten:(int64_t)totalBytesWritten totalBytesExpectedToWrite:(int64_t)totalBytesExpectedToWrite
{
float progress = (float)totalBytesWritten / totalBytesExpectedToWrite;
NSLog(@"%f---%@", progress, [NSThread currentThread]);
}
// 3. 断点续传的时候,被调用的。一般什么都不用写 iOS 8可以不实现
- (void)URLSession:(NSURLSession *)session downloadTask:(NSURLSessionDownloadTask *)downloadTask didResumeAtOffset:(int64_t)fileOffset expectedTotalBytes:(int64_t)expectedTotalBytes
{
}
4.iOS7+ UIButton setTitle forState 闪烁动画,想要停止的话.
设置button的Type为 Custom 就Ok了.
5.在使用UIStoryBoard 设计程序的时候, 点击的按钮调转到并不确定,如何使用代码跳转到一个新的视图控制器?
3.在代码中实现
[self performSegueWithIdentifier:@"EnergyDetail" sender:nil];
如果要往目的控制器传值的话,重写self的 performSegueWithidentifier的方法,如下:
-(void)prepareForSegue:(UIStoryboardSegue *)segue sender:(id)sender{
id destVc = segue.destinationViewController;
if ([destVc isKindOfClass:[WCChatViewController class]]) {
WCChatViewController *chatVc = destVc;
chatVc.friendJid = sender;
}
}