sem_wait sem_post信號量操作進本函數
sem_wait sem_post
信號量的數據類型為結構sem_t,它本質上是一個長整型的數。函數sem_init()用來初始化一個信號量。它的原型為:extern int sem_init __P ((sem_t *__sem, int __pshared, unsigned int __value));
sem為指向信號量結構的一個指針;pshared不為0時此信號量在進程間共享,否則只能為當前進程的所有線程共享;value給出了信號量的初始值。
函數sem_post( sem_t *sem )用來增加信號量的值。當有線程阻塞在這個信號量上時,調用這個函數會使其中的一個線程不在阻塞,選擇機制同樣是由線程的調度策略決定的。
函數sem_wait( sem_t *sem )被用來阻塞當前線程直到信號量sem的值大於0,解除阻塞後將sem的值減一,表明公共資源經使用後減少。函數sem_trywait ( sem_t *sem )是函數sem_wait()的非阻塞版本,它直接將信號量sem的值減一。
函數sem_destroy(sem_t *sem)用來釋放信號量sem。
信號量用sem_init函數創建的,下面是它的說明:
#include<semaphore.h>
int sem_init (sem_t *sem, int pshared, unsigned int value);
這個函數的作用是對由sem指定的信號量進行初始化,設置好它的共享選項,並指定一個整數類型的初始值。pshared參數控制著信號量的類型。如果 pshared的值是0,就表示它是當前裏程的局部信號量;否則,其它進程就能夠共享這個信號量。我們現在只對不讓進程共享的信號量感興趣。 (這個參數受版本影響), pshared傳遞一個非零將會使函數調用失敗。
這兩個函數控制著信號量的值,它們的定義如下所示: [cpp] view plain copy
- #include <semaphore.h>
- int sem_wait(sem_t * sem);
- int sem_post(sem_t * sem);
sem_post函數的作用是給信號量的值加上一個“1”,它是一個“原子操作”---即同時對同一個信號量做加“1”操作的兩個線程是不會沖突的;而同時對同一個文件進行讀、加和寫操作的兩個程序就有可能會引起沖突。信號量的值永遠會正確地加一個“2”--因為有兩個線程試圖改變它。
信號量這種“只用一個函數就能原子化地測試和設置”的能力下正是它的價值所在。還有另外一個信號量函數sem_trywait,它是sem_wait的非阻塞搭檔。
最後一個信號量函數是sem_destroy。這個函數的作用是在我們用完信號量對它進行清理。下面的定義:
#include<semaphore.h>
int sem_destroy (sem_t *sem);
這個函數也使用一個信號量指針做參數,歸還自己戰勝的一切資源。在清理信號量的時候如果還有線程在等待它,用戶就會收到一個錯誤。
與其它的函數一樣,這些函數在成功時都返回“0”。
[cpp] view plain copy
- #include <stdio.h>
- #include <unistd.h>
- #include <stdlib.h>
- #include <string.h>
- #include <pthread.h>
- #include <semaphore.h>
- sem_t bin_sem;
- void *thread_function1(void *arg)
- {
- printf("thread_function1--------------sem_wait\n");
- sem_wait(&bin_sem);
- printf("sem_wait\n");
- while (1)
- {
- }
- }
- void *thread_function2(void *arg)
- {
- printf("thread_function2--------------sem_post\n");
- sem_post(&bin_sem);
- printf("sem_post\n");
- while (1)
- {
- }
- }
- int main()
- {
- int res;
- pthread_t a_thread;
- void *thread_result;
- res = sem_init(&bin_sem, 0, 0);
- if (res != 0)
- {
- perror("Semaphore initialization failed");
- }
- printf("sem_init\n");
- res = pthread_create(&a_thread, NULL, thread_function1, NULL);
- if (res != 0)
- {
- perror("Thread creation failure");
- }
- printf("thread_function1\n");
- sleep (5);
- printf("sleep\n");
- res = pthread_create(&a_thread, NULL, thread_function2, NULL);
- if (res != 0)
- {
- perror("Thread creation failure");
- }
- while (1)
- {
- }
- }
- sem_init
- thread_function1
- thread_function1--------------sem_wait
- sleep
- thread_function2--------------sem_post
- sem_wait
- sem_post
轉自:sem_wait sem_post信號量操作進本函數
sem_wait sem_post信號量操作進本函數