是否存在类似于q=sort&
或q=created:&
的函数来限制从JavaScript提取中获得的结果数量?
fetch('https://jsonplaceholder.typicode.com/posts')
.then((res) => res.json())
.then((data) => { }
答案 0 :(得分:1)
当然,最好的解决方案是如果https://jsonplaceholder.typicode.com/posts
端点记录了可以发送的限制或过滤器参数。
假设结果是一个数组或包含一个数组,第二秒的最佳解决方案是filter
结果(以应用标准)和/或slice
结果(以只需施加一个限制):
fetch('https://jsonplaceholder.typicode.com/posts')
.then((res) => res.json())
.then((data) => {
data = data.filter(entry => entry.created > someValue) // Created after X
.slice(0, 1000); // Limit to 1000
// ...use data...
})
.catch(error => { // <=== Don't forget to handle errors
// Handle error...
});
注意:您的fetch
通话缺少对res.ok
的检查(不仅是您,很多人都犯了这个错误,I wrote it up on my anemic little blog ):
fetch('https://jsonplaceholder.typicode.com/posts')
.then((res) => { // ***
if (!res.ok) { // ***
throw new Error("HTTP error " + res.status); // ***
} // ***
}) // ***
.then((res) => res.json())
.then((data) => {
data = data.filter(entry => entry.created > someValue)
.slice(0, 1000);
// ...use data...
})
.catch(error => {
// Handle error...
});
答案 1 :(得分:0)
来自https://developer.mozilla.org/en-US/docs/Web/API/Fetch_API/Using_Fetch:
postData(`http://example.com/answer`, {answer: 42})
.then(data => console.log(JSON.stringify(data))) // JSON-string from `response.json()` call
.catch(error => console.error(error));
function postData(url = ``, data = {}) {
// Default options are marked with *
return fetch(url, {
method: "POST", // *GET, POST, PUT, DELETE, etc.
mode: "cors", // no-cors, cors, *same-origin
cache: "no-cache", // *default, no-cache, reload, force-cache, only-if-cached
credentials: "same-origin", // include, same-origin, *omit
headers: {
"Content-Type": "application/json; charset=utf-8",
// "Content-Type": "application/x-www-form-urlencoded",
},
redirect: "follow", // manual, *follow, error
referrer: "no-referrer", // no-referrer, *client
body: JSON.stringify(data), // body data type must match "Content-Type" header
})
.then(response => response.json()); // parses response to JSON
}
不确定要什么,因此有3种可能性:
您可以将有效负载添加到获取的主体中,请参见上文。
您可以简单地对其进行url编码。
在res.json()上。then((数据)=> {} ...您可以过滤所需的数据。
希望这会有所帮助。