我试图从HTTP调用加载本地化,因为我希望语言是动态的和可管理的,而不是随应用程序一起发送。
我做了一些关于使用SSR示例和我自己的一些实现的工作。但在初始渲染时,语言不会加载。更改路由时,客户端的内容会更新。
i18n.js
import Vue from 'vue'
import VueI18n from 'vue-i18n'
import en from './en.json'
import ar from './ar.json'
import axios from 'axios'
Vue.use(VueI18n)
const fallbackLocale = 'en'
let defaultLocale = 'ar'
export const i18n = new VueI18n({
locale: defaultLocale, // set locale
fallbackLocale: fallbackLocale,
messages: {
'en': en
}
})
export function createI18n () {
return i18n
}
路由器 - router.beforeEach
router.beforeEach((to, from, next) => {
if (router.app.$store) {
router.app.$store
.dispatch('getI18nData')
.then(function(){
router.app.$i18n.setLocaleMessage('ar',router.app.$store.getters.getLocale)
return next()
})
.catch(() => console.log('getI18nData-error'))
} else {
next()
}
})
商店操作 - 获取区域设置
getI18nData ({ commit }) {
try {
axios.get('http://localhost:8080/lang?lang=ar')
.then(function (response) {
let locale = response.data
commit('setLocale', { locale })
})
.catch(function (error) {
console.log('Error:getI18nData')
})
} catch (error) {
console.error(error);
}
}
调查结果:
i18n正在router.beforeEach
之前初始化,它应该在router.beforeEach
之后初始化。
答案 0 :(得分:1)
好的,稍微详细一点:你不想把try / catch与你的promise-chain混合,但是你需要从getI18nData
返回一个promise或者dispatch不会等待。所以你要么:
getI18nData ({ commit }) {
// axios.get() returns a promise already, so we can just return the whole thing:
return axios
.get('http://localhost:8080/lang?lang=ar')
.then(function (response) {
let locale = response.data
commit('setLocale', { locale })
})
.catch(function (error) {
console.log('Error:getI18nData')
});
}
或者你使用async / await(允许try / catch):
async getI18nData ({ commit }) {
try {
let response = await axios.get('http://localhost:8080/lang?lang=ar');
let locale = response.data
commit('setLocale', { locale })
} catch (error) {
console.error(error);
}
}
我想补充一点,我确实更喜欢async / await选项,但是在vuex-land中它通常会导致你必须使所有异步/等待(如果你使用嵌套的调度调用)。因此,根据代码库的其余部分,返回承诺可能更容易。