在我的应用程序中,我有一个卖方页面,显示该卖方列出的产品。我正在使用asyncData获取页面所需的所有数据(对于SEO更好)
asyncData ({params, app, error }) {
return app.$axios.$get(`/seller/${params.username}`).then(async sellerRes => {
let [categoriesRes, reviewsRes, productsRes] = await Promise.all([
app.$axios.$get(`/categories`),
app.$axios.$get(`/seller/${params.username}/reviews`),
app.$axios.$get(`/seller/${params.username}/products`)
])
return {
seller: sellerRes.data,
metaTitle: sellerRes.data.name,
categories: categoriesRes.data,
reviewsSummary: reviewsRes.summary,
products: productsRes.data,
}
}).catch(e => {
error({ statusCode: 404, message: 'Seller not found' })
});
},
尽管这种方法可以完成预期的工作,但我不禁以为我做错了。
导航到页面时,nuxt进度栏显示两次(很奇怪)。
我已经搜索了一段时间,试图在asyncData中查找多个请求的示例,但是那里并没有太多内容。
也许我不应该在asyncData中调用多个请求?
答案 0 :(得分:14)
尝试使用异步等待,这是可以并行运行两个请求的方法:
async asyncData ({ $axios }) {
const [categoriesRes, articlesRes] = await Promise.all([
$axios.get('/fetch/categories'),
$axios.get('/fetch/articles'),
])
return {
categories: categoriesRes.data,
articles: articlesRes.data,
}
},
答案 1 :(得分:6)
实际上,您也可以使用async await
,它看起来也很干净。
<template>
<div class="container">
<h1>Request 1:</h1>
<h1>{{ post.title }}</h1>
<pre>{{ post.body }}</pre>
<br />
<h1>Request 2:</h1>
<h1>{{ todos.title }}</h1>
<pre>{{ todos.completed }}</pre>
</div>
</template>
<script>
import axios from "axios";
export default {
async asyncData({ params }) {
// We can use async/await ES6 feature
const posts = await axios.get(
`https://jsonplaceholder.typicode.com/posts/${params.id}`
);
const todos = await axios.get(
`https://jsonplaceholder.typicode.com/todos/${params.id}`
);
return { post: posts.data, todos: todos.data };
},
head() {
return {
title: this.post.title
};
}
};
</script>
here是它的有效沙箱。 (不要忘记为:id
路由参数添加值)
答案 2 :(得分:0)
也许是吗?
asyncData ({params, app, error }) {
return app.$axios.$get(`/seller/${params.username}`).then(sellerRes => {
return Promise.all([
app.$axios.$get(`/categories`),
app.$axios.$get(`/seller/${params.username}/reviews`),
app.$axios.$get(`/seller/${params.username}/products`)
]).then((categoriesRes, reviewsRes, productsRes) => {
return {
seller: sellerRes.data,
metaTitle: sellerRes.data.name,
categories: categoriesRes.data,
reviewsSummary: reviewsRes.summary,
products: productsRes.data,
}
})
}).catch(e => {
error({ statusCode: 404, message: 'Seller not found' })
});
},
这是一连串的承诺。第一个承诺会尝试获取有关卖方的信息,如果请求成功,则会创建一个新请求,该请求将等待其余信息。
方法asyncData
将等待所有诺言完成并返回调用结果。