1

在我的 c++ 程序中,我正在使用 debian linux 的 uuid 包生成一个 uuid 值,它返回一个大小为 16 的无符号字符数组,它是 uuid_t 类型的。然后我将其转换为字符串并将其打印到控制台。

然后我获取相同的字节数组并通过网络将其发送到 Windows 机器。Windows 机器使用 .net 的 GUID 类型,并使用相同的字节数组创建 GUID 对象。然后我使用 GUID 的 ToString 方法再次将其打印到控制台。令人惊讶的是,相同的字节数组在 Linux 和 .Net 下具有不同的字符串表示形式,尽管它们几乎相似。

这是一个例子:

字节数组:

101,208,176,173,236,192,64,86,191,214,132,2,213,232,143,247

Linux:65d0b0ad-ecc0-4056-bfd6-8402d5e88ff7

.NET:adb0d065-c0ec-5640-bfd6-8402d5e88ff7

您可能会注意到它们非常相似,最后一部分是相同的,第一部分使用相同的数字,只是数字的顺序不同。我按照上面解释的方式创建的每个 UUID 都遵循相同的模式,这让我认为存在字节顺序差异。

如何在 linux 中创建 UUID 值并使用相同的字节数组具有相同的字符串表示。

4

2 回答 2

2

根据消息和消息,问题实际上在于对 GUID/UUID 应该是 Big-Endian 还是 Little-Endian 的不同理解。看起来微软的实现将它们视为大端(至少在英特尔平台上),但uuid_unparse似乎是小端。Wiki说 GUID(这是 Microsoft 的 UUID)遵循RFC 4122,第 4.1.2 节,这似乎要求 Big-Endian 排序。

因此,这是实现之间的明显不一致。作为一种解决方法,我建议以字符串格式在系统之间交换数据,这在两个系统之间似乎是一致的。

于 2012-06-04T11:01:27.937 回答
0

不幸的是,您不能拥有相同的字节数组并生成Guid.ToString与 Linux 字符串匹配的字符串。

您需要决定优先考虑哪一个:

var dotNetGuid = new Guid(new byte[] { 101, 208, 176, 173, 236, 192, 64, 86,
                                       191, 214, 132, 2, 213, 232, 143, 247 });

// option 1 - keep the existing guid's byte array intact
//            and create a new ToUnixString method to display it as-required

Console.WriteLine(dotNetGuid.ToString());      // adb0d065-c0ec-5640-bfd6-8402d5e88ff7
Console.WriteLine(dotNetGuid.ToUnixString());  // 65d0b0ad-ecc0-4056-bfd6-8402d5e88ff7

// option 2 - create a new guid by re-arranging the existing guid's byte array
//            and then use the standard ToString method

var unixGuid = dotNetGuid.ChangeByteOrder();
Console.WriteLine(dotNetGuid.ToString());  // adb0d065-c0ec-5640-bfd6-8402d5e88ff7
Console.WriteLine(unixGuid.ToString());    // 65d0b0ad-ecc0-4056-bfd6-8402d5e88ff7

// ...

public static class GuidExtensions
{
    public static string ToUnixString(this Guid guid,
        string format = "D", IFormatProvider provider = null)
    {
        return guid.ChangeByteOrder().ToString(format, provider);
    }

    public static Guid ChangeByteOrder(this Guid guid)
    {
        var s = guid.ToByteArray();
        var d = new byte[]
                    {
                        s[3], s[2], s[1], s[0], s[5], s[4], s[7], s[6],
                        s[8], s[9], s[10], s[11], s[12], s[13], s[14], s[15]
                    };

        return new Guid(d);
    }
}
于 2012-06-01T14:00:06.240 回答