Files
freeCodeCamp/curriculum/challenges/arabic/02-javascript-algorithms-and-data-structures/object-oriented-programming/iterate-over-all-properties.md
2023-01-06 00:37:55 +09:00

2.4 KiB

id, title, challengeType, forumTopicId, dashedName
id title challengeType forumTopicId dashedName
587d7daf367417b2b2512b7d التكرار علي جميعع العناصر (Iterate Over All Properties) 1 301320 iterate-over-all-properties

--description--

لقد رأيت الآن نوعين من الخواص: own properties و prototype. Own properties يتم تعريفها مباشرة في iinstance الـ object نفسه. ويتم تعريف خصائص الـ prototype على الـ prototype.

function Bird(name) {
  this.name = name;  //own property
}

Bird.prototype.numLegs = 2; // prototype property

let duck = new Bird("Donald");

إليك كيفية إضافة خصائص duck الخاصة إلى الـ array الآتية ownProps و خصائص prototype إلى الـ array الآتية prototypeProps:

let ownProps = [];
let prototypeProps = [];

for (let property in duck) {
  if(duck.hasOwnProperty(property)) {
    ownProps.push(property);
  } else {
    prototypeProps.push(property);
  }
}

console.log(ownProps);
console.log(prototypeProps);

console.log(ownProps) يعرض ["name"] في وحدة التحكم و console.log(prototypeProps) يعرض ["numLegs"].

--instructions--

أضف جميع الخصائص الخاصة بـ beagle إلى الـ array الآتية ownProps. أضف جميع خصائص prototype لـ Dog إلى الـ array الآتية prototypeProps.

--hints--

يجب أن تحتوي array الـ ownProps فقط على name.

assert.deepEqual(ownProps, ['name']);

يجب أن تحتوي array الـ prototypeProps فقط على numLegs.

assert.deepEqual(prototypeProps, ['numLegs']);

يجب عليك حل هذا التحدي دون استخدام الوظيفة المدمجة في Object.keys().

assert(!/\Object.keys/.test(code));

--seed--

--seed-contents--

function Dog(name) {
  this.name = name;
}

Dog.prototype.numLegs = 4;

let beagle = new Dog("Snoopy");

let ownProps = [];
let prototypeProps = [];

// Only change code below this line

--solutions--

function Dog(name) {
  this.name = name;
}

Dog.prototype.numLegs = 4;

let beagle = new Dog("Snoopy");

let ownProps = [];
let prototypeProps = [];
for (let prop in beagle) {
  if (beagle.hasOwnProperty(prop)) {
    ownProps.push(prop);
  } else {
    prototypeProps.push(prop);
  }
}