Customize Consent Preferences

We use cookies to help you navigate efficiently and perform certain functions. You will find detailed information about all cookies under each consent category below.

The cookies that are categorized as "Necessary" are stored on your browser as they are essential for enabling the basic functionalities of the site. ... 

Always Active

Necessary cookies are required to enable the basic features of this site, such as providing secure log-in or adjusting your consent preferences. These cookies do not store any personally identifiable data.

No cookies to display.

Functional cookies help perform certain functionalities like sharing the content of the website on social media platforms, collecting feedback, and other third-party features.

No cookies to display.

Analytical cookies are used to understand how visitors interact with the website. These cookies help provide information on metrics such as the number of visitors, bounce rate, traffic source, etc.

No cookies to display.

Performance cookies are used to understand and analyze the key performance indexes of the website which helps in delivering a better user experience for the visitors.

No cookies to display.

Advertisement cookies are used to provide visitors with customized advertisements based on the pages you visited previously and to analyze the effectiveness of the ad campaigns.

No cookies to display.

Añadir internacionalización (distintos idiomas) en tu web usando i18next y React

Tiempo de lectura: 2 minutos

Hoy vamos a aprender cómo podemos integrar internacionalización y distintos idiomas usando i18next (https://react.i18next.com/) y React y además lograr detectar el idioma del navegador.

Para implementar internacionalización con i18next en tu aplicación React, primero debes instalar i18next y sus módulos relacionados, como react-i18next. Luego, configurar i18next para que pueda cargar las traducciones desde los archivos JSON correspondientes a cada idioma.

Asumiendo que ya tienes una estructura de directorios en tu proyecto, aquí hay un ejemplo paso a paso:

  • Instala las dependencias necesarias:
Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
npm install i18next react-i18next i18next-http-backend i18next-browser-languagedetector --save
npm install i18next react-i18next i18next-http-backend i18next-browser-languagedetector --save
npm install i18next react-i18next i18next-http-backend i18next-browser-languagedetector --save
  • Añade las traducciones en una carpeta llamada locale de la siguiente forma:
/public
  /locale
    en.json
    es.json
    de.json

En este caso, añadimos Inglés, Español, Alemán.

Los archivos van a contener las traducciones de esta forma:

Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
{
"welcome": "Welcome",
"buttonText": "Click me"
// ... otras traducciones
}
{ "welcome": "Welcome", "buttonText": "Click me" // ... otras traducciones }
{
  "welcome": "Welcome",
  "buttonText": "Click me"
  // ... otras traducciones
}

*La misma clave y el valor en distinto idioma según el idioma que sea.

  • Ahora vamos a crear el Provider de i18next que contendrá la configuración de los idomas. Para ello vamos a contexts/i18next.tsx
Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
import i18n from 'i18next';
import { initReactI18next } from 'react-i18next';
import Backend from 'i18next-http-backend';
import LanguageDetector from 'i18next-browser-languagedetector';
i18n
.use(Backend)
.use(LanguageDetector)
.use(initReactI18next)
.init({
fallbackLng: 'en',
debug: true,
interpolation: {
escapeValue: false,
},
backend: {
// Configuración específica para el backend
loadPath: '/locale/{{lng}}.json', // Cambiado a la nueva estructura
},
});
export default i18n;
import i18n from 'i18next'; import { initReactI18next } from 'react-i18next'; import Backend from 'i18next-http-backend'; import LanguageDetector from 'i18next-browser-languagedetector'; i18n .use(Backend) .use(LanguageDetector) .use(initReactI18next) .init({ fallbackLng: 'en', debug: true, interpolation: { escapeValue: false, }, backend: { // Configuración específica para el backend loadPath: '/locale/{{lng}}.json', // Cambiado a la nueva estructura }, }); export default i18n;
import i18n from 'i18next';
import { initReactI18next } from 'react-i18next';
import Backend from 'i18next-http-backend';
import LanguageDetector from 'i18next-browser-languagedetector';

i18n
  .use(Backend)
  .use(LanguageDetector)
  .use(initReactI18next)
  .init({
    fallbackLng: 'en',
    debug: true,
    interpolation: {
      escapeValue: false,
    },
    backend: {
      // Configuración específica para el backend
      loadPath: '/locale/{{lng}}.json', // Cambiado a la nueva estructura
    },
  });

export default i18n;

Configuramos i18n usando Backend (para permitir cargar los archivos .json), LanguageDetector (para detectar el idioma automático con el navegador), initReactI18next (permite que i18next trabaje de manera eficiente con aplicaciones basadas en React, proporcionando funciones y contexto específicos de React)

Después le indicamos que el idioma por defecto sea en, para que obtenga el .json de inglés, en aquellos idiomas que no existan.

Ahora vamos a añadir el provider a nuestra app, para ello vamos a index.js, app.js, main.js (en mi caso main.tsx) y añadimos:

Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
import React from 'react'
import ReactDOM from 'react-dom/client'
import App from './App.tsx'
import { I18nextProvider } from 'react-i18next';
import i18n from './context/i18next';
ReactDOM.createRoot(document.getElementById('root')!).render(
<React.StrictMode>
<I18nextProvider i18n={i18n}>
<App />
</I18nextProvider>
</React.StrictMode>,
)
import React from 'react' import ReactDOM from 'react-dom/client' import App from './App.tsx' import { I18nextProvider } from 'react-i18next'; import i18n from './context/i18next'; ReactDOM.createRoot(document.getElementById('root')!).render( <React.StrictMode> <I18nextProvider i18n={i18n}> <App /> </I18nextProvider> </React.StrictMode>, )
import React from 'react'
import ReactDOM from 'react-dom/client'
import App from './App.tsx'
import { I18nextProvider } from 'react-i18next';
import i18n from './context/i18next';

ReactDOM.createRoot(document.getElementById('root')!).render(
  <React.StrictMode>
    <I18nextProvider i18n={i18n}>
      <App />
    </I18nextProvider>
  </React.StrictMode>,
)

Y finalmente, para utilizar la traducción, haremos lo siguiente:

Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
import React from 'react';
import { useTranslation } from 'react-i18next';
function BotonDefecto({ texto }: { texto: string }) {
const { t } = useTranslation();
return (
<button>
{t('buttonText')} - {texto}
</button>
);
}
import React from 'react'; import { useTranslation } from 'react-i18next'; function BotonDefecto({ texto }: { texto: string }) { const { t } = useTranslation(); return ( <button> {t('buttonText')} - {texto} </button> ); }
import React from 'react';
import { useTranslation } from 'react-i18next';

function BotonDefecto({ texto }: { texto: string }) {
  const { t } = useTranslation();

  return (
    <button>
      {t('buttonText')} - {texto}
    </button>
  );
}

Y aparecerá:

0

Deja un comentario