多线程安全:
1块资源可能会被多个线程共享,也就是多个线程可能会访问同一块资源,比如多个线程访问同一个对象、同一个变量、同一个文件。当多个线程访问同一块资源时,很容易引发数据错乱和数据安全问题。
举例1:一个可变数组 NSMutableArray *marray,数组里面有5个元素;当两个线程同时读取到marray的count为1时,都执行remove操作数组会崩溃(注意不可能会同时访问,只是两次读取操作访问的时间间隔非常逼近)
举例2:比如对于@property(nonatomic,copy)NSString *str; 当调用self.str = @"HELLO,GUY";如果是多线程,在一个线程执行setter方法的时候,会涉及到字符串拷贝,另一个线程去读取,很可能读到一半的数据,也就是garbage数据。
举例3:
当存钱1000和取钱1000这个过程几乎同时发生,他们读取余额都是1000,但是存钱过程执行1000+1000这时余额变为2000,而随后取钱过程执行1000-500这时余额变成500;由于取钱过程稍晚于存钱,所以最终余额变为500;这样由于多线程问题余额显示异常
卖票问题代码:
//剩余票数
@property(atomic,assign) int leftTicketsCount;
@property(nonatomic,strong)NSThread *thread1;
@property(nonatomic,strong)NSThread *thread2;
@property(nonatomic,strong)NSThread *thread3;
//默认有100张票
self.leftTicketsCount=100;
//开启多个线程,模拟售票员售票
self.thread1=[[NSThread alloc]initWithTarget:self selector:@selector(sellTickets) object:nil];
self.thread1.name=@"售票员A";
self.thread2=[[NSThread alloc]initWithTarget:self selector:@selector(sellTickets) object:nil];
self.thread2.name=@"售票员B";
self.thread3=[[NSThread alloc]initWithTarget:self selector:@selector(sellTickets) object:nil];
self.thread3.name=@"售票员C";
-(void)sellTickets {
while(1) {
//1.先检查票数
intcount=self.leftTicketsCount;
if(count>0) {
//暂停一段时间
[NSThreadsleepForTimeInterval:0.002];
//2.票数-1
self.leftTicketsCount= count-1;
//获取当前线程
NSThread*current=[NSThreadcurrentThread];
NSLog(@"%@--卖了一张票,还剩余%d张票",current,self.leftTicketsCount);
}else{
//退出线程
[NSThread exit];
}
}
}
会出现同时读取数据的情况,A和B同时读到票剩余50张,同时执行票减一行为,此时实际剩余票数应为:50-2
;而因为读到的都是50,最后结果变为49
使用互斥锁@synchronized(self){}保护self对象,在{}作用域内防止self对象在同一时间内被其它线程访问
sell tickets修改为:
//默认有20张票
self.leftTicketsCount=100;
//开启多个线程,模拟售票员售票
self.thread1=[[NSThread alloc]initWithTarget:self selector:@selector(sellTickets) object:nil];
self.thread1.name=@"售票员A";
self.thread2=[[NSThread alloc]initWithTarget:self selector:@selector(sellTickets2) object:nil];
self.thread2.name=@"售票员B";
self.thread3=[[NSThread alloc]initWithTarget:self selector:@selector(sellTickets3) object:nil];
self.thread3.name=@"售票员C";
-(void)sellTickets
{
@synchronized(self){
while(1) {
//1.先检查票数
intcount=self.leftTicketsCount;
if(count>0) {
//暂停一段时间
[NSThreadsleepForTimeInterval:0.002];
//2.票数-1
self.leftTicketsCount= count-1;
//获取当前线程
NSThread*current=[NSThreadcurrentThread];
NSLog(@"%@--卖了一张票,还剩余%d张票",current,self.leftTicketsCount);
}else
{
//退出线程
[NSThreadexit];
}
}
}
}