Nuxt-i18n: как загружать сообщения асинхронно?

Я создаю многоязычное веб-приложение Nuxt.
Используя этот пример из официальной документации ( ссылка на Codepen), я больше не хочу использовать локальные файлы JSON, где мои переводы сохраняются для работы, как определено в коде ниже:

messages: {
      'en': require('~/locales/en.json'), # I want to get this asynchronously from an HTTP URL
      'fr': require('~/locales/fr.json') # I want to get this asynchronously from an HTTP URL
    }

Интересно, какие доступные альтернативы устанавливать асинхронно en а также fr значения путем чтения данных JSON из URL вместо?

плагины /i18n.js:

import Vue from 'vue'
import VueI18n from 'vue-i18n'

Vue.use(VueI18n)

export default ({ app, store }) => {
  // Set i18n instance on app
  // This way we can use it in middleware and pages asyncData/fetch
  app.i18n = new VueI18n({
    locale: store.state.locale,
    fallbackLocale: 'en',
    messages: {
      'en': require('~/locales/en.json'), # How to get this asynchronously?
      'fr': require('~/locales/fr.json') # # How to get this asynchronously?
    }
  })

  app.i18n.path = (link) => {
    if (app.i18n.locale === app.i18n.fallbackLocale) {
      return `/${link}`
    }

    return `/${app.i18n.locale}/${link}`
  }
}

Что я пробовал:

messages: {
      'en': axios.get(url).then((res) => {        
         return res.data
        } ),
      'fr': require('~/locales/fr.json')
    }

куда url указывает на /locals/en.json файл, который размещен на моем профиле Github.

3 ответа

Ты можешь использовать axios с await прямо в конструкторе:

export default async ({ app, store }) => {
  app.i18n = new VueI18n({ //construction a new VueI18n
    locale: store.state.i18n.locale,
    fallbackLocale: 'de',
    messages: {
      'de': await axios.get('http://localhost:3000/lang/de.json').then((res) => {
        return res.data
      }),
      'en': await axios.get('http://localhost:3000/lang/en.json').then((res) => {
        return res.data
      })
    }
  })
}

У меня есть решение с https://localise.biz/ и перекрестная выборка

Первое добавление async к плагинамplugins / i18n.js функция и добавить await на удаленный перевод звонков:

import Vue from 'vue';
import VueI18n from 'vue-i18n';

import getMessages from './localize';

Vue.use(VueI18n);

export default async ({ app, store }) => {
    app.i18n = new VueI18n({
        locale: store.state.locale,
        fallbackLocale: 'en',
        messages: {
            'en': await getMessages('en'),
            'fr': await getMessages('fr')
        }
    });

    app.i18n.path = (link) => {
         if (app.i18n.locale === app.i18n.fallbackLocale) return `/${link}`;

         return `/${app.i18n.locale}/${link}`;
    }
}

И создайте новую функцию для получения удаленного перевода:

import fetch from 'cross-fetch';

const LOCALIZE_API_KEY = 'XXXXXXXXXXX';
const LOCALIZE_URL = 'https://localise.biz/api/export/locale';
const HEADERS = {
    'Authorization': `Loco ${LOCALIZE_API_KEY}`
};

const getMessages = async (locale) => {
const res = await fetch(`${LOCALIZE_URL}/${locale}.json`, { headers: HEADERS });

if (res.status >= 400) throw new Error("Bad response from server");

    return await res.json();
};

export default getMessages;

Вот что у меня получилось:

          async asyncData(context){
       // fetch translation for your source
       var translation = await fetch('/translation')
 
       // get locale of current page
       var locale = context.app.i18n.locale
       // set translation for Server Side Rendering
    context.app.i18n.mergeLocaleMessage(locale, translation)
    // save it for use on client side
       return {translation: translation}
     },
    created(){
        // prevent reverting back to not found after hard-loading page.
        this.$i18n.mergeLocaleMessage(this.$i18n.locale, this.translation)
  }
Другие вопросы по тегам