Two approaches of parsing a JSON response
Both approaches achieve the same goal of parsing a JSON response, but they do so in slightly different ways: 1. Using `response.json()`: ```javascript const obj = await response.json(); ``` This method is more straightforward and concise. It directly parses the response body as JSON and returns a JavaScript object. It's the preferred method when you know the response is in JSON format. 2. Using `response.text()` and `JSON.parse()`: ```javascript const objText = await response.text(); const obj= JSON.parse(objText ); ``` This method first reads the response body as a text string and then parses that string into a JavaScript object using `JSON.parse()`. This approach can be useful if you need to manipulate the raw text before parsing it as JSON or if you're dealing with a response that might not always be JSON. In most cases, using `response.json()` is simpler and more...