web-dev-qa-db-ja.com

byte []を別のbyte []の最後に追加する

長さが不明な_byte[]_配列が2つあり、単純に一方を他方の最後に追加したい、つまり:

_byte[] ciphertext = blah;
byte[] mac = blah;
byte[] out = ciphertext + mac;
_

arraycopy()を使用してみましたが、機能しないようです。

30
Mitch

System.arraycopy() を使用すると、次のようなものが機能します。

// create a destination array that is the size of the two arrays
byte[] destination = new byte[ciphertext.length + mac.length];

// copy ciphertext into start of destination (from pos 0, copy ciphertext.length bytes)
System.arraycopy(ciphertext, 0, destination, 0, ciphertext.length);

// copy mac into end of destination (from pos ciphertext.length, copy mac.length bytes)
System.arraycopy(mac, 0, destination, ciphertext.length, mac.length);
59
krock

おそらく最も簡単な方法:

ByteArrayOutputStream output = new ByteArrayOutputStream();

output.write(ciphertext);
output.write(mac);

byte[] out = output.toByteArray();
23
Vadim

outciphertextの長さを合わせた長さのバイト配列としてmacを宣言し、ciphertextを先頭にコピーする必要がありますarraycopyを使用して、outmacの終わりを越えて。

byte[] concatenateByteArrays(byte[] a, byte[] b) {
    byte[] result = new byte[a.length + b.length]; 
    System.arraycopy(a, 0, result, 0, a.length); 
    System.arraycopy(b, 0, result, a.length, b.length); 
    return result;
} 
16
MusiGenesis

他の提供されるソリューションは、2バイトの配列のみを追加したい場合に最適ですが、複数のbyte []チャンクを追加して単一にする場合は、次のようにします。

byte[] readBytes ; // Your byte array .... //for eg. readBytes = "TestBytes".getBytes();

ByteArrayBuffer mReadBuffer = new ByteArrayBuffer(0 ) ; // Instead of 0, if you know the count of expected number of bytes, Nice to input here

mReadBuffer.append(readBytes, 0, readBytes.length); // this copies all bytes from readBytes byte array into mReadBuffer
// Any new entry of readBytes, you can just append here by repeating the same call.

// Finally, if you want the result into byte[] form:
byte[] result = mReadBuffer.buffer();
8
Khulja Sim Sim

最初に、結合した長さの配列を割り当てる必要があります。次に、arraycopyを使用して両方のソースから入力します。

byte[] ciphertext = blah;
byte[] mac = blah;
byte[] out = new byte[ciphertext.length + mac.length];


System.arraycopy(ciphertext, 0, out, 0, ciphertext.length);
System.arraycopy(mac, 0, out, ciphertext.length, mac.length);
6
rsp

複数の配列を連結するために、次の手順を作成しました。

  static public byte[] concat(byte[]... bufs) {
    if (bufs.length == 0)
        return null;
    if (bufs.length == 1)
        return bufs[0];
    for (int i = 0; i < bufs.length - 1; i++) {
        byte[] res = Arrays.copyOf(bufs[i], bufs[i].length+bufs[i + 1].length);
        System.arraycopy(bufs[i + 1], 0, res, bufs[i].length, bufs[i + 1].length);
        bufs[i + 1] = res;
    }
    return bufs[bufs.length - 1];
}

Arrays.copyOfを使用します

3
Singagirl