UNIX IPC SHARED MEMORY

IPC

Shared memory API

Examples

/*
Implement two programs that communicate through a shared memory segment 
containing four integers: a, b, s, and p.
The first program set a and b to some values, 
and the second sets s to the a+b and p to a*b;
*/

// header.h
struct absp {
 int a;
 int b;
 int s;
 int p;
};

//Program A
#include "header.h"

int main() {
 int shmid, k = 0;
 struct absp *x;
 shmid = shmget(1234, sizeof(struct absp), IPC_CREAT | 0600);
 x = shmat(shmid, 0, 0);
 while(1) {
	 x->a = k++ % 100;
	 x->b = k++ % 100;
	 if(x->p == x->s) {
		 break;
	 }
 }
 shmdt(x);
 shmctl(shmid, IPC_RMID, NULL);
 return 0;
}

// Program B
#include "header.h"

int main() {
 int shmid;
 struct absp *x;
 shmid = shmget(1234, 0, 0);
 x = shmat(shmid, 0, 0);
 while(1) {
	 x->s = x->a + x->b;
	 x->p = x->a * x->b;
	 if(x->p == x->s) {
		 break;
	 }
 }
 shmdt(x);
 return 0;
}

/*
a. The programs above will not function in any way close to what we want, 
because we have no mechanisms to ensure they work on the shared memory in turns. 
Instead, they work ignoring the presence of the other.
b. If the two programs are started manually one by one, 
it is likely that program A deletes the shared memory before B is done with it, 
resulting in errors. 
This can happen if A finds p and s being equal simply because 
their value happens to be zero, and then breaks from the loop 
and deletes the shared memory.
c. So, shared memory without synchronization mechanisms is guaranteed 
to cause trouble.
*/

POSIX THREADS (PTHREADS)

Threads

POSIX threads (Pthreads)

PTHREAD ARGUMENT PASSING

SYNCHRONIZATION MECHANISM