如何在提供功能的C#中同时生成具有名称空间和名称作为字符串的确定性GUID / UUID v3 / v5(根据RFC4122,您需要提供名称空间作为GUID和名称作为字符串)提供给功能,所以我想提供两个字符串代替guid代表名称空间,字符串代表GUID / UUID始终具有相同的GUID / UUID(名称空间的字符串和名称字符串)。 使用MD5 / SHA1哈希 namespace 字符串,并使新的Guid by Guid(byte [])构造函数成为完成此操作的安全方法,因此我可以进一步将其提供给函数吗? 我不是在问Guid.TryParse()将类似guid-a的字符串解析为名称空间,而是将任何字符串转换为guid命名空间以进一步为以下功能提供它,但是也具有确定性。 根据{{3}} 和RFC 4122 给定 GUID 名称空间和字符串名称/任何字符串,这就是创建GUID的方式。
/// <summary>
/// Creates a name-based UUID using the algorithm from RFC 4122 §4.3.
/// </summary>
/// <param name="namespaceId">The ID of the namespace.</param>
/// <param name="nameBytes">The name (within that namespace).</param>
/// <param name="version">The version number of the UUID to create; this value must be either
/// 3 (for MD5 hashing) or 5 (for SHA-1 hashing).</param>
/// <returns>A UUID derived from the namespace and name.</returns>
public static Guid Create(Guid namespaceId, byte[] nameBytes, int version)
{
if (version != 3 && version != 5)
throw new ArgumentOutOfRangeException(nameof(version), "version must be either 3 or 5.");
// convert the namespace UUID to network order (step 3)
byte[] namespaceBytes = namespaceId.ToByteArray();
SwapByteOrder(namespaceBytes);
// compute the hash of the namespace ID concatenated with the name (step 4)
byte[] data = namespaceBytes.Concat(nameBytes).ToArray();
byte[] hash;
using (var algorithm = version == 3 ? (HashAlgorithm) MD5.Create() : SHA1.Create())
hash = algorithm.ComputeHash(data);
// most bytes from the hash are copied straight to the bytes of the new GUID (steps 5-7, 9, 11-12)
byte[] newGuid = new byte[16];
Array.Copy(hash, 0, newGuid, 0, 16);
// set the four most significant bits (bits 12 through 15) of the time_hi_and_version field to the appropriate 4-bit version number from Section 4.1.3 (step 8)
newGuid[6] = (byte) ((newGuid[6] & 0x0F) | (version << 4));
// set the two most significant bits (bits 6 and 7) of the clock_seq_hi_and_reserved to zero and one, respectively (step 10)
newGuid[8] = (byte) ((newGuid[8] & 0x3F) | 0x80);
// convert the resulting UUID to local byte order (step 13)
SwapByteOrder(newGuid);
return new Guid(newGuid);
}
答案 0 :(得分:0)
不,您提出的建议无效,因为它从根本上破坏了UUID的工作方式。为您的名称空间使用真实的UUID。
一种方便(有效)的方法是分层名称空间。首先,使用标准DNS名称空间UUID加上您的域名来生成您的根名称空间:
Guid nsDNS = new Guid(“ 6ba7b810-9dad-11d1-80b4-00c04fd430c8”); Guid nsRoot = Guid.Create(nsDNS,“ myapp.example.com”,5);
然后为您的字符串创建一个名称空间UUID:
Guid nsFoo = Guid.Create(nsRoot,“ Foo”,5);
现在您可以使用具有单独名称的新Foo命名空间UUID:
向导栏= Guid.Create(nsFoo,“ Bar”,5);
这样做的好处是,即使其他人的字符串(显然不是域)与您的字符串相同,其他任何人也将获得与您完全不同的UUID,从而避免了在合并数据集时发生冲突的情况,但这是完全确定性的,逻辑和自我记录。
(注意:我从未真正使用过C#,因此,如果我的语法略有错误,请随时进行编辑。我认为模式很清楚。)