rajan
rajan

Reputation:

How to exit NSThread

I am using a thread like this,

[NSThread detachNewThreadSelector:@selector(myfunction) toTarget:self withObject

the thread is running correctly, I want to quit the thread in the middle,how can I do this.If I use [NSThread exit] the application is hanging.

Upvotes: 4

Views: 6607

Answers (2)

Dirk Theisen
Dirk Theisen

Reputation: 61

You should call

-[NSThread cancel]

on the thread you created and check for

-[NSThread isCancelled]

in your while loop.

Upvotes: 4

diciu
diciu

Reputation: 29333

In which thread are you running "[NSThread exit]"? [NSThread exit] runs in the current thread so you need to call this as part of the myfunction selector. If you call it in the main thread, it will just exit the main thread.

Also, it's not a good idea to stop threads like this as it prevents the thread being exited from cleaning up resources.

myfunction should exit based on a shared variable with the coordinating thread.

- (void) myFunction
{
    while([someObject stillWorkToBeDone]) 
    { 
      performBitsOfWork();
    }
}

You can share a reference between the coordinating thread and the worker thread using "withObject". In this way, the coordinating thread could change an instance variable in the shared object so that the worker thread could stop it's work based on this condition.

To exit the worker thread the coordinating thread would just call smth like:

[someObject setStillWorkToBeDone:false];

Upvotes: 4

Related Questions