Ubuntu下Linux进程间通信——共享内存

Ubuntu下Linux进程间通信——共享内存

Linux提供了多种进程间通信的方法,常见有管道(匿名)、FIFO(有名管道)、消息队列、信号量、共享内存,socket通信

Linux进程间通信——匿名管道

Linux进程间通信——FIFO(有名管道)

Linux进程间通信——消息队列

Linux进程间通信——信号量

Linux进程间通信——共享内存

5.共享内存
共享内存是在内存中开辟一段空间,供不同的进程访问。

#include 
#include 
int shmget(key_t key,size_t size,int shmflg);
void *shmat(int shmid,const void *shmaddr,int shmflg);
int shmdt(const void *shmaddr);

shmget()函数用来创建共享内存,key是内存标识,size是共享内存字节数,shmflg是内存操作方式。
shmat()函数是获取共享内存首地址,shmid是共享内存ID。
实例
shm_write.c

#include 
#include 
#include 
#include 
#include 
#include 

int main()
{
    int shmid;
    char *ptr;
    char *shm_str="this is a share memory";
    shmid=shmget(0x90,1024,SHM_W|SHM_R|IPC_CREAT|IPC_EXCL);    //创建共享内存

    if(-1==shmid)
    {
        perror("create share memory");
    }

    ptr=(char*)shmat(shmid,0,0);    //获取共享内存首地址
    if((void *)-1==ptr)
    {
        perror("get share memory");
    }
    strcpy(ptr,shm_str);    //写入数据
    shmdt(ptr);     //分离共享内存

    return 0;
}

shm_read.c

#include 
#include 
#include 
#include 
#include 
#include 

int main()
{
    int shmid;
    char *ptr;
    
    shmid=shmget(0x90,1024,SHM_W|SHM_R|IPC_EXCL);    //根据key获取共享内存ID

    if(-1==shmid)
    {
        perror("create share memory");
    }

    ptr=(char*)shmat(shmid,0,0);    //获取共享内存首地址
    if((void *)-1==ptr)
    {
        perror("get share memory");
    }
    printf("share memory:%s\n",ptr);     //打印数据

    shmdt(ptr);     //分离共享内存
    
    if (shmctl(shmid, IPC_RMID, 0) == -1)     //释放内存
    {
        perror("shmctl(IPC_RMID) failed\n");
		return -1;
    }
    
    return 0;
}

never give up!

你可能感兴趣的:(Linux,linux,嵌入式)