54

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

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

But not this:

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

I get a "Possible Loss of Precision found : int required : byte" error?

What am I doing wrong - or are single digit hex numbers a special case ?

Java 1.5.x.

monojohnny
  • 5,894
  • 16
  • 59
  • 83

4 Answers4

56

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};
Hendrik Brummermann
  • 8,242
  • 3
  • 31
  • 55
15

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
    }
}
Eero Aaltonen
  • 4,239
  • 1
  • 29
  • 41
9

"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.

erickson
  • 265,237
  • 58
  • 395
  • 493
  • 8
    The `y` suffix didn't make it to the Java 7 release. Please remove that part so that it won't confuse the readers. – Natix Feb 06 '13 at 23:12
8

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);
}
jpaugh
  • 6,634
  • 4
  • 38
  • 90
Andreas Dolk
  • 113,398
  • 19
  • 180
  • 268