Reputation: 13672
I read that null
isn't an instanceof
anything, but on the other hand that everything in Java extends Object
class.
Upvotes: 37
Views: 28690
Reputation: 49
Hoping that this example clears your doubt :
public void printObject(Object object) {
System.out.println("object referred");
}
public void printObject(double[] doubleArray) {
System.out.println("Array of type double");
}
public static void main(String[] args) {
JavaNullObjectTest javaNullObjectTest = new JavaNullObjectTest();
javaNullObjectTest.printObject(null); //Array of type double
javaNullObjectTest.printObject((Object)null); //object referred
}
We can but, convert a 'null' to object.
Upvotes: 0
Reputation:
No, it is a reference
. null is not an object
String s = null;
System.out.println(s instanceof Object); // false
Upvotes: 61
Reputation: 500437
In a word, no.
Peter Norvig's Java IAQ addresses this question in some detail (specifically "Q: Is null an Object?")
Upvotes: 11
Reputation: 137587
As the JLS says, null
is of the null type and that is not a reference type. It is however usable in situations where a value of a reference type is expected (the value is really a “bottom” in the type algebra).
Upvotes: 1
Reputation: 2863
There is also a special null type, the type of the expression null, which has no name. Because the null type has no name, it is impossible to declare a variable of the null type or to cast to the null type. The null reference is the only possible value of an expression of null type. The null reference can always be cast to any reference type. In practice, the programmer can ignore the null type and just pretend that null is merely a special literal that can be of any reference type
Upvotes: 5
Reputation: 66263
No, null
is not an object. It is a literal that means that a variable does not reference any object.
Upvotes: 2
Reputation: 68962
Null means that you don't have a reference to an object.
Object o = null;
o is a reference but there is no object referenced and no memory allocated for it.
o = new Object();
o is still a reference and holds the adress where the object is located in memory
Upvotes: 3