5

正如标题所说,我该怎么做?它很容易从字符串 -> 字节 -> 字符串二进制转换,但是我如何转换回来?下面是一个例子。输出是:'f'到二进制:01100110 294984

我在某处读到我可以使用 Integer.parseInt 但显然情况并非如此:(或者我做错了什么?

谢谢, :)

public class main{
    public static void main(String[] args) {

         String s = "f";
          byte[] bytes = s.getBytes();
          StringBuilder binary = new StringBuilder();
          for (byte b : bytes)
          {
             int val = b;
             for (int i = 0; i < 8; i++)
             {
                binary.append((val & 128) == 0 ? 0 : 1);
                val <<= 1;
             }
             binary.append(' ');
          }
          System.out.println("'" + s + "' to binary: " + binary);

        System.out.println(Integer.parseInt("01100110", 2));
    }
}
4

3 回答 3

14

您可以使用Byte.parseByte()基数 2:

byte b = Byte.parseByte(str, 2);

使用您的示例:

System.out.println(Byte.parseByte("01100110", 2));
102
于 2013-09-03T19:30:49.040 回答
1

您可以将其解析为以 2 为底的整数,然后转换为字节数组。在您的示例中,您有 16 位,您也可以使用 short。

short a = Short.parseShort(b, 2);
ByteBuffer bytes = ByteBuffer.allocate(2).putShort(a);

byte[] array = bytes.array();

以防万一你需要它Very Big String.

String b = "0110100001101001";
byte[] bval = new BigInteger(b, 2).toByteArray();
于 2013-09-03T19:35:22.120 回答
0

我是这样做的,转换了一个字符串 s -> byte[] 然后使用 Integer.toBinaryString 来获取 binaryStringRep。我通过使用 Byte.parseByte 将 bianryStringRep 转换为 byte 并使用 String(newByte[]) 将 byte[] 转换为 String 来转换 bianryStringRep!希望它可以帮助其他人,然后是我!^^

public class main{
    public static void main(String[] args) throws UnsupportedEncodingException {

         String s = "foo";
          byte[] bytes = s.getBytes();
          byte[] newBytes = new byte[s.getBytes().length];
          for(int i = 0; i < bytes.length; i++){
              String binaryStringRep = String.format("%8s", Integer.toBinaryString(bytes[i] & 0xFF)).replace(' ', '0');
              byte newByte = Byte.parseByte(binaryStringRep, 2);
              newBytes[i] = newByte;
          }

        String str = new String(newBytes, "UTF-8");
        System.out.println(str);
    }
}
于 2013-09-04T19:26:36.793 回答