6

我正在尝试编写一个程序,其中子进程在 Linux 上相互通信。

这些进程都是从同一个程序创建的,因此它们共享代码。

我需要他们访问两个整数变量以及一个整数数组。

我不知道共享内存是如何工作的,我搜索过的每一个资源都没有做任何事情,只会让我感到困惑。

任何帮助将不胜感激!

编辑:这是我迄今为止编写的一些代码示例,只是为了共享一个 int,但它可能是错误的。

int segmentId;  
int sharedInt;  
const int shareSize = sizeof(int);  
/* Allocate shared memory segment */  
segmentId = shmget(IPC_PRIVATE, shareSize, S_IRUSR | S_IWUSR);  

/* attach the shared memory segment */    
sharedInt = (int) shmat(segmentId, NULL, 0);  

/* Rest of code will go here */  

/* detach shared memory segment */  
shmdt(sharedInt);  
/* remove shared memory segment */  
shmctl(segmentId, IPC_RMID, NULL);
4

4 回答 4

8

您将需要增加共享内存的大小。你需要多大的阵列?无论它是什么值,您都需要在创建共享内存段之前选择它——动态内存在这里不会很好地工作。

当你附加到共享内存时,你会得到一个指向起始地址的指针。它将充分对齐以用于任何目的。因此,您可以沿着这些行创建指向您的两个变量和数组的指针(从您的代码示例中抄袭一些骨架) - 请注意使用指针来访问共享内存:

enum { ARRAY_SIZE = 1024 * 1024 };
int segmentId;  
int *sharedInt1;
int *sharedInt2;
int *sharedArry;

const int shareSize = sizeof(int) * (2 + ARRAY_SIZE);  
/* Allocate shared memory segment */  
segmentId = shmget(IPC_PRIVATE, shareSize, S_IRUSR | S_IWUSR);  

/* attach the shared memory segment */    
sharedInt1 = (int *) shmat(segmentId, NULL, 0);
sharedInt2 = sharedInt1 + 1;
sharedArry = sharedInt1 + 2;

/* Rest of code will go here */
...fork your child processes...
...the children can use the three pointers to shared memory...
...worry about synchronization...
...you may need to use semaphores too - but they *are* complex...
...Note that pthreads and mutexes are no help with independent processes...  

/* detach shared memory segment */  
shmdt(sharedInt1);  
/* remove shared memory segment */  
shmctl(segmentId, IPC_RMID, NULL);
于 2009-11-04T03:15:22.560 回答
1

从您的评论来看,您似乎正在使用IPC_PRIVATE,这绝对是错误的(“私人”类型暗示它不适合共享,不是吗?-)。尝试类似:

#include <sys/ipc.h>
#include <sys/shm.h>

...

int segid = shmget((key_t)0x0BADDOOD, shareSize, IPC_CREAT);
if (segid < 0) { /* insert error processing here! */ }
int *p = (int*) shmat(segid, 0, 0);
if (!p) { /* insert error processing here! */ }
于 2009-11-04T02:59:56.127 回答
0

本指南看起来很有用:http ://www.cs.cf.ac.uk/Dave/C/node27.html 。它包括一些示例程序。

网上也有Linux 手册页

于 2009-11-04T02:30:52.253 回答
0

共享内存只是一个进程分配的一段内存,具有唯一的 id,另一个进程也会进行分配,具有相同的 id,而内存的大小就是你正在使用的结构的大小,所以您将拥有一个包含 2 个整数和一个整数数组的结构。

现在它们都有一个指向同一内存的指针,因此其中一个的写入将覆盖那里的任何其他内容,而另一个可以立即访问它。

于 2009-11-04T02:31:16.153 回答