现在感觉很不好,前几天做的豆瓣,做不出来,没有思路。做的时候还的看以前的代码,太屌丝了。对不起这钱,也对不起这时间。
重点
- 获取主线程[self performSelectorOnMainThread:@selector(referenceView) withObject:nil waitUntilDone:YES] 最后的那个参数是阻塞当前线程直到selector的那个方法执行
- 开辟一个后台线程 [self performSelectorInBackground:@selector(cycle) withObject :nil];
- 创建一个线程
NSThread * thread = [NSThread alloc]initWithTarget:selt selector:@selector(cycle) object:nil];
- 另外一种方法创建一个线程
[NSThread detachNewThreadSelector:@selector(cycle) toTarget:selt withObject:nil]; - NSInvocationOperation创建任务,NSBlockOperation创建任务。
- 向队列中添加任务
#import "ViewController.h"
@interface ViewController ()
- (IBAction)threadBarrage:(UIButton *)sender;
- (IBAction)multThreadOne:(UIButton *)sender;
- (IBAction)multThreadTwo:(UIButton *)sender;
- (IBAction)multiThreadThree:(UIButton *)sender;
@end
@implementation ViewController
- (void)viewDidLoad {
[super viewDidLoad];
}
-(void)cycle{
//如果一个任务在子线程中执行,我们需要在任务里面添加autoreleaspool
//因为线程与线程之间是相互独立的,但是呢,资源却是共享的,在任务里面可能会创建多个对象等等(在堆区中开辟)。如果你开辟的空间没有释放的话,其他的线程也无法访问和使用
//主要针对,在子线程执行的任务中,大量使用便利构造器创建对系那个的时候,核能会造成很多堆区的对象无法释放,导致内存泄露问题。
@autoreleasepool {
for (int i = 0 ; i< 10; i++) {
NSLog(@"%d",i);
}
//查看当前线程是否是是主线程
//判断是是哪个线程
NSLog(@"%@",[NSThread currentThread]);
//判断是否是主线程
NSLog(@"%d",[NSThread isMainThread]);
#warning mark ===========循环结束之后,想刷新UI界面(只能由主线程来做)
//首先要获得主线程
[self performSelectorOnMainThread:@selector(referenceView) withObject:nil waitUntilDone:YES];
}
}
-(void)referenceView{
NSLog(@"刷新数据");
NSLog(@"%@",[NSThread currentThread]);
}
- (void)didReceiveMemoryWarning {
[super didReceiveMemoryWarning];
// Dispose of any resources that can be recreated.
}
- (IBAction)threadBarrage:(UIButton *)sender {
sender.showsTouchWhenHighlighted = YES;
// [self cycle];
}
- (IBAction)multThreadOne:(UIButton *)sender {
//开辟一个后台子线程
[self performSelectorInBackground:@selector(cycle) withObject:nil];
}
- (IBAction)multThreadTwo:(UIButton *)sender {
#warning mark ------------如果是NShread创建子线程(手动开启)
//创建一个子线程
// NSThread * thread = [[NSThread alloc]initWithTarget:self selector:@selector(cycle) object:nil];
//
// thread.name = @"小2";
//需要手动开启
// [thread start];
//
// [thread autorelease];
//2.NSThread创建第二种方式(线程会自动开启)
[NSThread detachNewThreadSelector:@selector(cycle) toTarget:self withObject:nil];
}
- (IBAction)multiThreadThree:(UIButton *)sender {
#warning mark --------- 不直接使用NSOperation去创建操作对象,因为NSOperation是一个抽象类,一般情况下,我我们使用的是其子类(NSInvocationOperation,NSBlockOperation),其子类对象放得就是每一个具体的任务
NSInvocationOperation * op1 = [[NSInvocationOperation alloc]initWithTarget:self selector:@selector(cycle) object:nil];
__block ViewController * VC = self;
NSBlockOperation * op2 = [NSBlockOperation blockOperationWithBlock:^{
//需要执行的任务
[VC cycle];
}];
//只需要将操作对象放入操作队列,不需要手动开启,queue会根据操作对象的排列顺序帮你调用start
//将上面的两个操作对象存放到操作队列中
NSOperationQueue * queue = [[NSOperationQueue alloc]init];
//设置线程并发数
queue.maxConcurrentOperationCount = 2;
//添加到队列中
[queue addOperation:op1];
[queue addOperation:op2];
[op1 release];
[queue autorelease];
}
@end