lokalise-incident-runbook
Execute Lokalise incident response procedures with triage, mitigation, and postmortem. Use when responding to Lokalise-related outages, investigating errors, or running post-incident reviews for Lokalise integration failures. Trigger with phrases like "lokalise incident", "lokalise outage", "lokalise down", "lokalise on-call", "lokalise emergency", "translations broken".
Install
mkdir -p .claude/skills/lokalise-incident-runbook && curl -L -o skill.zip "https://mcp.directory/api/skills/download/4237" && unzip -o skill.zip -d .claude/skills/lokalise-incident-runbook && rm skill.zipInstalls to .claude/skills/lokalise-incident-runbook
About this skill
Lokalise Incident Runbook
Overview
Rapid-response procedures for Lokalise-related incidents in production. Covers quick diagnostics (API health, token validity, rate limit status), triage for five common failure modes (missing translations, stale translations, API outage, file upload failures, OTA failures), fallback to cached translations, and communication templates for stakeholder notification. Designed to be executed under pressure — each section is self-contained.
Prerequisites
curlandjqavailable on the responder's machine- Production Lokalise API token accessible (from secret manager or break-glass procedure)
LOKALISE_PROJECT_IDknown (check your deployment config or Lokalise dashboard)- Access to application logs (Datadog, CloudWatch, GCP Logging, or equivalent)
- Incident communication channel (Slack, PagerDuty, or equivalent)
Instructions
Step 1: Quick Diagnostics (Run First)
Execute these three checks immediately to narrow the problem scope. Copy-paste into your terminal:
#!/bin/bash
# incident-diagnostics.sh — Run all three checks in sequence
set -uo pipefail
: "${LOKALISE_API_TOKEN:?Set LOKALISE_API_TOKEN before running diagnostics}"
: "${LOKALISE_PROJECT_ID:?Set LOKALISE_PROJECT_ID before running diagnostics}"
echo "=== 1. Lokalise API Health ==="
API_STATUS=$(curl -sf -o /dev/null -w "%{http_code}" \
"https://api.lokalise.com/api2/projects/${LOKALISE_PROJECT_ID}" \
-H "X-Api-Token: ${LOKALISE_API_TOKEN}")
case "$API_STATUS" in
200) echo "API: HEALTHY (200 OK)" ;;
401) echo "API: AUTH FAILURE (401) — Token invalid or expired. Rotate immediately." ;;
403) echo "API: FORBIDDEN (403) — Token lacks permissions for this project." ;;
404) echo "API: NOT FOUND (404) — Check LOKALISE_PROJECT_ID value." ;;
429) echo "API: RATE LIMITED (429) — Throttled. Wait 10 seconds and retry." ;;
5*) echo "API: LOKALISE OUTAGE (${API_STATUS}) — Check https://status.lokalise.com" ;;
000) echo "API: UNREACHABLE — DNS/network issue. Check connectivity." ;;
*) echo "API: UNEXPECTED (${API_STATUS}) — Investigate further." ;;
esac
echo ""
echo "=== 2. Token Validity ==="
TOKEN_CHECK=$(curl -sf "https://api.lokalise.com/api2/projects/${LOKALISE_PROJECT_ID}" \
-H "X-Api-Token: ${LOKALISE_API_TOKEN}" 2>/dev/null)
if [[ $? -eq 0 ]]; then
PROJECT_NAME=$(echo "$TOKEN_CHECK" | jq -r '.project.name')
TEAM_ID=$(echo "$TOKEN_CHECK" | jq -r '.project.team_id')
echo "Token: VALID"
echo " Project: ${PROJECT_NAME}"
echo " Team ID: ${TEAM_ID}"
else
echo "Token: INVALID or project inaccessible"
echo " Action: Get a valid token from your secret manager or Lokalise dashboard"
fi
echo ""
echo "=== 3. Rate Limit Status ==="
RATE_RESPONSE=$(curl -sI "https://api.lokalise.com/api2/projects/${LOKALISE_PROJECT_ID}/keys?limit=1" \
-H "X-Api-Token: ${LOKALISE_API_TOKEN}" 2>/dev/null)
RATE_LIMIT=$(echo "$RATE_RESPONSE" | grep -i "x-ratelimit-limit" | tr -d '\r' | awk '{print $2}')
RATE_REMAINING=$(echo "$RATE_RESPONSE" | grep -i "x-ratelimit-remaining" | tr -d '\r' | awk '{print $2}')
if [[ -n "$RATE_REMAINING" ]]; then
echo "Rate limit: ${RATE_LIMIT:-6} req/sec"
echo "Remaining: ${RATE_REMAINING} req/sec"
if [[ "${RATE_REMAINING}" -eq 0 ]]; then
echo "STATUS: EXHAUSTED — Wait 1 second for reset"
else
echo "STATUS: OK"
fi
else
echo "Could not determine rate limit status"
fi
Step 2: Triage Decision Tree
Based on the diagnostics above, follow the appropriate path:
| Symptom | Diagnostics Result | Go To |
|---|---|---|
| Users see English instead of their language | API healthy, token valid | Triage A: Missing Translations |
| Users see outdated translations | API healthy, token valid | Triage B: Stale Translations |
| All translations fail to load | API returns 5xx | Triage C: API Outage |
| CI upload fails | API returns 4xx on upload | Triage D: File Upload Failures |
| App works but new keys show raw key names | API healthy, keys exist in Lokalise | Triage A: Missing Translations |
Triage A: Missing Translations in Production
Likely causes: New keys deployed before translations were uploaded, download step skipped in CI, locale file not included in build.
# 1. Check if the key exists in Lokalise
KEY_NAME="homepage.welcome_message" # Replace with the missing key
curl -sf "https://api.lokalise.com/api2/projects/${LOKALISE_PROJECT_ID}/keys?filter_keys=${KEY_NAME}" \
-H "X-Api-Token: ${LOKALISE_API_TOKEN}" \
| jq '.keys[] | {key_name: .key_name.web, translations: [.translations[] | {locale: .language_iso, value: .translation}]}'
# 2. Check if the locale file was included in the deployed build
# (run on the production server or check the build artifact)
ls -la /app/locales/ # Adjust path to your deployed locale directory
cat /app/locales/de.json | jq ".$KEY_NAME" 2>/dev/null || echo "Key not found in deployed file"
# 3. Quick fix: Re-download and redeploy
lokalise2 file download \
--token "$LOKALISE_API_TOKEN" \
--project-id "$LOKALISE_PROJECT_ID" \
--format json \
--original-filenames=true \
--directory-prefix="" \
--export-empty-as=base \
--unzip-to "src/locales/"
# Then trigger a redeploy
Triage B: Stale Translations
Likely causes: Cache not invalidated, OTA bundle not refreshed, CI downloaded from wrong branch or old snapshot.
# 1. Compare Lokalise timestamp with deployed file
LOKALISE_UPDATED=$(curl -sf "https://api.lokalise.com/api2/projects/${LOKALISE_PROJECT_ID}" \
-H "X-Api-Token: ${LOKALISE_API_TOKEN}" \
| jq -r '.project.statistics.datetime')
echo "Lokalise last updated: $LOKALISE_UPDATED"
# 2. Check when your deployed translations were built
stat src/locales/en.json # File modification time
# 3. Force cache invalidation if using OTA
# For i18next-http-backend or similar:
# Clear the browser/app cache or increment the version query parameter
# 4. Re-download fresh translations
lokalise2 file download \
--token "$LOKALISE_API_TOKEN" \
--project-id "$LOKALISE_PROJECT_ID" \
--format json \
--original-filenames=true \
--directory-prefix="" \
--unzip-to "src/locales/"
Triage C: API Outage
When Lokalise API returns 5xx or is unreachable.
# 1. Confirm on status page
echo "Check: https://status.lokalise.com"
curl -sf "https://status.lokalise.com/api/v2/summary.json" 2>/dev/null \
| jq '.status.description' || echo "Status page unreachable"
# 2. Enable fallback translations
# Your app should have a fallback mechanism. If not, deploy one immediately:
// Emergency fallback implementation
// Add to your translation loader
import bundledTranslations from './locales/en.json';
async function loadTranslations(locale: string): Promise<Record<string, string>> {
try {
// Try loading from Lokalise/CDN/API
const response = await fetch(`/api/translations/${locale}`, {
signal: AbortSignal.timeout(3000), // 3-second timeout
});
if (!response.ok) throw new Error(`HTTP ${response.status}`);
return await response.json();
} catch (error) {
console.error(`Translation fetch failed for ${locale}, using fallback:`, error);
// Fall back to bundled English translations
return bundledTranslations;
}
}
# 3. If your app crashes without the API, set the env var to enable static fallback:
export LOKALISE_FALLBACK_ENABLED=true
# Then restart the application
# 4. Monitor for recovery
watch -n 30 'curl -sf -o /dev/null -w "%{http_code}" \
"https://api.lokalise.com/api2/projects/${LOKALISE_PROJECT_ID}" \
-H "X-Api-Token: ${LOKALISE_API_TOKEN}"'
Triage D: File Upload Failures
When CI fails to upload source strings to Lokalise.
# 1. Validate the source file locally
jq empty src/locales/en.json && echo "Valid JSON" || echo "INVALID JSON — fix syntax"
# 2. Check file size (Lokalise limit: 50MB per file)
du -h src/locales/en.json
# 3. Test upload with verbose output
lokalise2 file upload \
--token "$LOKALISE_API_TOKEN" \
--project-id "$LOKALISE_PROJECT_ID" \
--file "src/locales/en.json" \
--lang-iso "en" \
--replace-modified \
--poll \
--poll-timeout 120s 2>&1
# 4. Common fixes:
# - "Unsupported file format": Check file extension matches --format
# - "Key name too long": Lokalise limit is 1024 chars per key
# - "Too many keys": Split into multiple files if > 10,000 keys per upload
# - 429 error: Wait and retry, or reduce upload frequency
Step 3: Fallback to Cached Translations
If the Lokalise API is down and you need the app to keep running, use bundled translations.
// src/i18n/fallback-loader.ts
import fs from 'fs';
import path from 'path';
const CACHE_DIR = path.resolve(__dirname, '../locales');
const FALLBACK_DIR = path.resolve(__dirname, '../locales-fallback');
/**
* Copy current translations to fallback directory.
* Run this as a post-build step: `cp -r src/locales/ src/locales-fallback/`
*/
export function loadWithFallback(locale: string): Record<string, unknown> {
const primaryPath = path.join(CACHE_DIR, `${locale}.json`);
const fallbackPath = path.join(FALLBACK_DIR, `${locale}.json`);
const defaultPath = path.join(FALLBACK_DIR, 'en.json');
// Try primary (freshly downloaded)
if (fs.existsSync(primaryPath)) {
try {
return JSON.parse(fs.readFileSync(primaryPath, 'utf-8'));
} catch { /* fall through */ }
}
// Try locale-specific fallback
if (fs.existsSync(fallbackPath)) {
console.warn(`Using fallback translations for ${locale}`);
return JSON.parse(fs.readFileSync(fallbackPath, 'utf-8'));
}
// Last resort: English fallback
console.error(`No translations available for ${locale}, falling back to English`);
return JSON.parse(fs.readFileSync(defaultPath, 'utf-8'));
}
Step 4: Communication Templates
Initial notification (post within 5 minutes of detection):
[INCIDENT] Translation servi
---
*Content truncated.*
More by jeremylongshore
View all skills by jeremylongshore →You might also like
flutter-development
aj-geddes
Build beautiful cross-platform mobile apps with Flutter and Dart. Covers widgets, state management with Provider/BLoC, navigation, API integration, and material design.
drawio-diagrams-enhanced
jgtolentino
Create professional draw.io (diagrams.net) diagrams in XML format (.drawio files) with integrated PMP/PMBOK methodologies, extensive visual asset libraries, and industry-standard professional templates. Use this skill when users ask to create flowcharts, swimlane diagrams, cross-functional flowcharts, org charts, network diagrams, UML diagrams, BPMN, project management diagrams (WBS, Gantt, PERT, RACI), risk matrices, stakeholder maps, or any other visual diagram in draw.io format. This skill includes access to custom shape libraries for icons, clipart, and professional symbols.
ui-ux-pro-max
nextlevelbuilder
"UI/UX design intelligence. 50 styles, 21 palettes, 50 font pairings, 20 charts, 8 stacks (React, Next.js, Vue, Svelte, SwiftUI, React Native, Flutter, Tailwind). Actions: plan, build, create, design, implement, review, fix, improve, optimize, enhance, refactor, check UI/UX code. Projects: website, landing page, dashboard, admin panel, e-commerce, SaaS, portfolio, blog, mobile app, .html, .tsx, .vue, .svelte. Elements: button, modal, navbar, sidebar, card, table, form, chart. Styles: glassmorphism, claymorphism, minimalism, brutalism, neumorphism, bento grid, dark mode, responsive, skeuomorphism, flat design. Topics: color palette, accessibility, animation, layout, typography, font pairing, spacing, hover, shadow, gradient."
godot
bfollington
This skill should be used when working on Godot Engine projects. It provides specialized knowledge of Godot's file formats (.gd, .tscn, .tres), architecture patterns (component-based, signal-driven, resource-based), common pitfalls, validation tools, code templates, and CLI workflows. The `godot` command is available for running the game, validating scripts, importing resources, and exporting builds. Use this skill for tasks involving Godot game development, debugging scene/resource files, implementing game systems, or creating new Godot components.
nano-banana-pro
garg-aayush
Generate and edit images using Google's Nano Banana Pro (Gemini 3 Pro Image) API. Use when the user asks to generate, create, edit, modify, change, alter, or update images. Also use when user references an existing image file and asks to modify it in any way (e.g., "modify this image", "change the background", "replace X with Y"). Supports both text-to-image generation and image-to-image editing with configurable resolution (1K default, 2K, or 4K for high resolution). DO NOT read the image file first - use this skill directly with the --input-image parameter.
fastapi-templates
wshobson
Create production-ready FastAPI projects with async patterns, dependency injection, and comprehensive error handling. Use when building new FastAPI applications or setting up backend API projects.
Related MCP Servers
Browse all serversIntegrate with Panther Labs to streamline cybersecurity workflows, manage detection rules, triage alerts, and boost inci
Integrate Swagger/OpenAPI with your REST API to explore endpoints, fetch docs, and execute authenticated requests easily
Connect Blender to Claude AI for seamless 3D modeling. Use AI 3D model generator tools for faster, intuitive, interactiv
Terminal control, file system search, and diff-based file editing for Claude and other AI assistants. Execute shell comm
Safely connect cloud Grafana to AI agents with MCP: query, inspect, and manage Grafana resources using simple, focused o
Integrate with Gemini CLI for large-scale file analysis, secure code execution, and advanced context control using Googl
Stay ahead of the MCP ecosystem
Get weekly updates on new skills and servers.