使用Thrift通过共享内存进行IPC通信

时间:2014-08-28 10:17:53

标签: shared-memory thrift

我无法找到关于如何通过共享内存使用apache thrift进行ipc通信的充分示例。我的目标是在thrift的帮助下序列化一个现有的类,然后通过共享内存发送到另一个进程,我在thrift的帮助下再次反序列化它。现在我使用TMemoryBuffer和TBinaryProtocol来序列化数据。虽然这有效,但我不知道如何将它写入共享内存。

到目前为止,这是我的代码:

#include "test_types.h"
#include "test_constants.h"
#include "thrift/protocol/TBinaryProtocol.h"
#include "thrift/transport/TBufferTransports.h"

int main(int argc, char** argv)
{
    int shID;
    char* myPtr;
    Person* dieter = new Person("Dieter", "Neuer");
    //Person* johann = new Person("Johann", "Liebert");
    //Car* ford = new Car("KLENW", 4, 4);

    PersonThrift dieterThrift;
    dieterThrift.nachName = dieter->getNachname();
    dieterThrift.vorName = dieter->getVorname();

    boost::shared_ptr<apache::thrift::transport::TMemoryBuffer> transport(new apache::thrift::transport::TMemoryBuffer);
    boost::shared_ptr<apache::thrift::protocol::TBinaryProtocol> protocol(new apache::thrift::protocol::TBinaryProtocol(transport));

    test thriftTest;
    thriftTest.personSet.insert(dieterThrift);

    u_int32_t size = thriftTest.write(protocol.get());



    std::cout << transport.get()->getBufferAsString();

    shID = shmget(1000, 100, IPC_CREAT | 0666);
    if (shID >= 0)
    {
        myPtr = (char*)shmat(shID, 0, 0);

        if (myPtr==(char *)-1)
        {
            perror("shmat");
        }
        else
        {
            //myPtr = protocol.get();
        }
    }
    getchar();
    shmdt(myPtr);
}

主要问题是部分

//myPtr = protocol.get();

我如何使用thrift以便将反序列化的数据写入myPtr(从而进入共享内存)。我猜TMemoryBuffer可能已经是一个坏主意了。正如您所看到的,我对此并不是很有经验。

亲切的问候和提前谢谢

迈克尔

1 个答案:

答案 0 :(得分:1)

再次阅读问题并仔细查看代码......你几乎就在那里。你犯的错误是看协议,它没有给你任何数据。相反,您必须像使用

那样询问运输
std::cout << transport.get()->getBufferAsString();

获取原始数据的方式非常相似,只需使用getBuffer(&pbuf, &sz);即可。使用这个,我们得到这样的东西:

// query buffer pointer and data size
uint8_t* pbuf; 
uint32_t sz; 
transport.get()->getBuffer(&pbuf, &sz);

// alloc shmem blöock of adequate size
shID = shmget(1000, sz, IPC_CREAT | 0666);
if (shID >= 0)
{
    myPtr = (char*)shmat(shID, 0, 0);

    if (myPtr==(char *)-1)
    {
        perror("shmat");
    }
    else
    {
       // copy serialized data into shared memory
        memcpy( myPtr, pbuf, sz);  
    }
}

由于shmget()可能会给你一个比请求更大的块,所以另外使用成帧传输似乎是一个好主意,它会自动携带序列化数据中的实际数据大小。后者的一些示例代码可以在Test Client or server code中找到。