Convert Byte to binary in Java

前端 未结 3 1743
抹茶落季
抹茶落季 2020-12-10 19:30

I am trying to convert a byte value to binary for data transfer. Basically, I am sending a value like \"AC\" in binary (\"10101100\") in a byte array where \"10101100\" is a

相关标签:
3条回答
  • 2020-12-10 20:04
    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;
    }
    

    There are some simpler ways to handle this also (assumes big endian).

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

    and

    Integer.toHexString(byte).subString((Integer.SIZE - Byte.SIZE) / 4);
    Integer.toBinaryString(byte).substring(Integer.SIZE - Byte.SIZE);
    
    0 讨论(0)
  • 2020-12-10 20:15

    Alternative to @LINEMAN78s solution is:

    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();
    }
    
    0 讨论(0)
  • 2020-12-10 20:24

    For converting hexidecimal into binary, you can use BigInteger to simplify your code.

    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);
    }
    

    Bytes are sent as binary without translation. It fact its the only type which doesn't require some form of encoding. As such there is nothing to do.

    To write a byte in binary

    OutputStream out = ...
    out.write(byteValue);
    
    InputStream in = ...
    int n = in.read();
    if (n >= 0) {
       byte byteValue = (byte) n;
    
    0 讨论(0)
提交回复
热议问题