Pthread Thread-Local-Singleton, wann soll der TLS-Schlüssel freigegeben werden?

Ich habe eine Art "thread local singleton" mit pthread TLS implementiert und mich gefragt, wie (und wann) ich in diesem Fall möglicherweise den pthread_key_t löschen könnte, da der vom TLS-Schlüssel verwendete Speicher derzeit niemals frei sein wird. ' d.

Die beabsichtigte Verwendung besteht darin, eine Klasse A von ThreadLocalSingleton <A> ableiten zu lassen, wodurch A zu einem lokalen Thread-Singleton wird, vorausgesetzt, A verfügt nur über private Konstruktoren und ThreadLocalSingleton <A> ist ein Freund von A.

Oh und auch - sehen Sie irgendwelche Probleme mit dieser Implementierung; Habe ich etwas Wichtiges übersehen?

#include <pthread.h>
#include <iostream>

template <class T>
class ThreadLocalSingleton
{
private:
    static pthread_key_t tlsKey;
    static pthread_once_t tlsKey_once;

    static void tls_make_key()
    {
        (void)pthread_key_create(&ThreadLocalSingleton::tlsKey, ThreadLocalSingleton::tls_destructor);
    }

    static void tls_destructor(void* obj)
    {
        delete ((T*)obj);
        pthread_setspecific(tlsKey, NULL); // necessary or it will call the destructor again.
    }

public:

    /*
     * A thread-local singleton getter, the resulted object must never be released,
     * it is auto-released when the thread exits.
     */
    static T* getThreadInstance(void)
    {
        pthread_once(&tlsKey_once, ThreadLocalSingleton::tls_make_key);
        T* instance = (T*)pthread_getspecific(tlsKey);
        if(!instance)
        {
            try
            {
                instance = new T;
                pthread_setspecific(tlsKey, instance);
            }
            catch (const char* ex)
            {
                printf("Exception during thread local singleton init: %s\n",ex);
            }
        }
        return instance;
    }
};
template <class T>
pthread_key_t ThreadLocalSingleton<T>::tlsKey;
template <class T>
pthread_once_t ThreadLocalSingleton<T>::tlsKey_once = PTHREAD_ONCE_INIT;

Antworten auf die Frage(1)

Ihre Antwort auf die Frage