In ES6 / 2015 können Sie ein Objekt wie folgt durchlaufen: (mithilfe der Pfeilfunktion )
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 können Sie verwenden Object.entries
statt Object.keys
und Schleife durch ein Objekt wie folgt aus :
Object.entries(myObj).forEach(([key, val]) => {
console.log(key); // the name of the current key.
console.log(val); // the value of the current key.
});
Das Obige würde auch als Einzeiler funktionieren :
Object.entries(myObj).forEach(([key, val]) => console.log(key, val));
jsbin
Wenn Sie auch verschachtelte Objekte durchlaufen möchten, können Sie eine rekursive Funktion (ES6) verwenden:
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
Wie oben beschrieben, jedoch mit ES7 Object.entries()
anstelle von 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.
});
};
Hier durchlaufen wir verschachtelte Objekte, ändern Werte und geben ein neues Objekt auf einmal zurück, indem wir es Object.entries()
mit Object.fromEntries()
( ES10 / 2019 ) kombinieren :
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.
})
);