UUID를 데이터베이스 키로 사용하는 실험을 해왔습니다. UUID 표현을 사람이 읽을 수 있도록 유지하면서 가능한 한 최소한의 바이트를 사용하고 싶습니다.
base64를 사용하여 22 바이트로 줄였고 내 목적을 위해 저장하는 데 불필요 해 보이는 “==”후행을 제거했다고 생각합니다. 이 접근 방식에 결함이 있습니까?
기본적으로 내 테스트 코드는 UUID를 22 바이트 문자열로 낮추기 위해 여러 번의 변환을 수행 한 다음 다시 UUID로 변환합니다.
import java.io.IOException;
import java.util.UUID;
public class UUIDTest {
public static void main(String[] args){
UUID uuid = UUID.randomUUID();
System.out.println("UUID String: " + uuid.toString());
System.out.println("Number of Bytes: " + uuid.toString().getBytes().length);
System.out.println();
byte[] uuidArr = asByteArray(uuid);
System.out.print("UUID Byte Array: ");
for(byte b: uuidArr){
System.out.print(b +" ");
}
System.out.println();
System.out.println("Number of Bytes: " + uuidArr.length);
System.out.println();
try {
// Convert a byte array to base64 string
String s = new sun.misc.BASE64Encoder().encode(uuidArr);
System.out.println("UUID Base64 String: " +s);
System.out.println("Number of Bytes: " + s.getBytes().length);
System.out.println();
String trimmed = s.split("=")[0];
System.out.println("UUID Base64 String Trimmed: " +trimmed);
System.out.println("Number of Bytes: " + trimmed.getBytes().length);
System.out.println();
// Convert base64 string to a byte array
byte[] backArr = new sun.misc.BASE64Decoder().decodeBuffer(trimmed);
System.out.print("Back to UUID Byte Array: ");
for(byte b: backArr){
System.out.print(b +" ");
}
System.out.println();
System.out.println("Number of Bytes: " + backArr.length);
byte[] fixedArr = new byte[16];
for(int i= 0; i<16; i++){
fixedArr[i] = backArr[i];
}
System.out.println();
System.out.print("Fixed UUID Byte Array: ");
for(byte b: fixedArr){
System.out.print(b +" ");
}
System.out.println();
System.out.println("Number of Bytes: " + fixedArr.length);
System.out.println();
UUID newUUID = toUUID(fixedArr);
System.out.println("UUID String: " + newUUID.toString());
System.out.println("Number of Bytes: " + newUUID.toString().getBytes().length);
System.out.println();
System.out.println("Equal to Start UUID? "+newUUID.equals(uuid));
if(!newUUID.equals(uuid)){
System.exit(0);
}
} catch (IOException e) {
}
}
public static byte[] asByteArray(UUID uuid) {
long msb = uuid.getMostSignificantBits();
long lsb = uuid.getLeastSignificantBits();
byte[] buffer = new byte[16];
for (int i = 0; i < 8; i++) {
buffer[i] = (byte) (msb >>> 8 * (7 - i));
}
for (int i = 8; i < 16; i++) {
buffer[i] = (byte) (lsb >>> 8 * (7 - i));
}
return buffer;
}
public static UUID toUUID(byte[] byteArray) {
long msb = 0;
long lsb = 0;
for (int i = 0; i < 8; i++)
msb = (msb << 8) | (byteArray[i] & 0xff);
for (int i = 8; i < 16; i++)
lsb = (lsb << 8) | (byteArray[i] & 0xff);
UUID result = new UUID(msb, lsb);
return result;
}
}
산출:
UUID String: cdaed56d-8712-414d-b346-01905d0026fe
Number of Bytes: 36
UUID Byte Array: -51 -82 -43 109 -121 18 65 77 -77 70 1 -112 93 0 38 -2
Number of Bytes: 16
UUID Base64 String: za7VbYcSQU2zRgGQXQAm/g==
Number of Bytes: 24
UUID Base64 String Trimmed: za7VbYcSQU2zRgGQXQAm/g
Number of Bytes: 22
Back to UUID Byte Array: -51 -82 -43 109 -121 18 65 77 -77 70 1 -112 93 0 38 -2 0 38
Number of Bytes: 18
Fixed UUID Byte Array: -51 -82 -43 109 -121 18 65 77 -77 70 1 -112 93 0 38 -2
Number of Bytes: 16
UUID String: cdaed56d-8712-414d-b346-01905d0026fe
Number of Bytes: 36
Equal to Start UUID? true
답변
이 응용 프로그램에서 패딩 “==”을 안전하게 삭제할 수 있습니다. base-64 텍스트를 다시 바이트로 디코딩하는 경우 일부 라이브러리는 해당 텍스트가있을 것으로 예상하지만 결과 문자열을 키로 사용하기 때문에 문제가되지 않습니다.
인코딩 문자가 URL에 안전 할 수 있고 횡설수설처럼 보이지 않기 때문에 Base-64를 사용합니다. 하지만 Base-85도 있습니다. 더 많은 기호와 코드를 4 바이트를 5 자로 사용하므로 텍스트를 20 자까지 줄일 수 있습니다.
답변
저도 비슷한 일을하려고했습니다. 나는 (Java 6fcb514b-b878-4c9d-95b7-8dc3a7ce6fd8
의 표준 UUID lib로 생성되는) 형식의 UUID를 사용하는 Java 응용 프로그램으로 작업하고 있습니다. 제 경우에는이 UUID를 30 자 이하로 줄일 수 있어야했습니다. 나는 Base64를 사용했고 이것들은 내 편의 기능입니다. 해결책이 당장 분명하지 않았기 때문에 누군가에게 도움이되기를 바랍니다.
용법:
String uuid_str = "6fcb514b-b878-4c9d-95b7-8dc3a7ce6fd8";
String uuid_as_64 = uuidToBase64(uuid_str);
System.out.println("as base64: "+uuid_as_64);
System.out.println("as uuid: "+uuidFromBase64(uuid_as_64));
산출:
as base64: b8tRS7h4TJ2Vt43Dp85v2A
as uuid : 6fcb514b-b878-4c9d-95b7-8dc3a7ce6fd8
기능 :
import org.apache.commons.codec.binary.Base64;
private static String uuidToBase64(String str) {
Base64 base64 = new Base64();
UUID uuid = UUID.fromString(str);
ByteBuffer bb = ByteBuffer.wrap(new byte[16]);
bb.putLong(uuid.getMostSignificantBits());
bb.putLong(uuid.getLeastSignificantBits());
return base64.encodeBase64URLSafeString(bb.array());
}
private static String uuidFromBase64(String str) {
Base64 base64 = new Base64();
byte[] bytes = base64.decodeBase64(str);
ByteBuffer bb = ByteBuffer.wrap(bytes);
UUID uuid = new UUID(bb.getLong(), bb.getLong());
return uuid.toString();
}
답변
내 코드는 다음과 같습니다. org.apache.commons.codec.binary.Base64를 사용하여 길이가 22 자 (UUID와 고유성이 동일 함) 인 URL 안전 고유 문자열을 생성합니다.
private static Base64 BASE64 = new Base64(true);
public static String generateKey(){
UUID uuid = UUID.randomUUID();
byte[] uuidArray = KeyGenerator.toByteArray(uuid);
byte[] encodedArray = BASE64.encode(uuidArray);
String returnValue = new String(encodedArray);
returnValue = StringUtils.removeEnd(returnValue, "\r\n");
return returnValue;
}
public static UUID convertKey(String key){
UUID returnValue = null;
if(StringUtils.isNotBlank(key)){
// Convert base64 string to a byte array
byte[] decodedArray = BASE64.decode(key);
returnValue = KeyGenerator.fromByteArray(decodedArray);
}
return returnValue;
}
private static byte[] toByteArray(UUID uuid) {
byte[] byteArray = new byte[(Long.SIZE / Byte.SIZE) * 2];
ByteBuffer buffer = ByteBuffer.wrap(byteArray);
LongBuffer longBuffer = buffer.asLongBuffer();
longBuffer.put(new long[] { uuid.getMostSignificantBits(), uuid.getLeastSignificantBits() });
return byteArray;
}
private static UUID fromByteArray(byte[] bytes) {
ByteBuffer buffer = ByteBuffer.wrap(bytes);
LongBuffer longBuffer = buffer.asLongBuffer();
return new UUID(longBuffer.get(0), longBuffer.get(1));
}
답변
거의 정확히이 작업을 수행하는 응용 프로그램이 있습니다. 22 자로 인코딩 된 UUID. 잘 작동합니다. 그러나 내가 이렇게하는 주된 이유는 ID가 웹 앱의 URI에 노출되어 있고 URI에 표시되는 항목의 경우 36자가 실제로 상당히 큽니다. 22자는 여전히 길지만 우리는 그렇게합니다.
이를위한 Ruby 코드는 다음과 같습니다.
# Make an array of 64 URL-safe characters
CHARS64 = ("a".."z").to_a + ("A".."Z").to_a + ("0".."9").to_a + ["-", "_"]
# Return a 22 byte URL-safe string, encoded six bits at a time using 64 characters
def to_s22
integer = self.to_i # UUID as a raw integer
rval = ""
22.times do
c = (integer & 0x3F)
rval += CHARS64[c]
integer = integer >> 6
end
return rval.reverse
end
base64가 URI 경로 구성 요소에 나타나면 이스케이프해야하는 문자를 사용하기 때문에 base64 인코딩과 정확히 동일하지 않습니다. Java 구현은 실제로 큰 정수 대신 원시 바이트 배열을 가질 가능성이 높기 때문에 상당히 다를 수 있습니다.
답변
어떤 DBMS를 사용하고 있는지 말하지 않지만 공간 절약에 관심이 있다면 RAW가 가장 좋은 방법 인 것 같습니다. 모든 쿼리에 대해 변환하는 것을 기억하면됩니다. 그렇지 않으면 성능이 크게 저하 될 위험이 있습니다.
그러나 나는 물어야한다 : 당신이 사는 곳에서 바이트가 정말로 그렇게 비싸냐?
답변
다음은 java.util.Base64
JDK8에 도입 된 예입니다 .
import java.nio.ByteBuffer;
import java.util.Base64;
import java.util.Base64.Encoder;
import java.util.UUID;
public class Uuid64 {
private static final Encoder BASE64_URL_ENCODER = Base64.getUrlEncoder().withoutPadding();
public static void main(String[] args) {
// String uuidStr = UUID.randomUUID().toString();
String uuidStr = "eb55c9cc-1fc1-43da-9adb-d9c66bb259ad";
String uuid64 = uuidHexToUuid64(uuidStr);
System.out.println(uuid64); //=> 61XJzB_BQ9qa29nGa7JZrQ
System.out.println(uuid64.length()); //=> 22
String uuidHex = uuid64ToUuidHex(uuid64);
System.out.println(uuidHex); //=> eb55c9cc-1fc1-43da-9adb-d9c66bb259ad
}
public static String uuidHexToUuid64(String uuidStr) {
UUID uuid = UUID.fromString(uuidStr);
byte[] bytes = uuidToBytes(uuid);
return BASE64_URL_ENCODER.encodeToString(bytes);
}
public static String uuid64ToUuidHex(String uuid64) {
byte[] decoded = Base64.getUrlDecoder().decode(uuid64);
UUID uuid = uuidFromBytes(decoded);
return uuid.toString();
}
public static byte[] uuidToBytes(UUID uuid) {
ByteBuffer bb = ByteBuffer.wrap(new byte[16]);
bb.putLong(uuid.getMostSignificantBits());
bb.putLong(uuid.getLeastSignificantBits());
return bb.array();
}
public static UUID uuidFromBytes(byte[] decoded) {
ByteBuffer bb = ByteBuffer.wrap(decoded);
long mostSigBits = bb.getLong();
long leastSigBits = bb.getLong();
return new UUID(mostSigBits, leastSigBits);
}
}
Base64로 인코딩 된 UUID는 URL에 안전하며 패딩이 없습니다.
답변
이것은 정확히 당신이 요구 한 것은 아니지만 (Base64가 아님) 유연성이 추가 되었기 때문에 살펴볼 가치가 있습니다. UUID ( https : // github .com / tonsky / compact-uuids ).
몇 가지 하이라이트 :
- 30 % 더 작은 문자열을 생성합니다 (26 자 대 기존 36 자).
- 전체 UUID 범위 (128 비트) 지원
- 인코딩 안전 (ASCII에서 읽을 수있는 문자 만 사용)
- URL / 파일 이름 안전
- 소문자 / 대문자 안전
- 모호한 문자 방지 (i / I / l / L / 1 / O / o / 0)
- 인코딩 된 26 자 문자열의 알파벳순 정렬은 기본 UUID 정렬 순서와 일치합니다.
이것은 다소 좋은 속성입니다. 저는이 인코딩을 데이터베이스 키와 사용자가 볼 수있는 식별자 모두에 내 응용 프로그램에서 사용해 왔으며 매우 잘 작동합니다.