このコードを使用してUUIDをバイトに変換しています
public byte[] getIdAsByte(UUID uuid)
{
ByteBuffer bb = ByteBuffer.wrap(new byte[16]);
bb.putLong(uuid.getMostSignificantBits());
bb.putLong(uuid.getLeastSignificantBits());
return bb.array();
}
ただし、この関数を使用してUUIDを再作成しようとすると、
public UUID frombyte(byte[] b)
{
return UUID.nameUUIDFromBytes(b);
}
同じUUIDではありません。 randomUUIDを前後に変換すると、2つの異なる値が返されます。
UUID u = UUID.randomUUID();
System.out.println(u.toString());
System.out.println(frombyte(getIdAsByte(u)).toString());
プリント:
1ae004cf-0f48-469f-8a94-01339afaec41
8b5d1a71-a4a0-3b46-bec3-13ab9ab12e8e
public class UuidUtils {
public static UUID asUuid(byte[] bytes) {
ByteBuffer bb = ByteBuffer.wrap(bytes);
long firstLong = bb.getLong();
long secondLong = bb.getLong();
return new UUID(firstLong, secondLong);
}
public static byte[] asBytes(UUID uuid) {
ByteBuffer bb = ByteBuffer.wrap(new byte[16]);
bb.putLong(uuid.getMostSignificantBits());
bb.putLong(uuid.getLeastSignificantBits());
return bb.array();
}
}
@Test
public void verifyUUIDBytesCanBeReconstructedBackToOriginalUUID() {
UUID u = UUID.randomUUID();
byte[] uBytes = UuidUtils.asBytes(u);
UUID u2 = UuidUtils.asUuid(uBytes);
Assert.assertEquals(u, u2);
}
@Test
public void verifyNameUUIDFromBytesMethodDoesNotRecreateOriginalUUID() {
UUID u = UUID.randomUUID();
byte[] uBytes = UuidUtils.asBytes(u);
UUID u2 = UUID.nameUUIDFromBytes(uBytes);
Assert.assertNotEquals(u, u2);
}
これは、nameUUIDFromBytes
が特定の種類のUUIDを構築するためです(javadocに記載されています)。
byte []をUUIDに戻す場合は、UUIDコンストラクターを使用する必要があります。 ByteBufferをbyte []でラップし、2つのlongを読み取り、それらをUUIDコンストラクターに渡します。