Literal Syntax For byte[] arrays using Hex notation..?

后端 未结 4 1970

The compiler seems to be ok with this (single digit hex values only):

byte[] rawbytes={0xa, 0x2, 0xf};

But not this:

byte[]         


        
相关标签:
4条回答
  • 2020-12-05 13:15

    byte is signed and 0xff = 255 is too big. The valid range is (-128 .. 127).

    Example code:

    public static void main(String[] args) {
        byte b = (byte) 0xff;    // = -1
        int i = b;               // = -1
        int j = b & 0xff;        // = 255
    
        System.out.printf("b=%s, i=%s, j=%s", b,i,j);
    }
    
    0 讨论(0)
  • 2020-12-05 13:24

    As the other answered already said, byte is a signed type in Java. The range is from -128 to 127 inclusive. So 0xff is equal to -0x01. You can use 0xff instead of -0x01 if you add a manual cast:

    byte[] rawbytes={0xa, 0x2, (byte) 0xff};
    
    0 讨论(0)
  • 2020-12-05 13:24

    There is one more possibility by declaring a helper function with variable arguments. This may be preferable if you need to declare multiple byte arrays.

    Example code

    public static byte[] toBytes(int... ints) { // helper function
        byte[] result = new byte[ints.length];
        for (int i = 0; i < ints.length; i++) {
            result[i] = (byte) ints[i];
        }
        return result;
    }
    
    public static void main(String... args) {
    
        byte[] rawbytes = toBytes(0xff, 0xfe); // using the helper
    
        for (int i = 0; i < rawbytes.length; i++) {
            System.out.println(rawbytes[i]); // show it works
        }
    }
    
    0 讨论(0)
  • 2020-12-05 13:35

    "0xFF" is an int literal for the decimal value 255, which isn't representable as a byte.

    For now, you'll need to cast it to a byte to tell the compiler you really mean -1, like this:

    byte[] rawbytes = { 0xA, 0x2, (byte) 0xFF };
    

    It was proposed to add a new byte literal syntax (y or Y suffix) to Java 7. Then you would have been able to write:

    byte[] rawbytes = { 0xA, 0x2, 0xFFy };
    

    However, this proposal was not included in the "omnibus proposal for improved integral literals," so we be stuck with the cast forever.

    0 讨论(0)
提交回复
热议问题