1 /* ---------------------------------------------------------------------------
3 * (c) The GHC Team, 1998-2006
5 * Asynchronous exceptions
7 * --------------------------------------------------------------------------*/
9 #include "PosixSource.h"
13 #include "RaiseAsync.h"
16 #include "LdvProfile.h"
20 #if defined(mingw32_HOST_OS)
21 #include "win32/IOManager.h"
24 static void raiseAsync (Capability *cap,
26 StgClosure *exception,
27 rtsBool stop_at_atomically,
30 static void removeFromQueues(Capability *cap, StgTSO *tso);
32 static void blockedThrowTo (StgTSO *source, StgTSO *target);
34 static void performBlockedException (Capability *cap,
35 StgTSO *source, StgTSO *target);
37 /* -----------------------------------------------------------------------------
40 This version of throwTo is safe to use if and only if one of the
45 - all the other threads in the system are stopped (eg. during GC).
47 - we surely own the target TSO (eg. we just took it from the
48 run queue of the current capability, or we are running it).
50 It doesn't cater for blocking the source thread until the exception
52 -------------------------------------------------------------------------- */
55 throwToSingleThreaded(Capability *cap, StgTSO *tso, StgClosure *exception)
57 throwToSingleThreaded_(cap, tso, exception, rtsFalse, NULL);
61 throwToSingleThreaded_(Capability *cap, StgTSO *tso, StgClosure *exception,
62 rtsBool stop_at_atomically, StgPtr stop_here)
64 // Thread already dead?
65 if (tso->what_next == ThreadComplete || tso->what_next == ThreadKilled) {
69 // Remove it from any blocking queues
70 removeFromQueues(cap,tso);
72 raiseAsync(cap, tso, exception, stop_at_atomically, stop_here);
76 suspendComputation(Capability *cap, StgTSO *tso, StgPtr stop_here)
78 // Thread already dead?
79 if (tso->what_next == ThreadComplete || tso->what_next == ThreadKilled) {
83 // Remove it from any blocking queues
84 removeFromQueues(cap,tso);
86 raiseAsync(cap, tso, NULL, rtsFalse, stop_here);
89 /* -----------------------------------------------------------------------------
92 This function may be used to throw an exception from one thread to
93 another, during the course of normal execution. This is a tricky
94 task: the target thread might be running on another CPU, or it
95 may be blocked and could be woken up at any point by another CPU.
96 We have some delicate synchronisation to do.
98 There is a completely safe fallback scheme: it is always possible
99 to just block the source TSO on the target TSO's blocked_exceptions
100 queue. This queue is locked using lockTSO()/unlockTSO(). It is
101 checked at regular intervals: before and after running a thread
102 (schedule() and threadPaused() respectively), and just before GC
103 (scheduleDoGC()). Activating a thread on this queue should be done
104 using maybePerformBlockedException(): this is done in the context
105 of the target thread, so the exception can be raised eagerly.
107 This fallback scheme works even if the target thread is complete or
108 killed: scheduleDoGC() will discover the blocked thread before the
111 Blocking the source thread on the target thread's blocked_exception
112 queue is also employed when the target thread is currently blocking
113 exceptions (ie. inside Control.Exception.block).
115 We could use the safe fallback scheme exclusively, but that
116 wouldn't be ideal: most calls to throwTo would block immediately,
117 possibly until the next GC, which might require the deadlock
118 detection mechanism to kick in. So we try to provide promptness
121 We can promptly deliver the exception if the target thread is:
123 - runnable, on the same Capability as the source thread (because
124 we own the run queue and therefore the target thread).
126 - blocked, and we can obtain exclusive access to it. Obtaining
127 exclusive access to the thread depends on how it is blocked.
129 We must also be careful to not trip over threadStackOverflow(),
130 which might be moving the TSO to enlarge its stack.
131 lockTSO()/unlockTSO() are used here too.
135 THROWTO_SUCCESS exception was raised, ok to continue
137 THROWTO_BLOCKED exception was not raised; block the source
138 thread then call throwToReleaseTarget() when
139 the source thread is properly tidied away.
141 -------------------------------------------------------------------------- */
144 throwTo (Capability *cap, // the Capability we hold
145 StgTSO *source, // the TSO sending the exception
146 StgTSO *target, // the TSO receiving the exception
147 StgClosure *exception, // the exception closure
148 /*[out]*/ void **out USED_IF_THREADS)
152 // follow ThreadRelocated links in the target first
153 while (target->what_next == ThreadRelocated) {
154 target = target->link;
155 // No, it might be a WHITEHOLE:
156 // ASSERT(get_itbl(target)->type == TSO);
159 debugTrace(DEBUG_sched, "throwTo: from thread %lu to thread %lu",
160 (unsigned long)source->id, (unsigned long)target->id);
163 if (traceClass(DEBUG_sched)) {
164 debugTraceBegin("throwTo: target");
165 printThreadStatus(target);
172 debugTrace(DEBUG_sched, "throwTo: retrying...");
175 // Thread already dead?
176 if (target->what_next == ThreadComplete
177 || target->what_next == ThreadKilled) {
178 return THROWTO_SUCCESS;
181 status = target->why_blocked;
185 /* if status==NotBlocked, and target->cap == cap, then
186 we own this TSO and can raise the exception.
188 How do we establish this condition? Very carefully.
191 P = (status == NotBlocked)
192 Q = (tso->cap == cap)
194 Now, if P & Q are true, then the TSO is locked and owned by
195 this capability. No other OS thread can steal it.
197 If P==0 and Q==1: the TSO is blocked, but attached to this
198 capabilty, and it can be stolen by another capability.
200 If P==1 and Q==0: the TSO is runnable on another
201 capability. At any time, the TSO may change from runnable
202 to blocked and vice versa, while it remains owned by
205 Suppose we test like this:
211 this is defeated by another capability stealing a blocked
212 TSO from us to wake it up (Schedule.c:unblockOne()). The
213 other thread is doing
218 assuming arbitrary reordering, we could see this
228 so we need a memory barrier:
235 this avoids the problematic case. There are other cases
236 to consider, but this is the tricky one.
238 Note that we must be sure that unblockOne() does the
239 writes in the correct order: Q before P. The memory
240 barrier ensures that if we have seen the write to P, we
241 have also seen the write to Q.
244 Capability *target_cap;
247 target_cap = target->cap;
248 if (target_cap == cap && (target->flags & TSO_BLOCKEX) == 0) {
249 // It's on our run queue and not blocking exceptions
250 raiseAsync(cap, target, exception, rtsFalse, NULL);
251 return THROWTO_SUCCESS;
253 // Otherwise, just block on the blocked_exceptions queue
254 // of the target thread. The queue will get looked at
255 // soon enough: it is checked before and after running a
256 // thread, and during GC.
259 // Avoid race with threadStackOverflow, which may have
260 // just moved this TSO.
261 if (target->what_next == ThreadRelocated) {
263 target = target->link;
266 blockedThrowTo(source,target);
268 return THROWTO_BLOCKED;
275 To establish ownership of this TSO, we need to acquire a
276 lock on the MVar that it is blocked on.
279 StgInfoTable *info USED_IF_THREADS;
281 mvar = (StgMVar *)target->block_info.closure;
283 // ASSUMPTION: tso->block_info must always point to a
284 // closure. In the threaded RTS it does.
285 if (get_itbl(mvar)->type != MVAR) goto retry;
287 info = lockClosure((StgClosure *)mvar);
289 if (target->what_next == ThreadRelocated) {
290 target = target->link;
291 unlockClosure((StgClosure *)mvar,info);
294 // we have the MVar, let's check whether the thread
295 // is still blocked on the same MVar.
296 if (target->why_blocked != BlockedOnMVar
297 || (StgMVar *)target->block_info.closure != mvar) {
298 unlockClosure((StgClosure *)mvar, info);
302 if ((target->flags & TSO_BLOCKEX) &&
303 ((target->flags & TSO_INTERRUPTIBLE) == 0)) {
304 lockClosure((StgClosure *)target);
305 blockedThrowTo(source,target);
306 unlockClosure((StgClosure *)mvar, info);
308 return THROWTO_BLOCKED; // caller releases TSO
310 removeThreadFromMVarQueue(mvar, target);
311 raiseAsync(cap, target, exception, rtsFalse, NULL);
312 unblockOne(cap, target);
313 unlockClosure((StgClosure *)mvar, info);
314 return THROWTO_SUCCESS;
318 case BlockedOnBlackHole:
320 ACQUIRE_LOCK(&sched_mutex);
321 // double checking the status after the memory barrier:
322 if (target->why_blocked != BlockedOnBlackHole) {
323 RELEASE_LOCK(&sched_mutex);
327 if (target->flags & TSO_BLOCKEX) {
329 blockedThrowTo(source,target);
330 RELEASE_LOCK(&sched_mutex);
332 return THROWTO_BLOCKED; // caller releases TSO
334 removeThreadFromQueue(&blackhole_queue, target);
335 raiseAsync(cap, target, exception, rtsFalse, NULL);
336 unblockOne(cap, target);
337 RELEASE_LOCK(&sched_mutex);
338 return THROWTO_SUCCESS;
342 case BlockedOnException:
348 To obtain exclusive access to a BlockedOnException thread,
349 we must call lockClosure() on the TSO on which it is blocked.
350 Since the TSO might change underneath our feet, after we
351 call lockClosure() we must check that
353 (a) the closure we locked is actually a TSO
354 (b) the original thread is still BlockedOnException,
355 (c) the original thread is still blocked on the TSO we locked
356 and (d) the target thread has not been relocated.
358 We synchronise with threadStackOverflow() (which relocates
359 threads) using lockClosure()/unlockClosure().
361 target2 = target->block_info.tso;
363 info = lockClosure((StgClosure *)target2);
364 if (info != &stg_TSO_info) {
365 unlockClosure((StgClosure *)target2, info);
368 if (target->what_next == ThreadRelocated) {
369 target = target->link;
373 if (target2->what_next == ThreadRelocated) {
374 target->block_info.tso = target2->link;
378 if (target->why_blocked != BlockedOnException
379 || target->block_info.tso != target2) {
385 Now we have exclusive rights to the target TSO...
387 If it is blocking exceptions, add the source TSO to its
388 blocked_exceptions queue. Otherwise, raise the exception.
390 if ((target->flags & TSO_BLOCKEX) &&
391 ((target->flags & TSO_INTERRUPTIBLE) == 0)) {
393 blockedThrowTo(source,target);
396 return THROWTO_BLOCKED;
398 removeThreadFromQueue(&target2->blocked_exceptions, target);
399 raiseAsync(cap, target, exception, rtsFalse, NULL);
400 unblockOne(cap, target);
402 return THROWTO_SUCCESS;
408 // Unblocking BlockedOnSTM threads requires the TSO to be
409 // locked; see STM.c:unpark_tso().
410 if (target->why_blocked != BlockedOnSTM) {
413 if ((target->flags & TSO_BLOCKEX) &&
414 ((target->flags & TSO_INTERRUPTIBLE) == 0)) {
415 blockedThrowTo(source,target);
417 return THROWTO_BLOCKED;
419 raiseAsync(cap, target, exception, rtsFalse, NULL);
420 unblockOne(cap, target);
422 return THROWTO_SUCCESS;
426 case BlockedOnCCall_NoUnblockExc:
427 // I don't think it's possible to acquire ownership of a
428 // BlockedOnCCall thread. We just assume that the target
429 // thread is blocking exceptions, and block on its
430 // blocked_exception queue.
432 blockedThrowTo(source,target);
434 return THROWTO_BLOCKED;
436 #ifndef THREADEDED_RTS
440 #if defined(mingw32_HOST_OS)
441 case BlockedOnDoProc:
443 if ((target->flags & TSO_BLOCKEX) &&
444 ((target->flags & TSO_INTERRUPTIBLE) == 0)) {
445 blockedThrowTo(source,target);
446 return THROWTO_BLOCKED;
448 removeFromQueues(cap,target);
449 raiseAsync(cap, target, exception, rtsFalse, NULL);
450 return THROWTO_SUCCESS;
455 barf("throwTo: unrecognised why_blocked value");
460 // Block a TSO on another TSO's blocked_exceptions queue.
461 // Precondition: we hold an exclusive lock on the target TSO (this is
462 // complex to achieve as there's no single lock on a TSO; see
465 blockedThrowTo (StgTSO *source, StgTSO *target)
467 debugTrace(DEBUG_sched, "throwTo: blocking on thread %lu", (unsigned long)target->id);
468 source->link = target->blocked_exceptions;
469 target->blocked_exceptions = source;
470 dirtyTSO(target); // we modified the blocked_exceptions queue
472 source->block_info.tso = target;
473 write_barrier(); // throwTo_exception *must* be visible if BlockedOnException is.
474 source->why_blocked = BlockedOnException;
480 throwToReleaseTarget (void *tso)
482 unlockTSO((StgTSO *)tso);
486 /* -----------------------------------------------------------------------------
487 Waking up threads blocked in throwTo
489 There are two ways to do this: maybePerformBlockedException() will
490 perform the throwTo() for the thread at the head of the queue
491 immediately, and leave the other threads on the queue.
492 maybePerformBlockedException() also checks the TSO_BLOCKEX flag
493 before raising an exception.
495 awakenBlockedExceptionQueue() will wake up all the threads in the
496 queue, but not perform any throwTo() immediately. This might be
497 more appropriate when the target thread is the one actually running
499 -------------------------------------------------------------------------- */
502 maybePerformBlockedException (Capability *cap, StgTSO *tso)
506 if (tso->blocked_exceptions != END_TSO_QUEUE
507 && ((tso->flags & TSO_BLOCKEX) == 0
508 || ((tso->flags & TSO_INTERRUPTIBLE) && interruptible(tso)))) {
510 // Lock the TSO, this gives us exclusive access to the queue
513 // Check the queue again; it might have changed before we
515 if (tso->blocked_exceptions == END_TSO_QUEUE) {
520 // We unblock just the first thread on the queue, and perform
521 // its throw immediately.
522 source = tso->blocked_exceptions;
523 performBlockedException(cap, source, tso);
524 tso->blocked_exceptions = unblockOne_(cap, source,
525 rtsFalse/*no migrate*/);
531 awakenBlockedExceptionQueue (Capability *cap, StgTSO *tso)
533 if (tso->blocked_exceptions != END_TSO_QUEUE) {
535 awakenBlockedQueue(cap, tso->blocked_exceptions);
536 tso->blocked_exceptions = END_TSO_QUEUE;
542 performBlockedException (Capability *cap, StgTSO *source, StgTSO *target)
544 StgClosure *exception;
546 ASSERT(source->why_blocked == BlockedOnException);
547 ASSERT(source->block_info.tso->id == target->id);
548 ASSERT(source->sp[0] == (StgWord)&stg_block_throwto_info);
549 ASSERT(((StgTSO *)source->sp[1])->id == target->id);
550 // check ids not pointers, because the thread might be relocated
552 exception = (StgClosure *)source->sp[2];
553 throwToSingleThreaded(cap, target, exception);
557 /* -----------------------------------------------------------------------------
558 Remove a thread from blocking queues.
560 This is for use when we raise an exception in another thread, which
562 This has nothing to do with the UnblockThread event in GranSim. -- HWL
563 -------------------------------------------------------------------------- */
565 #if defined(GRAN) || defined(PARALLEL_HASKELL)
567 NB: only the type of the blocking queue is different in GranSim and GUM
568 the operations on the queue-elements are the same
569 long live polymorphism!
571 Locks: sched_mutex is held upon entry and exit.
575 removeFromQueues(Capability *cap, StgTSO *tso)
577 StgBlockingQueueElement *t, **last;
579 switch (tso->why_blocked) {
582 return; /* not blocked */
585 // Be careful: nothing to do here! We tell the scheduler that the thread
586 // is runnable and we leave it to the stack-walking code to abort the
587 // transaction while unwinding the stack. We should perhaps have a debugging
588 // test to make sure that this really happens and that the 'zombie' transaction
589 // does not get committed.
593 ASSERT(get_itbl(tso->block_info.closure)->type == MVAR);
595 StgBlockingQueueElement *last_tso = END_BQ_QUEUE;
596 StgMVar *mvar = (StgMVar *)(tso->block_info.closure);
598 last = (StgBlockingQueueElement **)&mvar->head;
599 for (t = (StgBlockingQueueElement *)mvar->head;
601 last = &t->link, last_tso = t, t = t->link) {
602 if (t == (StgBlockingQueueElement *)tso) {
603 *last = (StgBlockingQueueElement *)tso->link;
604 if (mvar->tail == tso) {
605 mvar->tail = (StgTSO *)last_tso;
610 barf("removeFromQueues (MVAR): TSO not found");
613 case BlockedOnBlackHole:
614 ASSERT(get_itbl(tso->block_info.closure)->type == BLACKHOLE_BQ);
616 StgBlockingQueue *bq = (StgBlockingQueue *)(tso->block_info.closure);
618 last = &bq->blocking_queue;
619 for (t = bq->blocking_queue;
621 last = &t->link, t = t->link) {
622 if (t == (StgBlockingQueueElement *)tso) {
623 *last = (StgBlockingQueueElement *)tso->link;
627 barf("removeFromQueues (BLACKHOLE): TSO not found");
630 case BlockedOnException:
632 StgTSO *target = tso->block_info.tso;
634 ASSERT(get_itbl(target)->type == TSO);
636 while (target->what_next == ThreadRelocated) {
637 target = target2->link;
638 ASSERT(get_itbl(target)->type == TSO);
641 last = (StgBlockingQueueElement **)&target->blocked_exceptions;
642 for (t = (StgBlockingQueueElement *)target->blocked_exceptions;
644 last = &t->link, t = t->link) {
645 ASSERT(get_itbl(t)->type == TSO);
646 if (t == (StgBlockingQueueElement *)tso) {
647 *last = (StgBlockingQueueElement *)tso->link;
651 barf("removeFromQueues (Exception): TSO not found");
656 #if defined(mingw32_HOST_OS)
657 case BlockedOnDoProc:
660 /* take TSO off blocked_queue */
661 StgBlockingQueueElement *prev = NULL;
662 for (t = (StgBlockingQueueElement *)blocked_queue_hd; t != END_BQ_QUEUE;
663 prev = t, t = t->link) {
664 if (t == (StgBlockingQueueElement *)tso) {
666 blocked_queue_hd = (StgTSO *)t->link;
667 if ((StgBlockingQueueElement *)blocked_queue_tl == t) {
668 blocked_queue_tl = END_TSO_QUEUE;
671 prev->link = t->link;
672 if ((StgBlockingQueueElement *)blocked_queue_tl == t) {
673 blocked_queue_tl = (StgTSO *)prev;
676 #if defined(mingw32_HOST_OS)
677 /* (Cooperatively) signal that the worker thread should abort
680 abandonWorkRequest(tso->block_info.async_result->reqID);
685 barf("removeFromQueues (I/O): TSO not found");
690 /* take TSO off sleeping_queue */
691 StgBlockingQueueElement *prev = NULL;
692 for (t = (StgBlockingQueueElement *)sleeping_queue; t != END_BQ_QUEUE;
693 prev = t, t = t->link) {
694 if (t == (StgBlockingQueueElement *)tso) {
696 sleeping_queue = (StgTSO *)t->link;
698 prev->link = t->link;
703 barf("removeFromQueues (delay): TSO not found");
707 barf("removeFromQueues");
711 tso->link = END_TSO_QUEUE;
712 tso->why_blocked = NotBlocked;
713 tso->block_info.closure = NULL;
714 pushOnRunQueue(cap,tso);
718 removeFromQueues(Capability *cap, StgTSO *tso)
720 switch (tso->why_blocked) {
726 // Be careful: nothing to do here! We tell the scheduler that the
727 // thread is runnable and we leave it to the stack-walking code to
728 // abort the transaction while unwinding the stack. We should
729 // perhaps have a debugging test to make sure that this really
730 // happens and that the 'zombie' transaction does not get
735 removeThreadFromMVarQueue((StgMVar *)tso->block_info.closure, tso);
738 case BlockedOnBlackHole:
739 removeThreadFromQueue(&blackhole_queue, tso);
742 case BlockedOnException:
744 StgTSO *target = tso->block_info.tso;
746 // NO: when called by threadPaused(), we probably have this
747 // TSO already locked (WHITEHOLEd) because we just placed
748 // ourselves on its queue.
749 // ASSERT(get_itbl(target)->type == TSO);
751 while (target->what_next == ThreadRelocated) {
752 target = target->link;
755 removeThreadFromQueue(&target->blocked_exceptions, tso);
759 #if !defined(THREADED_RTS)
762 #if defined(mingw32_HOST_OS)
763 case BlockedOnDoProc:
765 removeThreadFromDeQueue(&blocked_queue_hd, &blocked_queue_tl, tso);
766 #if defined(mingw32_HOST_OS)
767 /* (Cooperatively) signal that the worker thread should abort
770 abandonWorkRequest(tso->block_info.async_result->reqID);
775 removeThreadFromQueue(&sleeping_queue, tso);
780 barf("removeFromQueues");
784 tso->link = END_TSO_QUEUE;
785 tso->why_blocked = NotBlocked;
786 tso->block_info.closure = NULL;
787 appendToRunQueue(cap,tso);
789 // We might have just migrated this TSO to our Capability:
791 tso->bound->cap = cap;
797 /* -----------------------------------------------------------------------------
800 * The following function implements the magic for raising an
801 * asynchronous exception in an existing thread.
803 * We first remove the thread from any queue on which it might be
804 * blocked. The possible blockages are MVARs and BLACKHOLE_BQs.
806 * We strip the stack down to the innermost CATCH_FRAME, building
807 * thunks in the heap for all the active computations, so they can
808 * be restarted if necessary. When we reach a CATCH_FRAME, we build
809 * an application of the handler to the exception, and push it on
810 * the top of the stack.
812 * How exactly do we save all the active computations? We create an
813 * AP_STACK for every UpdateFrame on the stack. Entering one of these
814 * AP_STACKs pushes everything from the corresponding update frame
815 * upwards onto the stack. (Actually, it pushes everything up to the
816 * next update frame plus a pointer to the next AP_STACK object.
817 * Entering the next AP_STACK object pushes more onto the stack until we
818 * reach the last AP_STACK object - at which point the stack should look
819 * exactly as it did when we killed the TSO and we can continue
820 * execution by entering the closure on top of the stack.
822 * We can also kill a thread entirely - this happens if either (a) the
823 * exception passed to raiseAsync is NULL, or (b) there's no
824 * CATCH_FRAME on the stack. In either case, we strip the entire
825 * stack and replace the thread with a zombie.
827 * ToDo: in THREADED_RTS mode, this function is only safe if either
828 * (a) we hold all the Capabilities (eg. in GC, or if there is only
829 * one Capability), or (b) we own the Capability that the TSO is
830 * currently blocked on or on the run queue of.
832 * -------------------------------------------------------------------------- */
835 raiseAsync(Capability *cap, StgTSO *tso, StgClosure *exception,
836 rtsBool stop_at_atomically, StgPtr stop_here)
838 StgRetInfoTable *info;
842 debugTrace(DEBUG_sched,
843 "raising exception in thread %ld.", (long)tso->id);
845 // mark it dirty; we're about to change its stack.
850 // ASSUMES: the thread is not already complete or dead. Upper
851 // layers should deal with that.
852 ASSERT(tso->what_next != ThreadComplete && tso->what_next != ThreadKilled);
854 // The stack freezing code assumes there's a closure pointer on
855 // the top of the stack, so we have to arrange that this is the case...
857 if (sp[0] == (W_)&stg_enter_info) {
861 sp[0] = (W_)&stg_dummy_ret_closure;
865 while (stop_here == NULL || frame < stop_here) {
867 // 1. Let the top of the stack be the "current closure"
869 // 2. Walk up the stack until we find either an UPDATE_FRAME or a
872 // 3. If it's an UPDATE_FRAME, then make an AP_STACK containing the
873 // current closure applied to the chunk of stack up to (but not
874 // including) the update frame. This closure becomes the "current
875 // closure". Go back to step 2.
877 // 4. If it's a CATCH_FRAME, then leave the exception handler on
878 // top of the stack applied to the exception.
880 // 5. If it's a STOP_FRAME, then kill the thread.
882 // NB: if we pass an ATOMICALLY_FRAME then abort the associated
885 info = get_ret_itbl((StgClosure *)frame);
887 switch (info->i.type) {
894 // First build an AP_STACK consisting of the stack chunk above the
895 // current update frame, with the top word on the stack as the
898 words = frame - sp - 1;
899 ap = (StgAP_STACK *)allocateLocal(cap,AP_STACK_sizeW(words));
902 ap->fun = (StgClosure *)sp[0];
904 for(i=0; i < (nat)words; ++i) {
905 ap->payload[i] = (StgClosure *)*sp++;
908 SET_HDR(ap,&stg_AP_STACK_info,
909 ((StgClosure *)frame)->header.prof.ccs /* ToDo */);
910 TICK_ALLOC_UP_THK(words+1,0);
912 //IF_DEBUG(scheduler,
913 // debugBelch("sched: Updating ");
914 // printPtr((P_)((StgUpdateFrame *)frame)->updatee);
915 // debugBelch(" with ");
916 // printObj((StgClosure *)ap);
919 // Replace the updatee with an indirection
921 // Warning: if we're in a loop, more than one update frame on
922 // the stack may point to the same object. Be careful not to
923 // overwrite an IND_OLDGEN in this case, because we'll screw
924 // up the mutable lists. To be on the safe side, don't
925 // overwrite any kind of indirection at all. See also
926 // threadSqueezeStack in GC.c, where we have to make a similar
929 if (!closure_IND(((StgUpdateFrame *)frame)->updatee)) {
930 // revert the black hole
931 UPD_IND_NOLOCK(((StgUpdateFrame *)frame)->updatee,
934 sp += sizeofW(StgUpdateFrame) - 1;
935 sp[0] = (W_)ap; // push onto stack
937 continue; //no need to bump frame
941 // We've stripped the entire stack, the thread is now dead.
942 tso->what_next = ThreadKilled;
943 tso->sp = frame + sizeofW(StgStopFrame);
947 // If we find a CATCH_FRAME, and we've got an exception to raise,
948 // then build the THUNK raise(exception), and leave it on
949 // top of the CATCH_FRAME ready to enter.
953 StgCatchFrame *cf = (StgCatchFrame *)frame;
957 if (exception == NULL) break;
959 // we've got an exception to raise, so let's pass it to the
960 // handler in this frame.
962 raise = (StgThunk *)allocateLocal(cap,sizeofW(StgThunk)+1);
963 TICK_ALLOC_SE_THK(1,0);
964 SET_HDR(raise,&stg_raise_info,cf->header.prof.ccs);
965 raise->payload[0] = exception;
967 // throw away the stack from Sp up to the CATCH_FRAME.
971 /* Ensure that async excpetions are blocked now, so we don't get
972 * a surprise exception before we get around to executing the
975 tso->flags |= TSO_BLOCKEX | TSO_INTERRUPTIBLE;
977 /* Put the newly-built THUNK on top of the stack, ready to execute
978 * when the thread restarts.
981 sp[-1] = (W_)&stg_enter_info;
983 tso->what_next = ThreadRunGHC;
984 IF_DEBUG(sanity, checkTSO(tso));
988 case ATOMICALLY_FRAME:
989 if (stop_at_atomically) {
990 ASSERT(stmGetEnclosingTRec(tso->trec) == NO_TREC);
991 stmCondemnTransaction(cap, tso -> trec);
995 // R1 is not a register: the return convention for IO in
996 // this case puts the return value on the stack, so we
997 // need to set up the stack to return to the atomically
1000 tso->sp[1] = (StgWord) &stg_NO_FINALIZER_closure; // why not?
1001 tso->sp[0] = (StgWord) &stg_ut_1_0_unreg_info;
1003 tso->what_next = ThreadRunGHC;
1006 // Not stop_at_atomically... fall through and abort the
1009 case CATCH_RETRY_FRAME:
1010 // IF we find an ATOMICALLY_FRAME then we abort the
1011 // current transaction and propagate the exception. In
1012 // this case (unlike ordinary exceptions) we do not care
1013 // whether the transaction is valid or not because its
1014 // possible validity cannot have caused the exception
1015 // and will not be visible after the abort.
1016 debugTrace(DEBUG_stm,
1017 "found atomically block delivering async exception");
1019 StgTRecHeader *trec = tso -> trec;
1020 StgTRecHeader *outer = stmGetEnclosingTRec(trec);
1021 stmAbortTransaction(cap, trec);
1022 stmFreeAbortedTRec(cap, trec);
1023 tso -> trec = outer;
1030 // move on to the next stack frame
1031 frame += stack_frame_sizeW((StgClosure *)frame);
1034 // if we got here, then we stopped at stop_here
1035 ASSERT(stop_here != NULL);