8バイトの配列があり、対応する数値に変換したい。
例えば.
byte[] by = new byte[8]; // the byte array is stored in 'by'
// CONVERSION OPERATION
// return the numeric value
上記の変換操作を実行するメソッドが必要です。
最初のバイトが最下位バイトであると仮定します:
long value = 0;
for (int i = 0; i < by.length; i++)
{
value += ((long) by[i] & 0xffL) << (8 * i);
}
最初のバイトが最も重要な場合、それは少し異なります:
long value = 0;
for (int i = 0; i < by.length; i++)
{
value = (value << 8) + (by[i] & 0xff);
}
8バイトを超える場合は、longを BigInteger に置き換えます。
私のエラーを修正してくれたアーロン・ディグラに感謝します。
Buffer
sを Java.nio
パッケージの一部として使用して、変換を実行できます。
ここで、ソースbyte[]
配列の長さは8です。これは、long
値に対応するサイズです。
最初に、byte[]
配列が ByteBuffer
でラップされ、次に ByteBuffer.getLong
メソッドが呼び出されてlong
値が取得されます。
ByteBuffer bb = ByteBuffer.wrap(new byte[] {0, 0, 0, 0, 0, 0, 0, 4});
long l = bb.getLong();
System.out.println(l);
結果
4
コメントでByteBuffer.getLong
メソッドを指摘してくれたdfaに感謝します。
この状況では適用されないかもしれませんが、Buffer
sの美しさは、複数の値を持つ配列を見ることにあります。
たとえば、8バイトの配列があり、それを2つのint
値として表示したい場合、ByteBuffer
配列でbyte[]
配列をラップします。これは IntBuffer
として表示され、 IntBuffer.get
:
ByteBuffer bb = ByteBuffer.wrap(new byte[] {0, 0, 0, 1, 0, 0, 0, 4});
IntBuffer ib = bb.asIntBuffer();
int i0 = ib.get(0);
int i1 = ib.get(1);
System.out.println(i0);
System.out.println(i1);
結果:
1
4
これが8バイトの数値の場合、次を試すことができます。
BigInteger n = new BigInteger(byteArray);
これがUTF-8文字バッファーの場合、次を試すことができます。
BigInteger n = new BigInteger(new String(byteArray, "UTF-8"));
単純に、Googleが提供するguava libを使用または参照することができます。これは、ロング配列とバイト配列間の変換のためのユーティリティメソッドを提供します。私のクライアントコード:
long content = 212000607777l;
byte[] numberByte = Longs.toByteArray(content);
logger.info(Longs.fromByteArray(numberByte));
可変長バイトにBigIntegerを使用することもできます。必要に応じて、Long、Integer、またはShortに変換できます。
new BigInteger(bytes).intValue();
または極性を示すため:
new BigInteger(1, bytes).intValue();
配列との間のすべてのプリミティブ型の完全なJavaコンバーターコード http://www.daniweb.com/code/snippet216874.html
配列内の各セルは、符号なし整数として扱われます。
private int unsignedIntFromByteArray(byte[] bytes) {
int res = 0;
if (bytes == null)
return res;
for (int i=0;i<bytes.length;i++){
res = res | ((bytes[i] & 0xff) << i*8);
}
return res;
}