Używam fetch polyfill, aby pobrać JSON lub tekst z adresu URL, chcę wiedzieć, jak mogę sprawdzić, czy odpowiedź jest obiektem JSON, czy jest to tylko tekst
fetch(URL, options).then(response => {
// how to check if response has a body of type json?
if (response.isJson()) return response.json();
});
javascript
json
fetch-api
Sibelius Seraphini
źródło
źródło
Odpowiedzi:
Możesz sprawdzić
content-type
odpowiedź, jak pokazano w tym przykładzie MDN :fetch(myRequest).then(response => { const contentType = response.headers.get("content-type"); if (contentType && contentType.indexOf("application/json") !== -1) { return response.json().then(data => { // process your JSON data further }); } else { return response.text().then(text => { // this is text, do something with it }); } });
Jeśli chcesz mieć absolutną pewność, że zawartość jest poprawna w formacie JSON (i nie ufasz nagłówkom), zawsze możesz po prostu zaakceptować odpowiedź jako
text
i samodzielnie ją przeanalizować:fetch(myRequest) .then(response => response.text()) .then(text => { try { const data = JSON.parse(text); // Do your JSON handling here } catch(err) { // It is text, do you text handling here } });
Async / await
Jeśli używasz
async/await
, możesz napisać to w bardziej liniowy sposób:async function myFetch(myRequest) { try { const reponse = await fetch(myRequest); // Fetch the resource const text = await response.text(); // Parse it as text const data = JSON.parse(text); // Try to parse it as json // Do your JSON handling here } catch(err) { // This probably means your response is text, do you text handling here } }
źródło
Możesz to zrobić czysto za pomocą funkcji pomocniczej:
const parseJson = async response => { const text = await response.text() try{ const json = JSON.parse(text) return json } catch(err) { throw new Error("Did not receive JSON, instead received: " + text) } }
A potem użyj tego w ten sposób:
fetch(URL, options) .then(parseJson) .then(result => { console.log("My json: ", result) })
Spowoduje to wyświetlenie błędu, więc możesz
catch
to zrobić, jeśli chcesz.źródło
Użyj parsera JSON, takiego jak JSON.parse:
function IsJsonString(str) { try { var obj = JSON.parse(str); // More strict checking // if (obj && typeof obj === "object") { // return true; // } } catch (e) { return false; } return true; }
źródło