1

这是我的服务器的代码:

#include <signal.h>
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include <sys/stat.h>
#include <sys/ipc.h>
#include <sys/shm.h>
#include <fcntl.h>
#include <sys/types.h>
#include <unistd.h>
#include <sys/fcntl.h>

#define FIFONAME "fifo_clientTOserver"
#define SHM_SIZE 1024  /* make it a 1K shared memory segment */


int main(int argc, char *argv[])
{

    // create a FIFO named pipe - only if it's not already exists
    if(mkfifo(FIFONAME , 0666) < 0)
    {
        printf("Unable to create a fifo");
        exit(-1);
    }



    /* make the key: */

    key_t key;

    if ((key = ftok("shmdemo.c", 'j')) == -1) {
        perror("ftok");
        exit(1);
    }


    else /* This is not needed, just for success message*/
    {
       printf("ftok success\n");
    }


    // create the shared memory

    int shmid = shmget(key, sizeof(int), S_IRUSR | S_IWUSR | IPC_CREAT);

    if ( 0 > shmid )
    {
        perror("shmget"); /*Displays the error message*/
    }

    else /* This is not needed, just for success message*/
    {
       printf("shmget success!\n");
    }


    // pointer to the shared memory
    char *data = shmat(shmid, NULL, 0);

    /* attach to the segment to get a pointer to it: */
    if (data == (char *)(-1))
    {
        perror("shmat");
        exit(1);
    }


    /**
     *  How to signal to a process :
     *  kill(pid, SIGUSR1);
     */


    return 0;

}

我的服务器需要从共享内存段中读取一个 process-id (type pid_t) 。

如何从共享内存段中读取某些客户端写入的数据?

4

1 回答 1

2

我实际上建议您使用 Posix 共享内存,请参阅shm_overview(7)而不是旧的(并且几乎过时的)System V 共享内存。

如果您想坚持使用shmget(即旧的 System V IPC,请参阅svipc(7) ..),您需要调用shmat(2)

因此,您可能希望data在成功shmat通话后访问您的。您确实对它的类型和大小有一些约定data。您 cpuldstruct my_shared_data_st在某个标头中定义了一个(由客户端和服务器使用),然后您强制(struct my_shared_data_st*)data访问它。

您需要在服务器shmgetshmat客户端进程中都需要。

使用共享内存,您需要某种方式在客户端和服务器之间进行同步(即告诉消费者部分生产者端完成了该数据的生成)。

阅读高级 linux 编程并阅读几遍手册页。

于 2013-05-11T09:03:24.490 回答