두 가지 접근 방식이 있습니다 : shmget
및 mmap
. mmap
더 현대적이고 유연하기 때문에 에 대해 이야기하겠습니다 .하지만 구식 도구를 사용하고 싶다면 man shmget
( 또는이 튜토리얼 )을 살펴볼 수 있습니다 .
이 mmap()
기능은 고도로 사용자 정의 가능한 매개 변수로 메모리 버퍼를 할당하여 액세스 및 권한을 제어하고 필요한 경우 파일 시스템 스토리지로 백업하는 데 사용할 수 있습니다.
다음 함수는 프로세스가 자식과 공유 할 수있는 메모리 내 버퍼를 만듭니다.
#include <stdio.h>
#include <stdlib.h>
#include <sys/mman.h>
void* create_shared_memory(size_t size) {
// Our memory buffer will be readable and writable:
int protection = PROT_READ | PROT_WRITE;
// The buffer will be shared (meaning other processes can access it), but
// anonymous (meaning third-party processes cannot obtain an address for it),
// so only this process and its children will be able to use it:
int visibility = MAP_SHARED | MAP_ANONYMOUS;
// The remaining parameters to `mmap()` are not important for this use case,
// but the manpage for `mmap` explains their purpose.
return mmap(NULL, size, protection, visibility, -1, 0);
}
다음은 위에서 정의한 함수를 사용하여 버퍼를 할당하는 예제 프로그램입니다. 부모 프로세스는 메시지를 쓰고 분기 한 다음 자식이 버퍼를 수정할 때까지 기다립니다. 두 프로세스 모두 공유 메모리를 읽고 쓸 수 있습니다.
#include <string.h>
#include <unistd.h>
int main() {
char parent_message[] = "hello"; // parent process will write this message
char child_message[] = "goodbye"; // child process will then write this one
void* shmem = create_shared_memory(128);
memcpy(shmem, parent_message, sizeof(parent_message));
int pid = fork();
if (pid == 0) {
printf("Child read: %s\n", shmem);
memcpy(shmem, child_message, sizeof(child_message));
printf("Child wrote: %s\n", shmem);
} else {
printf("Parent read: %s\n", shmem);
sleep(1);
printf("After 1s, parent read: %s\n", shmem);
}
}