我正在建立一个电影网站来练习 VueJS。在应用程序初始化期间,我从 3rd-party API 获取电影类型列表。由于应用程序的多个组件都需要此列表,因此我通过 Vuex 管理和存储它,如下所示:
主.js:
new Vue({
router,
store,
vuetify,
render: h => h(App),
created () {
this.$store.dispatch('getGenreList')
}
}).$mount('#app')
Vuex 的index.js:
export default new Vuex.Store({
state: {
genres: []
},
mutations: {
setGenreList (state, payload) {
state.genres = payload
}
},
actions: {
async getGenreList ({ commit }) {
try {
const response = await api.getGenreList() // axios call defined in api.js
commit('setGenreList', response)
} catch (error) {
console.log(error)
}
}
}
})
现在,在我的主页视图中,我想检索每种类型的电影列表,如下所示:
主页.vue:
<script>
import { mapState } from 'vuex'
import api from '../api/api'
export default {
name: 'home',
data () {
return {
movies: null
}
},
computed: {
...mapState({
sections: state => state.genres
})
},
async mounted () {
const moviesArray = await Promise.all(
this.sections.map(section => {
return api.getMoviesByGenre(section.id)
})
)
this.movies = moviesArray
}
}
</script>
这里的问题是,在初始加载时,sections===[]由于尚未加载流派列表。如果我导航到另一个视图并返回,sections则按预期保存一系列流派对象。
问题:如何正确等待sections加载流派?(由于getGenreList没有从该组件调用该操作,因此我无法使用此方法)
我正在考虑在 Watcher 中sections而不是在中实现电影列表检索,mounted()但不确定这是否是正确的方法。
LEATH
相关分类