Para propriedade própria:
var loan = { amount: 150 };
if(Object.prototype.hasOwnProperty.call(loan, "amount"))
{
//will execute
}
Nota: usar Object.prototype.hasOwnProperty é melhor que loan.hasOwnProperty (..), caso um hasOwnProperty personalizado seja definido na cadeia de protótipos (que não é o caso aqui), como
var foo = {
hasOwnProperty: function() {
return false;
},
bar: 'Here be dragons'
};
// https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Object/hasOwnProperty
Para incluir propriedades herdadas na descoberta, use o operador in : (mas você deve colocar um objeto no lado direito de 'in', valores primitivos gerarão erros; por exemplo, 'length' em 'home' gerará erros, mas 'length' na nova String ('home') não)
const yoshi = { skulk: true };
const hattori = { sneak: true };
const kuma = { creep: true };
if ("skulk" in yoshi)
console.log("Yoshi can skulk");
if (!("sneak" in yoshi))
console.log("Yoshi cannot sneak");
if (!("creep" in yoshi))
console.log("Yoshi cannot creep");
Object.setPrototypeOf(yoshi, hattori);
if ("sneak" in yoshi)
console.log("Yoshi can now sneak");
if (!("creep" in hattori))
console.log("Hattori cannot creep");
Object.setPrototypeOf(hattori, kuma);
if ("creep" in hattori)
console.log("Hattori can now creep");
if ("creep" in yoshi)
console.log("Yoshi can also creep");
// https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Operators/in
Nota: Pode-se tentar usar typeof e [] property accessor como o código a seguir, que nem sempre funciona ...
var loan = { amount: 150 };
loan.installment = undefined;
if("installment" in loan) // correct
{
// will execute
}
if(typeof loan["installment"] !== "undefined") // incorrect
{
// will not execute
}
hasOwnProperty
método for sobrescrito, você poderá confiar noObject.prototype.hasOwnProperty.call(object, property)
."