我使用以下内容获取帖子
http://demo.wp-api.org/wp-json/wp/v2/posts
这默认情况下会给我10个帖子,这些文章在文档中提到。
但我想要所有帖子而不必跟踪分页。
这可能吗?
如果没有,我可以运行JavaScript循环来获取所有帖子吗?
感谢。
答案 0 :(得分:1)
/**
* This will get all posts from a default WordPress REST API
* First we see how many pages there are
* Then we make subsequent XHR requests (via Axios)
* That paginate through every page of posts
*/
// Importing Axios for simple AJAX request
const axios = require('axios')
// Importing RxJS @ v6.0.0-alpha.3
const { Observable, from, range } = require('rxjs')
const { switchMap, concatMap } = require('rxjs/operators')
const endpoint = 'http://demo.wp-api.org/wp-json/wp/v2/posts'
/**
* This sets up the initial request and the Observable stream
* In the return from the endpoint, the Axios request headers will have x-wp-totalpages,
* which gives us... the total pages of posts ;)
*/
const posts$ = Rx.Observable.from(axios.get(endpoint))
/**
* We now know the total number of pages,
* so we'll switch to a new Observable that is just a range of numbers
* We'll start with 1, and end with whatever the total number of pages is
* This gives us a stream of 1--n--n--n... (example: 1, 2, 3, 4...)
*/
.switchMap((
{ headers }, // using ES6 function header destructuring and arrow functions here
) => Rx.Observable.range(1, Number(headers['x-wp-totalpages'])))
/**
* We can now paginate through all posts, getting 10/page
* concatMap will fire off a request, waits until it completes, and then fire the next one
* In each subsequent firing, we ask for the next page of posts
*/
.concatMap(page =>
axios.get(endpoint, {
params: {
page,
},
}),
)
.subscribe(
// data here is an Array of WordPress Posts, tacking .length shows us how many per page we are getting
({ data }) => console.log(data.length),
err => console.log('Oh no, an error!', err),
)
答案 1 :(得分:0)
您可以使用 wp_remote_retrieve_body($ url)或 wp_remote_post($ url)来获取帖子数据而不是其他API使用情况。 wp_remote函数独立于默认分页。
答案 2 :(得分:0)
大型查询会损害网站性能,因此per_page的上限为100条记录。如果您希望检索超过100条记录,例如构建所有可用类别的客户端列表,您可以发出多个API请求并将结果合并到您的应用程序中。see this for complet expalin
答案 3 :(得分:0)
您可以在node.js中使用此功能
const getAllPosts = async (wordpressUrl) => {
const url = `${wordpressUrl}/wp-json/wp/v2/posts?per_page=100`
const maxPages = 50
let page = 1
let text
const responses = []
while (true) {
const urlWithPage = `${url}&page=${page}`
const res = await fetch(urlWithPage)
text = await res.text()
text = text.trim()
if (res.status !== 200) {
break
}
if (text === '[]') {
break
}
if (!text.match(/^\[/) || !text.match(/\]$/)) {
break
}
text = text.replace(/^\[/, '').replace(/\]$/, '')
responses.push(text)
if (page > maxPages) {
break
}
page++
}
// get all pages and join them
if (responses.length) {
return `[${responses.join(',')}]`
}
// if didn't get any valid repsonses, send the text received
return text
}