දී ES6 / 2015 (භාවිතා: ඔබ මේ වගේ වස්තුව මගින් පුඩුවක් හැකි ඊතලය කාර්යය )
Object.keys(myObj).forEach(key => {
console.log(key); // the name of the current key.
console.log(myObj[key]); // the value of the current key.
});
jsbin
දී ES7 / 2016 ඔබට භාවිතා කළ හැකි Object.entries
වෙනුවට Object.keys
මේ වගේ වස්තුව මගින් හා ලූප:
Object.entries(myObj).forEach(([key, val]) => {
console.log(key); // the name of the current key.
console.log(val); // the value of the current key.
});
ඉහත දැක්වෙන්නේ එක් ලයිනර් එකක් ලෙස ය :
Object.entries(myObj).forEach(([key, val]) => console.log(key, val));
jsbin
ඔබට කැදැලි වස්තූන් හරහා ලූපයක් ලබා ගැනීමට අවශ්ය නම්, ඔබට පුනරාවර්තන ශ්රිතයක් (ES6) භාවිතා කළ හැකිය :
const loopNestedObj = obj => {
Object.keys(obj).forEach(key => {
if (obj[key] && typeof obj[key] === "object") loopNestedObj(obj[key]); // recurse.
else console.log(key, obj[key]); // or do something with key and val.
});
};
jsbin
ඉහත ක්රියාකාරීත්වයට සමාන නමුත් ඒ වෙනුවට ES7 සමඟ :Object.entries()
Object.keys()
const loopNestedObj = obj => {
Object.entries(obj).forEach(([key, val]) => {
if (val && typeof val === "object") loopNestedObj(val); // recurse.
else console.log(key, val); // or do something with key and val.
});
};
මෙන්න අපි කැදැලි වස්තූන් හරහා අගයන් වෙනස් Object.entries()
කර Object.fromEntries()
( ES10 / 2019 ) සමඟ ඒකාබද්ධව නව වස්තුවක් නැවත ලබා දෙන්නෙමු :
const loopNestedObj = obj =>
Object.fromEntries(
Object.entries(obj).map(([key, val]) => {
if (val && typeof val === "object") [key, loopNestedObj(val)]; // recurse
else [key, updateMyVal(val)]; // or do something with key and val.
})
);