]> git.sesse.net Git - vlc/blob - src/misc/threads.c
Do not heap free stack structure...
[vlc] / src / misc / threads.c
1 /*****************************************************************************
2  * threads.c : threads implementation for the VideoLAN client
3  *****************************************************************************
4  * Copyright (C) 1999-2008 the VideoLAN team
5  * $Id$
6  *
7  * Authors: Jean-Marc Dressler <polux@via.ecp.fr>
8  *          Samuel Hocevar <sam@zoy.org>
9  *          Gildas Bazin <gbazin@netcourrier.com>
10  *          Clément Sténac
11  *          Rémi Denis-Courmont
12  *
13  * This program is free software; you can redistribute it and/or modify
14  * it under the terms of the GNU General Public License as published by
15  * the Free Software Foundation; either version 2 of the License, or
16  * (at your option) any later version.
17  *
18  * This program is distributed in the hope that it will be useful,
19  * but WITHOUT ANY WARRANTY; without even the implied warranty of
20  * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
21  * GNU General Public License for more details.
22  *
23  * You should have received a copy of the GNU General Public License
24  * along with this program; if not, write to the Free Software
25  * Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston MA 02110-1301, USA.
26  *****************************************************************************/
27
28 #ifdef HAVE_CONFIG_H
29 # include "config.h"
30 #endif
31
32 #include <vlc_common.h>
33
34 #include "libvlc.h"
35 #include <stdarg.h>
36 #include <assert.h>
37 #ifdef HAVE_UNISTD_H
38 # include <unistd.h>
39 #endif
40 #include <signal.h>
41
42 #define VLC_THREADS_UNINITIALIZED  0
43 #define VLC_THREADS_PENDING        1
44 #define VLC_THREADS_ERROR          2
45 #define VLC_THREADS_READY          3
46
47 /*****************************************************************************
48  * Global mutex for lazy initialization of the threads system
49  *****************************************************************************/
50 static volatile unsigned i_initializations = 0;
51
52 #if defined( LIBVLC_USE_PTHREAD )
53 # include <sched.h>
54
55 static pthread_mutex_t once_mutex = PTHREAD_MUTEX_INITIALIZER;
56 #else
57 static vlc_threadvar_t cancel_key;
58 #endif
59
60 /**
61  * Global process-wide VLC object.
62  * Contains inter-instance data, such as the module cache and global mutexes.
63  */
64 static libvlc_global_data_t *p_root;
65
66 libvlc_global_data_t *vlc_global( void )
67 {
68     assert( i_initializations > 0 );
69     return p_root;
70 }
71
72 #ifdef HAVE_EXECINFO_H
73 # include <execinfo.h>
74 #endif
75
76 /**
77  * Print a backtrace to the standard error for debugging purpose.
78  */
79 void vlc_trace (const char *fn, const char *file, unsigned line)
80 {
81      fprintf (stderr, "at %s:%u in %s\n", file, line, fn);
82      fflush (stderr); /* needed before switch to low-level I/O */
83 #ifdef HAVE_BACKTRACE
84      void *stack[20];
85      int len = backtrace (stack, sizeof (stack) / sizeof (stack[0]));
86      backtrace_symbols_fd (stack, len, 2);
87 #endif
88 #ifndef WIN32
89      fsync (2);
90 #endif
91 }
92
93 static inline unsigned long vlc_threadid (void)
94 {
95 #if defined(LIBVLC_USE_PTHREAD)
96      union { pthread_t th; unsigned long int i; } v = { };
97      v.th = pthread_self ();
98      return v.i;
99
100 #elif defined (WIN32)
101      return GetCurrentThreadId ();
102
103 #else
104      return 0;
105
106 #endif
107 }
108
109 /*****************************************************************************
110  * vlc_thread_fatal: Report an error from the threading layer
111  *****************************************************************************
112  * This is mostly meant for debugging.
113  *****************************************************************************/
114 static void
115 vlc_thread_fatal (const char *action, int error,
116                   const char *function, const char *file, unsigned line)
117 {
118     fprintf (stderr, "LibVLC fatal error %s (%d) in thread %lu ",
119              action, error, vlc_threadid ());
120     vlc_trace (function, file, line);
121
122     /* Sometimes strerror_r() crashes too, so make sure we print an error
123      * message before we invoke it */
124 #ifdef __GLIBC__
125     /* Avoid the strerror_r() prototype brain damage in glibc */
126     errno = error;
127     fprintf (stderr, " Error message: %m at:\n");
128 #elif !defined (WIN32)
129     char buf[1000];
130     const char *msg;
131
132     switch (strerror_r (error, buf, sizeof (buf)))
133     {
134         case 0:
135             msg = buf;
136             break;
137         case ERANGE: /* should never happen */
138             msg = "unknwon (too big to display)";
139             break;
140         default:
141             msg = "unknown (invalid error number)";
142             break;
143     }
144     fprintf (stderr, " Error message: %s\n", msg);
145 #endif
146     fflush (stderr);
147
148     abort ();
149 }
150
151 #ifndef NDEBUG
152 # define VLC_THREAD_ASSERT( action ) \
153     if (val) vlc_thread_fatal (action, val, __func__, __FILE__, __LINE__)
154 #else
155 # define VLC_THREAD_ASSERT( action ) ((void)val)
156 #endif
157
158 /**
159  * Per-thread cancellation data
160  */
161 #ifndef LIBVLC_USE_PTHREAD_CANCEL
162 typedef struct vlc_cancel_t
163 {
164     vlc_cleanup_t *cleaners;
165     bool           killable;
166     bool           killed;
167 } vlc_cancel_t;
168
169 # define VLC_CANCEL_INIT { NULL, true, false }
170 #endif
171
172 /*****************************************************************************
173  * vlc_threads_init: initialize threads system
174  *****************************************************************************
175  * This function requires lazy initialization of a global lock in order to
176  * keep the library really thread-safe. Some architectures don't support this
177  * and thus do not guarantee the complete reentrancy.
178  *****************************************************************************/
179 int vlc_threads_init( void )
180 {
181     int i_ret = VLC_SUCCESS;
182
183     /* If we have lazy mutex initialization, use it. Otherwise, we just
184      * hope nothing wrong happens. */
185 #if defined( LIBVLC_USE_PTHREAD )
186     pthread_mutex_lock( &once_mutex );
187 #endif
188
189     if( i_initializations == 0 )
190     {
191         p_root = vlc_custom_create( (vlc_object_t *)NULL, sizeof( *p_root ),
192                                     VLC_OBJECT_GENERIC, "root" );
193         if( p_root == NULL )
194         {
195             i_ret = VLC_ENOMEM;
196             goto out;
197         }
198
199         /* We should be safe now. Do all the initialization stuff we want. */
200 #ifndef LIBVLC_USE_PTHREAD_CANCEL
201         vlc_threadvar_create( &cancel_key, free );
202 #endif
203     }
204     i_initializations++;
205
206 out:
207     /* If we have lazy mutex initialization support, unlock the mutex.
208      * Otherwize, we are screwed. */
209 #if defined( LIBVLC_USE_PTHREAD )
210     pthread_mutex_unlock( &once_mutex );
211 #endif
212
213     return i_ret;
214 }
215
216 /*****************************************************************************
217  * vlc_threads_end: stop threads system
218  *****************************************************************************
219  * FIXME: This function is far from being threadsafe.
220  *****************************************************************************/
221 void vlc_threads_end( void )
222 {
223 #if defined( LIBVLC_USE_PTHREAD )
224     pthread_mutex_lock( &once_mutex );
225 #endif
226
227     assert( i_initializations > 0 );
228
229     if( i_initializations == 1 )
230     {
231         vlc_object_release( p_root );
232 #ifndef LIBVLC_USE_PTHREAD
233         vlc_threadvar_delete( &cancel_key );
234 #endif
235     }
236     i_initializations--;
237
238 #if defined( LIBVLC_USE_PTHREAD )
239     pthread_mutex_unlock( &once_mutex );
240 #endif
241 }
242
243 #if defined (__GLIBC__) && (__GLIBC_MINOR__ < 6)
244 /* This is not prototyped under glibc, though it exists. */
245 int pthread_mutexattr_setkind_np( pthread_mutexattr_t *attr, int kind );
246 #endif
247
248 /*****************************************************************************
249  * vlc_mutex_init: initialize a mutex
250  *****************************************************************************/
251 int vlc_mutex_init( vlc_mutex_t *p_mutex )
252 {
253 #if defined( LIBVLC_USE_PTHREAD )
254     pthread_mutexattr_t attr;
255     int                 i_result;
256
257     pthread_mutexattr_init( &attr );
258
259 # ifndef NDEBUG
260     /* Create error-checking mutex to detect problems more easily. */
261 #  if defined (__GLIBC__) && (__GLIBC_MINOR__ < 6)
262     pthread_mutexattr_setkind_np( &attr, PTHREAD_MUTEX_ERRORCHECK_NP );
263 #  else
264     pthread_mutexattr_settype( &attr, PTHREAD_MUTEX_ERRORCHECK );
265 #  endif
266 # endif
267     i_result = pthread_mutex_init( p_mutex, &attr );
268     pthread_mutexattr_destroy( &attr );
269     return i_result;
270
271 #elif defined( WIN32 )
272     InitializeCriticalSection (&p_mutex->mutex);
273     p_mutex->recursive = false;
274     return 0;
275
276 #endif
277 }
278
279 /*****************************************************************************
280  * vlc_mutex_init: initialize a recursive mutex (Do not use)
281  *****************************************************************************/
282 int vlc_mutex_init_recursive( vlc_mutex_t *p_mutex )
283 {
284 #if defined( LIBVLC_USE_PTHREAD )
285     pthread_mutexattr_t attr;
286     int                 i_result;
287
288     pthread_mutexattr_init( &attr );
289 #  if defined (__GLIBC__) && (__GLIBC_MINOR__ < 6)
290     pthread_mutexattr_setkind_np( &attr, PTHREAD_MUTEX_RECURSIVE_NP );
291 #  else
292     pthread_mutexattr_settype( &attr, PTHREAD_MUTEX_RECURSIVE );
293 #  endif
294     i_result = pthread_mutex_init( p_mutex, &attr );
295     pthread_mutexattr_destroy( &attr );
296     return( i_result );
297
298 #elif defined( WIN32 )
299     InitializeCriticalSection( &p_mutex->mutex );
300     p_mutex->owner = 0; /* the error value for GetThreadId()! */
301     p_mutex->recursion = 0;
302     p_mutex->recursive = true;
303     return 0;
304
305 #endif
306 }
307
308
309 /**
310  * Destroys a mutex. The mutex must not be locked.
311  *
312  * @param p_mutex mutex to destroy
313  * @return always succeeds
314  */
315 void vlc_mutex_destroy (vlc_mutex_t *p_mutex)
316 {
317 #if defined( LIBVLC_USE_PTHREAD )
318     int val = pthread_mutex_destroy( p_mutex );
319     VLC_THREAD_ASSERT ("destroying mutex");
320
321 #elif defined( WIN32 )
322     DeleteCriticalSection (&p_mutex->mutex);
323
324 #endif
325 }
326
327 /**
328  * Acquires a mutex. If needed, waits for any other thread to release it.
329  * Beware of deadlocks when locking multiple mutexes at the same time,
330  * or when using mutexes from callbacks.
331  *
332  * @param p_mutex mutex initialized with vlc_mutex_init() or
333  *                vlc_mutex_init_recursive()
334  */
335 void vlc_mutex_lock (vlc_mutex_t *p_mutex)
336 {
337 #if defined(LIBVLC_USE_PTHREAD)
338     int val = pthread_mutex_lock( p_mutex );
339     VLC_THREAD_ASSERT ("locking mutex");
340
341 #elif defined( WIN32 )
342     if (p_mutex->recursive)
343     {
344         DWORD self = GetCurrentThreadId ();
345
346         if ((DWORD)InterlockedCompareExchange (&p_mutex->owner, self,
347                                                self) == self)
348         {   /* We already locked this recursive mutex */
349             p_mutex->recursion++;
350             return;
351         }
352
353         /* We need to lock this recursive mutex */
354         EnterCriticalSection (&p_mutex->mutex);
355         self = InterlockedExchange (&p_mutex->owner, self);
356         assert (self == 0); /* no previous owner */
357         return;
358     }
359     /* Non-recursive mutex */
360     EnterCriticalSection (&p_mutex->mutex);
361
362 #endif
363 }
364
365
366 /**
367  * Releases a mutex (or crashes if the mutex is not locked by the caller).
368  * @param p_mutex mutex locked with vlc_mutex_lock().
369  */
370 void vlc_mutex_unlock (vlc_mutex_t *p_mutex)
371 {
372 #if defined(LIBVLC_USE_PTHREAD)
373     int val = pthread_mutex_unlock( p_mutex );
374     VLC_THREAD_ASSERT ("unlocking mutex");
375
376 #elif defined( WIN32 )
377     if (p_mutex->recursive)
378     {
379         if (p_mutex->recursion != 0)
380         {
381             p_mutex->recursion--;
382             return; /* We still own this mutex */
383         }
384
385         /* We release the mutex */
386         InterlockedExchange (&p_mutex->owner, 0);
387         /* fall through */
388     }
389     LeaveCriticalSection (&p_mutex->mutex);
390
391 #endif
392 }
393
394 /*****************************************************************************
395  * vlc_cond_init: initialize a condition variable
396  *****************************************************************************/
397 int vlc_cond_init( vlc_cond_t *p_condvar )
398 {
399 #if defined( LIBVLC_USE_PTHREAD )
400     pthread_condattr_t attr;
401     int ret;
402
403     ret = pthread_condattr_init (&attr);
404     if (ret)
405         return ret;
406
407 # if !defined (_POSIX_CLOCK_SELECTION)
408    /* Fairly outdated POSIX support (that was defined in 2001) */
409 #  define _POSIX_CLOCK_SELECTION (-1)
410 # endif
411 # if (_POSIX_CLOCK_SELECTION >= 0)
412     /* NOTE: This must be the same clock as the one in mtime.c */
413     pthread_condattr_setclock (&attr, CLOCK_MONOTONIC);
414 # endif
415
416     ret = pthread_cond_init (p_condvar, &attr);
417     pthread_condattr_destroy (&attr);
418     return ret;
419
420 #elif defined( WIN32 )
421     /* Create a manual-reset event (manual reset is needed for broadcast). */
422     *p_condvar = CreateEvent( NULL, TRUE, FALSE, NULL );
423     return *p_condvar ? 0 : ENOMEM;
424
425 #endif
426 }
427
428 /**
429  * Destroys a condition variable. No threads shall be waiting or signaling the
430  * condition.
431  * @param p_condvar condition variable to destroy
432  */
433 void vlc_cond_destroy (vlc_cond_t *p_condvar)
434 {
435 #if defined( LIBVLC_USE_PTHREAD )
436     int val = pthread_cond_destroy( p_condvar );
437     VLC_THREAD_ASSERT ("destroying condition");
438
439 #elif defined( WIN32 )
440     CloseHandle( *p_condvar );
441
442 #endif
443 }
444
445 /**
446  * Wakes up one thread waiting on a condition variable, if any.
447  * @param p_condvar condition variable
448  */
449 void vlc_cond_signal (vlc_cond_t *p_condvar)
450 {
451 #if defined(LIBVLC_USE_PTHREAD)
452     int val = pthread_cond_signal( p_condvar );
453     VLC_THREAD_ASSERT ("signaling condition variable");
454
455 #elif defined( WIN32 )
456     /* NOTE: This will cause a broadcast, that is wrong.
457      * This will also wake up the next waiting thread if no thread are yet
458      * waiting, which is also wrong. However both of these issues are allowed
459      * by the provision for spurious wakeups. Better have too many wakeups
460      * than too few (= deadlocks). */
461     SetEvent (*p_condvar);
462
463 #endif
464 }
465
466 /**
467  * Wakes up all threads (if any) waiting on a condition variable.
468  * @param p_cond condition variable
469  */
470 void vlc_cond_broadcast (vlc_cond_t *p_condvar)
471 {
472 #if defined (LIBVLC_USE_PTHREAD)
473     pthread_cond_broadcast (p_condvar);
474
475 #elif defined (WIN32)
476     SetEvent (*p_condvar);
477
478 #endif
479 }
480
481 #ifdef UNDER_CE
482 # warning FIXME
483 # define WaitForMultipleObjectsEx(a,b,c) WaitForMultipleObjects(a,b)
484 #endif
485
486 /**
487  * Waits for a condition variable. The calling thread will be suspended until
488  * another thread calls vlc_cond_signal() or vlc_cond_broadcast() on the same
489  * condition variable, the thread is cancelled with vlc_cancel(), or the
490  * system causes a "spurious" unsolicited wake-up.
491  *
492  * A mutex is needed to wait on a condition variable. It must <b>not</b> be
493  * a recursive mutex. Although it is possible to use the same mutex for
494  * multiple condition, it is not valid to use different mutexes for the same
495  * condition variable at the same time from different threads.
496  *
497  * In case of thread cancellation, the mutex is always locked before
498  * cancellation proceeds.
499  *
500  * The canonical way to use a condition variable to wait for event foobar is:
501  @code
502    vlc_mutex_lock (&lock);
503    mutex_cleanup_push (&lock); // release the mutex in case of cancellation
504
505    while (!foobar)
506        vlc_cond_wait (&wait, &lock);
507
508    --- foobar is now true, do something about it here --
509
510    vlc_cleanup_run (); // release the mutex
511   @endcode
512  *
513  * @param p_condvar condition variable to wait on
514  * @param p_mutex mutex which is unlocked while waiting,
515  *                then locked again when waking up.
516  * @param deadline <b>absolute</b> timeout
517  *
518  * @return 0 if the condition was signaled, an error code in case of timeout.
519  */
520 void vlc_cond_wait (vlc_cond_t *p_condvar, vlc_mutex_t *p_mutex)
521 {
522 #if defined(LIBVLC_USE_PTHREAD)
523     int val = pthread_cond_wait( p_condvar, p_mutex );
524     VLC_THREAD_ASSERT ("waiting on condition");
525
526 #elif defined( WIN32 )
527     DWORD result;
528
529     assert (!p_mutex->recursive);
530     do
531     {
532         vlc_testcancel ();
533         LeaveCriticalSection (&p_mutex->mutex);
534         result = WaitForSingleObjectEx (*p_condvar, INFINITE, TRUE);
535         EnterCriticalSection (&p_mutex->mutex);
536     }
537     while (result == WAIT_IO_COMPLETION);
538
539     ResetEvent (*p_condvar);
540
541 #endif
542 }
543
544 /**
545  * Waits for a condition variable up to a certain date.
546  * This works like vlc_cond_wait(), except for the additional timeout.
547  *
548  * @param p_condvar condition variable to wait on
549  * @param p_mutex mutex which is unlocked while waiting,
550  *                then locked again when waking up.
551  * @param deadline <b>absolute</b> timeout
552  *
553  * @return 0 if the condition was signaled, an error code in case of timeout.
554  */
555 int vlc_cond_timedwait (vlc_cond_t *p_condvar, vlc_mutex_t *p_mutex,
556                         mtime_t deadline)
557 {
558 #if defined(LIBVLC_USE_PTHREAD)
559     lldiv_t d = lldiv( deadline, CLOCK_FREQ );
560     struct timespec ts = { d.quot, d.rem * (1000000000 / CLOCK_FREQ) };
561
562     int val = pthread_cond_timedwait (p_condvar, p_mutex, &ts);
563     if (val != ETIMEDOUT)
564         VLC_THREAD_ASSERT ("timed-waiting on condition");
565     return val;
566
567 #elif defined( WIN32 )
568     DWORD result;
569
570     assert (!p_mutex->recursive);
571     do
572     {
573         vlc_testcancel ();
574
575         mtime_t total = (deadline - mdate ())/1000;
576         if( total < 0 )
577             total = 0;
578
579         DWORD delay = (total > 0x7fffffff) ? 0x7fffffff : total;
580         LeaveCriticalSection (&p_mutex->mutex);
581         result = WaitForSingleObjectEx (*p_condvar, delay, TRUE);
582         EnterCriticalSection (&p_mutex->mutex);
583     }
584     while (result == WAIT_IO_COMPLETION);
585
586     ResetEvent (*p_condvar);
587
588     return (result == WAIT_OBJECT_0) ? 0 : ETIMEDOUT;
589
590 #endif
591 }
592
593 /*****************************************************************************
594  * vlc_tls_create: create a thread-local variable
595  *****************************************************************************/
596 int vlc_threadvar_create( vlc_threadvar_t *p_tls, void (*destr) (void *) )
597 {
598     int i_ret;
599
600 #if defined( LIBVLC_USE_PTHREAD )
601     i_ret =  pthread_key_create( p_tls, destr );
602 #elif defined( UNDER_CE )
603     i_ret = ENOSYS;
604 #elif defined( WIN32 )
605     /* FIXME: remember/use the destr() callback and stop leaking whatever */
606     *p_tls = TlsAlloc();
607     i_ret = (*p_tls == TLS_OUT_OF_INDEXES) ? EAGAIN : 0;
608 #else
609 # error Unimplemented!
610 #endif
611     return i_ret;
612 }
613
614 void vlc_threadvar_delete (vlc_threadvar_t *p_tls)
615 {
616 #if defined( LIBVLC_USE_PTHREAD )
617     pthread_key_delete (*p_tls);
618 #elif defined( UNDER_CE )
619 #elif defined( WIN32 )
620     TlsFree (*p_tls);
621 #else
622 # error Unimplemented!
623 #endif
624 }
625
626 #if defined (LIBVLC_USE_PTHREAD)
627 #elif defined (WIN32)
628 static unsigned __stdcall vlc_entry (void *data)
629 {
630     vlc_cancel_t cancel_data = VLC_CANCEL_INIT;
631     vlc_thread_t self = data;
632
633     vlc_threadvar_set (&cancel_key, &cancel_data);
634     self->data = self->entry (self->data);
635     return 0;
636 }
637 #endif
638
639 /**
640  * Creates and starts new thread.
641  *
642  * @param p_handle [OUT] pointer to write the handle of the created thread to
643  * @param entry entry point for the thread
644  * @param data data parameter given to the entry point
645  * @param priority thread priority value
646  * @return 0 on success, a standard error code on error.
647  */
648 int vlc_clone (vlc_thread_t *p_handle, void * (*entry) (void *), void *data,
649                int priority)
650 {
651     int ret;
652
653 #if defined( LIBVLC_USE_PTHREAD )
654     pthread_attr_t attr;
655     pthread_attr_init (&attr);
656
657     /* Block the signals that signals interface plugin handles.
658      * If the LibVLC caller wants to handle some signals by itself, it should
659      * block these before whenever invoking LibVLC. And it must obviously not
660      * start the VLC signals interface plugin.
661      *
662      * LibVLC will normally ignore any interruption caused by an asynchronous
663      * signal during a system call. But there may well be some buggy cases
664      * where it fails to handle EINTR (bug reports welcome). Some underlying
665      * libraries might also not handle EINTR properly.
666      */
667     sigset_t oldset;
668     {
669         sigset_t set;
670         sigemptyset (&set);
671         sigdelset (&set, SIGHUP);
672         sigaddset (&set, SIGINT);
673         sigaddset (&set, SIGQUIT);
674         sigaddset (&set, SIGTERM);
675
676         sigaddset (&set, SIGPIPE); /* We don't want this one, really! */
677         pthread_sigmask (SIG_BLOCK, &set, &oldset);
678     }
679     {
680         struct sched_param sp = { .sched_priority = priority, };
681         int policy;
682
683         if (sp.sched_priority <= 0)
684             sp.sched_priority += sched_get_priority_max (policy = SCHED_OTHER);
685         else
686             sp.sched_priority += sched_get_priority_min (policy = SCHED_RR);
687
688         pthread_attr_setschedpolicy (&attr, policy);
689         pthread_attr_setschedparam (&attr, &sp);
690     }
691
692     ret = pthread_create (p_handle, &attr, entry, data);
693     pthread_sigmask (SIG_SETMASK, &oldset, NULL);
694     pthread_attr_destroy (&attr);
695
696 #elif defined( WIN32 ) || defined( UNDER_CE )
697     /* When using the MSVCRT C library you have to use the _beginthreadex
698      * function instead of CreateThread, otherwise you'll end up with
699      * memory leaks and the signal functions not working (see Microsoft
700      * Knowledge Base, article 104641) */
701     HANDLE hThread;
702     vlc_thread_t th = malloc (sizeof (*th));
703
704     if (th == NULL)
705         return ENOMEM;
706
707     th->data = data;
708     th->entry = entry;
709 #if defined( UNDER_CE )
710     hThread = CreateThread (NULL, 0, vlc_entry, th, CREATE_SUSPENDED, NULL);
711 #else
712     hThread = (HANDLE)(uintptr_t)
713         _beginthreadex (NULL, 0, vlc_entry, th, CREATE_SUSPENDED, NULL);
714 #endif
715
716     if (hThread)
717     {
718         /* Thread closes the handle when exiting, duplicate it here
719          * to be on the safe side when joining. */
720         if (!DuplicateHandle (GetCurrentProcess (), hThread,
721                               GetCurrentProcess (), &th->handle, 0, FALSE,
722                               DUPLICATE_SAME_ACCESS))
723         {
724             CloseHandle (hThread);
725             free (th);
726             return ENOMEM;
727         }
728
729         ResumeThread (hThread);
730         if (priority)
731             SetThreadPriority (hThread, priority);
732
733         ret = 0;
734         *p_handle = th;
735     }
736     else
737     {
738         ret = errno;
739         free (th);
740     }
741
742 #endif
743     return ret;
744 }
745
746 #if defined (WIN32)
747 /* APC procedure for thread cancellation */
748 static void CALLBACK vlc_cancel_self (ULONG_PTR dummy)
749 {
750     (void)dummy;
751     vlc_control_cancel (VLC_DO_CANCEL);
752 }
753 #endif
754
755 /**
756  * Marks a thread as cancelled. Next time the target thread reaches a
757  * cancellation point (while not having disabled cancellation), it will
758  * run its cancellation cleanup handler, the thread variable destructors, and
759  * terminate. vlc_join() must be used afterward regardless of a thread being
760  * cancelled or not.
761  */
762 void vlc_cancel (vlc_thread_t thread_id)
763 {
764 #if defined (LIBVLC_USE_PTHREAD_CANCEL)
765     pthread_cancel (thread_id);
766 #elif defined (WIN32)
767     QueueUserAPC (vlc_cancel_self, thread_id->handle, 0);
768 #else
769 #   warning vlc_cancel is not implemented!
770 #endif
771 }
772
773 /**
774  * Waits for a thread to complete (if needed), and destroys it.
775  * This is a cancellation point; in case of cancellation, the join does _not_
776  * occur.
777  *
778  * @param handle thread handle
779  * @param p_result [OUT] pointer to write the thread return value or NULL
780  * @return 0 on success, a standard error code otherwise.
781  */
782 void vlc_join (vlc_thread_t handle, void **result)
783 {
784 #if defined( LIBVLC_USE_PTHREAD )
785     int val = pthread_join (handle, result);
786     if (val)
787         vlc_thread_fatal ("joining thread", val, __func__, __FILE__, __LINE__);
788
789 #elif defined( UNDER_CE ) || defined( WIN32 )
790     do
791         vlc_testcancel ();
792     while (WaitForSingleObjectEx (handle->handle, INFINITE, TRUE)
793                                                         == WAIT_IO_COMPLETION);
794
795     CloseHandle (handle->handle);
796     if (result)
797         *result = handle->data;
798     free (handle);
799
800 #endif
801 }
802
803
804 struct vlc_thread_boot
805 {
806     void * (*entry) (vlc_object_t *);
807     vlc_object_t *object;
808 };
809
810 static void *thread_entry (void *data)
811 {
812     vlc_object_t *obj = ((struct vlc_thread_boot *)data)->object;
813     void *(*func) (vlc_object_t *) = ((struct vlc_thread_boot *)data)->entry;
814
815     free (data);
816     msg_Dbg (obj, "thread started");
817     func (obj);
818     msg_Dbg (obj, "thread ended");
819
820     return NULL;
821 }
822
823 /*****************************************************************************
824  * vlc_thread_create: create a thread, inner version
825  *****************************************************************************
826  * Note that i_priority is only taken into account on platforms supporting
827  * userland real-time priority threads.
828  *****************************************************************************/
829 int __vlc_thread_create( vlc_object_t *p_this, const char * psz_file, int i_line,
830                          const char *psz_name, void * ( *func ) ( vlc_object_t * ),
831                          int i_priority, bool b_wait )
832 {
833     int i_ret;
834     vlc_object_internals_t *p_priv = vlc_internals( p_this );
835
836     struct vlc_thread_boot *boot = malloc (sizeof (*boot));
837     if (boot == NULL)
838         return errno;
839     boot->entry = func;
840     boot->object = p_this;
841
842     vlc_object_lock( p_this );
843
844     /* Make sure we don't re-create a thread if the object has already one */
845     assert( !p_priv->b_thread );
846
847 #if defined( LIBVLC_USE_PTHREAD )
848 #ifndef __APPLE__
849     if( config_GetInt( p_this, "rt-priority" ) > 0 )
850 #endif
851     {
852         /* Hack to avoid error msg */
853         if( config_GetType( p_this, "rt-offset" ) )
854             i_priority += config_GetInt( p_this, "rt-offset" );
855     }
856 #endif
857
858     i_ret = vlc_clone( &p_priv->thread_id, thread_entry, boot, i_priority );
859     if( i_ret == 0 )
860     {
861         if( b_wait )
862         {
863             msg_Dbg( p_this, "waiting for thread initialization" );
864             vlc_object_wait( p_this );
865         }
866
867         p_priv->b_thread = true;
868         msg_Dbg( p_this, "thread %lu (%s) created at priority %d (%s:%d)",
869                  (unsigned long)p_priv->thread_id, psz_name, i_priority,
870                  psz_file, i_line );
871     }
872     else
873     {
874         errno = i_ret;
875         msg_Err( p_this, "%s thread could not be created at %s:%d (%m)",
876                          psz_name, psz_file, i_line );
877     }
878
879     vlc_object_unlock( p_this );
880     return i_ret;
881 }
882
883 /*****************************************************************************
884  * vlc_thread_set_priority: set the priority of the current thread when we
885  * couldn't set it in vlc_thread_create (for instance for the main thread)
886  *****************************************************************************/
887 int __vlc_thread_set_priority( vlc_object_t *p_this, const char * psz_file,
888                                int i_line, int i_priority )
889 {
890     vlc_object_internals_t *p_priv = vlc_internals( p_this );
891
892     if( !p_priv->b_thread )
893     {
894         msg_Err( p_this, "couldn't set priority of non-existent thread" );
895         return ESRCH;
896     }
897
898 #if defined( LIBVLC_USE_PTHREAD )
899 # ifndef __APPLE__
900     if( config_GetInt( p_this, "rt-priority" ) > 0 )
901 # endif
902     {
903         int i_error, i_policy;
904         struct sched_param param;
905
906         memset( &param, 0, sizeof(struct sched_param) );
907         if( config_GetType( p_this, "rt-offset" ) )
908             i_priority += config_GetInt( p_this, "rt-offset" );
909         if( i_priority <= 0 )
910         {
911             param.sched_priority = (-1) * i_priority;
912             i_policy = SCHED_OTHER;
913         }
914         else
915         {
916             param.sched_priority = i_priority;
917             i_policy = SCHED_RR;
918         }
919         if( (i_error = pthread_setschedparam( p_priv->thread_id,
920                                               i_policy, &param )) )
921         {
922             errno = i_error;
923             msg_Warn( p_this, "couldn't set thread priority (%s:%d): %m",
924                       psz_file, i_line );
925             i_priority = 0;
926         }
927     }
928
929 #elif defined( WIN32 ) || defined( UNDER_CE )
930     VLC_UNUSED( psz_file); VLC_UNUSED( i_line );
931
932     if( !SetThreadPriority(p_priv->thread_id->handle, i_priority) )
933     {
934         msg_Warn( p_this, "couldn't set a faster priority" );
935         return 1;
936     }
937
938 #endif
939
940     return 0;
941 }
942
943 /*****************************************************************************
944  * vlc_thread_join: wait until a thread exits, inner version
945  *****************************************************************************/
946 void __vlc_thread_join( vlc_object_t *p_this )
947 {
948     vlc_object_internals_t *p_priv = vlc_internals( p_this );
949
950 #if defined( LIBVLC_USE_PTHREAD )
951     vlc_join (p_priv->thread_id, NULL);
952
953 #elif defined( UNDER_CE ) || defined( WIN32 )
954     HANDLE hThread;
955     FILETIME create_ft, exit_ft, kernel_ft, user_ft;
956     int64_t real_time, kernel_time, user_time;
957
958     if( ! DuplicateHandle(GetCurrentProcess(),
959             p_priv->thread_id->handle,
960             GetCurrentProcess(),
961             &hThread,
962             0,
963             FALSE,
964             DUPLICATE_SAME_ACCESS) )
965     {
966         p_priv->b_thread = false;
967         return; /* We have a problem! */
968     }
969
970     vlc_join( p_priv->thread_id, NULL );
971
972     if( GetThreadTimes( hThread, &create_ft, &exit_ft, &kernel_ft, &user_ft ) )
973     {
974         real_time =
975           ((((int64_t)exit_ft.dwHighDateTime)<<32)| exit_ft.dwLowDateTime) -
976           ((((int64_t)create_ft.dwHighDateTime)<<32)| create_ft.dwLowDateTime);
977         real_time /= 10;
978
979         kernel_time =
980           ((((int64_t)kernel_ft.dwHighDateTime)<<32)|
981            kernel_ft.dwLowDateTime) / 10;
982
983         user_time =
984           ((((int64_t)user_ft.dwHighDateTime)<<32)|
985            user_ft.dwLowDateTime) / 10;
986
987         msg_Dbg( p_this, "thread times: "
988                  "real %"PRId64"m%fs, kernel %"PRId64"m%fs, user %"PRId64"m%fs",
989                  real_time/60/1000000,
990                  (double)((real_time%(60*1000000))/1000000.0),
991                  kernel_time/60/1000000,
992                  (double)((kernel_time%(60*1000000))/1000000.0),
993                  user_time/60/1000000,
994                  (double)((user_time%(60*1000000))/1000000.0) );
995     }
996     CloseHandle( hThread );
997
998 #else
999     vlc_join( p_priv->thread_id, NULL );
1000
1001 #endif
1002
1003     p_priv->b_thread = false;
1004 }
1005
1006 void vlc_thread_cancel (vlc_object_t *obj)
1007 {
1008     vlc_object_internals_t *priv = vlc_internals (obj);
1009
1010     if (priv->b_thread)
1011         vlc_cancel (priv->thread_id);
1012 }
1013
1014 void vlc_control_cancel (int cmd, ...)
1015 {
1016     /* NOTE: This function only modifies thread-specific data, so there is no
1017      * need to lock anything. */
1018 #ifdef LIBVLC_USE_PTHREAD_CANCEL
1019     (void) cmd;
1020     assert (0);
1021 #else
1022     va_list ap;
1023
1024     vlc_cancel_t *nfo = vlc_threadvar_get (&cancel_key);
1025     if (nfo == NULL)
1026     {
1027 #ifdef WIN32
1028         /* Main thread - cannot be cancelled anyway */
1029         return;
1030 #else
1031         nfo = malloc (sizeof (*nfo));
1032         if (nfo == NULL)
1033             return; /* Uho! Expect problems! */
1034         *nfo = VLC_CANCEL_INIT;
1035         vlc_threadvar_set (&cancel_key, nfo);
1036 #endif
1037     }
1038
1039     va_start (ap, cmd);
1040     switch (cmd)
1041     {
1042         case VLC_SAVE_CANCEL:
1043         {
1044             int *p_state = va_arg (ap, int *);
1045             *p_state = nfo->killable;
1046             nfo->killable = false;
1047             break;
1048         }
1049
1050         case VLC_RESTORE_CANCEL:
1051         {
1052             int state = va_arg (ap, int);
1053             nfo->killable = state != 0;
1054             break;
1055         }
1056
1057         case VLC_TEST_CANCEL:
1058             if (nfo->killable && nfo->killed)
1059             {
1060                 for (vlc_cleanup_t *p = nfo->cleaners; p != NULL; p = p->next)
1061                      p->proc (p->data);
1062 #ifndef WIN32
1063                 free (nfo);
1064 #endif
1065 #if defined (LIBVLC_USE_PTHREAD)
1066                 pthread_exit (PTHREAD_CANCELLED);
1067 #elif defined (WIN32)
1068                 _endthread ();
1069 #else
1070 # error Not implemented!
1071 #endif
1072             }
1073             break;
1074
1075         case VLC_DO_CANCEL:
1076             nfo->killed = true;
1077             break;
1078
1079         case VLC_CLEANUP_PUSH:
1080         {
1081             /* cleaner is a pointer to the caller stack, no need to allocate
1082              * and copy anything. As a nice side effect, this cannot fail. */
1083             vlc_cleanup_t *cleaner = va_arg (ap, vlc_cleanup_t *);
1084             cleaner->next = nfo->cleaners;
1085             nfo->cleaners = cleaner;
1086             break;
1087         }
1088
1089         case VLC_CLEANUP_POP:
1090         {
1091             nfo->cleaners = nfo->cleaners->next;
1092             break;
1093         }
1094     }
1095     va_end (ap);
1096 #endif
1097 }