如何将UUID转换为大端?

时间:2016-06-08 19:32:33

标签: c++ uuid endianness

我的UUID结构如下:

struct UUID_FIELDS
{
    uint32_t time_low;                
    uint16_t time_mid;                 
    uint16_t time_hi_and_version;      
    uint8_t clock_seq_hi_and_reserved;
    uint8_t clock_seq_low;             
    uint8_t node[6];                   

};

我的函数是swap沿32位边界和swap function沿16位边界交换。我尝试在swap32()上调用time_low,在swap16()time_mid调用time_hi_and_version。我不相信我需要为其余字段交换字节,因为其中两个是8位字段,我已经读过uuid的节点部分没有改变。 Here is a link for that reference.

问题是当我完成交换时,打印的uuid与转换前的小端的uuid不匹配。

RFC-4122标准之后的uuid从little endian转换为big endian的正确方法是什么?当转换时,uuids应该匹配吗?

3 个答案:

答案 0 :(得分:4)

回复:

  

更新:   用小端开始uuid:

446831D3-FBA1-477B-BB07-CB067B00E86B
     

正确交换必要字段的结果:

FBA1477B-31D3-4468-6BE8-007B06CB07BB

这看起来非常错误。我们可以推断,如果交换是正确的并且仅影响32和16位字段,那么在没有交换必要字段的情况下,就是这样:

Original: 446831D3-FBA1-477B-BB07-CB067B00E86B
           |       _______/   |       _______/
            \____ /_______     \____ /______
            _____/        \    _____/       \
           /               |  /              |
Received: 7B47A1FB-D331-6844-6BE8-007B06CB07BB   # "de-swapped".

您在这里看到的是在管道中的某个位置以64位为单位进行字节交换。甚至字节数组也被反转,这表明它可能作为64位加载的一部分加载到某处,这需要进行swap64操作。

答案 1 :(得分:3)

您是否尝试过访问各个字节?

uint8_t packet[4];
uint32_t value;
packet[0] = (value >> 24) & 0xFF;
packet[1] = (value >> 16) & 0xFF;
packet[2] = (value >>  8) & 0xFF;
packet[3] = value & 0xFF;

可能比调用函数更有效。 : - )

注意:上述方法与平台无关。不需要知道value的存储方式。

说明:
packetuint32_t的缓冲区或内存目的地,需要以Big Endian格式存储到缓冲区中(最重要的字节优先)。

表达式(value >> 24)将最高有效字节移位到最低有效(字节)位置。表达式“& 0xff”截断,切断任何无关的值,从而产生无符号的8位值。然后将该值存储在第一个位置的缓冲区中的最高有效位置。

同样为剩余的字节。

答案 2 :(得分:0)

推荐的方法是使用函数htonlhtons表示16位整数)从主机字节顺序转换为网络字节顺序,ntohlntohs对于16位整数)从网络字节顺序转换为主机字节顺序

鉴于以下结构:

struct UUID_FIELDS
{
    uint32_t time_low;                
    uint16_t time_mid;                 
    uint16_t time_hi_and_version;      
    uint8_t clock_seq_hi_and_reserved;
    uint8_t clock_seq_low;             
    uint8_t node[6];                   
};

序列化和反序列化的代码可能如下:

std::string serialize(UUID_FIELDS fields) {
    std::string buffer(sizeof(fields), '\0');

    // convert all fields with size > 1 byte to big endian (network byte order)
    fields.time_low = htonl(fields.time_low);
    fields.time_mid = htons(fields.time_mid);
    fields.time_hi_and_version = htons(fields.time_hi_and_version);

    memcpy(&buffer[0], &fields, sizeof(fields));

    return buffer;
}

UUID_FIELDS deserialize(const std::string& buffer) {
    UUID_FIELDS fields;

    assert(buffer.size() == sizeof(fields));

    memcpy(&fields, &buffer[0], sizeof(fields));

    // convert all fields with size > 1 byte to little endian (maybe) (host byte order)
    fields.time_low = ntohl(fields.time_low);
    fields.time_mid = ntohs(fields.time_mid);
    fields.time_hi_and_version = ntohs(fields.time_hi_and_version);

    return fields;
}

请注意,您必须同意远程端点中的接收方/发送方您以大端方式发送/接收数字。