一、NSThread简介
每个NSThread对象对应一个线程,真正最原始的线程。
1)优点:NSThread 轻量级最低,相对简单。
2)缺点:手动管理所有的线程活动,如生命周期、线程同步、睡眠等。
使用NSThread实现多线程的核心 (创建和控制)
核心1: 创建 ---- 三种创建、启动线程的方式
方式一、动态实例化:
NSThread *thread = [[NSThread alloc] initWithTarget:self selector:@selector(func) object:nil];
thread.threadPriority = 1;// 设置线程的优先级(0.0 - 1.0,1.0最高级)
[thread start];
//线程启动时,就会在线程thread中执行self中的func方法
方式二、静态实例化:
//创建线程后自动启动线程
[NSThread detachNewThreadSelector:(SEL) toTarget:(id) withObject:(id)];
方式三、隐式实例化:
//隐式创建并启动线程
[self performSelectorInBackground:(SEL) withObject:(id)];
核心2: 控制 ---- NSThread的使用与操作控制
1.) 线程阻塞/延时:
// NSThread类
+ (void)sleepUntilDate:(NSDate *)date;
+ (void)sleepForTimeInterval:(NSTimeInterval)ti
2.) 线程死亡:
- (void)exit; // 强制退出线程
3.) 线程之间通信:
//在指定线程上执行操作
[self performSelector:@selector(run) onThread:thread withObject:nil waitUntilDone:YES];
//在主线程上执行操作
[self performSelectorOnMainThread:@selector(run) withObject:nil waitUntilDone:YES];
//在当前线程执行操作
[self performSelector:@selector(run) withObject:nil];
4.) 线程同步:(NSLock/锁)
说到线程同步,就让我们来举一个经典的抢票的例子。抢票涉及到多个线程对同一个数据进行操作,NSThread是要自己管理线程同步的,让同一个时间只有一个线程操作该数据,那么我们就要用到加锁。
代码如下:ViewController.h
@interface ViewController ()
{
NSInteger tickets;//剩余票数
NSInteger sellNum;//卖出票数
NSThread* thread1;//买票线程1
NSThread* thread2;//买票线程2
NSLock* theLock;//锁
}
@property (nonatomic, strong) NSThread* myThread;
@end
ViewController.m
//(线程同步)2人抢票 抢完为止
- (IBAction)clickOnBuyTickets:(id)sender {
tickets = 7;
sellNum = 0;
theLock = [[NSLock alloc] init];
thread1 = [[NSThread alloc] initWithTarget:self selector:@selector(buyTickets) object:nil];
[thread1 setName:@"Thread-1"];
[thread1 start];
thread2 = [[NSThread alloc] initWithTarget:self selector:@selector(buyTickets) object:nil];
[thread2 setName:@"Thread-2"];
[thread2 start];
}
//买票
-(void)buyTickets {
// 让它一直把票售完跳出break为止
while (TRUE) {
//上锁
[theLock lock];
if(tickets >= 0){
[NSThread sleepForTimeInterval:0.09];
sellNum = 7 - tickets;
NSLog(@"当前票数是:%ld,售出:%ld,线程名:%@",tickets,sellNum,[[NSThread currentThread] name]);
tickets--;
}else{
break;
}
[theLock unlock];
}
}
上面的经典的抢票示例控制台输出信息如下:
2017-09-01 13:51:58.978 Multi-thread_NSThread[52731:2272938] 当前票数是:7,售出:0,线程名:Thread-1
2017-09-01 13:51:59.068 Multi-thread_NSThread[52731:2272939] 当前票数是:6,售出:1,线程名:Thread-2
2017-09-01 13:51:59.164 Multi-thread_NSThread[52731:2272938] 当前票数是:5,售出:2,线程名:Thread-1
2017-09-01 13:51:59.259 Multi-thread_NSThread[52731:2272939] 当前票数是:4,售出:3,线程名:Thread-2
2017-09-01 13:51:59.353 Multi-thread_NSThread[52731:2272938] 当前票数是:3,售出:4,线程名:Thread-1
2017-09-01 13:51:59.448 Multi-thread_NSThread[52731:2272939] 当前票数是:2,售出:5,线程名:Thread-2
2017-09-01 13:51:59.541 Multi-thread_NSThread[52731:2272938] 当前票数是:1,售出:6,线程名:Thread-1
2017-09-01 13:51:59.634 Multi-thread_NSThread[52731:2272939] 当前票数是:0,售出:7,线程名:Thread-2
从上面我们可以看出:
加锁来实现线程同步后,票是一张一张卖出去的。
那么当把锁去掉就会出现什么样的局面呢?
答案是:会出现两个线程同时操作一个数据,最后出现了负数。有兴趣的朋友可以试试!
好了,NSThread暂时就到这里。后续有了更多有趣的我会再次完善;喜欢就关注我!上面的示例源码 在这里。
网友评论