lokalise-reference-architecture
Implement Lokalise reference architecture with best-practice project layout. Use when designing new Lokalise integrations, reviewing project structure, or establishing architecture standards for Lokalise applications. Trigger with phrases like "lokalise architecture", "lokalise best practices", "lokalise project structure", "how to organize lokalise", "lokalise layout". allowed-tools: Read, Grep version: 1.0.0 license: MIT author: Jeremy Longshore <jeremy@intentsolutions.io>
Allowed Tools
No tools specified
Provided by Plugin
lokalise-pack
Claude Code skill pack for Lokalise (24 skills)
Installation
This skill is included in the lokalise-pack plugin:
/plugin install lokalise-pack@claude-code-plugins-plus
Click to copy
Instructions
# Lokalise Reference Architecture
## Overview
Production-ready architecture patterns for Lokalise integrations.
## Prerequisites
- Understanding of layered architecture
- Lokalise SDK knowledge
- TypeScript project setup
- Testing framework configured
## Project Structure
```
my-app/
โโโ src/
โ โโโ i18n/
โ โ โโโ index.ts # i18n library setup
โ โ โโโ config.ts # Lokalise configuration
โ โ โโโ types.ts # TypeScript types
โ โ โโโ loaders/
โ โ โโโ static.ts # Bundled translations
โ โ โโโ dynamic.ts # Runtime loading
โ โ โโโ ota.ts # Over-the-air (mobile)
โ โโโ services/
โ โ โโโ lokalise/
โ โ โโโ index.ts # Service facade
โ โ โโโ client.ts # Lokalise client wrapper
โ โ โโโ cache.ts # Caching layer
โ โ โโโ sync.ts # Translation sync
โ โ โโโ webhooks.ts # Webhook handlers
โ โโโ locales/
โ โ โโโ en.json # English (source)
โ โ โโโ es.json # Spanish
โ โ โโโ fr.json # French
โ โ โโโ index.ts # Locale exports
โ โโโ api/
โ โโโ webhooks/
โ โโโ lokalise.ts # Webhook endpoint
โโโ scripts/
โ โโโ lokalise-pull.sh # Download translations
โ โโโ lokalise-push.sh # Upload source strings
โ โโโ check-translations.ts # Validation script
โโโ tests/
โ โโโ unit/
โ โ โโโ i18n/
โ โโโ integration/
โ โโโ lokalise/
โโโ config/
โ โโโ lokalise.development.json
โ โโโ lokalise.staging.json
โ โโโ lokalise.production.json
โโโ .env.example
โโโ lokalise.json # CLI configuration
โโโ package.json
```
## Layer Architecture
```
โโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโ
โ Application Layer โ
โ (React/Vue/Angular Components) โ
โโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโค
โ i18n Library Layer โ
โ (i18next, react-intl, vue-i18n) โ
โโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโค
โ Translation Service Layer โ
โ (Loading, Caching, Fallback Logic) โ
โโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโค
โ Lokalise Layer โ
โ (SDK Client, Sync, Webhooks) โ
โโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโค
โ Infrastructure Layer โ
โ (Cache, Queue, Monitoring) โ
โโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโ
```
## Key Components
### Step 1: Lokalise Client Wrapper
```typescript
// src/services/lokalise/client.ts
import { LokaliseApi } from "@lokalise/node-api";
let instance: LokaliseApi | null = null;
export interface LokaliseConfig {
apiKey: string;
projectId: string;
enableCompression?: boolean;
}
export function getLokaliseClient(config?: Partial): LokaliseApi {
if (!instance) {
instance = new LokaliseApi({
apiKey: config?.apiKey || process.env.LOKALISE_API_TOKEN!,
enableCompression: config?.enableCompression ?? true,
});
}
return instance;
}
export function getProjectId(): string {
return process.env.LOKALISE_PROJECT_ID!;
}
// Reset for testing
export function resetClient(): void {
instance = null;
}
```
### Step 2: Translation Service Facade
```typescript
// src/services/lokalise/index.ts
import { getLokaliseClient, getProjectId } from "./client";
import { TranslationCache } from "./cache";
import { syncTranslations } from "./sync";
export interface TranslationService {
getTranslations(locale: string): Promise>;
getKey(locale: string, key: string): Promise;
syncFromLokalise(): Promise;
invalidateCache(locale?: string): void;
}
const cache = new TranslationCache();
export const translationService: TranslationService = {
async getTranslations(locale) {
// Try cache first
const cached = cache.get(locale);
if (cached) return cached;
// Load from bundled files or Lokalise
const translations = await loadTranslations(locale);
cache.set(locale, translations);
return translations;
},
async getKey(locale, key) {
const translations = await this.getTranslations(locale);
return translations[key] ?? null;
},
async syncFromLokalise() {
await syncTranslations(getProjectId());
},
invalidateCache(locale) {
if (locale) {
cache.delete(locale);
} else {
cache.clear();
}
},
};
```
### Step 3: Translation Loader Pattern
```typescript
// src/i18n/loaders/static.ts
// For bundled translations (build-time)
export async function loadStaticTranslations(
locale: string
): Promise> {
try {
const translations = await import(`../../locales/${locale}.json`);
return translations.default;
} catch {
console.warn(`Locale ${locale} not found, falling back to English`);
const fallback = await import("../../locales/en.json");
return fallback.default;
}
}
// src/i18n/loaders/dynamic.ts
// For runtime loading (CDN/API)
export async function loadDynamicTranslations(
locale: string,
baseUrl = "/locales"
): Promise> {
const response = await fetch(`${baseUrl}/${locale}.json`);
if (!response.ok) {
console.warn(`Failed to load ${locale}, falling back to English`);
return loadDynamicTranslations("en", baseUrl);
}
return response.json();
}
```
### Step 4: i18n Library Integration
```typescript
// src/i18n/index.ts
import i18n from "i18next";
import { initReactI18next } from "react-i18next";
import { loadStaticTranslations } from "./loaders/static";
export const SUPPORTED_LOCALES = ["en", "es", "fr", "de", "ja"];
export const DEFAULT_LOCALE = "en";
export async function initI18n(locale = DEFAULT_LOCALE) {
const resources: Record = {};
// Load initial locale
resources[locale] = {
translation: await loadStaticTranslations(locale),
};
// Load English fallback if different
if (locale !== "en") {
resources.en = {
translation: await loadStaticTranslations("en"),
};
}
await i18n.use(initReactI18next).init({
resources,
lng: locale,
fallbackLng: "en",
supportedLngs: SUPPORTED_LOCALES,
interpolation: {
escapeValue: false,
},
});
return i18n;
}
// Lazy load additional locales
export async function loadLocale(locale: string) {
if (i18n.hasResourceBundle(locale, "translation")) {
return;
}
const translations = await loadStaticTranslations(locale);
i18n.addResourceBundle(locale, "translation", translations);
}
```
## Data Flow Diagram
```
Developer adds string
โ
โผ
โโโโโโโโโโโโโโโโโ
โ en.json โโโโโโโโโโโโโโโโโโโโ
โ (source) โ โ
โโโโโโโโโฌโโโโโโโโ โ
โ โผ
โ git push โโโโโโโโโโโโโโโโโ
โ โ CI/CD โ
โผ โ Pipeline โ
โโโโโโโโโโโโโโโโโ โโโโโโโโโฌโโโโโโโโ
โ Lokalise โโโโโโโโโโโโโโโโโโโโโโ
โ Project โ lokalise push
โโโโโโโโโฌโโโโโโโโ
โ
โ Translators work
โผ
โโโโโโโโโโโโโโโโโ
โ Translations โ
โ Complete โ
โโโโโโโโโฌโโโโโโโโ
โ
โ Webhook / CI sync
โผ
โโโโโโโโโโโโโโโโโ
โ App Build โโโโโโถ Production
โ with i18n โ
โโโโโโโโโโโโโโโโโ
```
## Configuration Management
```typescript
// config/lokalise.ts
import devConfig from "./lokalise.development.json";
import stagingConfig from "./lokalise.staging.json";
import prodConfig from "./lokalise.production.json";
type Environment = "development" | "staging" | "production";
interface LokaliseEnvConfig {
projectId: string;
enableWebhooks: boolean;
cacheEnabled: boolean;
cacheTtlSeconds: number;
}
const configs: Record = {
development: devConfig,
staging: stagingConfig,
production: prodConfig,
};
export function getLokaliseEnvConfig(): LokaliseEnvConfig {
const env = (process.env.NODE_ENV || "development") as Environment;
return configs[env] || configs.development;
}
```
## Instructions
### Step 1: Create Directory Structure
Set up the project layout following the reference structure.
### Step 2: Implement Client Wrapper
Create the singleton client with caching support.
### Step 3: Build Translation Service
Implement the facade pattern for translation operations.
### Step 4: Integrate i18n Library
Connect Lokalise translations to your UI framework.
## Output
- Structured project layout
- Client wrapper with caching
- Translation service facade
- i18n library integration
## Error Handling
| Issue | Cause | Solution |
|-------|-------|----------|
| Circular imports | Wrong layering | Separate by layer |
| Missing locale | Not bundled | Add fallback logic |
| Stale translations | Cache not invalidated | Use webhooks to invalidate |
| Type errors | Missing types | Generate from source locale |
## Examples
### Quick Setup Script
```bash
#!/bin/bash
# Create reference structure
mkdir -p src/i18n/loaders
mkdir -p src/services/lokalise
mkdir -p src/locales
mkdir -p scripts
mkdir -p config
mkdir -p tests/{unit,integration}/lokalise
touch src/i18n/{index,config,types}.ts
touch src/i18n/loaders/{static,dynamic,ota}.ts
touch src/services/lokalise/{index,client,cache,sync,webhooks}.ts
touch scripts/{lokalise-pull.sh,lokalise-push.sh,check-translations.ts}
touch config/lokalise.{development,staging,production}.json
```
## Resources
- [Lokalise SDK Documentation](https://lokalise.github.io/node-lokalise-api/)
- [i18next Documentation](https://www.i18next.com/)
- [React i18next](https://react.i18next.com/)
## Flagship Skills
For multi-environment setup, see `lokalise-multi-env-setup`.