]> git.sesse.net Git - stockfish/blob - src/thread.cpp
d67b9fcdef16ba6f5cd0f40c3bb7bb33078665d6
[stockfish] / src / thread.cpp
1 /*
2   Stockfish, a UCI chess playing engine derived from Glaurung 2.1
3   Copyright (C) 2004-2008 Tord Romstad (Glaurung author)
4   Copyright (C) 2008-2012 Marco Costalba, Joona Kiiski, Tord Romstad
5
6   Stockfish is free software: you can redistribute it and/or modify
7   it under the terms of the GNU General Public License as published by
8   the Free Software Foundation, either version 3 of the License, or
9   (at your option) any later version.
10
11   Stockfish is distributed in the hope that it will be useful,
12   but WITHOUT ANY WARRANTY; without even the implied warranty of
13   MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
14   GNU General Public License for more details.
15
16   You should have received a copy of the GNU General Public License
17   along with this program.  If not, see <http://www.gnu.org/licenses/>.
18 */
19
20 #include <cassert>
21 #include <iostream>
22
23 #include "movegen.h"
24 #include "search.h"
25 #include "thread.h"
26 #include "ucioption.h"
27
28 using namespace Search;
29
30 ThreadsManager Threads; // Global object
31
32 namespace { extern "C" {
33
34  // start_routine() is the C function which is called when a new thread
35  // is launched. It is a wrapper to member function pointed by start_fn
36
37  long start_routine(Thread* th) { (th->*(th->start_fn))(); return 0; }
38
39 } }
40
41
42 // Thread c'tor starts a newly-created thread of execution that will call
43 // the idle loop function pointed by start_fn going immediately to sleep.
44
45 Thread::Thread(Fn fn) {
46
47   is_searching = do_exit = false;
48   maxPly = splitPointsCnt = 0;
49   curSplitPoint = NULL;
50   start_fn = fn;
51   threadID = Threads.size();
52   do_sleep = (threadID != 0); // Avoid a race with start_thinking()
53
54   lock_init(sleepLock);
55   cond_init(sleepCond);
56
57   for (int j = 0; j < MAX_SPLITPOINTS_PER_THREAD; j++)
58       lock_init(splitPoints[j].lock);
59
60   if (!thread_create(handle, start_routine, this))
61   {
62       std::cerr << "Failed to create thread number " << threadID << std::endl;
63       ::exit(EXIT_FAILURE);
64   }
65 }
66
67
68 // Thread d'tor will wait for thread termination before to return.
69
70 Thread::~Thread() {
71
72   assert(do_sleep);
73
74   do_exit = true; // Search must be already finished
75   wake_up();
76
77   thread_join(handle); // Wait for thread termination
78
79   lock_destroy(sleepLock);
80   cond_destroy(sleepCond);
81
82   for (int j = 0; j < MAX_SPLITPOINTS_PER_THREAD; j++)
83       lock_destroy(splitPoints[j].lock);
84 }
85
86
87 // Thread::timer_loop() is where the timer thread waits maxPly milliseconds and
88 // then calls do_timer_event(). If maxPly is 0 thread sleeps until is woken up.
89 extern void check_time();
90
91 void Thread::timer_loop() {
92
93   while (!do_exit)
94   {
95       lock_grab(sleepLock);
96       timed_wait(sleepCond, sleepLock, maxPly ? maxPly : INT_MAX);
97       lock_release(sleepLock);
98       check_time();
99   }
100 }
101
102
103 // Thread::main_loop() is where the main thread is parked waiting to be started
104 // when there is a new search. Main thread will launch all the slave threads.
105
106 void Thread::main_loop() {
107
108   while (true)
109   {
110       lock_grab(sleepLock);
111
112       do_sleep = true; // Always return to sleep after a search
113       is_searching = false;
114
115       while (do_sleep && !do_exit)
116       {
117           cond_signal(Threads.sleepCond); // Wake up UI thread if needed
118           cond_wait(sleepCond, sleepLock);
119       }
120
121       lock_release(sleepLock);
122
123       if (do_exit)
124           return;
125
126       is_searching = true;
127
128       Search::think();
129   }
130 }
131
132
133 // Thread::wake_up() wakes up the thread, normally at the beginning of the search
134 // or, if "sleeping threads" is used, when there is some work to do.
135
136 void Thread::wake_up() {
137
138   lock_grab(sleepLock);
139   cond_signal(sleepCond);
140   lock_release(sleepLock);
141 }
142
143
144 // Thread::wait_for_stop_or_ponderhit() is called when the maximum depth is
145 // reached while the program is pondering. The point is to work around a wrinkle
146 // in the UCI protocol: When pondering, the engine is not allowed to give a
147 // "bestmove" before the GUI sends it a "stop" or "ponderhit" command. We simply
148 // wait here until one of these commands (that raise StopRequest) is sent and
149 // then return, after which the bestmove and pondermove will be printed.
150
151 void Thread::wait_for_stop_or_ponderhit() {
152
153   Signals.stopOnPonderhit = true;
154
155   lock_grab(sleepLock);
156
157   while (!Signals.stop)
158       cond_wait(sleepCond, sleepLock);
159
160   lock_release(sleepLock);
161 }
162
163
164 // cutoff_occurred() checks whether a beta cutoff has occurred in the current
165 // active split point, or in some ancestor of the split point.
166
167 bool Thread::cutoff_occurred() const {
168
169   for (SplitPoint* sp = curSplitPoint; sp; sp = sp->parent)
170       if (sp->cutoff)
171           return true;
172
173   return false;
174 }
175
176
177 // is_available_to() checks whether the thread is available to help the thread with
178 // threadID "master" at a split point. An obvious requirement is that thread must be
179 // idle. With more than two threads, this is not by itself sufficient: If the thread
180 // is the master of some active split point, it is only available as a slave to the
181 // threads which are busy searching the split point at the top of "slave"'s split
182 // point stack (the "helpful master concept" in YBWC terminology).
183
184 bool Thread::is_available_to(int master) const {
185
186   if (is_searching)
187       return false;
188
189   // Make a local copy to be sure doesn't become zero under our feet while
190   // testing next condition and so leading to an out of bound access.
191   int spCnt = splitPointsCnt;
192
193   // No active split points means that the thread is available as a slave for any
194   // other thread otherwise apply the "helpful master" concept if possible.
195   return !spCnt || (splitPoints[spCnt - 1].slavesMask & (1ULL << master));
196 }
197
198
199 // read_uci_options() updates internal threads parameters from the corresponding
200 // UCI options and creates/destroys threads to match the requested number. Thread
201 // objects are dynamically allocated to avoid creating in advance all possible
202 // threads, with included pawns and material tables, if only few are used.
203
204 void ThreadsManager::read_uci_options() {
205
206   maxThreadsPerSplitPoint = Options["Max Threads per Split Point"];
207   minimumSplitDepth       = Options["Min Split Depth"] * ONE_PLY;
208   useSleepingThreads      = Options["Use Sleeping Threads"];
209   int requested           = Options["Threads"];
210
211   assert(requested > 0);
212
213   while (size() < requested)
214       threads.push_back(new Thread(&Thread::idle_loop));
215
216   while (size() > requested)
217   {
218       delete threads.back();
219       threads.pop_back();
220   }
221 }
222
223
224 // wake_up() is called before a new search to start the threads that are waiting
225 // on the sleep condition. If useSleepingThreads is set threads will be woken up
226 // at split time.
227
228 void ThreadsManager::wake_up() {
229
230   for (int i = 0; i < size(); i++)
231   {
232       threads[i]->do_sleep = false;
233
234       if (!useSleepingThreads)
235           threads[i]->wake_up();
236   }
237 }
238
239
240 // sleep() is called after the search to ask threads to wait on sleep condition
241
242 void ThreadsManager::sleep() {
243
244   for (int i = 0; i < size(); i++)
245       threads[i]->do_sleep = true;
246 }
247
248
249 // init() is called during startup. Initializes locks and condition variables
250 // and launches all threads sending them immediately to sleep.
251
252 void ThreadsManager::init() {
253
254     cond_init(sleepCond);
255     lock_init(splitLock);
256     timer = new Thread(&Thread::timer_loop);
257     threads.push_back(new Thread(&Thread::main_loop));
258     read_uci_options();
259 }
260
261
262 // exit() is called to cleanly terminate the threads before the program finishes
263
264 void ThreadsManager::exit() {
265
266   for (int i = 0; i < size(); i++)
267       delete threads[i];
268
269   delete timer;
270   lock_destroy(splitLock);
271   cond_destroy(sleepCond);
272 }
273
274
275 // available_slave_exists() tries to find an idle thread which is available as
276 // a slave for the thread with threadID 'master'.
277
278 bool ThreadsManager::available_slave_exists(int master) const {
279
280   assert(master >= 0 && master < size());
281
282   for (int i = 0; i < size(); i++)
283       if (threads[i]->is_available_to(master))
284           return true;
285
286   return false;
287 }
288
289
290 // split() does the actual work of distributing the work at a node between
291 // several available threads. If it does not succeed in splitting the node
292 // (because no idle threads are available, or because we have no unused split
293 // point objects), the function immediately returns. If splitting is possible, a
294 // SplitPoint object is initialized with all the data that must be copied to the
295 // helper threads and then helper threads are told that they have been assigned
296 // work. This will cause them to instantly leave their idle loops and call
297 // search(). When all threads have returned from search() then split() returns.
298
299 template <bool Fake>
300 Value ThreadsManager::split(Position& pos, Stack* ss, Value alpha, Value beta,
301                             Value bestValue, Move* bestMove, Depth depth,
302                             Move threatMove, int moveCount, MovePicker* mp, int nodeType) {
303   assert(pos.pos_is_ok());
304   assert(bestValue > -VALUE_INFINITE);
305   assert(bestValue <= alpha);
306   assert(alpha < beta);
307   assert(beta <= VALUE_INFINITE);
308   assert(depth > DEPTH_ZERO);
309
310   int master = pos.thread();
311   Thread& masterThread = *threads[master];
312
313   if (masterThread.splitPointsCnt >= MAX_SPLITPOINTS_PER_THREAD)
314       return bestValue;
315
316   // Pick the next available split point from the split point stack
317   SplitPoint* sp = &masterThread.splitPoints[masterThread.splitPointsCnt++];
318
319   sp->parent = masterThread.curSplitPoint;
320   sp->master = master;
321   sp->cutoff = false;
322   sp->slavesMask = 1ULL << master;
323   sp->depth = depth;
324   sp->bestMove = *bestMove;
325   sp->threatMove = threatMove;
326   sp->alpha = alpha;
327   sp->beta = beta;
328   sp->nodeType = nodeType;
329   sp->bestValue = bestValue;
330   sp->mp = mp;
331   sp->moveCount = moveCount;
332   sp->pos = &pos;
333   sp->nodes = 0;
334   sp->ss = ss;
335
336   assert(masterThread.is_searching);
337
338   masterThread.curSplitPoint = sp;
339   int slavesCnt = 0;
340
341   // Try to allocate available threads and ask them to start searching setting
342   // is_searching flag. This must be done under lock protection to avoid concurrent
343   // allocation of the same slave by another master.
344   lock_grab(sp->lock);
345   lock_grab(splitLock);
346
347   for (int i = 0; i < size() && !Fake; ++i)
348       if (threads[i]->is_available_to(master))
349       {
350           sp->slavesMask |= 1ULL << i;
351           threads[i]->curSplitPoint = sp;
352           threads[i]->is_searching = true; // Slave leaves idle_loop()
353
354           if (useSleepingThreads)
355               threads[i]->wake_up();
356
357           if (++slavesCnt + 1 >= maxThreadsPerSplitPoint) // Master is always included
358               break;
359       }
360
361   lock_release(splitLock);
362   lock_release(sp->lock);
363
364   // Everything is set up. The master thread enters the idle loop, from which
365   // it will instantly launch a search, because its is_searching flag is set.
366   // We pass the split point as a parameter to the idle loop, which means that
367   // the thread will return from the idle loop when all slaves have finished
368   // their work at this split point.
369   if (slavesCnt || Fake)
370   {
371       masterThread.idle_loop(sp);
372
373       // In helpful master concept a master can help only a sub-tree of its split
374       // point, and because here is all finished is not possible master is booked.
375       assert(!masterThread.is_searching);
376   }
377
378   // We have returned from the idle loop, which means that all threads are
379   // finished. Note that setting is_searching and decreasing splitPointsCnt is
380   // done under lock protection to avoid a race with Thread::is_available_to().
381   lock_grab(sp->lock); // To protect sp->nodes
382   lock_grab(splitLock);
383
384   masterThread.is_searching = true;
385   masterThread.splitPointsCnt--;
386   masterThread.curSplitPoint = sp->parent;
387   pos.set_nodes_searched(pos.nodes_searched() + sp->nodes);
388   *bestMove = sp->bestMove;
389
390   lock_release(splitLock);
391   lock_release(sp->lock);
392
393   return sp->bestValue;
394 }
395
396 // Explicit template instantiations
397 template Value ThreadsManager::split<false>(Position&, Stack*, Value, Value, Value, Move*, Depth, Move, int, MovePicker*, int);
398 template Value ThreadsManager::split<true>(Position&, Stack*, Value, Value, Value, Move*, Depth, Move, int, MovePicker*, int);
399
400
401 // ThreadsManager::set_timer() is used to set the timer to trigger after msec
402 // milliseconds. If msec is 0 then timer is stopped.
403
404 void ThreadsManager::set_timer(int msec) {
405
406   lock_grab(timer->sleepLock);
407   timer->maxPly = msec;
408   cond_signal(timer->sleepCond); // Wake up and restart the timer
409   lock_release(timer->sleepLock);
410 }
411
412
413 // ThreadsManager::start_thinking() is used by UI thread to wake up the main
414 // thread parked in main_loop() and starting a new search. If asyncMode is true
415 // then function returns immediately, otherwise caller is blocked waiting for
416 // the search to finish.
417
418 void ThreadsManager::start_thinking(const Position& pos, const LimitsType& limits,
419                                     const std::set<Move>& searchMoves, bool async) {
420   Thread& main = *threads.front();
421
422   lock_grab(main.sleepLock);
423
424   // Wait main thread has finished before to launch a new search
425   while (!main.do_sleep)
426       cond_wait(sleepCond, main.sleepLock);
427
428   // Copy input arguments to initialize the search
429   RootPosition.copy(pos, 0);
430   Limits = limits;
431   RootMoves.clear();
432
433   // Populate RootMoves with all the legal moves (default) or, if a searchMoves
434   // set is given, with the subset of legal moves to search.
435   for (MoveList<MV_LEGAL> ml(pos); !ml.end(); ++ml)
436       if (searchMoves.empty() || searchMoves.count(ml.move()))
437           RootMoves.push_back(RootMove(ml.move()));
438
439   // Reset signals before to start the new search
440   Signals.stopOnPonderhit = Signals.firstRootMove = false;
441   Signals.stop = Signals.failedLowAtRoot = false;
442
443   main.do_sleep = false;
444   cond_signal(main.sleepCond); // Wake up main thread and start searching
445
446   if (!async)
447       while (!main.do_sleep)
448           cond_wait(sleepCond, main.sleepLock);
449
450   lock_release(main.sleepLock);
451 }
452
453
454 // ThreadsManager::stop_thinking() is used by UI thread to raise a stop request
455 // and to wait for the main thread finishing the search. Needed to wait exiting
456 // and terminate the threads after a 'quit' command.
457
458 void ThreadsManager::stop_thinking() {
459
460   Thread& main = *threads.front();
461
462   Search::Signals.stop = true;
463
464   lock_grab(main.sleepLock);
465
466   cond_signal(main.sleepCond); // In case is waiting for stop or ponderhit
467
468   while (!main.do_sleep)
469       cond_wait(sleepCond, main.sleepLock);
470
471   lock_release(main.sleepLock);
472 }