在多線程環境中,有些事僅需要執行一次。通常當初始化應用程式時,可以比較容易地將其放在main函數中。但當你寫一個庫時,就不能在main裡面初始化了,你可以用靜態初始化,但使用一次初始化(pthread_once)會比較容易些。 ...
轉自:pthread_once()函數詳解 、pthread_once()使用
在多線程環境中,有些事僅需要執行一次。通常當初始化應用程式時,可以比較容易地將其放在main函數中。但當你寫一個庫時,就不能在main裡面初始化了,你可以用靜態初始化,但使用一次初始化(pthread_once)會比較容易些。
int pthread_once(pthread_once_t *once_control, void (*init_routine) (void));
功能:本函數使用初值為PTHREAD_ONCE_INIT的once_control變數保證init_routine()函數在本進程執行序列中僅執行一次。
在多線程編程環境下,儘管pthread_once()調用會出現在多個線程中,init_routine()函數僅執行一次,究竟在哪個線程中執行是不定的,是由內核調度來決定。
Linux Threads使用互斥鎖和條件變數保證由pthread_once()指定的函數執行且僅執行一次,而once_control表示是否執行過。
如果once_control的初值不是PTHREAD_ONCE_INIT(Linux Threads定義為0),pthread_once() 的行為就會不正常。
在LinuxThreads中,實際"一次性函數"的執行狀態有三種:NEVER(0)、IN_PROGRESS(1)、DONE(2),如果once初值設為1,則由於所有pthread_once()都必須等待其中一個激發"已執行一次"信號,因此所有pthread_once ()都會陷入永久的等待中;如果設為2,則表示該函數已執行過一次,從而所有pthread_once()都會立即返回0。
具體的一個實例:
#include<iostream> #include<pthread.h> using namespace std; pthread_once_t once = PTHREAD_ONCE_INIT; void once_run(void) { cout<<"once_run in thread "<<(unsigned int )pthread_self()<<endl; } void * child1(void * arg) { pthread_t tid =pthread_self(); cout<<"thread "<<(unsigned int )tid<<" enter"<<endl; pthread_once(&once,once_run); cout<<"thread "<<tid<<" return"<<endl; } void * child2(void * arg) { pthread_t tid =pthread_self(); cout<<"thread "<<(unsigned int )tid<<" enter"<<endl; pthread_once(&once,once_run); cout<<"thread "<<tid<<" return"<<endl; } int main(void) { pthread_t tid1,tid2; cout<<"hello"<<endl; pthread_create(&tid1,NULL,child1,NULL); pthread_create(&tid2,NULL,child2,NULL); sleep(10); cout<<"main thread exit"<<endl; return 0; }
執行結果:
hello thread 3086535584 enter once_run in thread 3086535584 thread 3086535584 return thread 3076045728 enter thread 3076045728 return main thread exit