Welcome to OStack Knowledge Sharing Community for programmer and developer-Open, Learning and Share
Welcome To Ask or Share your Answers For Others

Categories

0 votes
513 views
in Technique[技术] by (71.8m points)

java - why I can set primitive types to null in ternary operations

I always thought that primitive types in Java cannot be null, as it is a compile time error if i attempt to do something like this:

int test = null;

However in a ternary operation, it seems to be allowed:

int test = something != 0 ? 5 : null;

Isn't a ternary operation just short for (in this case):

int test;
if (something != 0){
    test = 5;
} else {
    test = null
}

which of course should not be allowed. if that condition fails, It will automaticly throw a NullPointerException due to autoboxing. So why the java-compiler doesn't fetch nonsense like this?

See Question&Answers more detail:os

与恶龙缠斗过久,自身亦成为恶龙;凝视深渊过久,深渊将回以凝视…
Welcome To Ask or Share your Answers For Others

1 Answer

0 votes
by (71.8m points)

What happens is that the Java compiler first tries to make the types of the expressions on either side of the : equal. In this case, it autoboxes the 5 to an Integer; note that null is a valid value for Integer. The result of the whole ternary expression is Integer. You assign that to an int, so the Integer is then autounboxed.

Essentially the compiler applies autoboxing and -unboxing so that the line is going to look like this:

int test = (something != 0 ? Integer.valueOf(5) : null).intValue();

Indeed, autounboxing null leads to a NullPointerException.

So why the java-compiler doesn't fetch nonsense like this?

Because the designers of the Java language defined the language in such a way that it works like this and didn't decide that this has to be treated as an error...

Section 15.25 of the Java Language Specification explains how the type of the whole expression is determined.


与恶龙缠斗过久,自身亦成为恶龙;凝视深渊过久,深渊将回以凝视…
Welcome to OStack Knowledge Sharing Community for programmer and developer-Open, Learning and Share
Click Here to Ask a Question

...