Naveen Kumar
Naveen Kumar

Reputation: 1626

How to iterate JSON object with same key

I have a API response, which is like the below code

const res = {

"a" : {},
"a" : {}

}

Upvotes: 0

Views: 930

Answers (2)

LoLucky
LoLucky

Reputation: 103

if "a" isn't used to identify it's value, it shouldn't be a key. You could restructure you JSON to look like this:

const res = [
  ["a", {}],
  ["a", {}]
]

and then iterate over it using:

for(let [k,v] of res)
  print(k,v)

Upvotes: 0

Nicolas Gil
Nicolas Gil

Reputation: 141

This is not possible. In JSON, there is no error if you use the same name for multiple keys, but the last key with the same name will be used. I suggest using an array for the values for a key.

E.g.:

const res = {
    "a" : {},
    "a" : {}
}

would be

const res = {
    "a" : [{}, {}]
}

Then you could iterate on the list.

Upvotes: 1

Related Questions