1
#include <stdio.h>
#include <unistd.h>
#include <stdlib.h>
#include <string.h>
#include <pthread.h>
#include <semaphore.h>
void *thread_function(void *arg);
sem_t bin_sem;
#define WORK_SIZE 1024
char work_area[WORK_SIZE];
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”);
        exit(EXIT_FAILURE);
    }
    res = pthread_create(&a_thread, NULL, thread_function, NULL);
    if (res != 0) {
        perror(“Thread creation failed”);
        exit(EXIT_FAILURE);
    }
    printf(“Input some text. Enter ‘end’ to finish\n”);
    while(strncmp(“end”, work_area, 3) != 0) {
        fgets(work_area, WORK_SIZE, stdin);
        sem_post(&bin_sem);
    }
    printf(“\nWaiting for thread to finish...\n”);
    res = pthread_join(a_thread, &thread_result);
    if (res != 0) {
        perror(“Thread join failed”);
        exit(EXIT_FAILURE);
    }
    printf(“Thread joined\n”);
    sem_destroy(&bin_sem);
    exit(EXIT_SUCCESS);
}
void *thread_function(void *arg) {
    sem_wait(&bin_sem);
    while(strncmp(“end”, work_area, 3) != 0) {
         printf(“You input %d characters\n”, strlen(work_area) -1);
         sem_wait(&bin_sem);}
    pthread_exit(NULL);
}

在上面的程序中,当使用 sem_post() 释放信号量时,线程函数中的 fgets 和计数函数是否有可能同时执行。而且我认为该程序未能允许第二个线程在主线程读取之前对字符进行计数再次敲击键盘。那正确吗?

4

2 回答 2

1

第二个线程只会在 sem_wait 返回后读取字符,这表明 sem_post 已在某处被调用,所以我认为这很好。

至于 fgets 和 count 函数,这两者可以同时运行。

在这种情况下,我建议对 work_area 变量使用互斥锁,因为如果用户在一个线程中编辑变量而在另一个线程中读取该变量,则会出现问题。

您可以使用互斥锁,也可以使用信号量并将其初始计数设置为 1。

但是,如果您实现互斥锁或使用类似的信号量,请确保将 mutex_lock 放在 sema_wait 之后,否则可能会发生死锁。

于 2009-03-25T03:51:15.590 回答
0

在此示例中,您希望在共享内存的读写周围有一个互斥锁。

我知道这是一个例子,但下面的代码:

fgets(work_area, WORK_SIZE, stdin);

真的应该是:

fgets(work_area, sizeof(work_area), stdin);

如果您将来更改 work_area 的大小(更改为其他常数等),很可能会错过更改第二个 WORK_SIZE 的情况。

于 2009-03-25T04:00:44.723 回答