I have this code
JavaScript
x
6
1
request(options, (error, response) => {
2
const data = JSON.parse(response.body)
3
//console.log( JSON.stringify(data, null, " ") );
4
console.log(data);
5
})
6
Which gives me this output
JavaScript
1
19
19
1
{
2
result: 'OK',
3
data: {
4
body: {
5
pdpHeader: [Object],
6
overview: [Object],
7
hotelWelcomeRewards: [Object],
8
propertyDescription: [Object],
9
guestReviews: [Object],
10
atAGlance: [Object],
11
hotelBadge: [Object],
12
unavailable: {}
13
},
14
common: { pointOfSale: [Object], tracking: [Object] }
15
},
16
transportation: { transportLocations: [ [Object], [Object], [Object] ] },
17
neighborhood: { neighborhoodName: 'Manhattan' }
18
}
19
Within the actual body of this output there is this:
JavaScript
1
9
1
{4 items
2
"result":"OK"
3
"data":{2 items
4
"body":{14 items
5
"pdpHeader":{6 items
6
"hotelId":"424023"
7
"destinationId":"1506246"
8
"pointOfSaleId":"HCOM_US"
9
I want to call out the hotelID number: 424023
I have tried the following a few other modifications to this, but cannot seem to call out the correct object
JavaScript
1
2
1
console.log(data.body.pdpHeader.hotelID)
2
But I get the error message
JavaScript
1
5
1
console.log(data.body.pdpHeader.hotelID);
2
^
3
4
TypeError: Cannot read property 'pdpHeader' of undefined
5
Advertisement
Answer
You’ve called your const data
as well, so you’ll either need to destruct or call .data
again, like so.
Destruct
You can destruct the propery onto your data
const like so:
JavaScript
1
3
1
const { data } = JSON.parse(response.body)
2
// data.body.pdpHeader.hotelID
3
Assignment
If you don’t want to destruct, call data.data
as per below.
JavaScript
1
3
1
const data = JSON.parse(response.body)
2
// data.data.body.pdpHeader.hotelID
3