user240137
user240137

Reputation: 703

What does boost::thread sleep() do?

I am currently working on a small wrapper class for boost thread but I dont really get how the sleep function works, this is what I have got so far:

BaseThread::BaseThread(){
    thread = boost::thread();
    bIsActive = true;
}

BaseThread::~BaseThread(){
    join();
}

void BaseThread::join(){
    thread.join();
}

void BaseThread::sleep(uint32 _msecs){
    if(bIsActive)
        boost::this_thread::sleep(boost::posix_time::milliseconds(_msecs));
}

This is how I implemented it so far but I dont really understand how the static this_thread::sleep method knows which thread to sleep if for example multiple instances of my thread wrapper are active. Is this the right way to implement it?

Upvotes: 12

Views: 37514

Answers (2)

Klaim
Klaim

Reputation: 69682

boost::this_thread::sleep will sleep the current thread. Only the thread itself can get to sleep. If you want to make a thread sleep, add some check code in the thread or use interruptions.

UPDATE: if you use a c++11 compiler with the up to date standard library, you'll have access to std::this_thread::sleep_for and std::this_thread::sleep_until functions. However, there is no standard interruption mechanism.

Upvotes: 17

Benoît
Benoît

Reputation: 16994

sleep always affects current thread (the one that calls the method).

Upvotes: 2

Related Questions