将字符串分配给byte并在Java的开头指定字符串长度

时间:2012-07-19 23:29:17

标签: java bytearray byte

我想将String数据分配给byte array,并在开头放置一个4字节的字符串数据长度。完成的最佳方法是什么?我需要这个通过套接字连接传输字节数据。服务器端读取开头提到的字节数。

有更好的方法吗?

private byte[] getDataSendBytes(String data) {
    int numberOfDataBytes = data.getBytes().length;

    ByteBuffer bb = ByteBuffer.allocate(HEADER_LENGTH_BYTES);
    bb.putInt(numberOfDataBytes);
    byte[] headerBytes = bb.array();
    byte[] dataBytes = data.getBytes();

    // create a Datagram packet
    byte[] sendDataBytes = new byte[HEADER_LENGTH_BYTES + dataBytes.length];

    System.arraycopy(headerBytes, 0, sendDataBytes, 0, headerBytes.length);
    System.arraycopy(dataBytes, 0, sendDataBytes, headerBytes.length,
            dataBytes.length);
    return sendDataBytes;
}

1 个答案:

答案 0 :(得分:1)

我会使用DataOutputStream

public byte[] getDataSendBytes(String text) {
    ByteArrayOutputStream baos = new ByteArrayOutputStream();
    try {
        new DataOutputStream(baos).writeUTF(text);
    } catch (IOException e) {
        throw new AssertionError(e);
    }
    return baos.toByteArray();
}

或ByteBuffer用于控制长度类型和字节序。

public byte[] getDataSendBytes(String text) {
    try {
        byte[] bytes = text.getBytes("UTF-8");
        ByteBuffer bb = ByteBuffer.allocate(4 + bytes.length).order(ByteOrder.LITTLE_ENDIAN);
        bb.putInt(bytes.length);
        bb.put(bytes);
        return bb.array();
    } catch (UnsupportedEncodingException e) {
        throw new AssertionError(e);
    }
}

或者为了提高性能,重用ByteBuffer并假设ISO-8859-1字符编码

// GC-less method.
public void writeAsciiText(ByteBuffer bb, String text) {
    assert text.length() < (1 << 16);
    bb.putShort((short) text.length());
    for(int i=0;i<text.length();i++)
        bb.put((byte) text.charAt(i));
}