#include <pthread.h>
#include <signal.h>
#endif
+#include <stdexcept>
#include "thread.h"
+using namespace std;
+
namespace Msp {
struct Thread::Private
Private(): handle(0) { }
#ifdef WIN32
- static DWORD WINAPI main_wrapper(void *t)
- { reinterpret_cast<Thread *>(t)->main(); return 0; }
+ static DWORD WINAPI
#else
- static void *main_wrapper(void *t)
- { reinterpret_cast<Thread *>(t)->main(); return 0; }
+ static void *
#endif
+ main_wrapper(void *a)
+ {
+ Thread *t = reinterpret_cast<Thread *>(a);
+ t->main();
+ t->state_ = FINISHED;
+ return 0;
+ }
};
Thread::Thread():
priv_(new Private),
- launched_(false)
+ state_(PENDING)
{ }
Thread::~Thread()
{
- if(launched_)
- {
- kill();
- join();
- }
+ kill();
+ join();
delete priv_;
}
void Thread::join()
{
- if(!launched_)
+ if(state_>=JOINED)
return;
#ifdef WIN32
#else
pthread_join(priv_->handle, 0);
#endif
- launched_ = false;
+ state_ = JOINED;
}
void Thread::kill()
{
+ if(state_!=RUNNING)
+ return;
+
#ifdef WIN32
TerminateThread(priv_->handle, 0);
#else
pthread_kill(priv_->handle, SIGKILL);
#endif
+ state_ = KILLED;
}
void Thread::launch()
{
- if(launched_)
- return;
+ if(state_>=RUNNING)
+ throw logic_error("already launched");
#ifdef WIN32
DWORD dummy; // Win9x needs the lpTthreadId parameter
#else
pthread_create(&priv_->handle, 0, &Private::main_wrapper, this);
#endif
- launched_ = true;
+ state_ = RUNNING;
}
} // namespace Msp
private:
struct Private;
+ enum State
+ {
+ PENDING,
+ RUNNING,
+ FINISHED,
+ KILLED,
+ JOINED
+ };
+
Private *priv_;
- bool launched_;
+ State state_;
protected:
Thread();
public:
virtual ~Thread();
+ /** Indicates whether the thread has finished running. */
+ bool is_finished() { return state_>=FINISHED; }
+
/** Waits for the thread to exit. Calling this from the thread will cause a
deadlock. */
void join();
/** Violently terminates the thread. This should only be used as a last
resort, as the thread gets no chance to clean up. */
void kill();
+
protected:
+ /** Starts the thread. Can only be called once for each Thread instance. */
void launch();
+
virtual void main() = 0;
};