Java에서 문자 배열을 바이트 배열로 변환하고 싶습니다. 이 변환을 위해 어떤 방법이 있습니까?
답변
char[] ch = ?
new String(ch).getBytes();
또는
new String(ch).getBytes("UTF-8");
기본이 아닌 문자 집합을 가져옵니다.
업데이트 : Java 7부터new String(ch).getBytes(StandardCharsets.UTF_8);
답변
String
개체 를 만들지 않고 변환 :
import java.nio.CharBuffer;
import java.nio.ByteBuffer;
import java.util.Arrays;
byte[] toBytes(char[] chars) {
CharBuffer charBuffer = CharBuffer.wrap(chars);
ByteBuffer byteBuffer = Charset.forName("UTF-8").encode(charBuffer);
byte[] bytes = Arrays.copyOfRange(byteBuffer.array(),
byteBuffer.position(), byteBuffer.limit());
Arrays.fill(byteBuffer.array(), (byte) 0); // clear sensitive data
return bytes;
}
용법:
char[] chars = {'0', '1', '2', '3', '4', '5', '6', '7', '8', '9'};
byte[] bytes = toBytes(chars);
/* do something with chars/bytes */
Arrays.fill(chars, '\u0000'); // clear sensitive data
Arrays.fill(bytes, (byte) 0); // clear sensitive data
솔루션은 비밀번호를 char []에 저장하라는 Swing 권장 사항에서 영감을 얻었습니다. ( 암호의 경우 char []이 String보다 선호되는 이유는 무엇입니까?를 참조하십시오 . )
중요한 데이터를 로그에 쓰지 말고 JVM이 이에 대한 참조를 보유하지 않도록하십시오.
위의 코드는 정확하지만 효과적이지 않습니다. 성능은 필요하지 않지만 보안을 원하는 경우 사용할 수 있습니다. 보안도 목표가 아니라면 간단히 수행하십시오 String.getBytes
. 위의 코드 encode
는 JDK 의 구현을 살펴보면 효과적이지 않습니다 . 게다가 배열을 복사하고 버퍼를 만들어야합니다. 변환하는 또 다른 방법은 모든 코드를 인라인하는 것 encode
입니다 ( UTF-8 예제 ) :
val xs: Array[Char] = "A ß € 嗨 𝄞 🙂".toArray
val len = xs.length
val ys: Array[Byte] = new Array(3 * len) // worst case
var i = 0; var j = 0 // i for chars; j for bytes
while (i < len) { // fill ys with bytes
val c = xs(i)
if (c < 0x80) {
ys(j) = c.toByte
i = i + 1
j = j + 1
} else if (c < 0x800) {
ys(j) = (0xc0 | (c >> 6)).toByte
ys(j + 1) = (0x80 | (c & 0x3f)).toByte
i = i + 1
j = j + 2
} else if (Character.isHighSurrogate(c)) {
if (len - i < 2) throw new Exception("overflow")
val d = xs(i + 1)
val uc: Int =
if (Character.isLowSurrogate(d)) {
Character.toCodePoint(c, d)
} else {
throw new Exception("malformed")
}
ys(j) = (0xf0 | ((uc >> 18))).toByte
ys(j + 1) = (0x80 | ((uc >> 12) & 0x3f)).toByte
ys(j + 2) = (0x80 | ((uc >> 6) & 0x3f)).toByte
ys(j + 3) = (0x80 | (uc & 0x3f)).toByte
i = i + 2 // 2 chars
j = j + 4
} else if (Character.isLowSurrogate(c)) {
throw new Exception("malformed")
} else {
ys(j) = (0xe0 | (c >> 12)).toByte
ys(j + 1) = (0x80 | ((c >> 6) & 0x3f)).toByte
ys(j + 2) = (0x80 | (c & 0x3f)).toByte
i = i + 1
j = j + 3
}
}
// check
println(new String(ys, 0, j, "UTF-8"))
Scala 언어를 사용하여 실례합니다. 이 코드를 Java로 변환하는 데 문제가 있으면 다시 작성할 수 있습니다. 성능은 항상 실제 데이터를 확인합니다 (예 : JMH 사용). 이 코드는 JDK [ 2 ] 및 Protobuf [ 3 ] 에서 볼 수있는 것과 매우 유사합니다 .
답변
편집 : Andrey의 답변이 업데이트되어 다음이 더 이상 적용되지 않습니다.
Andrey의 답변 (작성 당시 가장 많이 득표 한 답변)은 약간 잘못되었습니다. 나는 이것을 주석으로 추가했을 것이지만 충분히 평판이 좋지는 않습니다.
Andrey의 대답에서 :
char[] chars = {'c', 'h', 'a', 'r', 's'}
byte[] bytes = Charset.forName("UTF-8").encode(CharBuffer.wrap(chars)).array();
array () 호출은 원하는 값을 반환하지 않을 수 있습니다. 예를 들면 다음과 같습니다.
char[] c = "aaaaaaaaaa".toCharArray();
System.out.println(Arrays.toString(Charset.forName("UTF-8").encode(CharBuffer.wrap(c)).array()));
산출:
[97, 97, 97, 97, 97, 97, 97, 97, 97, 97, 0]
보시다시피 0 바이트가 추가되었습니다. 이를 방지하려면 다음을 사용하십시오.
char[] c = "aaaaaaaaaa".toCharArray();
ByteBuffer bb = Charset.forName("UTF-8").encode(CharBuffer.wrap(c));
byte[] b = new byte[bb.remaining()];
bb.get(b);
System.out.println(Arrays.toString(b));
산출:
[97, 97, 97, 97, 97, 97, 97, 97, 97, 97]
대답은 암호 사용에 대해서도 언급했듯이 ByteBuffer를 지원하는 배열을 비울 가치가있을 수 있습니다 (array () 함수를 통해 액세스 됨).
ByteBuffer bb = Charset.forName("UTF-8").encode(CharBuffer.wrap(c));
byte[] b = new byte[bb.remaining()];
bb.get(b);
blankOutByteArray(bb.array());
System.out.println(Arrays.toString(b));
답변
private static byte[] charArrayToByteArray(char[] c_array) {
byte[] b_array = new byte[c_array.length];
for(int i= 0; i < c_array.length; i++) {
b_array[i] = (byte)(0xFF & (int)c_array[i]);
}
return b_array;
}
답변
방법을 만들 수 있습니다.
public byte[] toBytes(char[] data) {
byte[] toRet = new byte[data.length];
for(int i = 0; i < toRet.length; i++) {
toRet[i] = (byte) data[i];
}
return toRet;
}
도움이 되었기를 바랍니다