多线程编程之NSThread

NSThread创建线程很简单,管理线程很困难

一、创建线程

1、创建线程对象,调用start方法执行线程

NSThread*thread = [[NSThread alloc] initWithTarget:self selector:@selector(testAction:) object:@"xxx"];

//设置线程名称

thread.name=@"testThread";

//设置线程优先级

[NSThread setThreadPriority:0.3];

//执行线程

[threadstart];

2、直接创建线程并执行

[NSThread detachNewThreadSelector:@selector(testAction2:) toTarget:self withObject:nil];

二、常用属性或方法

1、获取主线程

NSThread*mainThread = [NSThread mainThread];

2、判断是否是主线程

BOOL isMainThread = [mainThread isMainThread];

3、获取当前线程

NSThread*currentThread = [NSThread currentThread];

4、暂停当前线程

[NSThread sleepForTimeInterval:2.0];

三、NSObject的多线程方法

NSObject的多线程方法就是使用了NSThread,使用简单,轻量级,但是不能控制线程数量及执行顺序,而且涉及对象分配时不会自动调用@autoreleasepool自动释放池。

1、在后台线程执行任务

[self performSelectorInBackground:@selector(testAction2:) withObject:nil];

2、在主线程执行任务

[self performSelectorOnMainThread:@selector(testAction2:) withObject:nil waitUntilDone:NO];

3、在指定线程执行任务

[self performSelector:@selector(testAction2:) onThread:mainThread withObject:nil waitUntilDone:NO];

四、多线程安全-线程同步

在多线程编程中,多个线程可以共享同一个资源,如果多个线程同时访问这一资源,可能发生数据错乱问题,比如多个线程同时修改同一个变量。解决方法:使用互斥锁、使用原子或非原子属性、使用NSLock、使用信号量机制。

例子:开三个线程A、B、C售票

- (void)test

{

NSLog(@"Thread Safe Testing!");

self.ticketNum=10;

//售票线程A

NSThread*threadA = [[NSThread alloc] initWithTarget:self selector:@selector(sell) object:nil];

threadA.name=@"线程A";

//售票线程B

NSThread*threadB = [[NSThread alloc] initWithTarget:self selector:@selector(sell) object:nil];

threadB.name=@"线程B";

//售票线程C

NSThread*threadC = [[NSThread alloc] initWithTarget:self selector:@selector(sell) object:nil];

threadC.name=@"线程C";

[threadA start];

[threadB start];

[threadC start];

}

1、使用互斥锁@synchronized

- (void)sell

{

while(1)

{

@synchronized(self)

{

NSInteger left =self.ticketNum;

if(left >0)

{

[NSThread sleepForTimeInterval:2.0];

self.ticketNum= left -1;

NSLog(@"%@卖出1张票,剩余票数%li", [NSThread currentThread].name, (long)self.ticketNum);

}

else

{

NSLog(@"售票结束!");

[NSThread exit];

}

}

}

}

2、使用NSLock

self.myLock= [[NSLock alloc] init];

- (void)sell

{

while(1)

{

[self.myLock lock];

NSIntegerleft =self.ticketNum;

if(left >0)

{

[NSThread sleepForTimeInterval:2.0];

self.ticketNum= left -1;

NSLog(@"%@卖出1张票,剩余票数%li", [NSThread currentThread].name, (long)self.ticketNum);

}

else

{

NSLog(@"售票结束!");

[NSThread exit];

}

[self.myLock unlock];

}

}

你可能感兴趣的:(多线程编程之NSThread)