Answers for "for i in object javascript"

5

javascript loop object

let obj = {
  key1: "value1",
  key2: "value2",
  key3: "value3"
}

Object.keys(obj).forEach(key => {
    console.log(key, obj[key]);
});
// key1 value1
// key2 value2
// key3 value3

// using for in - same output as above
for (let key in obj) {
  let value = obj[key];
  console.log(key, value);
}
Posted by: Guest on May-04-2020
10

object for loop

const object = {a: 1, b: 2, c: 3};

for (const property in object) {
  console.log(`${property}: ${object[property]}`);
}
Posted by: Guest on April-10-2020
2

javascript for loop on object

/Example 1: Loop Through Object Using for...in
// program to loop through an object using for...in loop

const student = { 
    name: 'John',
    age: 20,
    hobbies: ['reading', 'games', 'coding'],
};

// using for...in
for (let key in student) { 
    let value;

    // get the value
    value = student[key];

    console.log(key + " - " +  value); 
} 

/Output
	name - John
	age - 20
	hobbies - ["reading", "games", "coding"]

//If you want, you can only loop through the object's
//own property by using the hasOwnProperty() method.

if (student.hasOwnProperty(key)) {
    ++count:
}

/////////////////////////////////////////

/Example 2: Loop Through Object Using Object.entries and for...of
// program to loop through an object using for...in loop

const student = { 
    name: 'John',
    age: 20,
    hobbies: ['reading', 'games', 'coding'],
};

// using Object.entries
// using for...of loop
for (let [key, value] of Object.entries(student)) {
    console.log(key + " - " +  value);
}
/Output
	name - John
	age - 20
	hobbies - ["reading", "games", "coding"]

//In the above program, the object is looped using the
//Object.entries() method and the for...of loop.

//The Object.entries() method returns an array of a given object's key/value pairs.
//The for...of loop is used to loop through an array.

//////////////////////////////////////////////////////////
Posted by: Guest on September-07-2021
0

for in object javascript

var obj = { foo: 'bar', baz: 42 };

Object.keys(obj).forEach((key) => {
    const el = obj[key];
    console.log(
      {
        key: key,
        value: el
      }
    );
});
Posted by: Guest on February-13-2021
2

js for in object

var obj = { foo: 'bar', baz: 42 };
console.log(Object.entries(obj)); // [ ['foo', 'bar'], ['baz', 42] ]

for(const [i, val] of Object.entries(obj))
	new_obj[i] = val;
Posted by: Guest on February-10-2021

Code answers related to "Javascript"

Browse Popular Code Answers by Language