4

我正在尝试将字节值转换为二进制以进行数据传输。基本上,我在字节数组中以二进制形式(“10101100”)发送一个像“AC”这样的值,其中“10101100”是一个字节。我希望能够接收这个字节并将其转换回“10101100”。到目前为止,我根本没有成功,真的不知道从哪里开始。任何帮助都会很棒。

编辑:对不起,我没有意识到我忘记添加具体细节的所有混乱。

基本上我需要使用字节数组通过套接字连接发送二进制值。我可以这样做,但我不知道如何转换这些值并使它们正确显示。这是一个例子:

我需要发送十六进制值 ACDE48 并能够将其解释回来。根据文档,我必须通过以下方式将其转换为二进制:byte [] b={10101100,11011110,01001000},其中数组中的每个位置都可以保存 2 个值。然后,我需要在发送和接收这些值后将它们转换回来。我不知道该怎么做。

4

3 回答 3

17
String toBinary( byte[] bytes )
{
    StringBuilder sb = new StringBuilder(bytes.length * Byte.SIZE);
    for( int i = 0; i < Byte.SIZE * bytes.length; i++ )
        sb.append((bytes[i / Byte.SIZE] << i % Byte.SIZE & 0x80) == 0 ? '0' : '1');
    return sb.toString();
}

byte[] fromBinary( String s )
{
    int sLen = s.length();
    byte[] toReturn = new byte[(sLen + Byte.SIZE - 1) / Byte.SIZE];
    char c;
    for( int i = 0; i < sLen; i++ )
        if( (c = s.charAt(i)) == '1' )
            toReturn[i / Byte.SIZE] = (byte) (toReturn[i / Byte.SIZE] | (0x80 >>> (i % Byte.SIZE)));
        else if ( c != '0' )
            throw new IllegalArgumentException();
    return toReturn;
}

还有一些更简单的方法来处理这个问题(假设大端)。

Integer.parseInt(hex, 16);
Integer.parseInt(binary, 2);

Integer.toHexString(byte).subString((Integer.SIZE - Byte.SIZE) / 4);
Integer.toBinaryString(byte).substring(Integer.SIZE - Byte.SIZE);
于 2012-07-17T19:16:08.670 回答
2

要将十六进制转换为二进制,您可以使用 BigInteger 来简化代码。

public static void sendHex(OutputStream out, String hexString) throws IOException {
    byte[] bytes = new BigInteger("0" + hexString, 16).toByteArray();
    out.write(bytes, 1, bytes.length-1);
}

public static String readHex(InputStream in, int byteCount) throws IOException {
    byte[] bytes = new byte[byteCount+1];
    bytes[0] = 1;
    new DataInputStream(in).readFully(bytes, 1, byteCount);
    return new BigInteger(0, bytes).toString().substring(1);
}

字节以二进制形式发送,无需翻译。事实上,它是唯一不需要某种形式的编码的类型。因此,没有什么可做的。

用二进制写入一个字节

OutputStream out = ...
out.write(byteValue);

InputStream in = ...
int n = in.read();
if (n >= 0) {
   byte byteValue = (byte) n;
于 2012-07-17T19:04:03.433 回答
1

@LINEMAN78s 解决方案的替代方案是:

public byte[] getByteByString(String byteString){
    return new BigInteger(byteString, 2).toByteArray();
}

public String getStringByByte(byte[] bytes){
    StringBuilder ret  = new StringBuilder();
    if(bytes != null){
        for (byte b : bytes) {
            ret.append(Integer.toBinaryString(b & 255 | 256).substring(1));
        }
    }
    return ret.toString();
}
于 2016-11-18T08:53:48.300 回答