我们为什么用共享内存进行通信呢?同时打开文件进行读写不可以吗?为什么非得使用这些通信方式呢?
一.我们先来看一下一个进程如何开辟一块动态内存,如何创建,连接和销毁呢
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include <sys/shm.h>
#include <unistd.h>
int main() {
int shmid = shmget((key_t)1234, 128, IPC_CREAT | IPC_EXCL | 0600);//这个是开辟一块动态内存,如果已经存在的话返回-1(IPC_EXCL的作用),然后给当前内存赋予权限
if (shmid == -1) {//如果动态内存存在的话,我们去获取它的shmid的值
// printf("shmget error");
// exit(1);
shmid = shmget((key_t)1234, 0, 0600);
}
char *s = (char *)shmat(shmid, NULL, 0);//将当前动态内存的位置赋予给指针s
strcpy(s, "Fuch The Whole World,Fucking World");//用strcpy来将字符串复制给当前位置
printf("%s", s);//将当前的内存存储的字符串打印出来
shmdt(s);//关闭指针对内存空间的指向
shmctl(shmid, IPC_RMID, NULL);//删除当前shmid对应的共享内存
}
二.我们来用一个进程来给共享内存进行“写”操作,另一个进行读的操作
1.用于写入的文件
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include <sys/shm.h>
#include <unistd.h>
int main() {
int shmid = shmget((key_t)1234, 128, IPC_CREAT | IPC_EXCL | 0600);
if (shmid == -1) {
// printf("shmget error");
// exit(1);
shmid = shmget((key_t)1234, 0, 0600);
}
char *s = (char *)shmat(shmid, NULL, 0);
strcpy(s, "Fuch The Whole World,Fucking World");
printf("%s", s);
shmdt(s);
}
2.用于读取的文件
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include <sys/shm.h>
#include <unistd.h>
int main() {
int shmid = shmget((key_t)1234, 128, 0600);
char *s = (char *)shmat(shmid, NULL, 0);
printf("%s", s);
shmdt(s);
}