NSOperation
- 这个类是基于
GCD
,是苹果方便方便开发者封装的一个基类
- 一般使用它的
子类
进行多线程操作- NSInvocationOperation
- NSBlockOperation
- 也可以自己封装一个继承自
NSOperation
自定义的子类
- 使用步骤
- 需要执行的操作封装到一个
NSInvocationOperation/NSBlockOperation
对象中 - 将
对象
添加到队列中NSOperationQueue
- 系统会自动将
队列
中的任务(NSInvocationOperation/NSBlockOperation对象)
取出 - 将取出的
任务
放到一个新的线程中执行
- 需要执行的操作封装到一个
NSOperationQueue 队列
-
设置最大并发数
maxConcurrentOperationCount
- 默认是
-1
,不受限制 - 同一个时间最多有多少个任务执行,比如:你这是最大并发数是5,在同一个时间最大的能有5个任务执行
- 默认是
-
设置取消所有的操作
cancelAllOperations
NSOperationQueue *queue = [[NSOperationQueue alloc] init];
[queue cancelAllOperations];
- 设置暂停任务
suspended
NSOperationQueue *queue = [[NSOperationQueue alloc] init];
//YES是暂停 NO是执
[queue setSuspended: YES];
NSInvocationOperation
NSInvocationOperation默认是异步执行的操作 |
- 基本操作
- (void)opertonDemo1{
NSInvocationOperation *op = [[NSInvocationOperation alloc] initWithTarget:self selector:@selector(task:) object:@"test"];
//会在当前的线程执行操作
[op start];
}
- (void)task:(id)obj{
NSLog(@"%@---%@",[NSThread currentThread],obj);
}
//打印结果: 是在主线程中执行
<NSThread: 0x600000c90180>{number = 1, name = main}---test
开新的线程
-
NSOperationQueue
队列 -
NSInvocationOperation
任务
- (void)opertonDemo1{
NSInvocationOperation *op = [[NSInvocationOperation alloc] initWithTarget:self selector:@selector(task:) object:@"test"];
//会在当前的线程执行操作
// [op start];
//创建队列
NSOperationQueue *queue = [[NSOperationQueue alloc] init];
//添加操作
[queue addOperation:op];
}
- (void)task:(id)obj{
NSLog(@"%@---%@",[NSThread currentThread],obj);
}
//打印结果
<NSThread: 0x6000038fce40>{number = 3, name = (null)}---test
- (void)oprtondemo2 {
//创建队列
NSOperationQueue *queue = [[NSOperationQueue alloc] init];
//创建任务
NSBlockOperation *op = [NSBlockOperation blockOperationWithBlock:^{
NSLog(@"------%@",[NSThread currentThread]);
}];
[queue addOperation:op];
}
//打印结果:
------<NSThread: 0x600000da3d00>{number = 3, name = (null)}
NSBlockOperation
- (void)oprtondemo2 {
//创建队列
NSOperationQueue *queue = [[NSOperationQueue alloc] init];
queue.name = @"1oo";
for (int i = 0; i < 10; i ++) {
//创建任务
NSBlockOperation *op = [NSBlockOperation blockOperationWithBlock:^{
NSLog(@"------%@--",[NSThread currentThread]);
}];
op.name = [NSString stringWithFormat:@"cc-%d",i];
[queue addOperation:op];
}
}
线程之间的通信
//通信
- (void)opdemo3 {
//创建一个队列
NSOperationQueue *queue = [[NSOperationQueue alloc] init];
//添加操作
[queue addOperationWithBlock:^{
NSLog(@"下载图片--%@,",[NSThread currentThread]);
//回到主线程 界面刷新
[[NSOperationQueue mainQueue] addOperationWithBlock:^{
NSLog(@"%@",[NSThread currentThread]);
}];
}];
}