Reputation: 789
I want to terminate or kill boost thread. code is here:
DWORD WINAPI StartFaceDetector(LPVOID temp)
{
int j=0;
char **argv1;
QApplication a(j,argv1);//add some thread here
gui::VisualControl w;
t=&w;
boost::thread u(&faceThread);
w.show();
a.exec();
// I Want to close u thread here.
return 0;
}
I want to close that boost thread before return of function. Thanks in Advance.
Upvotes: 7
Views: 26292
Reputation: 573
On Windows:
TerminateThread(u.native_handle(), 0);
On Linux / QNX / UNIX / any platform with pthread support:
pthread_cancel(u.native_handle());
or
pthread_kill(u.native_handle(), 9);
Note that boost authors intentionally left this out as the behaviour is platform-dependent and not well defined. However, you're not the only one to ever reach for this functionality...
Upvotes: 15
Reputation: 50717
Use interrupt()
. Also, you should define interruption points. Thread will be interrupted after calling interrupt()
as soon as it reaches one of interruption points.
u.interrupt();
Calling
interrupt()
just sets a flag in the thread management structure for that thread and returns: it doesn't wait for the thread to actually be interrupted. This is important, because a thread can only be interrupted at one of the predefined interruption points, and it might be that a thread never executes an interruption point, so never sees the request. Currently, the interruption points are:
boost::thread::join()
boost::thread::timed_join()
boost::condition_variable::wait()
boost::condition_variable::timed_wait()
boost::condition_variable_any::wait()
boost::condition_variable_any::timed_wait()
boost::this_thread::sleep()
boost::this_thread::interruption_point()
Upvotes: 14