Skip to content Skip to sidebar Skip to footer

What's The Correct Way To Test For Existence Of A Property On A Javascript Object?

I have a custom Javascript object that I create with new, and assign properties to based on creation arguments: function MyObject(argument) { if (argument) { this.prop

Solution 1:

hasOwnProperty is exactly what you're looking for, since you specify "if the property is explicitly defined for this object, not in the prototype chain". Per https://developer.mozilla.org/en/Core_JavaScript_1.5_Reference/Global_Objects/Object/hasOwnProperty , "This method can be used to determine whether an object has the specified property as a direct property of that object; unlike the in operator, this method does not check down the object's prototype chain." -- seems to exactly match your requirement!

Solution 2:

If you are looking for a property defined in an object, you can use hasOwnProperty method of the object. like this:

myObject = new MyObject();
// some codeif ( myObject.hasOwnProperty('prop') ) {
    // prop exists
}

but this is only to know if such a property is defined in object itself, but not its parents. so if such property is inherited by the object, you can not test its existence like this.

the other way is to test the property against undefined value. like this:

if ( myObject.prop !== undefined ) {
    // prop exists
}

remember to use the !== operator instead of != because != will not differ between null and undefined, but !== does. so if your object has a property but the value is null, != will not help you. so this test:

if ( myObject.prop ) {
}

might have wrong results if "prop" has a false or null value. but by comparing to undefined with !== operator, you can be sure that null/false values will not confuse you.

Solution 3:

You can check the existence of a variable as follows:

if ( typeof variable === 'undefined' || variable === null ) {
    // Do stuff
}

It's also can be used for properties.

Post a Comment for "What's The Correct Way To Test For Existence Of A Property On A Javascript Object?"