在下面的代码中,是否会在子对象中创建互斥锁作为其父对象的副本?因此现在有两个互斥锁的副本——一个在子互斥锁中,一个在父互斥锁中。如何同步?据我所知,您需要一个由多个进程共享的副本才能使其同步。
#include <semaphore.h>
#include <stdio.h>
#include <errno.h>
#include <stdlib.h>
#include <unistd.h>
#include <sys/types.h>
#include <sys/stat.h>
#include <fcntl.h>
#include <sys/mman.h>
int main(int argc, char **argv)
{
int fd, i,count=0,nloop=10,zero=0,*ptr;
sem_t mutex;
//open a file and map it into memory
fd = open("log.txt",O_RDWR|O_CREAT,S_IRWXU);
write(fd,&zero,sizeof(int));
ptr = mmap(NULL,sizeof(int), PROT_READ|PROT_WRITE,MAP_SHARED,fd,0);
close(fd);
/* create, initialize semaphore */
if( sem_init(&mutex,1,1) < 0)
{
perror("semaphore initilization");
exit(0);
}
if (fork() == 0) { /* child process*/
for (i = 0; i < nloop; i++) {
sem_wait(&mutex);
printf("child: %d\n", (*ptr)++);
sem_post(&mutex);
}
exit(0);
}
/* back to parent process */
for (i = 0; i < nloop; i++) {
sem_wait(&mutex);
printf("parent: %d\n", (*ptr)++);
sem_post(&mutex);
}
exit(0);
}
最佳答案
您不能将amutex
与asemaphore
混淆。asemaphore
可能允许多个线程/进程访问一个资源,amutex
只允许一个并发访问一个资源。
如前所述,您需要创建一个named semaphore
来实现跨进程同步。
您必须在父进程中创建semaphore
,access正在子进程中使用sem_open
,以实现同步。