Object.prototype.hasOwnProperty.call()
JavaScript中Object物件原型上的hasOwnProperty()用來判斷一個屬性是定義在物件本身而不是繼承自原型鏈。
obj.hasOwnProperty(prop)
引數 prop
要檢測的屬性 字串 名稱或者Symbol
(ES6)
-
o = new Object();
-
o.prop = 'exists';
-
o.hasOwnProperty('prop'); // 返回 true
-
o.hasOwnProperty('toString'); // 返回 false
-
o.hasOwnProperty('hasOwnProperty'); // 返回 false
使用hasOwnProperty作為某個物件的屬性名
因為javascript沒有將hasOwnProperty作為一個敏感詞,所以我們很有可能將物件的一個屬性命名為hasOwnProperty,這樣一來就無法再使用物件原型的 hasOwnProperty 方法來判斷屬性是否是來自原型鏈。
-
var foo = {
-
hasOwnProperty: function() {
-
return false;
-
},
-
bar: 'Here be dragons'
-
};
-
foo.hasOwnProperty('bar'); // 始終返回 false
不能使用該物件.hasOwnProperty
-
({}).hasOwnProperty.call(foo, 'bar'); // true
-
// 或者:
-
Object.prototype.hasOwnProperty.call(foo, 'bar'); // true
Why use Object.prototype.hasOwnProperty.call(myObj, prop) instead of myObj.hasOwnProperty(prop)?
總的來說,使用Object.prototype.hasOwnProperty.call()有三方面的原因:
- If obj inherits from null not Object.prototype
- If hasOwnProperty has been redeclared on obj
- If hasOwnProperty has been redeclared in obj's prototype chain
參考:Object.prototype.hasOwnProperty.call() vs Object.prototype.hasOwnProperty()
在我們日常開發中,物件的使用頻率很高,我們計算陣列的長度是非常方便的,但是如何計算物件的長度呢?
假如我們有一個圖書館的專案,專案中有一組圖書和作者,像下面這樣:
[javascript]view plaincopy
- varbookAuthors={
- "FarmerGilesofHam":"J.R.R.Tolkien",
- "OutoftheSilentPlanet":"C.S.Lewis",
- "ThePlaceoftheLion":"CharlesWilliams",
- "PoeticDiction":"OwenBarfield"
- };
我們分析現在的需求,我們給一個API傳送資料,但是書的長度不能超過100,因此我們需要在傳送資料之前計算在一個物件中總共有多少本書。那麼我們總怎麼做呢?我們可能會這樣做:
[javascript]view plaincopy
- functioncountProperties(obj){
- varcount=0;
- for(varpropertyinobj){
- if(Object.prototype.hasOwnProperty.call(obj,property)){
- count++;
- }
- }
- returncount;
- }
- varbookCount=countProperties(bookAuthors);
- //Outputs:4
- console.log(bookCount);
這是可以實現的,幸運的是Javascript提供了一個更改的方法來計算物件的長度:
[javascript]view plaincopy
- varbookAuthors={
- "FarmerGilesofHam":"J.R.R.Tolkien",
- "OutoftheSilentPlanet":"C.S.Lewis",
- "ThePlaceoftheLion":"CharlesWilliams",
- "PoeticDiction":"OwenBarfield"
- };
- vararr=Object.keys(bookAuthors);
- //Outputs:Array["FarmerGilesofHam","OutoftheSilentPlanet","ThePlaceoftheLion","PoeticDiction"]
- console.log(arr);
- //Outputs:4
- console.log(arr.length);
下面我們來對陣列使用keys方法:
[javascript]view plaincopy
- vararr=["zuojj","benjamin","www.zuojj.com"];
- //Outputs:["0","1","2"]
- console.log(Object.keys(arr));
- //Outputs:3
- console.log(arr.length);
Object.keys() 方法會返回一個由給定物件的所有可列舉自身屬性的屬性名組成的陣列,陣列中屬性名的排列順序和使用for-in迴圈遍歷該物件時返回的順序一致(兩者的主要區別是 for-in 還會遍歷出一個物件從其原型鏈上繼承到的可列舉屬性)。