freeCodeCamp/guide/english/certifications/javascript-algorithms-and-d.../basic-javascript/testing-objects-for-properties/index.md

1.5 KiB
Raw Blame History

title
Testing Objects for Properties

Testing Objects for Properties

Heres the example:

// Setup
var myObj = {
  gift: "pony",
  pet: "kitten",
  bed: "sleigh"
};

function checkObj(checkProp) {
  // Your Code Here
  
  return "Change Me!";
}

// Test your code by modifying these values
checkObj("gift");

Heres a solution:

We do not change anything here:

// Setup
var myObj = {
  gift: "pony",
  pet: "kitten",
  bed: "sleigh"
};

further, in the body of the function we use .hasOwnProperty(propname) method of objects to determine if that object has the given property name. if/else statement with Boolean Values will help us in this:

function checkObj(checkProp) {
  // Your Code Here
  if (myObj.hasOwnProperty(checkProp) == true) {
    return myObj[checkProp];
  }
  else {

and change the value of return in else statement:

    return "Not Found"
  }
}

Now, you can change checkObj values:

// Test your code by modifying these values
checkObj("gift");

Heres a full solution:

function checkObj(checkProp) {
  // Your Code Here
  if (myObj.hasOwnProperty(checkProp) == true) {
    return myObj[checkProp];
  }
  else {
      return "Not Found"
  }
}
// Test your code by modifying these values
checkObj("gift");