forked from james0zan/mit6.824
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy paththr_pool.cc
69 lines (58 loc) · 1.32 KB
/
thr_pool.cc
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
#include "slock.h"
#include "thr_pool.h"
#include <stdlib.h>
#include <errno.h>
#include "lang/verify.h"
static void *
do_worker(void *arg)
{
ThrPool *tp = (ThrPool *)arg;
while (1) {
ThrPool::job_t j;
if (!tp->takeJob(&j))
break; //die
(void)(j.f)(j.a);
}
pthread_exit(NULL);
}
//if blocking, then addJob() blocks when queue is full
//otherwise, addJob() simply returns false when queue is full
ThrPool::ThrPool(int sz, bool blocking)
: nthreads_(sz),blockadd_(blocking),jobq_(100*sz)
{
pthread_attr_init(&attr_);
pthread_attr_setstacksize(&attr_, 128<<10);
for (int i = 0; i < sz; i++) {
pthread_t t;
VERIFY(pthread_create(&t, &attr_, do_worker, (void *)this) ==0);
th_.push_back(t);
}
}
//IMPORTANT: this function can be called only when no external thread
//will ever use this thread pool again or is currently blocking on it
ThrPool::~ThrPool()
{
for (int i = 0; i < nthreads_; i++) {
job_t j;
j.f = (void *(*)(void *))NULL; //poison pill to tell worker threads to exit
jobq_.enq(j);
}
for (int i = 0; i < nthreads_; i++) {
VERIFY(pthread_join(th_[i], NULL)==0);
}
VERIFY(pthread_attr_destroy(&attr_)==0);
}
bool
ThrPool::addJob(void *(*f)(void *), void *a)
{
job_t j;
j.f = f;
j.a = a;
return jobq_.enq(j,blockadd_);
}
bool
ThrPool::takeJob(job_t *j)
{
jobq_.deq(j);
return (j->f!=NULL);
}