0

如果我们有一个 POD 结构说 A,我这样做:

char* ptr = reinterpret_cast<char*>(A);
char buf[20];
for (int i =0;i<20; ++i)
   buf[i] = ptr[i];
network_send(buf,..);

如果接收端远程框不一定是相同的硬件或操作系统,我可以安全地执行此操作以“反序列化”:

void onRecieve(..char* buf,..) {
  A* result = reinterpret_cast<A*>(buf); // given same bytes in same order from the sending end

“结果”会一直有效吗?C++ 标准规定 POD 结构,reinterpret_cast 的结果应该指向第一个成员,但这是否意味着实际的字节顺序也正确,即使接收端是不同的平台?

4

2 回答 2

1

你不能。您只能将“向下”转换为char*,而永远不能返回对象指针:

  Source                  Destination
     \                         /
      \                       /
       V                     V
 read as char* ---> write as if to char*

在代码中:

Foo Source;
Foo Destination;

char buf[sizeof(Foo)];

// Serialize:
char const * ps = reinterpret_cast<char const *>(&Source);
std::copy(ps, ps + sizeof(Foo), buf);

// Deserialize:
char * pd = reinterpret_cast<char *>(&Destination);
std::copy(buf, buf + sizeof(Foo), pd);

简而言之:如果你想要一个对象,你必须一个对象。你不能假装一个随机内存位置一个对象,如果它真的不是(即如果它不是所需类型的实际对象的地址)。

于 2012-01-30T05:02:01.537 回答
0

您可以考虑为此使用模板并让编译器为您处理

template<typename T>
struct base_type {
    union {
        T    scalar;
        char bytes[sizeof(T)];
    };
    void serialize(T val, byte* dest) {
        scalar = val;
        if is_big_endian { /* swap bytes and write */ }
        else { /* just write */ }
    }
};
于 2013-06-30T15:56:53.107 回答