多线程的三种方式
※NSThread:共有三种创建方式,任选其一
方式1.实例方法来创建一个子线程,需要手动来开启,若不手动开启,就不会运行
- (void)test1{
//判断当前的线程是不是主线程,非零为真
BOOL isMainThread = [NSThread isMainThread];
NSLog(@"isMainThread = %d",isMainThread);
//实例方法来创建一个子线程,需要手动来开启,若不手动开启,就不会运行
NSThread *thread = [[NSThread alloc]initWithTarget:self selector:@selector(doSth) object:nil];
//给线程起名字,没啥用
thread.name = @"子线程";
//启动线程
[thread start];
}
方式2.类方法开启一条新的子线程,不需要手动开启,会直接执行doSth方法
- (void)test2{
//类方法开启一条新的子线程,不需要手动开启,会直接执行doSth方法
[NSThread detachNewThreadSelector:@selector(doSth) toTarget:self withObject:nil];
}
方式3.
- (void)test3{
//隐式地创建一条新的子线程
[self performSelectorInBackground:@selector(doSth) withObject:nil];
}
线程中的方法
- (void)doSth{
//判断是不是子线程
BOOL isMainThread = [NSThread isMainThread];
NSLog(@"isMainThread = %d",isMainThread);
// 打印当前的线程
NSLog(@"%@",[NSThread currentThread]);
NSURL *url = [NSURL URLWithString:@"https://ss0.baidu.com/-fo3dSag_xI4khGko9WTAnF6hhy/image/h%3D200/sign=875aa8d07fec54e75eec1d1e89399bfd/241f95cad1c8a7866f726fe06309c93d71cf5087.jpg"];
NSData *data = [[NSData alloc]initWithContentsOfURL:url];
NSLog(@"%@",data);
//self.imageView.image = [UIImage imageWithData:data]; //在这里(子线程中)直接赋值是不对的,应该用线程间的通讯,再次提醒不允许在子线程中刷UI!!!!!!
//线程间通讯(传值)
[self performSelectorOnMainThread:@selector(updateUI:) withObject:data waitUntilDone:YES];
}
//回到主线程中刷新UI
- (void)updateUI:(NSData*)data{
self.imageView.image = [UIImage imageWithData:data];
}
线程加锁:当有多个线程同时访问或修改同一个资源时,会出问题,所以需要进行加锁操作,此处介绍两种加锁操作。
注:
1、当有多个线程同时访问或修改同一个资源时,会出现问题,此时需要使用线程锁来解决
2、当添加线程锁时,是对资源的管理,而不是对线程的管理
3、对资源添加线程锁,其实就是把这个资源变成原子性操作(atomic)
@interface ViewController ()
{
//苹果总数
NSInteger _totalApple;
NSLock *_lock;
}
@end
- (void)viewDidLoad {
[super viewDidLoad];
_totalApple = 20;
//创建锁
_lock = [[NSLock alloc]init];
//创建两个子线程(隐式方法)
[self performSelectorInBackground:@selector(getApple1) withObject:nil];
[self performSelectorInBackground:@selector(getApple2) withObject:nil];
//当有多个线程同时访问或修改同一个资源时,会出问题,所以需要进行加锁操作,此处介绍两种加锁操作。
}
- (void)getApple1{
#if 0
//加锁
[_lock lock];
for (int i=10; i>0; i--) {
_totalApple--;
NSLog(@"A--%ld",_totalApple);
}
//解锁
[_lock unlock];
#else
@synchronized(self) {
for (int i=10; i>0; i--) {
_totalApple--;
NSLog(@"A--%ld",_totalApple);
}
}
#endif
}
- (void)getApple2{
#if 0
//加锁
[_lock lock];
for (int i=10; i>0; i--) {
_totalApple--;
NSLog(@"B--%ld",_totalApple);
}
//解锁
[_lock unlock];
#else
@synchronized(self) {
for (int i=10; i>0; i--) {
_totalApple--;
NSLog(@"B--%ld",_totalApple);
}
}
#endif
}
网友评论