Gelen ES6 / 2015 böyle bir nesne döngü edilebilir: (kullanarak ok fonksiyonu )
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
In ES7 / 2016 kullanabilirsiniz Object.entries
yerine Object.keys
böyle bir nesnenin içinden ve loop:
Object.entries(myObj).forEach(([key, val]) => {
console.log(key); // the name of the current key.
console.log(val); // the value of the current key.
});
Yukarıdakiler aynı zamanda tek astar olarak da çalışacaktır :
Object.entries(myObj).forEach(([key, val]) => console.log(key, val));
jsbin
İç içe nesneler arasında da döngü oluşturmak istiyorsanız, özyinelemeli bir işlev (ES6) kullanabilirsiniz:
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
Yukarıdaki işlevle aynı, ancak ES7 ile Object.entries()
yerine 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.
});
};
Tek kullanarak gitmek içinde Burada iç içe nesneleri değişim değerlerinin döngü ve yeni bir nesne döndürür Object.entries()
ile kombine Object.fromEntries()
( / 2019 ES10 ):
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.
})
);