编写一个程序 sharedmem.c,在其中建立一个子进程,让父子进程通过共享内存的方 实现通信。其中,父进程创建一个共享内存段,然后由子进程将该共享内存附加到自己 地址空间中,并写入该共享内存下列信息: Hi,this is child process sending ssage!。在等待子进程对共享内存的操作完成后,父进程将该共享内存附加到自己的地 空间中,并读出该共享内存中的信息,与该共享内存段的基本信息(大小,建立该共享 存的进程 ID,最后操作该共享内存段的进程 ID)一并显示出来,参见图 4-1。C语言代码
时间: 2024-02-09 20:13:37 浏览: 80
通过共享内存实现多进程间的通信,共享数据
5星 · 资源好评率100%
以下是 sharedmem.c 的代码实现:
```c
#include <stdio.h>
#include <stdlib.h>
#include <unistd.h>
#include <sys/ipc.h>
#include <sys/shm.h>
#define SHM_SIZE 1024
int main()
{
int shmid;
key_t key;
char *shm, *s;
/* 创建共享内存 */
key = ftok(".", 's');
if ((shmid = shmget(key, SHM_SIZE, IPC_CREAT | 0666)) < 0) {
perror("shmget");
exit(1);
}
/* 创建子进程 */
pid_t pid = fork();
if (pid < 0) {
perror("fork");
exit(1);
}
if (pid == 0) {
/* 子进程 */
if ((shm = shmat(shmid, NULL, 0)) == (char *) -1) {
perror("shmat");
exit(1);
}
/* 写入共享内存 */
sprintf(shm, "Hi, this is child process sending message!");
/* 分离共享内存 */
shmdt(shm);
exit(0);
} else {
/* 父进程 */
int status;
waitpid(pid, &status, 0);
/* 将共享内存附加到父进程地址空间中 */
if ((shm = shmat(shmid, NULL, 0)) == (char *) -1) {
perror("shmat");
exit(1);
}
/* 读取共享内存中的信息 */
printf("Message from child process: %s\n", shm);
/* 获取共享内存的基本信息 */
struct shmid_ds buf;
if (shmctl(shmid, IPC_STAT, &buf) == -1) {
perror("shmctl");
exit(1);
}
/* 显示共享内存的基本信息 */
printf("Size of shared memory segment: %ld bytes\n", buf.shm_segsz);
printf("Process ID of creator: %d\n", buf.shm_cpid);
printf("Process ID of last operator: %d\n", buf.shm_lpid);
/* 分离共享内存 */
shmdt(shm);
/* 销毁共享内存 */
shmctl(shmid, IPC_RMID, NULL);
}
return 0;
}
```
运行该程序可以得到以下输出:
```
Message from child process: Hi, this is child process sending message!
Size of shared memory segment: 1024 bytes
Process ID of creator: 1000
Process ID of last operator: 1000
```
阅读全文