")
+ .map(|e| manifest_start + e)?;
+ let manifest = &opf[manifest_start..manifest_end];
+
+ for media_type in ["image/jpeg", "image/png", "image/gif", "image/webp"] {
+ let pattern = format!("media-type=\"{}\"", media_type);
+ if let Some(pos) = manifest.find(&pattern) {
+ let window_start = pos.saturating_sub(200);
+ let window = &manifest[window_start..pos];
+
+ if let Some(href_pos) = window.rfind("href=\"") {
+ let start = href_pos + 6;
+ if let Some(end) = window[start..].find('"') {
+ return Some(window[start..start + end].to_string());
+ }
+ }
+ }
+ }
+
+ None
+}
diff --git a/apps/readest-app/extensions/windows-thumbnail/src/mod.rs b/apps/readest-app/extensions/windows-thumbnail/src/mod.rs
new file mode 100644
index 0000000000000000000000000000000000000000..181fd202308ed395215710b3a5046789b7362a97
--- /dev/null
+++ b/apps/readest-app/extensions/windows-thumbnail/src/mod.rs
@@ -0,0 +1,13 @@
+//! Windows Thumbnail Provider for Readest
+//!
+//! This module provides Windows Explorer thumbnail support for eBook files.
+//! Thumbnails are only shown when Readest is set as the default application.
+//!
+//! Supported formats: EPUB, MOBI, AZW, AZW3, KF8, FB2, CBZ, CBR
+
+#![allow(non_snake_case)]
+
+mod com_provider;
+mod extraction;
+
+pub use extraction::*;
diff --git a/apps/readest-app/i18next-scanner.config.js b/apps/readest-app/i18next-scanner.config.js
new file mode 100644
index 0000000000000000000000000000000000000000..b49e3b6499dbbebbf7662750eebf6a0128cf79c1
--- /dev/null
+++ b/apps/readest-app/i18next-scanner.config.js
@@ -0,0 +1,60 @@
+module.exports = {
+ input: ['src/**/*.{js,jsx,ts,tsx}', '!src/**/*.test.{js,jsx,ts,tsx}'],
+ output: '.',
+ options: {
+ debug: false,
+ sort: false,
+ func: {
+ list: ['_'],
+ extensions: ['.js', '.jsx', '.ts', '.tsx'],
+ },
+ lngs: [
+ 'de',
+ 'ja',
+ 'es',
+ 'fa',
+ 'fr',
+ 'it',
+ 'el',
+ 'ko',
+ 'uk',
+ 'nl',
+ 'sv',
+ 'pl',
+ 'pt',
+ 'ru',
+ 'tr',
+ 'hi',
+ 'id',
+ 'vi',
+ 'ms',
+ 'he',
+ 'ar',
+ 'th',
+ 'bo',
+ 'bn',
+ 'ta',
+ 'si',
+ 'zh-CN',
+ 'zh-TW',
+ ],
+ ns: ['translation'],
+ defaultNs: 'translation',
+ defaultValue: '__STRING_NOT_TRANSLATED__',
+ resource: {
+ loadPath: './public/locales/{{lng}}/{{ns}}.json',
+ savePath: './public/locales/{{lng}}/{{ns}}.json',
+ jsonIndent: 2,
+ lineEnding: '\n',
+ },
+ keySeparator: false,
+ nsSeparator: false,
+ interpolation: {
+ prefix: '{{',
+ suffix: '}}',
+ },
+ metadata: {},
+ allowDynamicKeys: true,
+ removeUnusedKeys: true,
+ },
+};
diff --git a/apps/readest-app/next.config.mjs b/apps/readest-app/next.config.mjs
new file mode 100644
index 0000000000000000000000000000000000000000..2e75e02dbd6f4e0e1fe6c487c1a5a486b1cd0348
--- /dev/null
+++ b/apps/readest-app/next.config.mjs
@@ -0,0 +1,106 @@
+import withSerwistInit from '@serwist/next';
+import withBundleAnalyzer from '@next/bundle-analyzer';
+
+const isDev = process.env['NODE_ENV'] === 'development';
+const appPlatform = process.env['NEXT_PUBLIC_APP_PLATFORM'];
+
+if (isDev) {
+ const { initOpenNextCloudflareForDev } = await import('@opennextjs/cloudflare');
+ initOpenNextCloudflareForDev();
+}
+
+const exportOutput = appPlatform !== 'web' && !isDev;
+
+/** @type {import('next').NextConfig} */
+const nextConfig = {
+ // Ensure Next.js uses SSG instead of SSR
+ // https://nextjs.org/docs/pages/building-your-application/deploying/static-exports
+ output: exportOutput ? 'export' : undefined,
+ pageExtensions: exportOutput ? ['jsx', 'tsx'] : ['js', 'jsx', 'ts', 'tsx'],
+ // Note: This feature is required to use the Next.js Image component in SSG mode.
+ // See https://nextjs.org/docs/messages/export-image-api for different workarounds.
+ images: {
+ unoptimized: true,
+ },
+ devIndicators: false,
+ // Configure assetPrefix or else the server won't properly resolve your assets.
+ assetPrefix: '',
+ reactStrictMode: true,
+ serverExternalPackages: ['isows'],
+ webpack: (config) => {
+ config.resolve.alias = {
+ ...config.resolve.alias,
+ nunjucks: 'nunjucks/browser/nunjucks.js',
+ };
+ return config;
+ },
+ turbopack: {
+ resolveAlias: {
+ nunjucks: 'nunjucks/browser/nunjucks.js',
+ },
+ },
+ transpilePackages: [
+ 'ai',
+ 'ai-sdk-ollama',
+ '@ai-sdk/react',
+ '@assistant-ui/react',
+ '@assistant-ui/react-ai-sdk',
+ '@assistant-ui/react-markdown',
+ 'streamdown',
+ ...(isDev
+ ? []
+ : [
+ 'i18next-browser-languagedetector',
+ 'react-i18next',
+ 'i18next',
+ '@tauri-apps',
+ 'highlight.js',
+ 'foliate-js',
+ 'marked',
+ ]),
+ ],
+ async headers() {
+ return [
+ {
+ source: '/.well-known/apple-app-site-association',
+ headers: [
+ {
+ key: 'Content-Type',
+ value: 'application/json',
+ },
+ ],
+ },
+ {
+ source: '/_next/static/:path*',
+ headers: [
+ {
+ key: 'Cache-Control',
+ value: isDev
+ ? 'public, max-age=0, must-revalidate'
+ : 'public, max-age=31536000, immutable',
+ },
+ ],
+ },
+ ];
+ },
+};
+
+const pwaDisabled = isDev || appPlatform !== 'web';
+
+const withPWA = pwaDisabled
+ ? (config) => config
+ : withSerwistInit({
+ swSrc: 'src/sw.ts',
+ swDest: 'public/sw.js',
+ cacheOnNavigation: true,
+ reloadOnOnline: true,
+ disable: false,
+ register: true,
+ scope: '/',
+ });
+
+const withAnalyzer = withBundleAnalyzer({
+ enabled: process.env.ANALYZE === 'true',
+});
+
+export default withPWA(withAnalyzer(nextConfig));
diff --git a/apps/readest-app/open-next.config.ts b/apps/readest-app/open-next.config.ts
new file mode 100644
index 0000000000000000000000000000000000000000..e4bc5eedc97b44376d7dc4237894d3ac795c92b8
--- /dev/null
+++ b/apps/readest-app/open-next.config.ts
@@ -0,0 +1,6 @@
+import { defineCloudflareConfig } from '@opennextjs/cloudflare';
+import r2IncrementalCache from '@opennextjs/cloudflare/overrides/incremental-cache/r2-incremental-cache';
+
+export default defineCloudflareConfig({
+ incrementalCache: r2IncrementalCache,
+});
diff --git a/apps/readest-app/package.json b/apps/readest-app/package.json
new file mode 100644
index 0000000000000000000000000000000000000000..50b27eaf0e5d0c5acd6b054db5161e0dc2df9c4c
--- /dev/null
+++ b/apps/readest-app/package.json
@@ -0,0 +1,198 @@
+{
+ "name": "@readest/readest-app",
+ "version": "0.9.100",
+ "private": true,
+ "scripts": {
+ "dev": "dotenv -e .env.tauri -- next dev",
+ "build": "dotenv -e .env.tauri -- next build",
+ "start": "dotenv -e .env.tauri -- next start",
+ "dev-web": "dotenv -e .env.web -- next dev",
+ "build-web": "dotenv -e .env.web -- next build",
+ "start-web": "dotenv -e .env.web -- next start",
+ "build-tauri": "dotenv -e .env.tauri -- next build",
+ "i18n:extract": "i18next-scanner",
+ "lint": "eslint .",
+ "test": "dotenv -e .env -e .env.test.local vitest",
+ "tauri": "tauri",
+ "clippy": "cargo clippy -p Readest --no-deps -- -D warnings",
+ "format": "pnpm -w format",
+ "format:check": "pnpm -w format:check",
+ "prepare-public-vendor": "mkdirp ./public/vendor/pdfjs ./public/vendor/simplecc",
+ "copy-pdfjs-js": "cpx \"../../packages/foliate-js/node_modules/pdfjs-dist/legacy/build/{pdf.worker.min.mjs,pdf.min.mjs,pdf.d.mts}\" ./public/vendor/pdfjs",
+ "copy-pdfjs-wasm": "cpx \"../../packages/foliate-js/node_modules/pdfjs-dist/wasm/{openjpeg.wasm,qcms_bg.wasm}\" ./public/vendor/pdfjs",
+ "copy-pdfjs-fonts": "cpx \"../../packages/foliate-js/node_modules/pdfjs-dist/{cmaps,standard_fonts}/*\" ./public/vendor/pdfjs",
+ "copy-flatten-pdfjs-annotation-layer-css": "npx postcss \"../../packages/foliate-js/vendor/pdfjs/annotation_layer_builder.css\" --no-map -u postcss-nested > ./public/vendor/pdfjs/annotation_layer_builder.css",
+ "copy-flatten-pdfjs-text-layer-css": "npx postcss \"../../packages/foliate-js/vendor/pdfjs/text_layer_builder.css\" --no-map -u postcss-nested > ./public/vendor/pdfjs/text_layer_builder.css",
+ "copy-flatten-pdfjs-css": "pnpm copy-flatten-pdfjs-annotation-layer-css && pnpm copy-flatten-pdfjs-text-layer-css",
+ "copy-pdfjs": "pnpm copy-pdfjs-js && pnpm copy-pdfjs-wasm && pnpm copy-pdfjs-fonts && pnpm copy-flatten-pdfjs-css",
+ "copy-simplecc": "cpx \"../../packages/simplecc-wasm/dist/web/*\" ./public/vendor/simplecc",
+ "setup-pdfjs": "pnpm prepare-public-vendor && pnpm copy-pdfjs",
+ "setup-simplecc": "pnpm prepare-public-vendor && pnpm copy-simplecc",
+ "setup-vendors": "pnpm setup-pdfjs && pnpm setup-simplecc",
+ "build-win-x64": "dotenv -e .env.tauri.local -- tauri build --target i686-pc-windows-msvc --bundles nsis",
+ "build-win-arm64": "dotenv -e .env.tauri.local -- tauri build --target aarch64-pc-windows-msvc --bundles nsis",
+ "build-linux-x64": "dotenv -e .env.tauri.local -- tauri build --target x86_64-unknown-linux-gnu --bundles appimage",
+ "build-macos-universial": "dotenv -e .env.tauri.local -e .env.apple-nonstore.local -- tauri build -t universal-apple-darwin --bundles dmg",
+ "build-macos-universial-appstore": "dotenv -e .env.tauri.local -e .env.apple-appstore.local -- tauri build -t universal-apple-darwin --bundles app --config src-tauri/tauri.appstore.conf.json",
+ "build-macos-universial-appstore-dev": "dotenv -e .env.tauri.local -e .env.apple-appstore-dev.local -- tauri build -t universal-apple-darwin --bundles app --config src-tauri/tauri.appstore-dev.conf.json",
+ "build-ios": "dotenv -e .env.ios-appstore-dev.local -- tauri ios build",
+ "build-ios-appstore": "dotenv -e .env.ios-appstore.local -- tauri ios build --export-method app-store-connect",
+ "release-macos-universial-appstore": "dotenv -e .env.tauri.local -e .env.apple-appstore.local -- bash scripts/release-mac-appstore.sh",
+ "release-ios-appstore": "dotenv -e .env.ios-appstore.local -- bash scripts/release-ios-appstore.sh",
+ "release-google-play": "dotenv -e .env.google-play.local -- bash scripts/release-google-play.sh",
+ "config-wrangler": "sed -i \"s/\\${TRANSLATIONS_KV_ID}/$TRANSLATIONS_KV_ID/g\" wrangler.toml",
+ "preview": "pnpm patch-build-webpack && NEXT_PUBLIC_APP_PLATFORM=web opennextjs-cloudflare build && pnpm restore-build-original && opennextjs-cloudflare preview --ip 0.0.0.0 --port 3001",
+ "deploy": "pnpm patch-build-webpack && NEXT_PUBLIC_APP_PLATFORM=web opennextjs-cloudflare build && pnpm restore-build-original && opennextjs-cloudflare deploy",
+ "upload": "pnpm patch-build-webpack && NEXT_PUBLIC_APP_PLATFORM=web opennextjs-cloudflare build && pnpm restore-build-original && opennextjs-cloudflare upload",
+ "cf-typegen": "wrangler types --env-interface CloudflareEnv cloudflare-env.d.ts",
+ "patch-build-webpack": "if [ \"$(uname)\" = \"Darwin\" ]; then sed -i '' 's/next build\"/next build --webpack\"/' package.json; else sed -i 's/next build\"/next build --webpack\"/' package.json; fi",
+ "restore-build-original": "if [ \"$(uname)\" = \"Darwin\" ]; then sed -i '' 's/next build --webpack\"/next build\"/' package.json; else sed -i 's/next build --webpack\"/next build\"/' package.json; fi",
+ "update-metadata": "bash ./scripts/sync-release-notes.sh release-notes.json ../../data/metainfo/appdata.xml",
+ "check:optional-chaining": "count=$(grep -rno '\\?\\.[a-zA-Z_$]' .next/static/chunks/* out/_next/static/chunks/* | wc -l); if [ \"$count\" -gt 0 ]; then echo '❌ Optional chaining found in output!'; exit 1; else echo '✅ No optional chaining found.'; fi",
+ "check:translations": "count=$(grep -rno '__STRING_NOT_TRANSLATED__' public/locales/* | wc -l); if [ \"$count\" -gt 0 ]; then echo '❌ Untranslated strings found!'; exit 1; else echo '✅ All strings translated.'; fi",
+ "check:lookbehind-regex": "count=$(grep -rnoE '\\(\\?<[!=]' .next/static/chunks/* out/_next/static/chunks/* | wc -l); if [ \"$count\" -gt 0 ]; then echo '❌ Lookbehind regex found in output!'; exit 1; else echo '✅ No lookbehind regex found.'; fi",
+ "check:all": "pnpm check:translations && pnpm check:lookbehind-regex",
+ "build-check": "pnpm build && pnpm build-web && pnpm check:all"
+ },
+ "dependencies": {
+ "@ai-sdk/react": "^3.0.49",
+ "@assistant-ui/react": "0.11.56",
+ "@assistant-ui/react-ai-sdk": "1.1.21",
+ "@assistant-ui/react-markdown": "0.11.9",
+ "@aws-sdk/client-s3": "^3.735.0",
+ "@aws-sdk/s3-request-presigner": "^3.735.0",
+ "@choochmeque/tauri-plugin-sharekit-api": "^0.3.0",
+ "@fabianlars/tauri-plugin-oauth": "2",
+ "@opennextjs/cloudflare": "^1.15.1",
+ "@radix-ui/react-collapsible": "^1.1.12",
+ "@radix-ui/react-dialog": "^1.1.15",
+ "@radix-ui/react-dropdown-menu": "^2.1.16",
+ "@radix-ui/react-hover-card": "^1.1.15",
+ "@radix-ui/react-scroll-area": "^1.2.10",
+ "@radix-ui/react-select": "^2.2.6",
+ "@radix-ui/react-separator": "^1.1.8",
+ "@radix-ui/react-slot": "^1.2.4",
+ "@radix-ui/react-tabs": "^1.1.13",
+ "@radix-ui/react-tooltip": "^1.2.8",
+ "@serwist/next": "^9.4.2",
+ "@stripe/react-stripe-js": "^3.7.0",
+ "@stripe/stripe-js": "^7.4.0",
+ "@supabase/auth-ui-react": "^0.4.7",
+ "@supabase/auth-ui-shared": "^0.1.8",
+ "@supabase/supabase-js": "^2.76.1",
+ "@tauri-apps/api": "2.9.1",
+ "@tauri-apps/plugin-cli": "^2.4.1",
+ "@tauri-apps/plugin-deep-link": "^2.4.6",
+ "@tauri-apps/plugin-dialog": "^2.6.0",
+ "@tauri-apps/plugin-fs": "^2.4.5",
+ "@tauri-apps/plugin-haptics": "^2.3.2",
+ "@tauri-apps/plugin-http": "^2.5.6",
+ "@tauri-apps/plugin-log": "^2.8.0",
+ "@tauri-apps/plugin-opener": "^2.5.3",
+ "@tauri-apps/plugin-os": "^2.3.2",
+ "@tauri-apps/plugin-process": "^2.3.1",
+ "@tauri-apps/plugin-shell": "~2.3.4",
+ "@tauri-apps/plugin-updater": "^2.9.0",
+ "@tauri-apps/plugin-websocket": "~2.4.2",
+ "@zip.js/zip.js": "^2.8.16",
+ "abortcontroller-polyfill": "^1.7.8",
+ "ai": "^6.0.47",
+ "ai-sdk-ollama": "^3.2.0",
+ "app-store-server-api": "^0.17.1",
+ "aws4fetch": "^1.0.20",
+ "buffer": "^6.0.3",
+ "class-variance-authority": "^0.7.1",
+ "clsx": "^2.1.1",
+ "cmdk": "^1.1.1",
+ "cors": "^2.8.5",
+ "dayjs": "^1.11.13",
+ "dompurify": "^3.3.0",
+ "foliate-js": "workspace:*",
+ "franc-min": "^6.2.0",
+ "fzf": "^0.5.2",
+ "google-auth-library": "^10.5.0",
+ "googleapis": "^164.1.0",
+ "highlight.js": "^11.11.1",
+ "i18next": "^24.2.0",
+ "i18next-browser-languagedetector": "^8.0.2",
+ "i18next-http-backend": "^3.0.1",
+ "iso-639-2": "^3.0.2",
+ "iso-639-3": "^3.0.1",
+ "isomorphic-ws": "^5.0.0",
+ "js-md5": "^0.8.3",
+ "jwt-decode": "^4.0.0",
+ "lucide-react": "^0.562.0",
+ "lunr": "^2.3.9",
+ "marked": "^15.0.12",
+ "nanoid": "^5.1.6",
+ "next": "16.1.6",
+ "nunjucks": "^3.2.4",
+ "overlayscrollbars": "^2.11.4",
+ "overlayscrollbars-react": "^0.5.6",
+ "posthog-js": "^1.246.0",
+ "react": "19.2.0",
+ "react-color": "^2.19.3",
+ "react-dom": "19.2.0",
+ "react-i18next": "^15.2.0",
+ "react-icons": "^5.4.0",
+ "react-responsive": "^10.0.0",
+ "react-virtuoso": "^4.17.0",
+ "react-window": "^1.8.11",
+ "remark-gfm": "^4.0.1",
+ "semver": "^7.7.1",
+ "streamdown": "^1.6.10",
+ "stripe": "^18.2.1",
+ "styled-jsx": "^5.1.7",
+ "tailwind-merge": "^3.4.0",
+ "tinycolor2": "^1.6.0",
+ "uuid": "^11.1.0",
+ "ws": "^8.18.3",
+ "zod": "^4.0.8",
+ "zustand": "5.0.10"
+ },
+ "devDependencies": {
+ "@next/bundle-analyzer": "^15.4.2",
+ "@tailwindcss/typography": "^0.5.16",
+ "@tauri-apps/cli": "2.9.6",
+ "@testing-library/dom": "^10.4.0",
+ "@testing-library/react": "^16.3.0",
+ "@types/cors": "^2.8.17",
+ "@types/cssbeautify": "^0.3.5",
+ "@types/lunr": "^2.3.7",
+ "@types/node": "^22.15.31",
+ "@types/nunjucks": "^3.2.6",
+ "@types/react": "^19.0.0",
+ "@types/react-color": "^3.0.13",
+ "@types/react-dom": "^19.0.0",
+ "@types/react-window": "^1.8.8",
+ "@types/semver": "^7.7.0",
+ "@types/tinycolor2": "^1.4.6",
+ "@types/uuid": "^10.0.0",
+ "@types/ws": "^8.18.1",
+ "@typescript-eslint/eslint-plugin": "^8.48.0",
+ "@typescript-eslint/parser": "^8.48.0",
+ "@vitejs/plugin-react": "^5.1.1",
+ "autoprefixer": "^10.4.20",
+ "caniuse-lite": "^1.0.30001746",
+ "cpx2": "^8.0.0",
+ "daisyui": "^4.12.24",
+ "dotenv-cli": "^7.4.4",
+ "eslint": "^9.16.0",
+ "eslint-config-next": "16.0.0",
+ "eslint-plugin-jsx-a11y": "^6.10.2",
+ "i18next-scanner": "^4.6.0",
+ "jsdom": "^26.1.0",
+ "mkdirp": "^3.0.1",
+ "node-env-run": "^4.0.2",
+ "postcss": "^8.4.49",
+ "postcss-cli": "^11.0.0",
+ "postcss-nested": "^7.0.2",
+ "raw-loader": "^4.0.2",
+ "serwist": "^9.3.0",
+ "tailwindcss": "^3.4.18",
+ "typescript": "^5.7.2",
+ "vite-tsconfig-paths": "^5.1.4",
+ "vitest": "^4.0.15",
+ "wrangler": "^4.60.0"
+ }
+}
diff --git a/apps/readest-app/postcss.config.mjs b/apps/readest-app/postcss.config.mjs
new file mode 100644
index 0000000000000000000000000000000000000000..2ef30fcf4272e19cf6a23d07b0544027954f9627
--- /dev/null
+++ b/apps/readest-app/postcss.config.mjs
@@ -0,0 +1,9 @@
+/** @type {import('postcss-load-config').Config} */
+const config = {
+ plugins: {
+ tailwindcss: {},
+ autoprefixer: {},
+ },
+};
+
+export default config;
diff --git a/apps/readest-app/public/.well-known/apple-app-site-association b/apps/readest-app/public/.well-known/apple-app-site-association
new file mode 100644
index 0000000000000000000000000000000000000000..097f8bb8044c99c287666a0e695e51be67eca104
--- /dev/null
+++ b/apps/readest-app/public/.well-known/apple-app-site-association
@@ -0,0 +1,17 @@
+{
+ "applinks": {
+ "details": [
+ {
+ "appIDs": [
+ "J5W48D69VR.com.bilingify.readest"
+ ],
+ "components": [
+ {
+ "/": "/auth/*",
+ "comment": "Matches any URL whose path starts with /auth/"
+ }
+ ]
+ }
+ ]
+ }
+}
diff --git a/apps/readest-app/public/.well-known/assetlinks.json b/apps/readest-app/public/.well-known/assetlinks.json
new file mode 100644
index 0000000000000000000000000000000000000000..4260e6f3e32de322eb22415743d6cb54e94ff611
--- /dev/null
+++ b/apps/readest-app/public/.well-known/assetlinks.json
@@ -0,0 +1,16 @@
+[
+ {
+ "relation": [
+ "delegate_permission/common.handle_all_urls",
+ "delegate_permission/common.get_login_creds"
+ ],
+ "target": {
+ "namespace": "android_app",
+ "package_name": "com.bilingify.readest",
+ "sha256_cert_fingerprints": [
+ "65:2D:11:67:76:12:29:14:18:42:CB:3D:18:50:B6:E4:7E:46:E1:2F:4B:E4:7F:5A:6C:14:B6:D7:12:74:1E:82",
+ "E0:E7:60:55:80:8D:3A:DE:A0:D1:CF:7C:20:85:40:A3:DD:4B:E6:4D:17:5C:0F:DE:26:57:7D:9C:5B:29:5F:51"
+ ]
+ }
+ }
+]
diff --git a/apps/readest-app/public/.well-known/org.flathub.VerifiedApps.txt b/apps/readest-app/public/.well-known/org.flathub.VerifiedApps.txt
new file mode 100644
index 0000000000000000000000000000000000000000..17234c7e34d4687ee4250d8f8f102b5fcaa26225
--- /dev/null
+++ b/apps/readest-app/public/.well-known/org.flathub.VerifiedApps.txt
@@ -0,0 +1 @@
+ed533042-5626-4704-b5f2-fa3bbd1136ed
\ No newline at end of file
diff --git a/apps/readest-app/public/apple-touch-icon.png b/apps/readest-app/public/apple-touch-icon.png
new file mode 100644
index 0000000000000000000000000000000000000000..1e0f88920a58ce49bad459293397a2f315b7bd01
--- /dev/null
+++ b/apps/readest-app/public/apple-touch-icon.png
@@ -0,0 +1,3 @@
+version https://git-lfs.github.com/spec/v1
+oid sha256:bf7c5003595f80353d7223b2383473ef0c21522cb30385cd327bcc9242b45f6d
+size 70513
diff --git a/apps/readest-app/public/favicon.ico b/apps/readest-app/public/favicon.ico
new file mode 100644
index 0000000000000000000000000000000000000000..4be4cfdbf9de28711e837d28b4b8ef0aa4267567
Binary files /dev/null and b/apps/readest-app/public/favicon.ico differ
diff --git a/apps/readest-app/public/fonts/InterVariable-Italic.woff2 b/apps/readest-app/public/fonts/InterVariable-Italic.woff2
new file mode 100644
index 0000000000000000000000000000000000000000..318e720c42b20af8a6c099c8a0a0878062896253
--- /dev/null
+++ b/apps/readest-app/public/fonts/InterVariable-Italic.woff2
@@ -0,0 +1,3 @@
+version https://git-lfs.github.com/spec/v1
+oid sha256:e564f652916db6c139570fefb9524a77c4d48f30c92928de9db19b6b5c7a262a
+size 387976
diff --git a/apps/readest-app/public/fonts/InterVariable.woff2 b/apps/readest-app/public/fonts/InterVariable.woff2
new file mode 100644
index 0000000000000000000000000000000000000000..e511e5e3baa7764a30e32b0e614f077c254084a2
--- /dev/null
+++ b/apps/readest-app/public/fonts/InterVariable.woff2
@@ -0,0 +1,3 @@
+version https://git-lfs.github.com/spec/v1
+oid sha256:693b77d4f32ee9b8bfc995589b5fad5e99adf2832738661f5402f9978429a8e3
+size 352240
diff --git a/apps/readest-app/public/icon-tiny.png b/apps/readest-app/public/icon-tiny.png
new file mode 100644
index 0000000000000000000000000000000000000000..96140a22e6ce4ef9cb6da5721076b9eac61a5548
--- /dev/null
+++ b/apps/readest-app/public/icon-tiny.png
@@ -0,0 +1,3 @@
+version https://git-lfs.github.com/spec/v1
+oid sha256:9b584fbb1e264cddc10a6de9dde86a2daefe0bbf17a9d472b0fe81db217350ca
+size 52719
diff --git a/apps/readest-app/public/icon.png b/apps/readest-app/public/icon.png
new file mode 100644
index 0000000000000000000000000000000000000000..afa7c30ddb2c443c569df7a3b0c2bf021760ca7a
--- /dev/null
+++ b/apps/readest-app/public/icon.png
@@ -0,0 +1,3 @@
+version https://git-lfs.github.com/spec/v1
+oid sha256:94e899d1bb5c4ae61e4352db7de9588e6fe697271f8797cfa860422aba9c5158
+size 99436
diff --git a/apps/readest-app/public/images/concrete-texture.png b/apps/readest-app/public/images/concrete-texture.png
new file mode 100644
index 0000000000000000000000000000000000000000..e5444c13012d844d458f8fc4396465901489e980
--- /dev/null
+++ b/apps/readest-app/public/images/concrete-texture.png
@@ -0,0 +1,3 @@
+version https://git-lfs.github.com/spec/v1
+oid sha256:3701ea30dc110a5a12badcdaf995e842afcfe6b86150447807fecc492bbbdae8
+size 49186
diff --git a/apps/readest-app/public/images/leaves-pattern.jpg b/apps/readest-app/public/images/leaves-pattern.jpg
new file mode 100644
index 0000000000000000000000000000000000000000..fc86e61f2eb76893661179e133fa7182a1fda0af
--- /dev/null
+++ b/apps/readest-app/public/images/leaves-pattern.jpg
@@ -0,0 +1,3 @@
+version https://git-lfs.github.com/spec/v1
+oid sha256:2757e2edd4cc72c2add43bce262386917a86b22804850fd9ceaa8528512e2e3a
+size 84715
diff --git a/apps/readest-app/public/images/moon-sky.jpg b/apps/readest-app/public/images/moon-sky.jpg
new file mode 100644
index 0000000000000000000000000000000000000000..6726ff17dc7c6c7057434ebdeb443a1d8c855578
--- /dev/null
+++ b/apps/readest-app/public/images/moon-sky.jpg
@@ -0,0 +1,3 @@
+version https://git-lfs.github.com/spec/v1
+oid sha256:77d40b429d466124ee5e21e0b7ccb0438148fa8ddb7e1b5a21222e5dd31c51a5
+size 41538
diff --git a/apps/readest-app/public/images/night-sky.jpg b/apps/readest-app/public/images/night-sky.jpg
new file mode 100644
index 0000000000000000000000000000000000000000..80594f24e58ca1fc4a5b5e5b9176800f250283de
--- /dev/null
+++ b/apps/readest-app/public/images/night-sky.jpg
@@ -0,0 +1,3 @@
+version https://git-lfs.github.com/spec/v1
+oid sha256:817bb8756db587771e933a366b68ff41dd6f05af0eda4d52fc65fd3238c3b5e7
+size 447722
diff --git a/apps/readest-app/public/images/paper-texture.png b/apps/readest-app/public/images/paper-texture.png
new file mode 100644
index 0000000000000000000000000000000000000000..ab3e487907a44fbbb7d64ab935db9a8b2cdd79ef
--- /dev/null
+++ b/apps/readest-app/public/images/paper-texture.png
@@ -0,0 +1,3 @@
+version https://git-lfs.github.com/spec/v1
+oid sha256:d9e490a90209f524c3d3e6eb1a45fb2edaf932dd120fb7848a1852b72297412c
+size 339429
diff --git a/apps/readest-app/public/images/parchment-paper.jpg b/apps/readest-app/public/images/parchment-paper.jpg
new file mode 100644
index 0000000000000000000000000000000000000000..419d92687162c7a83d7ef993535763ec619573d6
--- /dev/null
+++ b/apps/readest-app/public/images/parchment-paper.jpg
@@ -0,0 +1,3 @@
+version https://git-lfs.github.com/spec/v1
+oid sha256:60e58730bb7cbba31e75188c04be208b229cf271eba958533d26a680100884ab
+size 459655
diff --git a/apps/readest-app/public/images/sand-texture.jpg b/apps/readest-app/public/images/sand-texture.jpg
new file mode 100644
index 0000000000000000000000000000000000000000..2850b44396df7ce01f51f3e808df9b29d5d26b7f
--- /dev/null
+++ b/apps/readest-app/public/images/sand-texture.jpg
@@ -0,0 +1,3 @@
+version https://git-lfs.github.com/spec/v1
+oid sha256:b195d705b7d435f236efe24d59875c2801a01984a2b8469e95b28139872d115e
+size 427525
diff --git a/apps/readest-app/public/images/scrapbook-texture.jpg b/apps/readest-app/public/images/scrapbook-texture.jpg
new file mode 100644
index 0000000000000000000000000000000000000000..6c01eeb5a540c9b99e5210479ec5f2afac745362
--- /dev/null
+++ b/apps/readest-app/public/images/scrapbook-texture.jpg
@@ -0,0 +1,3 @@
+version https://git-lfs.github.com/spec/v1
+oid sha256:9d91cf6729ae17e164ed5fdffdff8da4cf8d88c755a2db39de9a90fde331fdae
+size 325336
diff --git a/apps/readest-app/public/locales/ar/translation.json b/apps/readest-app/public/locales/ar/translation.json
new file mode 100644
index 0000000000000000000000000000000000000000..58a4bebb16f0d6dcf1723c1508ebcb15b49adcbe
--- /dev/null
+++ b/apps/readest-app/public/locales/ar/translation.json
@@ -0,0 +1,1108 @@
+{
+ "(detected)": "(تم التعرف)",
+ "About Readest": "حول ريديست",
+ "Add your notes here...": "أضف ملاحظاتك هنا...",
+ "Animation": "الرسوم المتحركة",
+ "Annotate": "إضافة ملاحظة",
+ "Apply": "تطبيق",
+ "Auto Mode": "الوضع التلقائي",
+ "Behavior": "السلوك",
+ "Book": "الكتاب",
+ "Bookmark": "علامة مرجعية",
+ "Cancel": "إلغاء",
+ "Chapter": "الفصل",
+ "Cherry": "كرزي",
+ "Color": "اللون",
+ "Confirm": "تأكيد",
+ "Confirm Deletion": "تأكيد الحذف",
+ "Copied to notebook": "تم النسخ إلى المفكرة",
+ "Copy": "نسخ",
+ "Dark Mode": "الوضع الداكن",
+ "Default": "الافتراضي",
+ "Default Font": "الخط الافتراضي",
+ "Default Font Size": "حجم الخط الافتراضي",
+ "Delete": "حذف",
+ "Delete Highlight": "حذف التمييز",
+ "Dictionary": "القاموس",
+ "Download Readest": "تحميل ريديست",
+ "Edit": "تحرير",
+ "Excerpts": "مقتطفات",
+ "Failed to import book(s): {{filenames}}": "فشل استيراد الكتاب/الكتب: {{filenames}}",
+ "Fast": "سريع",
+ "Font": "الخط",
+ "Font & Layout": "الخط والتخطيط",
+ "Font Face": "نوع الخط",
+ "Font Family": "عائلة الخط",
+ "Font Size": "حجم الخط",
+ "Full Justification": "محاذاة كاملة",
+ "Global Settings": "الإعدادات العامة",
+ "Go Back": "العودة",
+ "Go Forward": "التقدم",
+ "Grass": "عشبي",
+ "Gray": "رمادي",
+ "Gruvbox": "چروفبوكس",
+ "Highlight": "تمييز",
+ "Horizontal Direction": "الاتجاه الأفقي",
+ "Hyphenation": "الواصلة",
+ "Import Books": "استيراد الكتب",
+ "Layout": "التخطيط",
+ "Light Mode": "الوضع الفاتح",
+ "Loading...": "جارٍ التحميل...",
+ "Logged in": "تم تسجيل الدخول",
+ "Logged in as {{userDisplayName}}": "تم تسجيل الدخول باسم {{userDisplayName}}",
+ "Match Case": "مطابقة حالة الأحرف",
+ "Match Diacritics": "مطابقة التشكيل",
+ "Match Whole Words": "مطابقة الكلمات الكاملة",
+ "Maximum Number of Columns": "العدد الأقصى للأعمدة",
+ "Minimum Font Size": "الحد الأدنى لحجم الخط",
+ "Monospace Font": "خط أحادي المسافة (Monospace)",
+ "More Info": "مزيد من المعلومات",
+ "Nord": "نورد",
+ "Notebook": "المفكرة",
+ "Notes": "الملاحظات",
+ "Open": "فتح",
+ "Original Text": "النص الأصلي",
+ "Page": "الصفحة",
+ "Paging Animation": "رسوم متحركةعند الانتقال إلى صفحة جديدة",
+ "Paragraph": "فقرة",
+ "Published": "تاريخ النشر",
+ "Publisher": "الناشر",
+ "Reading Progress Synced": "تمت مزامنة تقدم القراءة",
+ "Reload Page": "إعادة تحميل الصفحة",
+ "Reveal in File Explorer": "إظهار في مستكشف الملفات",
+ "Reveal in Finder": "إظهار في Finder",
+ "Reveal in Folder": "إظهار في المجلد",
+ "Sans-Serif Font": "خط غير مذيل (Sans-Serif)",
+ "Save": "حفظ",
+ "Scrolled Mode": "وضع التمرير",
+ "Search": "البحث",
+ "Search Books...": "بحث في الكتب...",
+ "Search...": "بحث...",
+ "Select Book": "تحديد الكتاب",
+ "Select Books": "تحديد الكتب",
+ "Sepia": "بني داكن",
+ "Serif Font": "خط مذيل (Serif)",
+ "Show Book Details": "عرض تفاصيل الكتاب",
+ "Sidebar": "الشريط الجانبي",
+ "Sign In": "تسجيل الدخول",
+ "Sign Out": "تسجيل الخروج",
+ "Sky": "سماوي",
+ "Slow": "بطيء",
+ "Solarized": "سولاريزد",
+ "Speak": "تحدث",
+ "Subjects": "المواضيع",
+ "System Fonts": "خطوط النظام",
+ "Theme Color": "لون السمة",
+ "Theme Mode": "وضع السمة",
+ "Translate": "ترجمة",
+ "Translated Text": "النص المترجم",
+ "Unknown": "غير معروف",
+ "Untitled": "بدون عنوان",
+ "Updated": "تم التحديث",
+ "Version {{version}}": "الإصدار {{version}}",
+ "Vertical Direction": "الاتجاه العمودي",
+ "Welcome to your library. You can import your books here and read them anytime.": "مرحبًا بكم في مكتبتكم. يمكنكم استيراد كتبكم هنا وقراءتها في أي وقت.",
+ "Wikipedia": "ويكيبيديا",
+ "Writing Mode": "وضع الكتابة",
+ "Your Library": "المكتبة الخاصة بك",
+ "TTS not supported for PDF": "القراءة الصوتية غير مدعومة لملفات PDF",
+ "Override Book Font": "تجاوز خط الكتاب",
+ "Apply to All Books": "تطبيق على جميع الكتب",
+ "Apply to This Book": "تطبيق على هذا الكتاب",
+ "Unable to fetch the translation. Try again later.": "تعذر جلب الترجمة. حاول مرة أخرى لاحقًا.",
+ "Check Update": "التحقق من التحديث",
+ "Already the latest version": "الإصدار الحالي هو الإصدار الأحدث بالفعل",
+ "Book Details": "تفاصيل الكتاب",
+ "From Local File": "من ملف محلي",
+ "TOC": "جدول المحتويات",
+ "Table of Contents": "جدول المحتويات",
+ "Book uploaded: {{title}}": "تم تحميل الكتاب: {{title}}",
+ "Failed to upload book: {{title}}": "فشل تحميل الكتاب: {{title}}",
+ "Book downloaded: {{title}}": "تم تنزيل الكتاب: {{title}}",
+ "Failed to download book: {{title}}": "فشل تنزيل الكتاب: {{title}}",
+ "Upload Book": "تحميل الكتاب",
+ "Auto Upload Books to Cloud": "تحميل الكتب تلقائيًا إلى السحابة",
+ "Book deleted: {{title}}": "تم حذف الكتاب: {{title}}",
+ "Failed to delete book: {{title}}": "فشل حذف الكتاب: {{title}}",
+ "Check Updates on Start": "التحقق من التحديثات عند البدء",
+ "Insufficient storage quota": "حصة التخزين غير كافية",
+ "Font Weight": "سمك الخط",
+ "Line Spacing": "تباعد الأسطر",
+ "Word Spacing": "تباعد الكلمات",
+ "Letter Spacing": "تباعد الأحرف",
+ "Text Indent": "مسافة بادئة للنص",
+ "Paragraph Margin": "هامش الفقرة",
+ "Override Book Layout": "تجاوز تخطيط الكتاب",
+ "Untitled Group": "مجموعة بدون عنوان",
+ "Group Books": "تجميع الكتب",
+ "Remove From Group": "إزالة من المجموعة",
+ "Create New Group": "إنشاء مجموعة جديدة",
+ "Deselect Book": "إلغاء تحديد الكتاب",
+ "Download Book": "تنزيل الكتاب",
+ "Deselect Group": "إلغاء تحديد المجموعة",
+ "Select Group": "تحديد المجموعة",
+ "Keep Screen Awake": "إبقاء الشاشة نشطة",
+ "Email address": "البريد الإلكتروني",
+ "Your Password": "كلمة المرور",
+ "Your email address": "البريد الإلكتروني الخاص بك",
+ "Your password": "كلمة المرور الخاصة بك",
+ "Sign in": "تسجيل الدخول",
+ "Signing in...": "يتم الآن تسجيل الدخول...",
+ "Sign in with {{provider}}": "تسجيل الدخول باستخدام {{provider}}",
+ "Already have an account? Sign in": "هل لديك حساب بالفعل؟ تسجيل الدخول",
+ "Create a Password": "إنشاء كلمة مرور",
+ "Sign up": "إنشاء حساب",
+ "Signing up...": "يتم الآن إنشاء الحساب...",
+ "Don't have an account? Sign up": "ليس لديك حساب؟ قم بالتسجيل",
+ "Check your email for the confirmation link": "تحقق من بريدك الإلكتروني للحصول على رابط التأكيد",
+ "Signing in ...": "يتم الآن تسجيل الدخول ...",
+ "Send a magic link email": "إرسال رابط سحري إلى بريدك الإلكتروني",
+ "Check your email for the magic link": "تحقق من بريدك الإلكتروني للحصول على الرابط السحري",
+ "Send reset password instructions": "أرسل تعليمات إعادة تعيين كلمة المرور",
+ "Sending reset instructions ...": "يتم الآن إرسال تعليمات إعادة تعيين كلمة المرور ...",
+ "Forgot your password?": "نسيت كلمة المرور؟",
+ "Check your email for the password reset link": "تحقق من بريدك الإلكتروني للحصول على رابط إعادة تعيين كلمة المرور",
+ "New Password": "كلمة المرور الجديدة",
+ "Your new password": "أدخل كلمة المرور الجديدة",
+ "Update password": "تغيير كلمة المرور",
+ "Updating password ...": "يتم الآن تغيير كلمة المرور ...",
+ "Your password has been updated": "تم تغيير كلمة المرور الخاصة بك بنجاح",
+ "Phone number": "رقم الجوال",
+ "Your phone number": "أدخل رقم الجوال",
+ "Token": "الرمز",
+ "Your OTP token": "رمز OTP الذي وصلك",
+ "Verify token": "التحقق من الرمز",
+ "Account": "الحساب",
+ "Failed to delete user. Please try again later.": "فشل حذف المستخدم. يرجى المحاولة مرة أخرى لاحقًا.",
+ "Community Support": "دعم المجتمع",
+ "Priority Support": "دعم ذو أولوية",
+ "Loading profile...": "جارٍ تحميل الملف الشخصي...",
+ "Delete Account": "حذف الحساب",
+ "Delete Your Account?": "حذف حسابك؟",
+ "This action cannot be undone. All your data in the cloud will be permanently deleted.": "لا يمكن التراجع عن هذا الإجراء. سيتم حذف جميع بياناتك في السحابة بشكل دائم.",
+ "Delete Permanently": "حذف نهائي",
+ "RTL Direction": "الاتجاه من اليمين إلى اليسار",
+ "Maximum Column Height": "الارتفاع الأقصى للعمود",
+ "Maximum Column Width": "العرض الأقصى للعمود",
+ "Continuous Scroll": "التمرير المستمر",
+ "Fullscreen": "ملء الشاشة",
+ "No supported files found. Supported formats: {{formats}}": "لم يتم العثور على ملفات مدعومة. الصيغ المدعومة: {{formats}}",
+ "Drop to Import Books": "قم بالسحب والإسقاط لاستيراد الكتب",
+ "Custom": "مخصص",
+ "All the world's a stage,\nAnd all the men and women merely players;\nThey have their exits and their entrances,\nAnd one man in his time plays many parts,\nHis acts being seven ages.\n\n— William Shakespeare": "العالم مسرح،\nوالناس فيه ممثلون؛\nلهم مخارج ومداخل،\nوالإنسان في حياته يلعب دورًا كثيرًا،\nوأفعاله تمر بسبع مراحل.\n\n— ويليام شكسبير",
+ "Custom Theme": "سمة مخصصة",
+ "Theme Name": "اسم السمة",
+ "Text Color": "لون النص",
+ "Background Color": "لون الخلفية",
+ "Preview": "معاينة",
+ "Contrast": "التباين",
+ "Sunset": "غروب الشمس",
+ "Double Border": "حدود مزدوجة",
+ "Border Color": "لون الحدود",
+ "Border Frame": "إطار الحدود",
+ "Show Header": "إظهار الترويسة",
+ "Show Footer": "إظهار التذييل",
+ "Small": "صغير",
+ "Large": "كبير",
+ "Auto": "تلقائي",
+ "Language": "اللغة",
+ "No annotations to export": "لا توجد تعليقات للتصدير",
+ "Author": "المؤلف",
+ "Exported from Readest": "تم التصدير من ريديست",
+ "Highlights & Annotations": "التمييزات والتعليقات",
+ "Note": "ملاحظة",
+ "Copied to clipboard": "تم النسخ إلى الحافظة",
+ "Export Annotations": "تصدير التعليقات",
+ "Auto Import on File Open": "استيراد تلقائي عند فتح الملف",
+ "LXGW WenKai GB Screen": "LXGW WenKai SC",
+ "LXGW WenKai TC": "LXGW WenKai TC",
+ "No chapters detected": "لم يتم التعرف على أي فصول",
+ "Failed to parse the EPUB file": "فشل في تحليل ملف EPUB",
+ "This book format is not supported": "تنسيق الكتاب هذا غير مدعوم",
+ "Unable to fetch the translation. Please log in first and try again.": "تعذر جلب الترجمة. يرجى تسجيل الدخول أولاً ثم المحاولة مرة أخرى.",
+ "Group": "تجميع",
+ "Always on Top": "دائمًا في المقدمة",
+ "No Timeout": "بدون مهلة",
+ "{{value}} minute": "{{value}} دقيقة",
+ "{{value}} minutes": "{{value}} دقائق",
+ "{{value}} hour": "{{value}} ساعة",
+ "{{value}} hours": "{{value}} ساعات",
+ "CJK Font": "خط CJK",
+ "Clear Search": "مسح البحث",
+ "Header & Footer": "الترويسة والتذييل",
+ "Apply also in Scrolled Mode": "تطبيق أيضًا في وضع التمرير",
+ "A new version of Readest is available!": "يتوفر إصدار جديد من Readest!",
+ "Readest {{newVersion}} is available (installed version {{currentVersion}}).": "إصدار {{newVersion}} من ريديست متاح للتنزيل (الإصدار المثبت حاليًا {{currentVersion}}).",
+ "Download and install now?": "هل ترغب في تنزيله وتثبيته الآن؟",
+ "Downloading {{downloaded}} of {{contentLength}}": "جارٍ تنزيل {{downloaded}} من {{contentLength}}",
+ "Download finished": "اكتمل التنزيل",
+ "DOWNLOAD & INSTALL": "تنزيل وتثبيت",
+ "Changelog": "سجل التغييرات",
+ "Software Update": "تحديث البرنامج",
+ "Title": "العنوان",
+ "Date Read": "تاريخ القراءة",
+ "Date Added": "تاريخ الإضافة",
+ "Format": "التنسيق",
+ "Ascending": "تصاعدي",
+ "Descending": "تنازلي",
+ "Sort by...": "ترتيب حسب...",
+ "Added": "تاريخ الإضافة",
+ "GuanKiapTsingKhai-T": "GuanKiapTsingKhai-T",
+ "Description": "الوصف",
+ "No description available": "لا يوجد وصف متاح",
+ "List": "قائمة",
+ "Grid": "شبكة",
+ "(from 'As You Like It', Act II)": "(من 'كما تحب'، الفصل الثاني)",
+ "Link Color": "لون الرابط",
+ "Volume Keys for Page Flip": "مفاتيح الصوت لتقليب الصفحات",
+ "Screen": "الشاشة",
+ "Orientation": "الاتجاه",
+ "Portrait": "عمودي",
+ "Landscape": "أفقي",
+ "Open Last Book on Start": "فتح آخر كتاب عند البدء",
+ "Checking for updates...": "جارٍ التحقق من التحديثات...",
+ "Error checking for updates": "خطأ في التحقق من التحديثات",
+ "Details": "التفاصيل",
+ "File Size": "حجم الملف",
+ "Auto Detect": "الكشف التلقائي",
+ "Next Section": "القسم التالي",
+ "Previous Section": "القسم السابق",
+ "Next Page": "الصفحة التالية",
+ "Previous Page": "الصفحة السابقة",
+ "Are you sure to delete {{count}} selected book(s)?_zero": "هل أنت متأكد من حذف الكتب المحددة؟",
+ "Are you sure to delete {{count}} selected book(s)?_one": "هل أنت متأكد من حذف الكتاب المحدد؟",
+ "Are you sure to delete {{count}} selected book(s)?_two": "هل أنت متأكد من حذف الكتابين المحددين؟",
+ "Are you sure to delete {{count}} selected book(s)?_few": "هل أنت متأكد من حذف {{count}} كتب محددة؟",
+ "Are you sure to delete {{count}} selected book(s)?_many": "هل أنت متأكد من حذف {{count}} كتابًا محددًا؟",
+ "Are you sure to delete {{count}} selected book(s)?_other": "هل أنت متأكد من حذف {{count}} من الكتب المحددة؟",
+ "Are you sure to delete the selected book?": "هل أنت متأكد من حذف الكتاب المحدد؟",
+ "Deselect": "إلغاء التحديد",
+ "Select All": "تحديد الكل",
+ "No translation available.": "لا توجد ترجمة متاحة.",
+ "Translated by {{provider}}.": "تمت الترجمة بواسطة {{provider}}.",
+ "DeepL": "DeepL",
+ "Google Translate": "ترجمة Google",
+ "Azure Translator": "مترجم Azure",
+ "Invert Image In Dark Mode": "عكس ألوان الصورة في الوضع الداكن",
+ "Help improve Readest": "ساعد في تحسين ريديست",
+ "Sharing anonymized statistics": "مشاركة إحصائيات مجهولة الهوية",
+ "Interface Language": "لغة الواجهة",
+ "Translation": "الترجمة",
+ "Enable Translation": "تمكين الترجمة",
+ "Translation Service": "خدمة الترجمة",
+ "Translate To": "ترجمة إلى",
+ "Disable Translation": "تعطيل الترجمة",
+ "Scroll": "تمرير",
+ "Overlap Pixels": "تداخل البكسلات",
+ "System Language": "لغة النظام",
+ "Security": "الأمان",
+ "Allow JavaScript": "السماح بـ JavaScript",
+ "Enable only if you trust the file.": "قم بالتمكين فقط في حال وثوقك بالملف.",
+ "Sort TOC by Page": "ترتيب جدول المحتويات حسب الصفحة",
+ "Search in {{count}} Book(s)..._zero": "بحث في الكتب...",
+ "Search in {{count}} Book(s)..._one": "بحث في كتاب...",
+ "Search in {{count}} Book(s)..._two": "بحث في كتابين...",
+ "Search in {{count}} Book(s)..._few": "بحث في {{count}} كتب...",
+ "Search in {{count}} Book(s)..._many": "بحث في {{count}} كتابًا...",
+ "Search in {{count}} Book(s)..._other": "بحث في {{count}} من الكتب...",
+ "No notes match your search": "لا توجد ملاحظات تطابق بحثك",
+ "Search notes and excerpts...": "بحث في الملاحظات والمقتطفات...",
+ "Sign in to Sync": "قم بتسجيل الدخول للمزامنة",
+ "Synced at {{time}}": "تمت المزامنة في {{time}}",
+ "Never synced": "لم تتم المزامنة بعد",
+ "Show Remaining Time": "إظهار الوقت المتبقي",
+ "{{time}} min left in chapter": "{{time}} دقيقة متبقية حتى نهاية الفصل",
+ "Override Book Color": "تجاوز لون الكتاب",
+ "Login Required": "يتطلب الأمر تسجيل الدخول",
+ "Quota Exceeded": "تجاوزت الحصة المخصصة",
+ "{{percentage}}% of Daily Translation Characters Used.": "تم استخدام ما نسبته {{percentage}}% من إجمالي أحرف الترجمة المسموح بها يوميًا.",
+ "Translation Characters": "أحرف الترجمة",
+ "{{engine}}: {{count}} voices_zero": "{{engine}}: لا توجد أصوات",
+ "{{engine}}: {{count}} voices_one": "{{engine}}: صوت واحد",
+ "{{engine}}: {{count}} voices_two": "{{engine}}: صوتان",
+ "{{engine}}: {{count}} voices_few": "{{engine}}: {{count}} أصوات",
+ "{{engine}}: {{count}} voices_many": "{{engine}}: {{count}} صوتاً",
+ "{{engine}}: {{count}} voices_other": "{{engine}}: {{count}} صوت",
+ "Something went wrong. Don't worry, our team has been notified and we're working on a fix.": "حدث خطأ ما. لا تقلق، لقد تم إبلاغ فريقنا ونحن نعمل على إصلاحه.",
+ "Error Details:": "تفاصيل الخطأ:",
+ "Try Again": "حاول مرة أخرى",
+ "Need help?": "تحتاج مساعدة؟",
+ "Contact Support": "اتصل بالدعم الفني",
+ "Code Highlighting": "تمييز الكود",
+ "Enable Highlighting": "تمكين التمييز",
+ "Code Language": "لغة الكود",
+ "Top Margin (px)": "الهامش العلوي (بكسل)",
+ "Bottom Margin (px)": "الهامش السفلي (بكسل)",
+ "Right Margin (px)": "الهامش الأيمن (بكسل)",
+ "Left Margin (px)": "الهامش الأيسر (بكسل)",
+ "Column Gap (%)": "تباعد الأعمدة (%)",
+ "Always Show Status Bar": "دائمًا إظهار شريط الحالة",
+ "Custom Content CSS": "CSS مخصص للمحتوى",
+ "Enter CSS for book content styling...": "أدخل CSS لتنسيق محتوى الكتاب...",
+ "Custom Reader UI CSS": "CSS مخصص لواجهة القارئ",
+ "Enter CSS for reader interface styling...": "أدخل CSS لتنسيق واجهة القارئ...",
+ "Crop": "قص",
+ "Book Covers": "أغلفة الكتب",
+ "Fit": "ملاءمة",
+ "Reset {{settings}}": "إعادة تعيين {{settings}}",
+ "Reset Settings": "إعادة تعيين الإعدادات",
+ "{{count}} pages left in chapter_zero": "لم يتبق أي صفحات في هذا الفصل",
+ "{{count}} pages left in chapter_one": "تبقّت صفحة واحدة في هذا الفصل",
+ "{{count}} pages left in chapter_two": "تبقّت صفحتان في هذا الفصل",
+ "{{count}} pages left in chapter_few": "تبقّت {{count}} صفحات في هذا الفصل",
+ "{{count}} pages left in chapter_many": "تبقّت {{count}} صفحة في هذا الفصل",
+ "{{count}} pages left in chapter_other": "تبقّى {{count}} صفحة في هذا الفصل",
+ "Show Remaining Pages": "عرض الصفحات المتبقية",
+ "Source Han Serif CN": "Source Han Serif",
+ "Huiwen-MinchoGBK": "Huiwen Mincho",
+ "KingHwa_OldSong": "KingHwa Song",
+ "Manage Subscription": "إدارة الاشتراك",
+ "Coming Soon": "قريبًا",
+ "Upgrade to {{plan}}": "الترقية إلى {{plan}}",
+ "Upgrade to Plus or Pro": "الترقية إلى Plus أو Pro",
+ "Current Plan": "الخطة الحالية",
+ "Plan Limits": "حدود الخطة",
+ "Processing your payment...": "جارٍ معالجة الدفع...",
+ "Please wait while we confirm your subscription.": "يرجى الانتظار بينما نقوم بتأكيد اشتراكك.",
+ "Payment Processing": "معالجة الدفع",
+ "Your payment is being processed. This usually takes a few moments.": "يتم الآن معالجة الدفع الخاص بك. عادةً ما يستغرق ذلك بضع لحظات.",
+ "Payment Failed": "فشل الدفع",
+ "We couldn't process your subscription. Please try again or contact support if the issue persists.": "تعذر علينا معالجة اشتراكك. يرجى المحاولة مرة أخرى أو التواصل مع الدعم إذا استمرت المشكلة.",
+ "Back to Profile": "العودة إلى الملف الشخصي",
+ "Subscription Successful!": "تم الاشتراك بنجاح!",
+ "Thank you for your subscription! Your payment has been processed successfully.": "شكرًا لاشتراكك! تم معالجة الدفع بنجاح.",
+ "Email:": "البريد الإلكتروني:",
+ "Plan:": "الخطة:",
+ "Amount:": "المبلغ:",
+ "Go to Library": "الانتقال إلى المكتبة",
+ "Need help? Contact our support team at support@readest.com": "تحتاج مساعدة؟ تواصل مع فريق الدعم على support@readest.com",
+ "Free Plan": "الخطة المجانية",
+ "month": "شهر",
+ "AI Translations (per day)": "ترجمات بالذكاء الاصطناعي (يوميًا)",
+ "Plus Plan": "خطة Plus",
+ "Includes All Free Plan Benefits": "تتضمن جميع مزايا الخطة المجانية",
+ "Pro Plan": "خطة Pro",
+ "More AI Translations": "المزيد من الترجمات بالذكاء الاصطناعي",
+ "Complete Your Subscription": "أكمل اشتراكك",
+ "{{percentage}}% of Cloud Sync Space Used.": "تم استخدام {{percentage}}% من مساحة المزامنة السحابية.",
+ "Cloud Sync Storage": "مساحة المزامنة السحابية",
+ "Parallel Read": "القراءة المتزامنة",
+ "Disable": "تعطيل",
+ "Enable": "تمكين",
+ "Upgrade to Readest Premium": "ترقية إلى Readest Premium",
+ "Show Source Text": "عرض النص المصدر",
+ "Cross-Platform Sync": "مزامنة عبر الأجهزة",
+ "Seamlessly sync your library, progress, highlights, and notes across all your devices—never lose your place again.": "زامن مكتبتك وتقدمك وملاحظاتك عبر جميع أجهزتك بسهولة.",
+ "Customizable Reading": "قراءة قابلة للتخصيص",
+ "Personalize every detail with adjustable fonts, layouts, themes, and advanced display settings for the perfect reading experience.": "خصص الخطوط والتنسيقات والألوان لتجربة قراءة مثالية.",
+ "AI Read Aloud": "القراءة بالصوت عبر الذكاء الاصطناعي",
+ "Enjoy hands-free reading with natural-sounding AI voices that bring your books to life.": "استمع للكتب بأصوات طبيعية بدون استخدام اليدين.",
+ "AI Translations": "ترجمة ذكية",
+ "Connect with fellow readers and get help fast in our friendly community channels.": "تواصل مع القراء واحصل على الدعم بسرعة.",
+ "Unlimited AI Read Aloud Hours": "ساعات قراءة غير محدودة",
+ "Listen without limits—convert as much text as you like into immersive audio.": "استمع بلا حدود وحوّل النص لصوت بسهولة.",
+ "Unlock enhanced translation capabilities with more daily usage and advanced options.": "استمتع بترجمة موسعة وخيارات متقدمة.",
+ "DeepL Pro Access": "وصول DeepL Pro",
+ "Enjoy faster responses and dedicated assistance whenever you need help.": "احصل على دعم سريع ومخصص عند الحاجة.",
+ "Daily translation quota reached. Upgrade your plan to continue using AI translations.": "تم استهلاك حصة الترجمة اليومية. قم بالترقية للاستمرار.",
+ "Translate any text instantly with the power of Google, Azure, or DeepL—understand content in any language.": "ترجم أي نص فورًا بقوة Google أو Azure أو DeepL—افهم المحتوى بأي لغة.",
+ "Includes All Plus Plan Benefits": "يشمل جميع مزايا خطة بلس",
+ "Early Feature Access": "الوصول المبكر للميزات",
+ "Be the first to explore new features, updates, and innovations before anyone else.": "كن أول من يستكشف الميزات والتحديثات والابتكارات الجديدة.",
+ "Advanced AI Tools": "أدوات الذكاء الاصطناعي المتقدمة",
+ "Harness powerful AI tools for smarter reading, translation, and content discovery.": "استخدم أدوات الذكاء الاصطناعي القوية للقراءة الذكية والترجمة واكتشاف المحتوى.",
+ "Translate up to 100,000 characters daily with the most accurate translation engine available.": "ترجم حتى 100 ألف حرف يوميًا بأدق محرك ترجمة متاح.",
+ "Translate up to 500,000 characters daily with the most accurate translation engine available.": "ترجم حتى 500 ألف حرف يوميًا بأدق محرك ترجمة متاح.",
+ "Securely store and access your entire reading collection with up to 5 GB of cloud storage.": "احفظ واوصل لمجموعة قراءتك كاملة بـ 5 جيجابايت تخزين سحابي آمن.",
+ "Securely store and access your entire reading collection with up to 20 GB of cloud storage.": "احفظ واوصل لمجموعة قراءتك كاملة بـ 20 جيجابايت تخزين سحابي آمن.",
+ "Deleted cloud backup of the book: {{title}}": "تم حذف النسخة الاحتياطية السحابية للكتاب: {{title}}",
+ "Are you sure to delete the cloud backup of the selected book?": "هل أنت متأكد من حذف النسخة الاحتياطية السحابية للكتاب المحدد؟",
+ "What's New in Readest": "ما الجديد في Readest",
+ "Enter book title": "أدخل عنوان الكتاب",
+ "Subtitle": "العنوان الفرعي",
+ "Enter book subtitle": "أدخل العنوان الفرعي للكتاب",
+ "Enter author name": "أدخل اسم المؤلف",
+ "Series": "السلسلة",
+ "Enter series name": "أدخل اسم السلسلة",
+ "Series Index": "رقم الكتاب في السلسلة",
+ "Enter series index": "أدخل رقم الكتاب في السلسلة",
+ "Total in Series": "العدد الكلي في السلسلة",
+ "Enter total books in series": "أدخل العدد الكلي للكتب في السلسلة",
+ "Enter publisher": "أدخل اسم الناشر",
+ "Publication Date": "تاريخ النشر",
+ "Identifier": "المعرف",
+ "Enter book description": "أدخل وصف الكتاب",
+ "Change cover image": "تغيير صورة الغلاف",
+ "Replace": "استبدال",
+ "Unlock cover": "إلغاء قفل الغلاف",
+ "Lock cover": "قفل الغلاف",
+ "Auto-Retrieve Metadata": "استرجاع البيانات الوصفية تلقائياً",
+ "Auto-Retrieve": "استرجاع تلقائي",
+ "Unlock all fields": "إلغاء قفل جميع الحقول",
+ "Unlock All": "إلغاء قفل الكل",
+ "Lock all fields": "قفل جميع الحقول",
+ "Lock All": "قفل الكل",
+ "Reset": "إعادة تعيين",
+ "Edit Metadata": "تحرير البيانات الوصفية",
+ "Locked": "مقفل",
+ "Select Metadata Source": "اختر مصدر البيانات الوصفية",
+ "Keep manual input": "الاحتفاظ بالإدخال اليدوي",
+ "Google Books": "كتب جوجل",
+ "Open Library": "المكتبة المفتوحة",
+ "Fiction, Science, History": "خيال، علوم، تاريخ",
+ "Open Book in New Window": "فتح الكتاب في نافذة جديدة",
+ "Voices for {{lang}}": "الأصوات لـ {{lang}}",
+ "Yandex Translate": "ترجمة Yandex",
+ "YYYY or YYYY-MM-DD": "YYYY أو YYYY-MM-DD",
+ "Restore Purchase": "استعادة الشراء",
+ "No purchases found to restore.": "لا توجد مشتريات لاستعادتها.",
+ "Failed to restore purchases.": "فشل في استعادة المشتريات.",
+ "Failed to manage subscription.": "فشل في إدارة الاشتراك.",
+ "Failed to load subscription plans.": "فشل في تحميل خطط الاشتراك.",
+ "year": "سنة",
+ "Failed to create checkout session": "فشل في إنشاء جلسة الدفع",
+ "Storage": "التخزين",
+ "Terms of Service": "شروط الخدمة",
+ "Privacy Policy": "سياسة الخصوصية",
+ "Disable Double Click": "تعطيل النقر المزدوج",
+ "TTS not supported for this document": "تكنولوجيا تحويل النص إلى كلام غير مدعومة لهذا المستند.",
+ "Reset Password": "إعادة تعيين",
+ "Show Reading Progress": "إظهار تقدم القراءة",
+ "Reading Progress Style": "نمط تقدم القراءة",
+ "Page Number": "رقم الصفحة",
+ "Percentage": "النسبة المئوية",
+ "Deleted local copy of the book: {{title}}": "تم حذف النسخة المحلية للكتاب: {{title}}",
+ "Failed to delete cloud backup of the book: {{title}}": "فشل في حذف النسخة الاحتياطية السحابية للكتاب: {{title}}",
+ "Failed to delete local copy of the book: {{title}}": "فشل في حذف النسخة المحلية للكتاب: {{title}}",
+ "Are you sure to delete the local copy of the selected book?": "هل أنت متأكد من حذف النسخة المحلية للكتاب المحدد؟",
+ "Remove from Cloud & Device": "إزالة من السحابة والجهاز",
+ "Remove from Cloud Only": "إزالة من السحابة فقط",
+ "Remove from Device Only": "إزالة من الجهاز فقط",
+ "Disconnected": "غير متصل",
+ "KOReader Sync Settings": "إعدادات مزامنة KOReader",
+ "Sync Strategy": "استراتيجية المزامنة",
+ "Ask on conflict": "اسأل عند حدوث تعارض",
+ "Always use latest": "استخدام الأحدث دائمًا",
+ "Send changes only": "إرسال التغييرات فقط",
+ "Receive changes only": "استلام التغييرات فقط",
+ "Checksum Method": "طريقة التحقق من الصحة",
+ "File Content (recommended)": "محتوى الملف (موصى به)",
+ "File Name": "اسم الملف",
+ "Device Name": "اسم الجهاز",
+ "Connect to your KOReader Sync server.": "الاتصال بخادم مزامنة KOReader الخاص بك.",
+ "Server URL": "عنوان URL للخادم",
+ "Username": "اسم المستخدم",
+ "Your Username": "اسم المستخدم الخاص بك",
+ "Password": "كلمة المرور",
+ "Connect": "الاتصال",
+ "KOReader Sync": "مزامنة KOReader",
+ "Sync Conflict": "تعارض المزامنة",
+ "Sync reading progress from \"{{deviceName}}\"?": "مزامنة تقدم القراءة من \"{{deviceName}}\"؟",
+ "another device": "جهاز آخر",
+ "Local Progress": "التقدم المحلي",
+ "Remote Progress": "التقدم البعيد",
+ "Page {{page}} of {{total}} ({{percentage}}%)": "الصفحة {{page}} من {{total}} ({{percentage}}%)",
+ "Current position": "الموقع الحالي",
+ "Approximately page {{page}} of {{total}} ({{percentage}}%)": "تقريبًا الصفحة {{page}} من {{total}} ({{percentage}}%)",
+ "Approximately {{percentage}}%": "تقريبًا {{percentage}}%",
+ "Failed to connect": "فشل في الاتصال",
+ "Sync Server Connected": "تم الاتصال بخادم المزامنة",
+ "Sync as {{userDisplayName}}": "المزامنة كـ {{userDisplayName}}",
+ "Custom Fonts": "الخطوط المخصصة",
+ "Cancel Delete": "إلغاء الحذف",
+ "Import Font": "استيراد خط",
+ "Delete Font": "حذف الخط",
+ "Tips": "نصائح",
+ "Custom fonts can be selected from the Font Face menu": "يمكن اختيار الخطوط المخصصة من قائمة نوع الخط",
+ "Manage Custom Fonts": "إدارة الخطوط المخصصة",
+ "Select Files": "حدد الملفات",
+ "Select Image": "حدد صورة",
+ "Select Video": "حدد فيديو",
+ "Select Audio": "حدد صوت",
+ "Select Fonts": "حدد الخطوط",
+ "Supported font formats: .ttf, .otf, .woff, .woff2": "تنسيقات الخط المدعومة: .ttf، .otf، .woff، .woff2",
+ "Push Progress": "تقدم الدفع",
+ "Pull Progress": "تقدم السحب",
+ "Previous Paragraph": "الفقرة السابقة",
+ "Previous Sentence": "الجملة السابقة",
+ "Pause": "إيقاف مؤقت",
+ "Play": "تشغيل",
+ "Next Sentence": "الجملة التالية",
+ "Next Paragraph": "الفقرة التالية",
+ "Separate Cover Page": "صفحة غلاف منفصلة",
+ "Resize Notebook": "تغيير حجم المفكرة",
+ "Resize Sidebar": "تغيير حجم الشريط الجانبي",
+ "Get Help from the Readest Community": "الحصول على المساعدة من مجتمع ريديست",
+ "Remove cover image": "إزالة صورة الغلاف",
+ "Bookshelf": "رف الكتب",
+ "View Menu": "عرض القائمة",
+ "Settings Menu": "إعدادات القائمة",
+ "View account details and quota": "عرض تفاصيل الحساب والحصة المخصصة",
+ "Library Header": "رأس المكتبة",
+ "Book Content": "محتوى الكتاب",
+ "Footer Bar": "شريط التذييل",
+ "Header Bar": "شريط الرأس",
+ "View Options": "خيارات العرض",
+ "Book Menu": "قائمة الكتاب",
+ "Search Options": "خيارات البحث",
+ "Close": "إغلاق",
+ "Delete Book Options": "خيارات حذف الكتاب",
+ "ON": "تشغيل",
+ "OFF": "إيقاف",
+ "Reading Progress": "تقدم القراءة",
+ "Page Margin": "هامش الصفحة",
+ "Remove Bookmark": "إزالة العلامة",
+ "Add Bookmark": "إضافة علامة",
+ "Books Content": "محتوى الكتب",
+ "Jump to Location": "الانتقال إلى الموقع",
+ "Unpin Notebook": "إلغاء تثبيت المفكرة",
+ "Pin Notebook": "تثبيت المفكرة",
+ "Hide Search Bar": "إخفاء شريط البحث",
+ "Show Search Bar": "إظهار شريط البحث",
+ "On {{current}} of {{total}} page": "على الصفحة {{current}} من {{total}}",
+ "Section Title": "عنوان القسم",
+ "Decrease": "تقليل",
+ "Increase": "زيادة",
+ "Settings Panels": "لوحات الإعدادات",
+ "Settings": "الإعدادات",
+ "Unpin Sidebar": "إلغاء تثبيت الشريط الجانبي",
+ "Pin Sidebar": "تثبيت الشريط الجانبي",
+ "Toggle Sidebar": "تبديل الشريط الجانبي",
+ "Toggle Translation": "تبديل الترجمة",
+ "Translation Disabled": "تم تعطيل الترجمة",
+ "Minimize": "تصغير",
+ "Maximize or Restore": "تكبير أو استعادة",
+ "Exit Parallel Read": "الخروج من القراءة المتزامنة",
+ "Enter Parallel Read": "الدخول في القراءة المتزامنة",
+ "Zoom Level": "مستوى التكبير",
+ "Zoom Out": "تصغير",
+ "Reset Zoom": "إعادة تعيين التكبير",
+ "Zoom In": "تكبير",
+ "Zoom Mode": "وضع التكبير",
+ "Single Page": "صفحة واحدة",
+ "Auto Spread": "انتشار تلقائي",
+ "Fit Page": "تناسب الصفحة",
+ "Fit Width": "تناسب العرض",
+ "Failed to select directory": "فشل في اختيار الدليل",
+ "The new data directory must be different from the current one.": "يجب أن يكون دليل البيانات الجديد مختلفًا عن الدليل الحالي.",
+ "Migration failed: {{error}}": "فشل في الترحيل: {{error}}",
+ "Change Data Location": "تغيير موقع البيانات",
+ "Current Data Location": "موقع البيانات الحالي",
+ "Total size: {{size}}": "الحجم الكلي: {{size}}",
+ "Calculating file info...": "جارٍ حساب معلومات الملف...",
+ "New Data Location": "موقع البيانات الجديد",
+ "Choose Different Folder": "اختر مجلدًا مختلفًا",
+ "Choose New Folder": "اختر مجلدًا جديدًا",
+ "Migrating data...": "جارٍ ترحيل البيانات...",
+ "Copying: {{file}}": "جارٍ نسخ: {{file}}",
+ "{{current}} of {{total}} files": "{{current}} من {{total}} ملف",
+ "Migration completed successfully!": "اكتمل الترحيل بنجاح!",
+ "Your data has been moved to the new location. Please restart the application to complete the process.": "تم نقل بياناتك إلى الموقع الجديد. يرجى إعادة تشغيل التطبيق لإكمال العملية.",
+ "Migration failed": "فشل في الترحيل",
+ "Important Notice": "إشعار مهم",
+ "This will move all your app data to the new location. Make sure the destination has enough free space.": "سيؤدي ذلك إلى نقل جميع بيانات التطبيق الخاصة بك إلى الموقع الجديد. تأكد من أن الوجهة تحتوي على مساحة خالية كافية.",
+ "Restart App": "إعادة تشغيل التطبيق",
+ "Start Migration": "بدء الترحيل",
+ "Advanced Settings": "إعدادات متقدمة",
+ "File count: {{size}}": "عدد الملفات: {{size}}",
+ "Background Read Aloud": "قراءة بصوت عالٍ في الخلفية",
+ "Ready to read aloud": "جاهز للقراءة بصوت عالٍ",
+ "Read Aloud": "القراءة بصوت عالٍ",
+ "Screen Brightness": "سطوع الشاشة",
+ "Background Image": "صورة الخلفية",
+ "Import Image": "استيراد صورة",
+ "Opacity": "شفافية",
+ "Size": "حجم",
+ "Cover": "غطاء",
+ "Contain": "احتواء",
+ "{{number}} pages left in chapter": "تبقّت {{number}} صفحات في هذا الفصل",
+ "Device": "الجهاز",
+ "E-Ink Mode": "وضع الحبر الإلكتروني",
+ "Highlight Colors": "ألوان التمييز",
+ "Auto Screen Brightness": "سطوع الشاشة التلقائي",
+ "Pagination": "التقسيم إلى صفحات",
+ "Disable Double Tap": "تعطيل النقر المزدوج",
+ "Tap to Paginate": "اضغط للتقسيم إلى صفحات",
+ "Click to Paginate": "انقر للتقسيم إلى صفحات",
+ "Tap Both Sides": "اضغط على كلا الجانبين",
+ "Click Both Sides": "انقر على كلا الجانبين",
+ "Swap Tap Sides": "تبديل جانبي اللمس",
+ "Swap Click Sides": "تبديل جانبي النقر",
+ "Source and Translated": "المصدر والمترجم",
+ "Translated Only": "المترجم فقط",
+ "Source Only": "المصدر فقط",
+ "TTS Text": "نص تحويل النص إلى كلام",
+ "The book file is corrupted": "ملف الكتاب تالف",
+ "The book file is empty": "ملف الكتاب فارغ",
+ "Failed to open the book file": "فشل في فتح ملف الكتاب",
+ "On-Demand Purchase": "الشراء عند الطلب",
+ "Full Customization": "تخصيص كامل",
+ "Lifetime Plan": "خطة مدى الحياة",
+ "One-Time Payment": "دفعة لمرة واحدة",
+ "Make a single payment to enjoy lifetime access to specific features on all devices. Purchase specific features or services only when you need them.": "قم بإجراء دفعة واحدة للاستمتاع بالوصول مدى الحياة إلى ميزات معينة على جميع الأجهزة. اشترِ ميزات أو خدمات معينة فقط عند الحاجة إليها.",
+ "Expand Cloud Sync Storage": "توسيع مساحة تخزين السحابة",
+ "Expand your cloud storage forever with a one-time purchase. Each additional purchase adds more space.": "قم بتوسيع مساحة التخزين السحابية الخاصة بك إلى الأبد من خلال عملية شراء لمرة واحدة. كل عملية شراء إضافية تضيف المزيد من المساحة.",
+ "Unlock All Customization Options": "فتح جميع خيارات التخصيص",
+ "Unlock additional themes, fonts, layout options and read aloud, translators, cloud storage services.": "فتح سمات إضافية، خطوط، خيارات تخطيط، وخدمات قراءة بصوت عالٍ، ومترجمين، وخدمات تخزين سحابية.",
+ "Purchase Successful!": "تمت عملية الشراء بنجاح!",
+ "lifetime": "مدى الحياة",
+ "Thank you for your purchase! Your payment has been processed successfully.": "شكرًا لشرائك! تم معالجة الدفع بنجاح.",
+ "Order ID:": "معرف الطلب:",
+ "TTS Highlighting": "تمييز تحويل النص إلى كلام",
+ "Style": "النمط",
+ "Underline": "تسطير",
+ "Strikethrough": "يتوسطه خط",
+ "Squiggly": "متعرج",
+ "Outline": "مخطط",
+ "Save Current Color": "حفظ اللون الحالي",
+ "Quick Colors": "ألوان سريعة",
+ "Highlighter": "محدد النص",
+ "Save Book Cover": "حفظ غلاف الكتاب",
+ "Auto-save last book cover": "حفظ غلاف الكتاب الأخير تلقائيًا",
+ "Back": "عودة",
+ "Confirmation email sent! Please check your old and new email addresses to confirm the change.": "تم إرسال بريد التأكيد! يرجى التحقق من عناوين بريدك الإلكتروني القديمة والجديدة لتأكيد التغيير.",
+ "Failed to update email": "فشل في تحديث البريد الإلكتروني",
+ "New Email": "البريد الإلكتروني الجديد",
+ "Your new email": "بريدك الإلكتروني الجديد",
+ "Updating email ...": "جارٍ تحديث البريد الإلكتروني ...",
+ "Update email": "تحديث البريد الإلكتروني",
+ "Current email": "البريد الإلكتروني الحالي",
+ "Update Email": "تحديث البريد الإلكتروني",
+ "All": "الكل",
+ "Unable to open book": "غير قادر على فتح الكتاب",
+ "Punctuation": "علامات الترقيم",
+ "Replace Quotation Marks": "استبدال علامات الاقتباس",
+ "Enabled only in vertical layout.": "مفعل فقط في التخطيط الرأسي.",
+ "No Conversion": "لا تحويل",
+ "Simplified to Traditional": "من المبسّط إلى التقليدي",
+ "Traditional to Simplified": "من التقليدي إلى المبسّط",
+ "Simplified to Traditional (Taiwan)": "مبسّط → تقليدي (تايوان)",
+ "Simplified to Traditional (Hong Kong)": "مبسّط → تقليدي (هونغ كونغ)",
+ "Simplified to Traditional (Taiwan), with phrases": "مبسّط → تقليدي (تايوان • عبارات)",
+ "Traditional (Taiwan) to Simplified": "تقليدي (تايوان) → مبسّط",
+ "Traditional (Hong Kong) to Simplified": "تقليدي (هونغ كونغ) → مبسّط",
+ "Traditional (Taiwan) to Simplified, with phrases": "تقليدي (تايوان • عبارات) → مبسّط",
+ "Convert Simplified and Traditional Chinese": "تحويل المبسّط/التقليدي",
+ "Convert Mode": "وضع التحويل",
+ "Failed to auto-save book cover for lock screen: {{error}}": "فشل في الحفظ التلقائي لغلاف الكتاب لشاشة القفل: {{error}}",
+ "Download from Cloud": "تحميل من السحابة",
+ "Upload to Cloud": "رفع إلى السحابة",
+ "Clear Custom Fonts": "مسح الخطوط المخصصة",
+ "Columns": "الأعمدة",
+ "OPDS Catalogs": "كتالوجات OPDS",
+ "Adding LAN addresses is not supported in the web app version.": "لا يتم دعم إضافة عناوين LAN في إصدار تطبيق الويب.",
+ "Invalid OPDS catalog. Please check the URL.": "كتالوج OPDS غير صالح. يرجى التحقق من عنوان URL.",
+ "Browse and download books from online catalogs": "تصفح وتنزيل الكتب من الكتالوجات عبر الإنترنت",
+ "My Catalogs": "كتالوجاتي",
+ "Add Catalog": "إضافة كتالوج",
+ "No catalogs yet": "لا توجد كتالوجات بعد",
+ "Add your first OPDS catalog to start browsing books": "أضف كتالوج OPDS الأول لتبدأ في تصفح الكتب",
+ "Add Your First Catalog": "أضف كتالوجك الأول",
+ "Browse": "تصفح",
+ "Popular Catalogs": "الكتالوجات الشائعة",
+ "Add": "إضافة",
+ "Add OPDS Catalog": "إضافة كتالوج OPDS",
+ "Catalog Name": "اسم الكتالوج",
+ "My Calibre Library": "مكتبة Calibre الخاصة بي",
+ "OPDS URL": "رابط OPDS",
+ "Username (optional)": "اسم المستخدم (اختياري)",
+ "Password (optional)": "كلمة المرور (اختياري)",
+ "Description (optional)": "الوصف (اختياري)",
+ "A brief description of this catalog": "وصف موجز لهذا الكتالوج",
+ "Validating...": "جارٍ التحقق...",
+ "View All": "عرض الكل",
+ "Forward": "إلى الأمام",
+ "Home": "الصفحة الرئيسية",
+ "{{count}} items_zero": "{{count}} عناصر",
+ "{{count}} items_one": "{{count}} عنصر",
+ "{{count}} items_two": "{{count}} عنصران",
+ "{{count}} items_few": "{{count}} عناصر",
+ "{{count}} items_many": "{{count}} عنصرًا",
+ "{{count}} items_other": "{{count}} من العناصر",
+ "Download completed": "اكتمل التنزيل",
+ "Download failed": "فشل التنزيل",
+ "Open Access": "الوصول المفتوح",
+ "Borrow": "استعارة",
+ "Buy": "شراء",
+ "Subscribe": "الاشتراك",
+ "Sample": "عينة",
+ "Download": "تنزيل",
+ "Open & Read": "فتح وقراءة",
+ "Tags": "العلامات",
+ "Tag": "علامة",
+ "First": "الأول",
+ "Previous": "السابق",
+ "Next": "التالي",
+ "Last": "الأخير",
+ "Cannot Load Page": "تعذر تحميل الصفحة",
+ "An error occurred": "حدث خطأ ما",
+ "Online Library": "المكتبة عبر الإنترنت",
+ "URL must start with http:// or https://": "يجب أن يبدأ عنوان URL بـ http:// أو https://",
+ "Title, Author, Tag, etc...": "العنوان، المؤلف، العلامة، إلخ...",
+ "Query": "استعلام",
+ "Subject": "موضوع",
+ "Enter {{terms}}": "أدخل {{terms}}",
+ "No search results found": "لم يتم العثور على نتائج بحث",
+ "Failed to load OPDS feed: {{status}} {{statusText}}": "فشل في تحميل تغذية OPDS: {{status}} {{statusText}}",
+ "Search in {{title}}": "البحث في {{title}}",
+ "Manage Storage": "إدارة التخزين",
+ "Failed to load files": "فشل في تحميل الملفات",
+ "Deleted {{count}} file(s)_zero": "لم يتم حذف أي ملفات",
+ "Deleted {{count}} file(s)_one": "تم حذف ملف واحد",
+ "Deleted {{count}} file(s)_two": "تم حذف ملفين",
+ "Deleted {{count}} file(s)_few": "تم حذف {{count}} ملفات",
+ "Deleted {{count}} file(s)_many": "تم حذف {{count}} ملفًا",
+ "Deleted {{count}} file(s)_other": "تم حذف {{count}} ملف",
+ "Failed to delete {{count}} file(s)_zero": "فشل حذف أي ملفات",
+ "Failed to delete {{count}} file(s)_one": "فشل حذف ملف واحد",
+ "Failed to delete {{count}} file(s)_two": "فشل حذف ملفين",
+ "Failed to delete {{count}} file(s)_few": "فشل حذف {{count}} ملفات",
+ "Failed to delete {{count}} file(s)_many": "فشل حذف {{count}} ملفًا",
+ "Failed to delete {{count}} file(s)_other": "فشل حذف {{count}} ملف",
+ "Failed to delete files": "فشل حذف الملفات",
+ "Total Files": "إجمالي الملفات",
+ "Total Size": "إجمالي الحجم",
+ "Quota": "الحصة",
+ "Used": "المستخدم",
+ "Files": "الملفات",
+ "Search files...": "ابحث في الملفات...",
+ "Newest First": "الأحدث أولاً",
+ "Oldest First": "الأقدم أولاً",
+ "Largest First": "الأكبر أولاً",
+ "Smallest First": "الأصغر أولاً",
+ "Name A-Z": "الاسم من أ إلى ي",
+ "Name Z-A": "الاسم من ي إلى أ",
+ "{{count}} selected_zero": "لا يوجد عناصر محددة",
+ "{{count}} selected_one": "عنصر واحد محدد",
+ "{{count}} selected_two": "عنصران محددان",
+ "{{count}} selected_few": "{{count}} عناصر محددة",
+ "{{count}} selected_many": "{{count}} عنصرًا محددًا",
+ "{{count}} selected_other": "{{count}} عنصر محدد",
+ "Delete Selected": "حذف المحدد",
+ "Created": "تاريخ الإنشاء",
+ "No files found": "لا توجد ملفات",
+ "No files uploaded yet": "لم يتم رفع أي ملفات بعد",
+ "files": "الملفات",
+ "Page {{current}} of {{total}}": "الصفحة {{current}} من {{total}}",
+ "Are you sure to delete {{count}} selected file(s)?_zero": "هل أنت متأكد من حذف العناصر المحددة؟ (لا توجد عناصر)",
+ "Are you sure to delete {{count}} selected file(s)?_one": "هل أنت متأكد من حذف ملف واحد محدد؟",
+ "Are you sure to delete {{count}} selected file(s)?_two": "هل أنت متأكد من حذف ملفين محددين؟",
+ "Are you sure to delete {{count}} selected file(s)?_few": "هل أنت متأكد من حذف {{count}} ملفات محددة؟",
+ "Are you sure to delete {{count}} selected file(s)?_many": "هل أنت متأكد من حذف {{count}} ملفًا محددًا؟",
+ "Are you sure to delete {{count}} selected file(s)?_other": "هل أنت متأكد من حذف {{count}} ملف محدد؟",
+ "Cloud Storage Usage": "استخدام التخزين السحابي",
+ "Rename Group": "إعادة تسمية المجموعة",
+ "From Directory": "من الدليل",
+ "Successfully imported {{count}} book(s)_zero": "لم يتم استيراد أي كتب",
+ "Successfully imported {{count}} book(s)_one": "تم استيراد كتاب واحد",
+ "Successfully imported {{count}} book(s)_two": "تم استيراد كتابين",
+ "Successfully imported {{count}} book(s)_few": "تم استيراد {{count}} كتب",
+ "Successfully imported {{count}} book(s)_many": "تم استيراد {{count}} كتابًا",
+ "Successfully imported {{count}} book(s)_other": "تم استيراد {{count}} كتاب",
+ "Count": "العدد",
+ "Start Page": "الصفحة الأولى",
+ "Search in OPDS Catalog...": "البحث في كتالوج OPDS...",
+ "Please log in to use advanced TTS features": "يرجى تسجيل الدخول لاستخدام ميزات تحويل النص إلى كلام المتقدمة.",
+ "Word limit of 30 words exceeded.": "تم تجاوز حد الكلمات البالغ 30 كلمة.",
+ "Proofread": "التدقيق اللغوي",
+ "Current selection": "النص المحدد الحالي",
+ "All occurrences in this book": "جميع الحالات في هذا الكتاب",
+ "All occurrences in your library": "جميع الحالات في مكتبتك",
+ "Selected text:": "النص المحدد:",
+ "Replace with:": "استبدال بـ:",
+ "Enter text...": "أدخل النص...",
+ "Case sensitive:": "حساس لحالة الأحرف:",
+ "Scope:": "النطاق:",
+ "Selection": "التحديد",
+ "Library": "المكتبة",
+ "Yes": "نعم",
+ "No": "لا",
+ "Proofread Replacement Rules": "قواعد استبدال التدقيق اللغوي",
+ "Selected Text Rules": "قواعد النص المحدد",
+ "No selected text replacement rules": "لا توجد قواعد استبدال نص محدد",
+ "Book Specific Rules": "قواعد خاصة بالكتاب",
+ "No book-level replacement rules": "لا توجد قواعد استبدال على مستوى الكتاب",
+ "Disable Quick Action": "تعطيل الإجراء السريع",
+ "Enable Quick Action on Selection": "تمكين الإجراء السريع عند التحديد",
+ "None": "لا شيء",
+ "Annotation Tools": "أدوات التعليق",
+ "Enable Quick Actions": "تمكين الإجراءات السريعة",
+ "Quick Action": "الإجراء السريع",
+ "Copy to Notebook": "نسخ إلى الدفتر",
+ "Copy text after selection": "نسخ النص بعد التحديد",
+ "Highlight text after selection": "تمييز النص بعد التحديد",
+ "Annotate text after selection": "تعليق على النص بعد التحديد",
+ "Search text after selection": "البحث في النص بعد التحديد",
+ "Look up text in dictionary after selection": "البحث عن النص في القاموس بعد التحديد",
+ "Look up text in Wikipedia after selection": "البحث عن النص في ويكيبيديا بعد التحديد",
+ "Translate text after selection": "ترجمة النص بعد التحديد",
+ "Read text aloud after selection": "قراءة النص بصوت عالٍ بعد التحديد",
+ "Proofread text after selection": "تدقيق النص بعد التحديد",
+ "{{activeCount}} active, {{pendingCount}} pending": "{{activeCount}} نشط، {{pendingCount}} قيد الانتظار",
+ "{{failedCount}} failed": "{{failedCount}} فشل",
+ "Waiting...": "جارٍ الانتظار...",
+ "Failed": "فشل",
+ "Completed": "مكتمل",
+ "Cancelled": "ملغى",
+ "Retry": "إعادة المحاولة",
+ "Active": "نشط",
+ "Transfer Queue": "قائمة انتظار النقل",
+ "Upload All": "رفع الكل",
+ "Download All": "تنزيل الكل",
+ "Resume Transfers": "استئناف النقل",
+ "Pause Transfers": "إيقاف النقل مؤقتًا",
+ "Pending": "قيد الانتظار",
+ "No transfers": "لا توجد عمليات نقل",
+ "Retry All": "إعادة محاولة الكل",
+ "Clear Completed": "مسح المكتمل",
+ "Clear Failed": "مسح الفاشل",
+ "Upload queued: {{title}}": "الرفع في قائمة الانتظار: {{title}}",
+ "Download queued: {{title}}": "التنزيل في قائمة الانتظار: {{title}}",
+ "Book not found in library": "الكتاب غير موجود في المكتبة",
+ "Unknown error": "خطأ غير معروف",
+ "Please log in to continue": "يرجى تسجيل الدخول للمتابعة",
+ "Cloud File Transfers": "نقل الملفات السحابية",
+ "Show Search Results": "عرض نتائج البحث",
+ "Search results for '{{term}}'": "نتائج البحث عن «{{term}}»",
+ "Close Search": "إغلاق البحث",
+ "Previous Result": "النتيجة السابقة",
+ "Next Result": "النتيجة التالية",
+ "Bookmarks": "الإشارات المرجعية",
+ "Annotations": "التعليقات التوضيحية",
+ "Show Results": "عرض النتائج",
+ "Clear search": "مسح البحث",
+ "Clear search history": "مسح سجل البحث",
+ "Tap to Toggle Footer": "انقر لتبديل التذييل",
+ "Exported successfully": "تم التصدير بنجاح",
+ "Book exported successfully.": "تم تصدير الكتاب بنجاح.",
+ "Failed to export the book.": "فشل تصدير الكتاب.",
+ "Export Book": "تصدير الكتاب",
+ "Whole word:": "كلمة كاملة:",
+ "Error": "خطأ",
+ "Unable to load the article. Try searching directly on {{link}}.": "تعذر تحميل المقال. حاول البحث مباشرة على {{link}}.",
+ "Unable to load the word. Try searching directly on {{link}}.": "تعذر تحميل الكلمة. حاول البحث مباشرة على {{link}}.",
+ "Date Published": "تاريخ النشر",
+ "Only for TTS:": "فقط لـ TTS:",
+ "Uploaded": "تم الرفع",
+ "Downloaded": "تم التنزيل",
+ "Deleted": "تم الحذف",
+ "Note:": "ملاحظة:",
+ "Time:": "الوقت:",
+ "Format Options": "خيارات التنسيق",
+ "Export Date": "تاريخ التصدير",
+ "Chapter Titles": "عناوين الفصول",
+ "Chapter Separator": "فاصل الفصول",
+ "Highlights": "التمييزات",
+ "Note Date": "تاريخ الملاحظة",
+ "Advanced": "متقدم",
+ "Hide": "إخفاء",
+ "Show": "إظهار",
+ "Use Custom Template": "استخدام قالب مخصص",
+ "Export Template": "قالب التصدير",
+ "Template Syntax:": "بناء جملة القالب:",
+ "Insert value": "إدراج قيمة",
+ "Format date (locale)": "تنسيق التاريخ (محلي)",
+ "Format date (custom)": "تنسيق التاريخ (مخصص)",
+ "Conditional": "شرطي",
+ "Loop": "حلقة",
+ "Available Variables:": "المتغيرات المتاحة:",
+ "Book title": "عنوان الكتاب",
+ "Book author": "مؤلف الكتاب",
+ "Export date": "تاريخ التصدير",
+ "Array of chapters": "مصفوفة الفصول",
+ "Chapter title": "عنوان الفصل",
+ "Array of annotations": "مصفوفة التعليقات",
+ "Highlighted text": "النص المميز",
+ "Annotation note": "ملاحظة التعليق",
+ "Date Format Tokens:": "رموز تنسيق التاريخ:",
+ "Year (4 digits)": "السنة (4 أرقام)",
+ "Month (01-12)": "الشهر (01-12)",
+ "Day (01-31)": "اليوم (01-31)",
+ "Hour (00-23)": "الساعة (00-23)",
+ "Minute (00-59)": "الدقيقة (00-59)",
+ "Second (00-59)": "الثانية (00-59)",
+ "Show Source": "إظهار المصدر",
+ "No content to preview": "لا يوجد محتوى للمعاينة",
+ "Export": "تصدير",
+ "Set Timeout": "تعيين المهلة",
+ "Select Voice": "اختر الصوت",
+ "Toggle Sticky Bottom TTS Bar": "تبديل شريط TTS الثابت",
+ "Display what I'm reading on Discord": "عرض ما أقرأه على Discord",
+ "Show on Discord": "عرض على Discord",
+ "Instant {{action}}": "{{action}} فوري",
+ "Instant {{action}} Disabled": "تم تعطيل {{action}} فوري",
+ "Annotation": "التعليق",
+ "Reset Template": "إعادة تعيين القالب",
+ "Annotation style": "نمط التعليق",
+ "Annotation color": "لون التعليق",
+ "Annotation time": "وقت التعليق",
+ "AI": "الذكاء الاصطناعي",
+ "Are you sure you want to re-index this book?": "هل أنت متأكد من إعادة فهرسة هذا الكتاب؟",
+ "Enable AI in Settings": "تفعيل الذكاء الاصطناعي في الإعدادات",
+ "Index This Book": "فهرسة هذا الكتاب",
+ "Enable AI search and chat for this book": "تفعيل البحث والدردشة بالذكاء الاصطناعي لهذا الكتاب",
+ "Start Indexing": "بدء الفهرسة",
+ "Indexing book...": "جاري فهرسة الكتاب...",
+ "Preparing...": "جاري التحضير...",
+ "Delete this conversation?": "حذف هذه المحادثة؟",
+ "No conversations yet": "لا توجد محادثات بعد",
+ "Start a new chat to ask questions about this book": "ابدأ محادثة جديدة لطرح أسئلة حول هذا الكتاب",
+ "Rename": "إعادة التسمية",
+ "New Chat": "محادثة جديدة",
+ "Chat": "محادثة",
+ "Please enter a model ID": "الرجاء إدخال معرف النموذج",
+ "Model not available or invalid": "النموذج غير متاح أو غير صالح",
+ "Failed to validate model": "فشل التحقق من النموذج",
+ "Couldn't connect to Ollama. Is it running?": "تعذر الاتصال بـ Ollama. هل يعمل؟",
+ "Invalid API key or connection failed": "مفتاح API غير صالح أو فشل الاتصال",
+ "Connection failed": "فشل الاتصال",
+ "AI Assistant": "مساعد الذكاء الاصطناعي",
+ "Enable AI Assistant": "تفعيل مساعد الذكاء الاصطناعي",
+ "Provider": "المزود",
+ "Ollama (Local)": "Ollama (محلي)",
+ "AI Gateway (Cloud)": "بوابة الذكاء الاصطناعي (سحابي)",
+ "Ollama Configuration": "إعدادات Ollama",
+ "Refresh Models": "تحديث النماذج",
+ "AI Model": "نموذج الذكاء الاصطناعي",
+ "No models detected": "لم يتم اكتشاف نماذج",
+ "AI Gateway Configuration": "إعدادات بوابة الذكاء الاصطناعي",
+ "Choose from a selection of high-quality, economical AI models. You can also bring your own model by selecting \"Custom Model\" below.": "اختر من مجموعة من نماذج الذكاء الاصطناعي عالية الجودة والاقتصادية. يمكنك أيضًا استخدام نموذجك الخاص بتحديد \"نموذج مخصص\" أدناه.",
+ "API Key": "مفتاح API",
+ "Get Key": "احصل على المفتاح",
+ "Model": "النموذج",
+ "Custom Model...": "نموذج مخصص...",
+ "Custom Model ID": "معرف النموذج المخصص",
+ "Validate": "تحقق",
+ "Model available": "النموذج متاح",
+ "Connection": "الاتصال",
+ "Test Connection": "اختبار الاتصال",
+ "Connected": "متصل",
+ "Custom Colors": "ألوان مخصصة",
+ "Color E-Ink Mode": "وضع الحبر الإلكتروني الملون",
+ "Reading Ruler": "مسطرة القراءة",
+ "Enable Reading Ruler": "تفعيل مسطرة القراءة",
+ "Lines to Highlight": "الأسطر المراد تمييزها",
+ "Ruler Color": "لون المسطرة",
+ "Command Palette": "لوحة الأوامر",
+ "Search settings and actions...": "البحث في الإعدادات والإجراءات...",
+ "No results found for": "لم يتم العثور على نتائج لـ",
+ "Type to search settings and actions": "اكتب للبحث في الإعدادات والإجراءات",
+ "Recent": "الأخير",
+ "navigate": "التنقل",
+ "select": "اختيار",
+ "close": "إغلاق",
+ "Search Settings": "البحث في الإعدادات",
+ "Page Margins": "هوامش الصفحة",
+ "AI Provider": "مزود الذكاء الاصطناعي",
+ "Ollama URL": "رابط Ollama",
+ "Ollama Model": "نموذج Ollama",
+ "AI Gateway Model": "نموذج بوابة الذكاء الاصطناعي",
+ "Actions": "الإجراءات",
+ "Navigation": "التنقل",
+ "Set status for {{count}} book(s)_one": "تعيين الحالة لـ {{count}} كتاب",
+ "Set status for {{count}} book(s)_other": "تعيين الحالة لـ {{count}} كتب",
+ "Mark as Unread": "تحديد كغير مقروء",
+ "Mark as Finished": "تحديد كمنتهى",
+ "Finished": "منتهى",
+ "Unread": "غير مقروء",
+ "Clear Status": "مسح الحالة",
+ "Status": "الحالة",
+ "Set status for {{count}} book(s)_zero": "تعيين الحالة للكتب",
+ "Set status for {{count}} book(s)_two": "تعيين الحالة للكتابين",
+ "Set status for {{count}} book(s)_few": "تعيين الحالة لـ {{count}} كتب",
+ "Set status for {{count}} book(s)_many": "تعيين الحالة لـ {{count}} كتاباً",
+ "Loading": "جارٍ التحميل...",
+ "Exit Paragraph Mode": "الخروج من وضع الفقرة",
+ "Paragraph Mode": "وضع الفقرة",
+ "Embedding Model": "نموذج التضمين",
+ "{{count}} book(s) synced_zero": "لم تتم مزامنة أي كتب",
+ "{{count}} book(s) synced_one": "تمت مزامنة كتاب واحد",
+ "{{count}} book(s) synced_two": "تمت مزامنة كتابين",
+ "{{count}} book(s) synced_few": "تمت مزامنة {{count}} كتب",
+ "{{count}} book(s) synced_many": "تمت مزامنة {{count}} كتاباً",
+ "{{count}} book(s) synced_other": "تمت مزامنة {{count}} كتاب",
+ "Unable to start RSVP": "تعذر بدء RSVP",
+ "RSVP not supported for PDF": "RSVP غير مدعوم لملفات PDF",
+ "Select Chapter": "اختر الفصل",
+ "Context": "السياق",
+ "Ready": "جاهز",
+ "Chapter Progress": "تقدم الفصل",
+ "words": "كلمات",
+ "{{time}} left": "متبقي {{time}}",
+ "Reading progress": "تقدم القراءة",
+ "Click to seek": "انقر للتمرير",
+ "Skip back 15 words": "تخطي للخلف 15 كلمة",
+ "Back 15 words (Shift+Left)": "للخلف 15 كلمة (Shift+اليسار)",
+ "Pause (Space)": "إيقاف مؤقت (المسافة)",
+ "Play (Space)": "تشغيل (المسافة)",
+ "Skip forward 15 words": "تخطي للأمام 15 كلمة",
+ "Forward 15 words (Shift+Right)": "للأمام 15 كلمة (Shift+اليمين)",
+ "Pause:": "إيقاف مؤقت:",
+ "Decrease speed": "تقليل السرعة",
+ "Slower (Left/Down)": "أبطأ (اليسار/الأسفل)",
+ "Current speed": "السرعة الحالية",
+ "Increase speed": "زيادة السرعة",
+ "Faster (Right/Up)": "أسرع (اليمين/الأعلى)",
+ "Start RSVP Reading": "بدء قراءة RSVP",
+ "Choose where to start reading": "اختر من أين تبدأ القراءة",
+ "From Chapter Start": "من بداية الفصل",
+ "Start reading from the beginning of the chapter": "بدء القراءة من بداية الفصل",
+ "Resume": "استئناف",
+ "Continue from where you left off": "المتابعة من حيث توقف",
+ "From Current Page": "من الصفحة الحالية",
+ "Start from where you are currently reading": "البدء من حيث تقرأ حالياً",
+ "From Selection": "من التحديد",
+ "Speed Reading Mode": "وضع القراءة السريعة",
+ "Scroll left": "تمرير لليسار",
+ "Scroll right": "تمرير لليمين",
+ "Library Sync Progress": "تقدم تزامن المكتبة",
+ "Back to library": "العودة إلى المكتبة",
+ "Group by...": "تجميع حسب...",
+ "Export as Plain Text": "تصدير كنص بسيط",
+ "Export as Markdown": "تصدير بصيغة Markdown",
+ "Show Page Navigation Buttons": "أزرار التنقل",
+ "Page {{number}}": "صفحة {{number}}",
+ "highlight": "تمييز",
+ "underline": "تسطير",
+ "squiggly": "متعرج",
+ "red": "أحمر",
+ "violet": "بنفسجي",
+ "blue": "أزرق",
+ "green": "أخضر",
+ "yellow": "أصفر",
+ "Select {{style}} style": "اختر نمط {{style}}",
+ "Select {{color}} color": "اختر لون {{color}}",
+ "Close Book": "إغلاق الكتاب",
+ "Speed Reading": "القراءة السريعة",
+ "Close Speed Reading": "إغلاق القراءة السريعة",
+ "Authors": "المؤلفون",
+ "Books": "الكتب",
+ "Groups": "المجموعات",
+ "Back to TTS Location": "العودة إلى موقع القراءة الآلية",
+ "Metadata": "بيانات وصفية",
+ "Image viewer": "عارض الصور",
+ "Previous Image": "الصورة السابقة",
+ "Next Image": "الصورة التالية",
+ "Zoomed": "مكبّر",
+ "Zoom level": "مستوى التكبير",
+ "Table viewer": "عارض الجداول",
+ "Unable to connect to Readwise. Please check your network connection.": "تعذر الاتصال بـ Readwise. يرجى التحقق من اتصال الشبكة لديك.",
+ "Invalid Readwise access token": "رمز وصول Readwise غير صالح",
+ "Disconnected from Readwise": "تم قطع الاتصال بـ Readwise",
+ "Never": "أبداً",
+ "Readwise Settings": "إعدادات Readwise",
+ "Connected to Readwise": "متصل بـ Readwise",
+ "Last synced: {{time}}": "آخر مزامنة: {{time}}",
+ "Sync Enabled": "تم تمكين المزامنة",
+ "Disconnect": "قطع الاتصال",
+ "Connect your Readwise account to sync highlights.": "قم بتوصيل حساب Readwise الخاص بك لمزامنة التمييزات.",
+ "Get your access token at": "احصل على رمز الوصول الخاص بك من",
+ "Access Token": "رمز الوصول",
+ "Paste your Readwise access token": "الصق رمز وصول Readwise الخاص بك",
+ "Config": "تكوين",
+ "Readwise Sync": "مزامنة Readwise",
+ "Push Highlights": "إرسال التمييزات",
+ "Highlights synced to Readwise": "تمت مزامنة التمييزات مع Readwise",
+ "Readwise sync failed: no internet connection": "فشلت مزامنة Readwise: لا يوجد اتصال بالإنترنت",
+ "Readwise sync failed: {{error}}": "فشلت مزامنة Readwise: {{error}}"
+}
diff --git a/apps/readest-app/public/locales/bn/translation.json b/apps/readest-app/public/locales/bn/translation.json
new file mode 100644
index 0000000000000000000000000000000000000000..ea12f8b4b90dba778c1b14e7944e08602abbc25f
--- /dev/null
+++ b/apps/readest-app/public/locales/bn/translation.json
@@ -0,0 +1,1060 @@
+{
+ "Email address": "ইমেইল ঠিকানা",
+ "Your Password": "আপনার পাসওয়ার্ড",
+ "Your email address": "আপনার ইমেইল ঠিকানা",
+ "Your password": "আপনার পাসওয়ার্ড",
+ "Sign in": "সাইন ইন",
+ "Signing in...": "সাইন ইন করা হচ্ছে...",
+ "Sign in with {{provider}}": "{{provider}} দিয়ে সাইন ইন",
+ "Already have an account? Sign in": "ইতিমধ্যে অ্যাকাউন্ট আছে? সাইন ইন করুন",
+ "Create a Password": "একটি পাসওয়ার্ড তৈরি করুন",
+ "Sign up": "সাইন আপ",
+ "Signing up...": "সাইন আপ করা হচ্ছে...",
+ "Don't have an account? Sign up": "অ্যাকাউন্ট নেই? সাইন আপ করুন",
+ "Check your email for the confirmation link": "নিশ্চিতকরণ লিঙ্কের জন্য ইমেইল চেক করুন",
+ "Signing in ...": "সাইন ইন করা হচ্ছে...",
+ "Send a magic link email": "ম্যাজিক লিঙ্ক ইমেইল পাঠান",
+ "Check your email for the magic link": "ম্যাজিক লিঙ্কের জন্য ইমেইল চেক করুন",
+ "Send reset password instructions": "পাসওয়ার্ড রিসেট নির্দেশনা পাঠান",
+ "Sending reset instructions ...": "রিসেট নির্দেশনা পাঠানো হচ্ছে...",
+ "Forgot your password?": "পাসওয়ার্ড ভুলে গেছেন?",
+ "Check your email for the password reset link": "পাসওয়ার্ড রিসেট লিঙ্কের জন্য ইমেইল চেক করুন",
+ "Phone number": "ফোন নম্বর",
+ "Your phone number": "আপনার ফোন নম্বর",
+ "Token": "টোকেন",
+ "Your OTP token": "আপনার ওটিপি টোকেন",
+ "Verify token": "টোকেন যাচাই করুন",
+ "New Password": "নতুন পাসওয়ার্ড",
+ "Your new password": "আপনার নতুন পাসওয়ার্ড",
+ "Update password": "পাসওয়ার্ড আপডেট করুন",
+ "Updating password ...": "পাসওয়ার্ড আপডেট করা হচ্ছে...",
+ "Your password has been updated": "আপনার পাসওয়ার্ড আপডেট হয়েছে",
+ "Something went wrong. Don't worry, our team has been notified and we're working on a fix.": "কিছু ভুল হয়েছে। চিন্তা করবেন না, আমাদের দল জানানো হয়েছে এবং আমরা সমাধানে কাজ করছি।",
+ "Error Details:": "ত্রুটির বিস্তারিত:",
+ "Try Again": "আবার চেষ্টা করুন",
+ "Go Back": "ফিরে যান",
+ "Your Library": "আপনার লাইব্রেরি",
+ "Need help?": "সাহায্য দরকার?",
+ "Contact Support": "সাপোর্টের সাথে যোগাযোগ",
+ "Open": "খুলুন",
+ "Group": "গ্রুপ",
+ "Details": "বিস্তারিত",
+ "Delete": "মুছুন",
+ "Cancel": "বাতিল",
+ "Confirm Deletion": "মুছে ফেলা নিশ্চিত করুন",
+ "Are you sure to delete {{count}} selected book(s)?_one": "আপনি কি নিশ্চিত যে নির্বাচিত বইটি মুছবেন?",
+ "Are you sure to delete {{count}} selected book(s)?_other": "আপনি কি নিশ্চিত যে {{count}}টি নির্বাচিত বই মুছবেন?",
+ "Deselect Book": "বই অনির্বাচিত করুন",
+ "Select Book": "বই নির্বাচন করুন",
+ "Show Book Details": "বইয়ের বিস্তারিত দেখান",
+ "Download Book": "বই ডাউনলোড করুন",
+ "Upload Book": "বই আপলোড করুন",
+ "Deselect Group": "গ্রুপ অনির্বাচিত করুন",
+ "Select Group": "গ্রুপ নির্বাচন করুন",
+ "Untitled Group": "নামবিহীন গ্রুপ",
+ "Group Books": "বই গ্রুপ করুন",
+ "Remove From Group": "গ্রুপ থেকে সরান",
+ "Create New Group": "নতুন গ্রুপ তৈরি করুন",
+ "Save": "সংরক্ষণ",
+ "Confirm": "নিশ্চিত করুন",
+ "From Local File": "স্থানীয় ফাইল থেকে",
+ "Search in {{count}} Book(s)..._one": "বইটিতে খুঁজুন...",
+ "Search in {{count}} Book(s)..._other": "{{count}}টি বইয়ে খুঁজুন...",
+ "Search Books...": "বই খুঁজুন...",
+ "Clear Search": "খোঁজ পরিষ্কার করুন",
+ "Import Books": "বই আমদানি করুন",
+ "Select Books": "বই নির্বাচন করুন",
+ "Deselect": "অনির্বাচিত করুন",
+ "Select All": "সব নির্বাচন করুন",
+ "Logged in as {{userDisplayName}}": "{{userDisplayName}} হিসেবে লগ ইন",
+ "Logged in": "লগ ইন করেছেন",
+ "Account": "অ্যাকাউন্ট",
+ "Sign In": "সাইন ইন",
+ "Auto Upload Books to Cloud": "স্বয়ংক্রিয় ক্লাউডে বই আপলোড",
+ "Auto Import on File Open": "ফাইল খোলার সময় স্বয়ংক্রিয় আমদানি",
+ "Open Last Book on Start": "শুরুতে শেষ বইটি খুলুন",
+ "Check Updates on Start": "শুরুতে আপডেট চেক করুন",
+ "Open Book in New Window": "নতুন উইন্ডোতে বই খুলুন",
+ "Fullscreen": "পূর্ণ স্ক্রিন",
+ "Always on Top": "সবসময় উপরে",
+ "Always Show Status Bar": "সবসময় স্ট্যাটাস বার দেখান",
+ "Keep Screen Awake": "স্ক্রিন জাগিয়ে রাখুন",
+ "Reload Page": "পৃষ্ঠা রিলোড করুন",
+ "Dark Mode": "ডার্ক মোড",
+ "Light Mode": "লাইট মোড",
+ "Auto Mode": "অটো মোড",
+ "Upgrade to Readest Premium": "রিডেস্ট প্রিমিয়ামে আপগ্রেড",
+ "Download Readest": "রিডেস্ট ডাউনলোড",
+ "About Readest": "রিডেস্ট সম্পর্কে",
+ "Help improve Readest": "রিডেস্ট উন্নত করতে সাহায্য করুন",
+ "Sharing anonymized statistics": "বেনামী পরিসংখ্যান শেয়ার করা",
+ "List": "তালিকা",
+ "Grid": "গ্রিড",
+ "Crop": "কাটুন",
+ "Fit": "ফিট",
+ "Title": "শিরোনাম",
+ "Author": "লেখক",
+ "Format": "ফরম্যাট",
+ "Date Read": "পড়ার তারিখ",
+ "Date Added": "যোগ করার তারিখ",
+ "Ascending": "ঊর্ধ্বক্রম",
+ "Descending": "অবতরণ ক্রম",
+ "Book Covers": "বইয়ের মলাট",
+ "Sort by...": "সাজানোর ভিত্তি...",
+ "No supported files found. Supported formats: {{formats}}": "কোন সমর্থিত ফাইল পাওয়া যায়নি। সমর্থিত ফরম্যাট: {{formats}}",
+ "No chapters detected": "কোন অধ্যায় শনাক্ত হয়নি।",
+ "Failed to parse the EPUB file": "EPUB ফাইল পার্স করতে ব্যর্থ।",
+ "This book format is not supported": "এই বই ফরম্যাট সমর্থিত নয়।",
+ "Failed to import book(s): {{filenames}}": "বই আমদানি ব্যর্থ: {{filenames}}",
+ "Book uploaded: {{title}}": "বই আপলোড হয়েছে: {{title}}",
+ "Insufficient storage quota": "অপর্যাপ্ত স্টোরেজ কোটা",
+ "Failed to upload book: {{title}}": "বই আপলোড ব্যর্থ: {{title}}",
+ "Book downloaded: {{title}}": "বই ডাউনলোড হয়েছে: {{title}}",
+ "Failed to download book: {{title}}": "বই ডাউনলোড ব্যর্থ: {{title}}",
+ "Book deleted: {{title}}": "বই মুছে ফেলা হয়েছে: {{title}}",
+ "Deleted cloud backup of the book: {{title}}": "বইয়ের ক্লাউড ব্যাকআপ মুছে ফেলা হয়েছে: {{title}}",
+ "Deleted local copy of the book: {{title}}": "বইয়ের স্থানীয় কপি মুছে ফেলা হয়েছে: {{title}}",
+ "Failed to delete book: {{title}}": "বই মুছতে ব্যর্থ: {{title}}",
+ "Failed to delete cloud backup of the book: {{title}}": "বইয়ের ক্লাউড ব্যাকআপ মুছতে ব্যর্থ: {{title}}",
+ "Failed to delete local copy of the book: {{title}}": "বইয়ের স্থানীয় কপি মুছতে ব্যর্থ: {{title}}",
+ "Welcome to your library. You can import your books here and read them anytime.": "আপনার লাইব্রেরিতে স্বাগতম। আপনি এখানে বই আমদানি করে যেকোনো সময় পড়তে পারেন।",
+ "Copied to notebook": "নোটবুকে কপি করা হয়েছে",
+ "No annotations to export": "রপ্তানি করার জন্য কোন টীকা নেই",
+ "Exported from Readest": "রিডেস্ট থেকে রপ্তানি করা হয়েছে",
+ "Highlights & Annotations": "হাইলাইট ও টীকা",
+ "Untitled": "নামবিহীন",
+ "Note": "নোট",
+ "Copied to clipboard": "ক্লিপবোর্ডে কপি করা হয়েছে",
+ "Copy": "কপি",
+ "Delete Highlight": "হাইলাইট মুছুন",
+ "Highlight": "হাইলাইট",
+ "Annotate": "টীকা",
+ "Search": "খুঁজুন",
+ "Dictionary": "অভিধান",
+ "Wikipedia": "উইকিপিডিয়া",
+ "Translate": "অনুবাদ",
+ "Speak": "বলুন",
+ "Login Required": "লগইন প্রয়োজন",
+ "Quota Exceeded": "কোটা অতিক্রম",
+ "Unable to fetch the translation. Please log in first and try again.": "অনুবাদ আনতে পারছি না। প্রথমে লগইন করুন এবং আবার চেষ্টা করুন।",
+ "Unable to fetch the translation. Try again later.": "অনুবাদ আনতে পারছি না। পরে আবার চেষ্টা করুন।",
+ "Original Text": "মূল টেক্সট",
+ "Auto Detect": "স্বয়ংক্রিয় শনাক্তকরণ",
+ "(detected)": "(শনাক্ত)",
+ "Translated Text": "অনূদিত টেক্সট",
+ "System Language": "সিস্টেম ভাষা",
+ "Loading...": "লোড হচ্ছে...",
+ "No translation available.": "কোন অনুবাদ উপলব্ধ নয়।",
+ "Translated by {{provider}}.": "{{provider}} দ্বারা অনূদিত।",
+ "Bookmark": "বুকমার্ক",
+ "Next Section": "পরবর্তী বিভাগ",
+ "Previous Section": "পূর্ববর্তী বিভাগ",
+ "Next Page": "পরবর্তী পৃষ্ঠা",
+ "Previous Page": "পূর্ববর্তী পৃষ্ঠা",
+ "Go Forward": "এগিয়ে যান",
+ "Small": "ছোট",
+ "Large": "বড়",
+ "Sync Conflict": "সিঙ্ক দ্বন্দ্ব",
+ "Sync reading progress from \"{{deviceName}}\"?": "\"{{deviceName}}\" থেকে পড়ার অগ্রগতি সিঙ্ক করবেন?",
+ "another device": "অন্য ডিভাইস",
+ "Local Progress": "স্থানীয় অগ্রগতি",
+ "Remote Progress": "দূরবর্তী অগ্রগতি",
+ "Failed to connect": "সংযোগ ব্যর্থ",
+ "Disconnected": "সংযোগ বিচ্ছিন্ন",
+ "KOReader Sync Settings": "KOReader সিঙ্ক সেটিংস",
+ "Sync as {{userDisplayName}}": "{{userDisplayName}} হিসেবে সিঙ্ক",
+ "Sync Server Connected": "সিঙ্ক সার্ভার সংযুক্ত",
+ "Sync Strategy": "সিঙ্ক কৌশল",
+ "Ask on conflict": "দ্বন্দ্বে জিজ্ঞাসা করুন",
+ "Always use latest": "সবসময় সর্বশেষ ব্যবহার করুন",
+ "Send changes only": "শুধু পরিবর্তন পাঠান",
+ "Receive changes only": "শুধু পরিবর্তন গ্রহণ করুন",
+ "Checksum Method": "চেকসাম পদ্ধতি",
+ "File Content (recommended)": "ফাইল কন্টেন্ট (সুপারিশকৃত)",
+ "File Name": "ফাইলের নাম",
+ "Device Name": "ডিভাইসের নাম",
+ "Connect to your KOReader Sync server.": "আপনার KOReader সিঙ্ক সার্ভারে সংযোগ করুন।",
+ "Server URL": "সার্ভার URL",
+ "Username": "ইউজারনেম",
+ "Your Username": "আপনার ইউজারনেম",
+ "Password": "পাসওয়ার্ড",
+ "Connect": "সংযোগ",
+ "Notebook": "নোটবুক",
+ "No notes match your search": "আপনার খোঁজের সাথে কোন নোট মিলছে না",
+ "Excerpts": "উদ্ধৃতি",
+ "Notes": "নোট",
+ "Add your notes here...": "এখানে আপনার নোট যোগ করুন...",
+ "Search notes and excerpts...": "নোট ও উদ্ধৃতি খুঁজুন...",
+ "{{time}} min left in chapter": "অধ্যায়ে {{time}} মিনিট বাকি",
+ "{{count}} pages left in chapter_one": "অধ্যায়ে ১ পৃষ্ঠা বাকি",
+ "{{count}} pages left in chapter_other": "অধ্যায়ে {{count}} পৃষ্ঠা বাকি",
+ "Theme Mode": "থিম মোড",
+ "Invert Image In Dark Mode": "ডার্ক মোডে ছবি উল্টান",
+ "Override Book Color": "বইয়ের রঙ পরিবর্তন",
+ "Theme Color": "থিম রঙ",
+ "Custom": "কাস্টম",
+ "Code Highlighting": "কোড হাইলাইটিং",
+ "Enable Highlighting": "হাইলাইটিং সক্রিয়",
+ "Code Language": "কোড ভাষা",
+ "Auto": "অটো",
+ "Scroll": "স্ক্রল",
+ "Scrolled Mode": "স্ক্রল মোড",
+ "Continuous Scroll": "ক্রমাগত স্ক্রল",
+ "Overlap Pixels": "ওভারল্যাপ পিক্সেল",
+ "Disable Double Click": "ডাবল ক্লিক নিষ্ক্রিয়",
+ "Volume Keys for Page Flip": "পৃষ্ঠা উল্টানোর জন্য ভলিউম কী",
+ "Animation": "অ্যানিমেশন",
+ "Paging Animation": "পৃষ্ঠা অ্যানিমেশন",
+ "Security": "নিরাপত্তা",
+ "Allow JavaScript": "জাভাস্ক্রিপ্ট অনুমতি",
+ "Enable only if you trust the file.": "শুধুমাত্র ফাইলে বিশ্বাস থাকলে সক্রিয় করুন।",
+ "Font": "ফন্ট",
+ "Custom Fonts": "কাস্টম ফন্ট",
+ "Cancel Delete": "মুছা বাতিল",
+ "Delete Font": "ফন্ট মুছুন",
+ "Import Font": "ফন্ট আমদানি",
+ "Tips": "টিপস",
+ "Supported font formats: .ttf, .otf, .woff, .woff2": "সমর্থিত ফন্ট ফরম্যাট: .ttf, .otf, .woff, .woff2",
+ "Custom fonts can be selected from the Font Face menu": "কাস্টম ফন্ট Font Face মেনু থেকে নির্বাচন করা যায়",
+ "Global Settings": "গ্লোবাল সেটিংস",
+ "Apply to All Books": "সব বইয়ে প্রয়োগ",
+ "Apply to This Book": "এই বইয়ে প্রয়োগ",
+ "Reset Settings": "সেটিংস রিসেট",
+ "Manage Custom Fonts": "কাস্টম ফন্ট ব্যবস্থাপনা",
+ "System Fonts": "সিস্টেম ফন্ট",
+ "Serif Font": "সেরিফ ফন্ট",
+ "Sans-Serif Font": "স্যান্স-সেরিফ ফন্ট",
+ "Override Book Font": "বইয়ের ফন্ট পরিবর্তন",
+ "Font Size": "ফন্ট সাইজ",
+ "Default Font Size": "ডিফল্ট ফন্ট সাইজ",
+ "Minimum Font Size": "সর্বনিম্ন ফন্ট সাইজ",
+ "Font Weight": "ফন্ট ওয়েট",
+ "Font Family": "ফন্ট ফ্যামিলি",
+ "Default Font": "ডিফল্ট ফন্ট",
+ "CJK Font": "CJK ফন্ট",
+ "Font Face": "ফন্ট ফেস",
+ "Monospace Font": "মনোস্পেস ফন্ট",
+ "Language": "ভাষা",
+ "Interface Language": "ইন্টারফেস ভাষা",
+ "Translation": "অনুবাদ",
+ "Enable Translation": "অনুবাদ সক্রিয়",
+ "Show Source Text": "উৎস টেক্সট দেখান",
+ "Translation Service": "অনুবাদ সেবা",
+ "Translate To": "অনুবাদ করুন",
+ "Override Book Layout": "বইয়ের লেআউট পরিবর্তন",
+ "Writing Mode": "লেখার মোড",
+ "Default": "ডিফল্ট",
+ "Horizontal Direction": "অনুভূমিক দিক",
+ "Vertical Direction": "উল্লম্ব দিক",
+ "RTL Direction": "RTL দিক",
+ "Border Frame": "বর্ডার ফ্রেম",
+ "Double Border": "ডাবল বর্ডার",
+ "Border Color": "বর্ডার রঙ",
+ "Paragraph": "অনুচ্ছেদ",
+ "Paragraph Margin": "অনুচ্ছেদ মার্জিন",
+ "Line Spacing": "লাইন স্পেসিং",
+ "Word Spacing": "শব্দ স্পেসিং",
+ "Letter Spacing": "অক্ষর স্পেসিং",
+ "Text Indent": "টেক্সট ইনডেন্ট",
+ "Full Justification": "পূর্ণ সারিবদ্ধতা",
+ "Hyphenation": "হাইফেনেশন",
+ "Page": "পৃষ্ঠা",
+ "Top Margin (px)": "উপরের মার্জিন (px)",
+ "Bottom Margin (px)": "নিচের মার্জিন (px)",
+ "Left Margin (px)": "বাম মার্জিন (px)",
+ "Right Margin (px)": "ডান মার্জিন (px)",
+ "Column Gap (%)": "কলাম গ্যাপ (%)",
+ "Maximum Number of Columns": "সর্বোচ্চ কলাম সংখ্যা",
+ "Maximum Column Height": "সর্বোচ্চ কলাম উচ্চতা",
+ "Maximum Column Width": "সর্বোচ্চ কলাম প্রস্থ",
+ "Header & Footer": "হেডার ও ফুটার",
+ "Show Header": "হেডার দেখান",
+ "Show Footer": "ফুটার দেখান",
+ "Show Remaining Time": "বাকি সময় দেখান",
+ "Show Remaining Pages": "বাকি পৃষ্ঠা দেখান",
+ "Show Reading Progress": "পড়ার অগ্রগতি দেখান",
+ "Reading Progress Style": "পড়ার অগ্রগতির স্টাইল",
+ "Page Number": "পৃষ্ঠা নম্বর",
+ "Percentage": "শতাংশ",
+ "Apply also in Scrolled Mode": "স্ক্রল মোডেও প্রয়োগ করুন",
+ "Screen": "স্ক্রিন",
+ "Orientation": "দিকবিন্যাস",
+ "Portrait": "পোর্ট্রেট",
+ "Landscape": "ল্যান্ডস্কেপ",
+ "Apply": "প্রয়োগ",
+ "Custom Content CSS": "কাস্টম কন্টেন্ট CSS",
+ "Enter CSS for book content styling...": "বই কন্টেন্ট স্টাইলিংয়ের জন্য CSS লিখুন...",
+ "Custom Reader UI CSS": "কাস্টম রিডার UI CSS",
+ "Enter CSS for reader interface styling...": "রিডার ইন্টারফেস স্টাইলিংয়ের জন্য CSS লিখুন...",
+ "Layout": "লেআউট",
+ "Color": "রঙ",
+ "Behavior": "আচরণ",
+ "Reset {{settings}}": "{{settings}} রিসেট",
+ "All the world's a stage,\nAnd all the men and women merely players;\nThey have their exits and their entrances,\nAnd one man in his time plays many parts,\nHis acts being seven ages.\n\n— William Shakespeare": "সারা বিশ্বটাই একটা মঞ্চ,\nআর সব নর-নারী কেবল অভিনেতা;\nতাদের আছে প্রস্থান ও প্রবেশ,\nআর একজন মানুষ তার জীবনে অনেক চরিত্র পালন করে,\nতার অভিনয় সাত যুগের।\n\n— উইলিয়াম শেক্সপিয়র",
+ "(from 'As You Like It', Act II)": "('অ্যাজ ইউ লাইক ইট', দ্বিতীয় অঙ্ক থেকে)",
+ "Custom Theme": "কাস্টম থিম",
+ "Theme Name": "থিমের নাম",
+ "Text Color": "টেক্সট রঙ",
+ "Background Color": "ব্যাকগ্রাউন্ড রঙ",
+ "Link Color": "লিঙ্ক রঙ",
+ "Preview": "প্রিভিউ",
+ "Font & Layout": "ফন্ট ও লেআউট",
+ "More Info": "আরো তথ্য",
+ "Parallel Read": "সমান্তরাল পড়া",
+ "Disable": "নিষ্ক্রিয়",
+ "Enable": "সক্রিয়",
+ "KOReader Sync": "KOReader সিঙ্ক",
+ "Push Progress": "অগ্রগতি পুশ",
+ "Pull Progress": "অগ্রগতি পুল",
+ "Export Annotations": "টীকা রপ্তানি",
+ "Sort TOC by Page": "পৃষ্ঠা অনুযায়ী TOC সাজান",
+ "Edit": "সম্পাদনা",
+ "Search...": "খুঁজুন...",
+ "Book": "বই",
+ "Chapter": "অধ্যায়",
+ "Match Case": "কেস মিলান",
+ "Match Whole Words": "পূর্ণ শব্দ মিলান",
+ "Match Diacritics": "ডায়াক্রিটিক্স মিলান",
+ "TOC": "সূচিপত্র",
+ "Table of Contents": "সূচিপত্র",
+ "Sidebar": "সাইডবার",
+ "Disable Translation": "অনুবাদ নিষ্ক্রিয়",
+ "TTS not supported for PDF": "PDF এর জন্য TTS সমর্থিত নয়",
+ "TTS not supported for this document": "এই ডকুমেন্টের জন্য TTS সমর্থিত নয়",
+ "No Timeout": "কোন টাইমআউট নেই",
+ "{{value}} minute": "{{value}} মিনিট",
+ "{{value}} minutes": "{{value}} মিনিট",
+ "{{value}} hour": "{{value}} ঘন্টা",
+ "{{value}} hours": "{{value}} ঘন্টা",
+ "Voices for {{lang}}": "{{lang}} এর জন্য কণ্ঠস্বর",
+ "Slow": "ধীর",
+ "Fast": "দ্রুত",
+ "{{engine}}: {{count}} voices_one": "{{engine}}: ১টি কণ্ঠস্বর",
+ "{{engine}}: {{count}} voices_other": "{{engine}}: {{count}}টি কণ্ঠস্বর",
+ "Sign in to Sync": "সিঙ্কের জন্য সাইন ইন",
+ "Synced at {{time}}": "{{time}} এ সিঙ্ক হয়েছে",
+ "Never synced": "কখনো সিঙ্ক হয়নি",
+ "Reading Progress Synced": "পড়ার অগ্রগতি সিঙ্ক হয়েছে",
+ "Page {{page}} of {{total}} ({{percentage}}%)": "{{total}} এর {{page}} পৃষ্ঠা ({{percentage}}%)",
+ "Current position": "বর্তমান অবস্থান",
+ "Approximately page {{page}} of {{total}} ({{percentage}}%)": "প্রায় {{total}} এর {{page}} পৃষ্ঠা ({{percentage}}%)",
+ "Approximately {{percentage}}%": "প্রায় {{percentage}}%",
+ "Delete Your Account?": "আপনার অ্যাকাউন্ট মুছবেন?",
+ "This action cannot be undone. All your data in the cloud will be permanently deleted.": "এই কাজ পূর্বাবস্থায় ফেরানো যাবে না। ক্লাউডে আপনার সব ডেটা স্থায়ীভাবে মুছে যাবে।",
+ "Delete Permanently": "স্থায়ীভাবে মুছুন",
+ "Restore Purchase": "ক্রয় পুনরুদ্ধার",
+ "Manage Subscription": "সাবস্ক্রিপশন পরিচালনা",
+ "Reset Password": "পাসওয়ার্ড রিসেট",
+ "Sign Out": "সাইন আউট",
+ "Delete Account": "অ্যাকাউন্ট মুছুন",
+ "Upgrade to {{plan}}": "{{plan}} এ আপগ্রেড",
+ "Complete Your Subscription": "আপনার সাবস্ক্রিপশন সম্পূর্ণ করুন",
+ "Coming Soon": "শীঘ্রই আসছে",
+ "Upgrade to Plus or Pro": "প্লাস বা প্রো তে আপগ্রেড",
+ "Current Plan": "বর্তমান প্ল্যান",
+ "Plan Limits": "প্ল্যান সীমা",
+ "Failed to delete user. Please try again later.": "ইউজার মুছতে ব্যর্থ। পরে আবার চেষ্টা করুন।",
+ "Failed to create checkout session": "চেকআউট সেশন তৈরি করতে ব্যর্থ",
+ "No purchases found to restore.": "পুনরুদ্ধার করার জন্য কোন ক্রয় পাওয়া যায়নি।",
+ "Failed to restore purchases.": "ক্রয় পুনরুদ্ধার করতে ব্যর্থ।",
+ "Failed to manage subscription.": "সাবস্ক্রিপশন পরিচালনা করতে ব্যর্থ।",
+ "Failed to load subscription plans.": "সাবস্ক্রিপশন প্ল্যান লোড করতে ব্যর্থ।",
+ "Loading profile...": "প্রোফাইল লোড হচ্ছে...",
+ "Processing your payment...": "আপনার পেমেন্ট প্রক্রিয়া করা হচ্ছে...",
+ "Please wait while we confirm your subscription.": "আমরা আপনার সাবস্ক্রিপশন নিশ্চিত করার সময় অপেক্ষা করুন।",
+ "Payment Processing": "পেমেন্ট প্রক্রিয়াকরণ",
+ "Your payment is being processed. This usually takes a few moments.": "আপনার পেমেন্ট প্রক্রিয়া করা হচ্ছে। এটি সাধারণত কয়েক মুহূর্ত সময় নেয়।",
+ "Payment Failed": "পেমেন্ট ব্যর্থ",
+ "We couldn't process your subscription. Please try again or contact support if the issue persists.": "আমরা আপনার সাবস্ক্রিপশন প্রক্রিয়া করতে পারিনি। আবার চেষ্টা করুন বা সমস্যা অব্যাহত থাকলে সাপোর্টের সাথে যোগাযোগ করুন।",
+ "Back to Profile": "প্রোফাইলে ফিরুন",
+ "Subscription Successful!": "সাবস্ক্রিপশন সফল!",
+ "Thank you for your subscription! Your payment has been processed successfully.": "আপনার সাবস্ক্রিপশনের জন্য ধন্যবাদ! আপনার পেমেন্ট সফলভাবে প্রক্রিয়া করা হয়েছে।",
+ "Email:": "ইমেইল:",
+ "Plan:": "প্ল্যান:",
+ "Amount:": "পরিমাণ:",
+ "Go to Library": "লাইব্রেরিতে যান",
+ "Need help? Contact our support team at support@readest.com": "সাহায্য দরকার? support@readest.com এ আমাদের সাপোর্ট টিমের সাথে যোগাযোগ করুন",
+ "Free Plan": "ফ্রি প্ল্যান",
+ "month": "মাস",
+ "year": "বছর",
+ "Cross-Platform Sync": "ক্রস-প্ল্যাটফর্ম সিঙ্ক",
+ "Seamlessly sync your library, progress, highlights, and notes across all your devices—never lose your place again.": "আপনার সব ডিভাইসে লাইব্রেরি, অগ্রগতি, হাইলাইট এবং নোট নির্বিঘ্নে সিঙ্ক করুন—আর কখনো আপনার জায়গা হারাবেন না।",
+ "Customizable Reading": "কাস্টমাইজযোগ্য পড়া",
+ "Personalize every detail with adjustable fonts, layouts, themes, and advanced display settings for the perfect reading experience.": "নিখুঁত পড়ার অভিজ্ঞতার জন্য সামঞ্জস্যযোগ্য ফন্ট, লেআউট, থিম এবং উন্নত ডিসপ্লে সেটিংস দিয়ে প্রতিটি বিস্তারিত ব্যক্তিগতকরণ করুন।",
+ "AI Read Aloud": "AI পড়ে শোনানো",
+ "Enjoy hands-free reading with natural-sounding AI voices that bring your books to life.": "প্রাকৃতিক শোনা AI কণ্ঠস্বর দিয়ে হ্যান্ডস-ফ্রি পড়া উপভোগ করুন যা আপনার বইগুলোকে জীবন্ত করে তোলে।",
+ "AI Translations": "AI অনুবাদ",
+ "Translate any text instantly with the power of Google, Azure, or DeepL—understand content in any language.": "Google, Azure, বা DeepL এর শক্তি দিয়ে যেকোনো টেক্সট তাৎক্ষণিক অনুবাদ করুন—যেকোনো ভাষায় কন্টেন্ট বুঝুন।",
+ "Community Support": "কমিউনিটি সাপোর্ট",
+ "Connect with fellow readers and get help fast in our friendly community channels.": "সহ পাঠকদের সাথে যুক্ত হোন এবং আমাদের বন্ধুত্বপূর্ণ কমিউনিটি চ্যানেলে দ্রুত সাহায্য পান।",
+ "Cloud Sync Storage": "ক্লাউড সিঙ্ক স্টোরেজ",
+ "AI Translations (per day)": "AI অনুবাদ (প্রতিদিন)",
+ "Plus Plan": "প্লাস প্ল্যান",
+ "Includes All Free Plan Benefits": "সব ফ্রি প্ল্যান সুবিধা অন্তর্ভুক্ত",
+ "Unlimited AI Read Aloud Hours": "সীমাহীন AI পড়ে শোনানোর সময়",
+ "Listen without limits—convert as much text as you like into immersive audio.": "সীমা ছাড়াই শুনুন—যত খুশি টেক্সটকে নিমজ্জনকারী অডিওতে রূপান্তর করুন।",
+ "More AI Translations": "আরো AI অনুবাদ",
+ "Unlock enhanced translation capabilities with more daily usage and advanced options.": "আরো দৈনিক ব্যবহার এবং উন্নত অপশন দিয়ে উন্নত অনুবাদ ক্ষমতা আনলক করুন।",
+ "DeepL Pro Access": "DeepL Pro অ্যাক্সেস",
+ "Translate up to 100,000 characters daily with the most accurate translation engine available.": "উপলব্ধ সবচেয়ে নির্ভুল অনুবাদ ইঞ্জিন দিয়ে দৈনিক ১,০০,০০০ অক্ষর পর্যন্ত অনুবাদ করুন।",
+ "Securely store and access your entire reading collection with up to 5 GB of cloud storage.": "৫ GB ক্লাউড স্টোরেজ দিয়ে আপনার সম্পূর্ণ পড়ার সংগ্রহ নিরাপদে সংরক্ষণ এবং অ্যাক্সেস করুন।",
+ "Priority Support": "অগ্রাধিকার সাপোর্ট",
+ "Enjoy faster responses and dedicated assistance whenever you need help.": "যখনই সাহায্যের প্রয়োজন হয় দ্রুত প্রতিক্রিয়া এবং নিবেদিত সহায়তা উপভোগ করুন।",
+ "Pro Plan": "প্রো প্ল্যান",
+ "Includes All Plus Plan Benefits": "সব প্লাস প্ল্যান সুবিধা অন্তর্ভুক্ত",
+ "Early Feature Access": "আর্লি ফিচার অ্যাক্সেস",
+ "Be the first to explore new features, updates, and innovations before anyone else.": "অন্য কারো আগে নতুন ফিচার, আপডেট এবং উদ্ভাবন অন্বেষণ করার প্রথম হয়ে উঠুন।",
+ "Advanced AI Tools": "উন্নত AI টুলস",
+ "Harness powerful AI tools for smarter reading, translation, and content discovery.": "স্মার্ট পড়া, অনুবাদ এবং কন্টেন্ট আবিষ্কারের জন্য শক্তিশালী AI টুলস ব্যবহার করুন।",
+ "Translate up to 500,000 characters daily with the most accurate translation engine available.": "উপলব্ধ সবচেয়ে নির্ভুল অনুবাদ ইঞ্জিন দিয়ে দৈনিক ৫,০০,০০০ অক্ষর পর্যন্ত অনুবাদ করুন।",
+ "Securely store and access your entire reading collection with up to 20 GB of cloud storage.": "২০ GB ক্লাউড স্টোরেজ দিয়ে আপনার সম্পূর্ণ পড়ার সংগ্রহ নিরাপদে সংরক্ষণ এবং অ্যাক্সেস করুন।",
+ "Version {{version}}": "সংস্করণ {{version}}",
+ "Check Update": "আপডেট চেক করুন",
+ "Already the latest version": "ইতিমধ্যে সর্বশেষ সংস্করণ",
+ "Checking for updates...": "আপডেট চেক করা হচ্ছে...",
+ "Error checking for updates": "আপডেট চেক করতে ত্রুটি",
+ "Drop to Import Books": "বই আমদানি করতে ড্রপ করুন",
+ "Terms of Service": "সেবার শর্তাবলী",
+ "Privacy Policy": "গোপনীয়তা নীতি",
+ "Enter book title": "বইয়ের শিরোনাম লিখুন",
+ "Subtitle": "উপশিরোনাম",
+ "Enter book subtitle": "বইয়ের উপশিরোনাম লিখুন",
+ "Enter author name": "লেখকের নাম লিখুন",
+ "Series": "সিরিজ",
+ "Enter series name": "সিরিজের নাম লিখুন",
+ "Series Index": "সিরিজ ইনডেক্স",
+ "Enter series index": "সিরিজ ইনডেক্স লিখুন",
+ "Total in Series": "সিরিজের মোট",
+ "Enter total books in series": "সিরিজের মোট বই সংখ্যা লিখুন",
+ "Publisher": "প্রকাশক",
+ "Enter publisher": "প্রকাশক লিখুন",
+ "Publication Date": "প্রকাশনার তারিখ",
+ "YYYY or YYYY-MM-DD": "YYYY বা YYYY-MM-DD",
+ "Identifier": "শনাক্তকারী",
+ "Subjects": "বিষয়",
+ "Fiction, Science, History": "কল্পকাহিনী, বিজ্ঞান, ইতিহাস",
+ "Description": "বিবরণ",
+ "Enter book description": "বইয়ের বিবরণ লিখুন",
+ "Change cover image": "মলাট ছবি পরিবর্তন",
+ "Replace": "প্রতিস্থাপন",
+ "Unlock cover": "মলাট আনলক",
+ "Lock cover": "মলাট লক",
+ "Auto-Retrieve Metadata": "মেটাডেটা স্বয়ংক্রিয় পুনরুদ্ধার",
+ "Auto-Retrieve": "স্বয়ংক্রিয় পুনরুদ্ধার",
+ "Unlock all fields": "সব ফিল্ড আনলক",
+ "Unlock All": "সব আনলক",
+ "Lock all fields": "সব ফিল্ড লক",
+ "Lock All": "সব লক",
+ "Reset": "রিসেট",
+ "Are you sure to delete the selected book?": "আপনি কি নিশ্চিত যে নির্বাচিত বইটি মুছবেন?",
+ "Are you sure to delete the cloud backup of the selected book?": "আপনি কি নিশ্চিত যে নির্বাচিত বইয়ের ক্লাউড ব্যাকআপ মুছবেন?",
+ "Are you sure to delete the local copy of the selected book?": "আপনি কি নিশ্চিত যে নির্বাচিত বইয়ের স্থানীয় কপি মুছবেন?",
+ "Edit Metadata": "মেটাডেটা সম্পাদনা",
+ "Book Details": "বইয়ের বিস্তারিত",
+ "Unknown": "অজানা",
+ "Remove from Cloud & Device": "ক্লাউড ও ডিভাইস থেকে সরান",
+ "Remove from Cloud Only": "শুধু ক্লাউড থেকে সরান",
+ "Remove from Device Only": "শুধু ডিভাইস থেকে সরান",
+ "Published": "প্রকাশিত",
+ "Updated": "আপডেট হয়েছে",
+ "Added": "যোগ করা হয়েছে",
+ "File Size": "ফাইল সাইজ",
+ "No description available": "কোন বিবরণ উপলব্ধ নয়",
+ "Locked": "লক করা",
+ "Select Metadata Source": "মেটাডেটা সোর্স নির্বাচন",
+ "Keep manual input": "ম্যানুয়াল ইনপুট রাখুন",
+ "A new version of Readest is available!": "রিডেস্টের একটি নতুন সংস্করণ উপলব্ধ!",
+ "Readest {{newVersion}} is available (installed version {{currentVersion}}).": "রিডেস্ট {{newVersion}} উপলব্ধ (ইনস্টল করা সংস্করণ {{currentVersion}})।",
+ "Download and install now?": "এখনই ডাউনলোড এবং ইনস্টল করবেন?",
+ "Downloading {{downloaded}} of {{contentLength}}": "{{contentLength}} এর {{downloaded}} ডাউনলোড হচ্ছে",
+ "Download finished": "ডাউনলোড সম্পূর্ণ",
+ "DOWNLOAD & INSTALL": "ডাউনলোড ও ইনস্টল",
+ "Changelog": "পরিবর্তন লগ",
+ "Software Update": "সফটওয়্যার আপডেট",
+ "What's New in Readest": "রিডেস্টে নতুন কী",
+ "Select Files": "ফাইল নির্বাচন",
+ "Select Image": "ছবি নির্বাচন",
+ "Select Video": "ভিডিও নির্বাচন",
+ "Select Audio": "অডিও নির্বাচন",
+ "Select Fonts": "ফন্ট নির্বাচন",
+ "Storage": "স্টোরেজ",
+ "{{percentage}}% of Cloud Sync Space Used.": "ক্লাউড সিঙ্ক স্পেসের {{percentage}}% ব্যবহৃত।",
+ "Translation Characters": "অনুবাদ অক্ষর",
+ "{{percentage}}% of Daily Translation Characters Used.": "দৈনিক অনুবাদ অক্ষরের {{percentage}}% ব্যবহৃত।",
+ "Daily translation quota reached. Upgrade your plan to continue using AI translations.": "দৈনিক অনুবাদ কোটা শেষ। AI অনুবাদ ব্যবহার চালিয়ে যেতে আপনার প্ল্যান আপগ্রেড করুন।",
+ "LXGW WenKai GB Screen": "LXGW WenKai GB Screen",
+ "LXGW WenKai TC": "LXGW WenKai TC",
+ "GuanKiapTsingKhai-T": "GuanKiapTsingKhai-T",
+ "Source Han Serif CN": "Source Han Serif CN",
+ "Huiwen-MinchoGBK": "Huiwen Mincho",
+ "KingHwa_OldSong": "KingHwa_OldSong",
+ "Google Books": "গুগল বুকস",
+ "Open Library": "ওপেন লাইব্রেরি",
+ "Azure Translator": "Azure অনুবাদক",
+ "DeepL": "DeepL",
+ "Google Translate": "গুগল ট্রান্সলেট",
+ "Yandex Translate": "ইয়ান্ডেক্স ট্রান্সলেট",
+ "Gray": "ধূসর",
+ "Sepia": "সেপিয়া",
+ "Grass": "ঘাস",
+ "Cherry": "চেরি",
+ "Sky": "আকাশ",
+ "Solarized": "সোলারাইজড",
+ "Gruvbox": "গ্রুভবক্স",
+ "Nord": "নর্ড",
+ "Contrast": "কন্ট্রাস্ট",
+ "Sunset": "সূর্যাস্ত",
+ "Reveal in Finder": "ফাইন্ডারে দেখান",
+ "Reveal in File Explorer": "ফাইল এক্সপ্লোরারে দেখান",
+ "Reveal in Folder": "ফোল্ডারে দেখান",
+ "Previous Paragraph": "পূর্ববর্তী অনুচ্ছেদ",
+ "Previous Sentence": "পূর্ববর্তী বাক্য",
+ "Pause": "বিরতি",
+ "Play": "চালান",
+ "Next Sentence": "পরবর্তী বাক্য",
+ "Next Paragraph": "পরবর্তী অনুচ্ছেদ",
+ "Separate Cover Page": "আলাদা কভার পৃষ্ঠা",
+ "Resize Notebook": "নোটবুকের আকার পরিবর্তন",
+ "Resize Sidebar": "সাইডবারের আকার পরিবর্তন",
+ "Get Help from the Readest Community": "রিডেস্ট কমিউনিটি থেকে সাহায্য নিন",
+ "Remove cover image": "মলাট ছবি সরান",
+ "Bookshelf": "বইয়ের তাক",
+ "View Menu": "মেনু দেখুন",
+ "Settings Menu": "সেটিংস মেনু",
+ "View account details and quota": "অ্যাকাউন্টের বিবরণ এবং কোটার তথ্য দেখুন",
+ "Library Header": "লাইব্রেরি হেডার",
+ "Book Content": "বইয়ের বিষয়বস্তু",
+ "Footer Bar": "ফুটার বার",
+ "Header Bar": "হেডার বার",
+ "View Options": "দেখার অপশন",
+ "Book Menu": "বইয়ের মেনু",
+ "Search Options": "অনুসন্ধানের অপশন",
+ "Close": "বন্ধ করুন",
+ "Delete Book Options": "বই মুছে ফেলার অপশন",
+ "ON": "চালু",
+ "OFF": "বন্ধ",
+ "Reading Progress": "পড়ার অগ্রগতি",
+ "Page Margin": "পৃষ্ঠার মার্জিন",
+ "Remove Bookmark": "বুকমার্ক সরান",
+ "Add Bookmark": "বুকমার্ক যোগ করুন",
+ "Books Content": "বইয়ের বিষয়বস্তু",
+ "Jump to Location": "অবস্থানে যান",
+ "Unpin Notebook": "ম্যাপ বই আনপিন করুন",
+ "Pin Notebook": "ম্যাপ বই পিন করুন",
+ "Hide Search Bar": "সার্চ বার লুকান",
+ "Show Search Bar": "সার্চ বার দেখান",
+ "On {{current}} of {{total}} page": "পৃষ্ঠা {{current}} এর {{total}} এ",
+ "Section Title": "অধ্যায়ের শিরোনাম",
+ "Decrease": "হ্রাস",
+ "Increase": "বৃদ্ধি",
+ "Settings Panels": "সেটিংস প্যানেল",
+ "Settings": "সেটিংস",
+ "Unpin Sidebar": "শার্টবার আনপিন করুন",
+ "Pin Sidebar": "শার্টবার পিন করুন",
+ "Toggle Sidebar": "শার্টবার টগল করুন",
+ "Toggle Translation": "অনুবাদ টগল করুন",
+ "Translation Disabled": "অনুবাদ অক্ষম",
+ "Minimize": "সঙ্কুচিত করুন",
+ "Maximize or Restore": "বৃহৎ করুন বা পুনরুদ্ধার করুন",
+ "Exit Parallel Read": "সমান্তরাল পড়া থেকে বেরিয়ে আসুন",
+ "Enter Parallel Read": "সমান্তরাল পড়ায় প্রবেশ করুন",
+ "Zoom Level": "জুম লেভেল",
+ "Zoom Out": "জুম আউট",
+ "Reset Zoom": "জুম রিসেট",
+ "Zoom In": "জুম ইন",
+ "Zoom Mode": "জুম মোড",
+ "Single Page": "একক পৃষ্ঠা",
+ "Auto Spread": "অটো স্প্রেড",
+ "Fit Page": "ফিট পৃষ্ঠা",
+ "Fit Width": "ফিট প্রস্থ",
+ "Failed to select directory": "ডিরেক্টরি নির্বাচন করতে ব্যর্থ",
+ "The new data directory must be different from the current one.": "নতুন ডেটা ডিরেক্টরি বর্তমানটির থেকে আলাদা হতে হবে।",
+ "Migration failed: {{error}}": "মাইগ্রেশন ব্যর্থ হয়েছে: {{error}}",
+ "Change Data Location": "ডেটা অবস্থান পরিবর্তন করুন",
+ "Current Data Location": "বর্তমান ডেটা অবস্থান",
+ "Total size: {{size}}": "মোট আকার: {{size}}",
+ "Calculating file info...": "ফাইলের তথ্য গণনা করা হচ্ছে...",
+ "New Data Location": "নতুন ডেটা অবস্থান",
+ "Choose Different Folder": "ভিন্ন ফোল্ডার নির্বাচন করুন",
+ "Choose New Folder": "নতুন ফোল্ডার নির্বাচন করুন",
+ "Migrating data...": "ডেটা স্থানান্তরিত হচ্ছে...",
+ "Copying: {{file}}": "কপি করা হচ্ছে: {{file}}",
+ "{{current}} of {{total}} files": "{{current}} এর {{total}} ফাইল",
+ "Migration completed successfully!": "মাইগ্রেশন সফলভাবে সম্পন্ন হয়েছে!",
+ "Your data has been moved to the new location. Please restart the application to complete the process.": "আপনার ডেটা নতুন অবস্থানে স্থানান্তরিত হয়েছে। প্রক্রিয়া সম্পন্ন করতে দয়া করে অ্যাপ্লিকেশনটি পুনরায় চালু করুন।",
+ "Migration failed": "মাইগ্রেশন ব্যর্থ হয়েছে",
+ "Important Notice": "গুরুতর বিজ্ঞপ্তি",
+ "This will move all your app data to the new location. Make sure the destination has enough free space.": "এটি আপনার সমস্ত অ্যাপ ডেটা নতুন অবস্থানে স্থানান্তরিত করবে। নিশ্চিত করুন যে গন্তব্যে পর্যাপ্ত ফ্রি স্পেস রয়েছে।",
+ "Restart App": "অ্যাপ পুনরায় চালু করুন",
+ "Start Migration": "মাইগ্রেশন শুরু করুন",
+ "Advanced Settings": "উন্নত সেটিংস",
+ "File count: {{size}}": "ফাইলের সংখ্যা: {{size}}",
+ "Background Read Aloud": "পটভূমিতে উচ্চস্বরে পড়ুন",
+ "Ready to read aloud": "উচ্চস্বরে পড়ার জন্য প্রস্তুত",
+ "Read Aloud": "উচ্চস্বরে পড়ুন",
+ "Screen Brightness": "স্ক্রিন উজ্জ্বলতা",
+ "Background Image": "ব্যাকগ্রাউন্ড ছবি",
+ "Import Image": "ছবি আমদানি করুন",
+ "Opacity": "স্বচ্ছতা",
+ "Size": "আকার",
+ "Cover": "ঢাকা",
+ "Contain": "ধারণ",
+ "{{number}} pages left in chapter": "অধ্যায়ে {{number}} পৃষ্ঠা বাকি",
+ "Device": "যন্ত্র",
+ "E-Ink Mode": "ই-ইঙ্ক মোড",
+ "Highlight Colors": "হাইলাইট রঙ",
+ "Auto Screen Brightness": "স্বয়ংক্রিয় স্ক্রিন উজ্জ্বলতা",
+ "Pagination": "পৃষ্ঠা বিন্যাস",
+ "Disable Double Tap": "ডাবল ট্যাপ অক্ষম করুন",
+ "Tap to Paginate": "পৃষ্ঠায় যেতে ট্যাপ করুন",
+ "Click to Paginate": "পৃষ্ঠায় যেতে ক্লিক করুন",
+ "Tap Both Sides": "দুই পাশে ট্যাপ করুন",
+ "Click Both Sides": "দুই পাশে ক্লিক করুন",
+ "Swap Tap Sides": "ট্যাপের পাশে পরিবর্তন করুন",
+ "Swap Click Sides": "ক্লিকের পাশে পরিবর্তন করুন",
+ "Source and Translated": "উৎস এবং অনূদিত",
+ "Translated Only": "শুধুমাত্র অনূদিত",
+ "Source Only": "শুধুমাত্র উৎস",
+ "TTS Text": "TTS টেক্সট",
+ "The book file is corrupted": "বইয়ের ফাইলটি ক্ষতিগ্রস্ত।",
+ "The book file is empty": "বইয়ের ফাইলটি খালি।",
+ "Failed to open the book file": "বইয়ের ফাইল খুলতে ব্যর্থ।",
+ "On-Demand Purchase": "অনুরোধে ক্রয়",
+ "Full Customization": "সম্পূর্ণ কাস্টমাইজেশন",
+ "Lifetime Plan": "জীবনকাল পরিকল্পনা",
+ "One-Time Payment": "এককালীন পেমেন্ট",
+ "Make a single payment to enjoy lifetime access to specific features on all devices. Purchase specific features or services only when you need them.": "নির্দিষ্ট বৈশিষ্ট্যগুলিতে সমস্ত ডিভাইসে জীবনকাল অ্যাক্সেস উপভোগ করতে এককালীন পেমেন্ট করুন। যখন আপনার প্রয়োজন তখনই নির্দিষ্ট বৈশিষ্ট্য বা পরিষেবাগুলি কিনুন।",
+ "Expand Cloud Sync Storage": "ক্লাউড সিঙ্ক স্টোরেজ বাড়ান",
+ "Expand your cloud storage forever with a one-time purchase. Each additional purchase adds more space.": "এককালীন ক্রয়ের মাধ্যমে আপনার ক্লাউড স্টোরেজ চিরকাল বাড়ান। প্রতিটি অতিরিক্ত ক্রয় আরও স্থান যোগ করে।",
+ "Unlock All Customization Options": "সমস্ত কাস্টমাইজেশন বিকল্প আনলক করুন",
+ "Unlock additional themes, fonts, layout options and read aloud, translators, cloud storage services.": "অতিরিক্ত থিম, ফন্ট, লেআউট বিকল্প এবং উচ্চস্বরে পড়া, অনুবাদক, ক্লাউড স্টোরেজ পরিষেবাগুলি আনলক করুন।",
+ "Purchase Successful!": "ক্রয় সফল!",
+ "lifetime": "জীবনকাল",
+ "Thank you for your purchase! Your payment has been processed successfully.": "আপনার ক্রয়ের জন্য ধন্যবাদ! আপনার পেমেন্ট সফলভাবে প্রক্রিয়া করা হয়েছে।",
+ "Order ID:": "অর্ডার আইডি:",
+ "TTS Highlighting": "টিটিএস হাইলাইটিং",
+ "Style": "শৈলী",
+ "Underline": "আন্ডারলাইন",
+ "Strikethrough": "কাটা লেখা",
+ "Squiggly": "ঢেউখেলানো দাগ",
+ "Outline": "বাহিরের রেখা",
+ "Save Current Color": "বর্তমান রঙ সংরক্ষণ করুন",
+ "Quick Colors": "দ্রুত রংসমূহ",
+ "Highlighter": "হাইলাইটার",
+ "Save Book Cover": "বইয়ের মলাট সংরক্ষণ করুন",
+ "Auto-save last book cover": "শেষ বইয়ের মলাট স্বয়ংক্রিয়ভাবে সংরক্ষণ করুন",
+ "Back": "পেছনে",
+ "Confirmation email sent! Please check your old and new email addresses to confirm the change.": "নিশ্চিতকরণ ইমেল পাঠানো হয়েছে! পরিবর্তন নিশ্চিত করতে আপনার পুরানো এবং নতুন ইমেল ঠিকানা পরীক্ষা করুন।",
+ "Failed to update email": "ইমেল আপডেট করতে ব্যর্থ",
+ "New Email": "নতুন ইমেল",
+ "Your new email": "আপনার নতুন ইমেল",
+ "Updating email ...": "ইমেল আপডেট হচ্ছে ...",
+ "Update email": "ইমেল আপডেট করুন",
+ "Current email": "বর্তমান ইমেল",
+ "Update Email": "ইমেল আপডেট করুন",
+ "All": "সব",
+ "Unable to open book": "বই খুলতে অক্ষম",
+ "Punctuation": "বিরামচিহ্ন",
+ "Replace Quotation Marks": "উদ্ধৃতি চিহ্ন প্রতিস্থাপন করুন",
+ "Enabled only in vertical layout.": "শুধুমাত্র উল্লম্ব বিন্যাসে সক্রিয়।",
+ "No Conversion": "রূপান্তর নয়",
+ "Simplified to Traditional": "সরল → প্রথাগত",
+ "Traditional to Simplified": "প্রথাগত → সরল",
+ "Simplified to Traditional (Taiwan)": "সরল → প্রথাগত (তাইওয়ান)",
+ "Simplified to Traditional (Hong Kong)": "সরল → প্রথাগত (হংকং)",
+ "Simplified to Traditional (Taiwan), with phrases": "সরল → প্রথাগত (তাইওয়ান • বাক্য)",
+ "Traditional (Taiwan) to Simplified": "প্রথাগত (তাইওয়ান) → সরল",
+ "Traditional (Hong Kong) to Simplified": "প্রথাগত (হংকং) → সরল",
+ "Traditional (Taiwan) to Simplified, with phrases": "প্রথাগত (তাইওয়ান • বাক্য) → সরল",
+ "Convert Simplified and Traditional Chinese": "সরল/প্রথাগত রূপান্তর",
+ "Convert Mode": "রূপান্তর মোড",
+ "Failed to auto-save book cover for lock screen: {{error}}": "লক স্ক্রিনের জন্য বইয়ের মলাট স্বয়ংক্রিয়ভাবে সংরক্ষণ করতে ব্যর্থ: {{error}}",
+ "Download from Cloud": "ক্লাউড থেকে ডাউনলোড করুন",
+ "Upload to Cloud": "ক্লাউডে আপলোড করুন",
+ "Clear Custom Fonts": "কাস্টম ফন্টস মুছুন",
+ "Columns": "কলামস",
+ "OPDS Catalogs": "OPDS ক্যাটালগস",
+ "Adding LAN addresses is not supported in the web app version.": "ওয়েব অ্যাপ সংস্করণে LAN ঠিকানা যোগ করা সমর্থিত নয়।",
+ "Invalid OPDS catalog. Please check the URL.": "অবৈধ OPDS ক্যাটালগ। দয়া করে URL চেক করুন।",
+ "Browse and download books from online catalogs": "অনলাইন ক্যাটালগ থেকে বই ব্রাউজ এবং ডাউনলোড করুন",
+ "My Catalogs": "আমার ক্যাটালগস",
+ "Add Catalog": "ক্যাটালগ যোগ করুন",
+ "No catalogs yet": "এখনও কোন ক্যাটালগ নেই",
+ "Add your first OPDS catalog to start browsing books": "আপনার প্রথম OPDS ক্যাটালগ যোগ করুন বই ব্রাউজ শুরু করতে",
+ "Add Your First Catalog": "আপনার প্রথম ক্যাটালগ যোগ করুন",
+ "Browse": "ব্রাউজ করুন",
+ "Popular Catalogs": "জনপ্রিয় ক্যাটালগস",
+ "Add": "যোগ করুন",
+ "Add OPDS Catalog": "OPDS ক্যাটালগ যোগ করুন",
+ "Catalog Name": "ক্যাটালগের নাম",
+ "My Calibre Library": "আমার ক্যালিব্র লাইব্রেরি",
+ "OPDS URL": "OPDS URL",
+ "Username (optional)": "ব্যবহারকারীর নাম (ঐচ্ছিক)",
+ "Password (optional)": "পাসওয়ার্ড (ঐচ্ছিক)",
+ "Description (optional)": "বর্ণনা (ঐচ্ছিক)",
+ "A brief description of this catalog": "এই ক্যাটালগের সংক্ষিপ্ত বিবরণ",
+ "Validating...": "যাচাই করা হচ্ছে...",
+ "View All": "সব দেখুন",
+ "Forward": "ফরোয়ার্ড",
+ "Home": "হোম",
+ "{{count}} items_one": "{{count}} আইটেম",
+ "{{count}} items_other": "{{count}} আইটেম",
+ "Download completed": "ডাউনলোড সম্পন্ন হয়েছে",
+ "Download failed": "ডাউনলোড ব্যর্থ হয়েছে",
+ "Open Access": "ওপেন অ্যাক্সেস",
+ "Borrow": "ঋণ নিন",
+ "Buy": "কিনুন",
+ "Subscribe": "সাবস্ক্রাইব করুন",
+ "Sample": "নমুনা",
+ "Download": "ডাউনলোড",
+ "Open & Read": "খুলুন ও পড়ুন",
+ "Tags": "ট্যাগসমূহ",
+ "Tag": "ট্যাগ",
+ "First": "প্রথম",
+ "Previous": "পূর্ববর্তী",
+ "Next": "পরবর্তী",
+ "Last": "শেষ",
+ "Cannot Load Page": "পৃষ্ঠা লোড করা যায়নি",
+ "An error occurred": "একটি ত্রুটি ঘটেছে",
+ "Online Library": "অনলাইন লাইব্রেরি",
+ "URL must start with http:// or https://": "URL অবশ্যই http:// বা https:// দিয়ে শুরু হতে হবে",
+ "Title, Author, Tag, etc...": "শিরোনাম, লেখক, ট্যাগ, ইত্যাদি...",
+ "Query": "কোয়েরি",
+ "Subject": "বিষয়",
+ "Enter {{terms}}": "{{terms}} লিখুন",
+ "No search results found": "কোনও অনুসন্ধান ফলাফল পাওয়া যায়নি",
+ "Failed to load OPDS feed: {{status}} {{statusText}}": "OPDS ফিড লোড করতে ব্যর্থ: {{status}} {{statusText}}",
+ "Search in {{title}}": "{{title}} এ অনুসন্ধান করুন",
+ "Manage Storage": "স্টোরেজ ম্যানেজমেন্ট",
+ "Failed to load files": "ফাইল লোড করতে ব্যর্থ",
+ "Deleted {{count}} file(s)_one": "{{count}}টি ফাইল মুছে ফেলা হয়েছে",
+ "Deleted {{count}} file(s)_other": "{{count}}টি ফাইল মুছে ফেলা হয়েছে",
+ "Failed to delete {{count}} file(s)_one": "{{count}}টি ফাইল মুছতে ব্যর্থ",
+ "Failed to delete {{count}} file(s)_other": "{{count}}টি ফাইল মুছতে ব্যর্থ",
+ "Failed to delete files": "ফাইল মুছতে ব্যর্থ",
+ "Total Files": "মোট ফাইল",
+ "Total Size": "মোট আকার",
+ "Quota": "কোটা",
+ "Used": "ব্যবহৃত",
+ "Files": "ফাইল",
+ "Search files...": "ফাইল খুঁজুন...",
+ "Newest First": "নতুন আগে",
+ "Oldest First": "পুরনো আগে",
+ "Largest First": "বড় আগে",
+ "Smallest First": "ছোট আগে",
+ "Name A-Z": "নাম A-Z",
+ "Name Z-A": "নাম Z-A",
+ "{{count}} selected_one": "{{count}}টি নির্বাচিত",
+ "{{count}} selected_other": "{{count}}টি নির্বাচিত",
+ "Delete Selected": "নির্বাচিত মুছুন",
+ "Created": "তৈরি হয়েছে",
+ "No files found": "কোনো ফাইল পাওয়া যায়নি",
+ "No files uploaded yet": "এখনও কোনো ফাইল আপলোড করা হয়নি",
+ "files": "ফাইল",
+ "Page {{current}} of {{total}}": "{{total}}টির মধ্যে {{current}} পৃষ্ঠা",
+ "Are you sure to delete {{count}} selected file(s)?_one": "আপনি কি নিশ্চিত যে {{count}}টি নির্বাচিত ফাইল মুছতে চান?",
+ "Are you sure to delete {{count}} selected file(s)?_other": "আপনি কি নিশ্চিত যে {{count}}টি নির্বাচিত ফাইল মুছতে চান?",
+ "Cloud Storage Usage": "ক্লাউড স্টোরেজ ব্যবহৃত",
+ "Rename Group": "গ্রুপের নাম পরিবর্তন করুন",
+ "From Directory": "ডিরেক্টরি থেকে",
+ "Successfully imported {{count}} book(s)_one": "সফলভাবে ১টি বই আমদানি করা হয়েছে",
+ "Successfully imported {{count}} book(s)_other": "সফলভাবে {{count}}টি বই আমদানি করা হয়েছে",
+ "Count": "গণনা",
+ "Start Page": "শুরু পৃষ্ঠা",
+ "Search in OPDS Catalog...": "OPDS ক্যাটালগে অনুসন্ধান করুন...",
+ "Please log in to use advanced TTS features": "উন্নত TTS বৈশিষ্ট্যগুলি ব্যবহার করতে লগইন করুন।",
+ "Word limit of 30 words exceeded.": "৩০ শব্দের শব্দসীমা অতিক্রম হয়েছে।",
+ "Proofread": "প্রুফরিড",
+ "Current selection": "বর্তমান নির্বাচন",
+ "All occurrences in this book": "এই বইয়ে সমস্ত ঘটনা",
+ "All occurrences in your library": "আপনার লাইব্রেরির সমস্ত ঘটনা",
+ "Selected text:": "নির্বাচিত টেক্সট:",
+ "Replace with:": "এর সাথে প্রতিস্থাপন করুন:",
+ "Enter text...": "টেক্সট লিখুন...",
+ "Case sensitive:": "কেস সংবেদনশীল:",
+ "Scope:": "পরিসর:",
+ "Selection": "নির্বাচন",
+ "Library": "লাইব্রেরি",
+ "Yes": "হ্যাঁ",
+ "No": "না",
+ "Proofread Replacement Rules": "প্রুফরিড বিকল্প নিয়ম",
+ "Selected Text Rules": "নির্বাচিত টেক্সট নিয়ম",
+ "No selected text replacement rules": "কোনও নির্বাচিত টেক্সট বিকল্প নিয়ম নেই",
+ "Book Specific Rules": "বই নির্দিষ্ট নিয়ম",
+ "No book-level replacement rules": "কোনও বই-স্তরের বিকল্প নিয়ম নেই",
+ "Disable Quick Action": "দ্রুত ক্রিয়া নিষ্ক্রিয় করুন",
+ "Enable Quick Action on Selection": "নির্বাচনের উপর দ্রুত ক্রিয়া সক্ষম করুন",
+ "None": "কোনোটিই নয়",
+ "Annotation Tools": "অ্যনোটেশন সরঞ্জামসমূহ",
+ "Enable Quick Actions": "দ্রুত ক্রিয়া সক্ষম করুন",
+ "Quick Action": "দ্রুত ক্রিয়া",
+ "Copy to Notebook": "নোটবুকে কপি করুন",
+ "Copy text after selection": "নির্বাচনের পরে টেক্সট কপি করুন",
+ "Highlight text after selection": "নির্বাচনের পরে টেক্সট হাইলাইট করুন",
+ "Annotate text after selection": "নির্বাচনের পরে টেক্সট মন্তব্য করুন",
+ "Search text after selection": "নির্বাচনের পরে টেক্সট অনুসন্ধান করুন",
+ "Look up text in dictionary after selection": "নির্বাচনের পরে টেক্সট অভিধানে দেখুন",
+ "Look up text in Wikipedia after selection": "নির্বাচনের পরে টেক্সট উইকিপিডিয়ায় দেখুন",
+ "Translate text after selection": "নির্বাচনের পরে টেক্সট অনুবাদ করুন",
+ "Read text aloud after selection": "নির্বাচনের পরে টেক্সট উচ্চারণ করুন",
+ "Proofread text after selection": "নির্বাচনের পরে টেক্সট প্রুফরিড করুন",
+ "{{activeCount}} active, {{pendingCount}} pending": "{{activeCount}} সক্রিয়, {{pendingCount}} অপেক্ষমাণ",
+ "{{failedCount}} failed": "{{failedCount}} ব্যর্থ",
+ "Waiting...": "অপেক্ষা করছে...",
+ "Failed": "ব্যর্থ",
+ "Completed": "সম্পন্ন",
+ "Cancelled": "বাতিল",
+ "Retry": "পুনরায় চেষ্টা করুন",
+ "Active": "সক্রিয়",
+ "Transfer Queue": "স্থানান্তর সারি",
+ "Upload All": "সব আপলোড করুন",
+ "Download All": "সব ডাউনলোড করুন",
+ "Resume Transfers": "স্থানান্তর পুনরায় শুরু করুন",
+ "Pause Transfers": "স্থানান্তর বিরতি দিন",
+ "Pending": "অপেক্ষমাণ",
+ "No transfers": "কোনো স্থানান্তর নেই",
+ "Retry All": "সব পুনরায় চেষ্টা করুন",
+ "Clear Completed": "সম্পন্ন মুছুন",
+ "Clear Failed": "ব্যর্থ মুছুন",
+ "Upload queued: {{title}}": "আপলোড সারিতে: {{title}}",
+ "Download queued: {{title}}": "ডাউনলোড সারিতে: {{title}}",
+ "Book not found in library": "লাইব্রেরিতে বই পাওয়া যায়নি",
+ "Unknown error": "অজানা ত্রুটি",
+ "Please log in to continue": "চালিয়ে যেতে লগইন করুন",
+ "Cloud File Transfers": "ক্লাউড ফাইল স্থানান্তরসমূহ",
+ "Show Search Results": "অনুসন্ধান ফলাফল দেখান",
+ "Search results for '{{term}}'": "'{{term}}' এর ফলাফল",
+ "Close Search": "অনুসন্ধান বন্ধ করুন",
+ "Previous Result": "আগের ফলাফল",
+ "Next Result": "পরবর্তী ফলাফল",
+ "Bookmarks": "বুকমার্ক",
+ "Annotations": "টীকা",
+ "Show Results": "ফলাফল দেখুন",
+ "Clear search": "অনুসন্ধান সাফ করুন",
+ "Clear search history": "অনুসন্ধান ইতিহাস সাফ করুন",
+ "Tap to Toggle Footer": "ফুটার টগল করতে আলতো চাপুন",
+ "Exported successfully": "সফলভাবে রপ্তানি হয়েছে",
+ "Book exported successfully.": "বইটি সফলভাবে রপ্তানি হয়েছে।",
+ "Failed to export the book.": "বই রপ্তানি করতে ব্যর্থ।",
+ "Export Book": "বই রপ্তানি করুন",
+ "Whole word:": "সম্পূর্ণ শব্দ:",
+ "Error": "ত্রুটি",
+ "Unable to load the article. Try searching directly on {{link}}.": "নিবন্ধ লোড করতে অক্ষম। সরাসরি {{link}} এ অনুসন্ধান করার চেষ্টা করুন।",
+ "Unable to load the word. Try searching directly on {{link}}.": "শব্দ লোড করতে অক্ষম। সরাসরি {{link}} এ অনুসন্ধান করার চেষ্টা করুন।",
+ "Date Published": "প্রকাশনার তারিখ",
+ "Only for TTS:": "শুধুমাত্র TTS-এর জন্য:",
+ "Uploaded": "আপলোড হয়েছে",
+ "Downloaded": "ডাউনলোড হয়েছে",
+ "Deleted": "মুছে ফেলা হয়েছে",
+ "Note:": "নোট:",
+ "Time:": "সময়:",
+ "Format Options": "বিন্যাস বিকল্প",
+ "Export Date": "রপ্তানি তারিখ",
+ "Chapter Titles": "অধ্যায়ের শিরোনাম",
+ "Chapter Separator": "অধ্যায় বিভাজক",
+ "Highlights": "হাইলাইট",
+ "Note Date": "নোট তারিখ",
+ "Advanced": "উন্নত",
+ "Hide": "লুকান",
+ "Show": "দেখান",
+ "Use Custom Template": "কাস্টম টেমপ্লেট ব্যবহার করুন",
+ "Export Template": "রপ্তানি টেমপ্লেট",
+ "Template Syntax:": "টেমপ্লেট সিনট্যাক্স:",
+ "Insert value": "মান সন্নিবেশ করুন",
+ "Format date (locale)": "তারিখ বিন্যাস (স্থানীয়)",
+ "Format date (custom)": "তারিখ বিন্যাস (কাস্টম)",
+ "Conditional": "শর্তসাপেক্ষ",
+ "Loop": "লুপ",
+ "Available Variables:": "উপলব্ধ ভেরিয়েবল:",
+ "Book title": "বইয়ের শিরোনাম",
+ "Book author": "বইয়ের লেখক",
+ "Export date": "রপ্তানি তারিখ",
+ "Array of chapters": "অধ্যায়ের তালিকা",
+ "Chapter title": "অধ্যায়ের শিরোনাম",
+ "Array of annotations": "টীকাগুলির তালিকা",
+ "Highlighted text": "হাইলাইট করা পাঠ্য",
+ "Annotation note": "টীকা নোট",
+ "Date Format Tokens:": "তারিখ বিন্যাস টোকেন:",
+ "Year (4 digits)": "বছর (4 সংখ্যা)",
+ "Month (01-12)": "মাস (01-12)",
+ "Day (01-31)": "দিন (01-31)",
+ "Hour (00-23)": "ঘণ্টা (00-23)",
+ "Minute (00-59)": "মিনিট (00-59)",
+ "Second (00-59)": "সেকেন্ড (00-59)",
+ "Show Source": "উৎস দেখান",
+ "No content to preview": "প্রিভিউ করার জন্য কোনো কন্টেন্ট নেই",
+ "Export": "রপ্তানি",
+ "Set Timeout": "টাইমআউট সেট করুন",
+ "Select Voice": "ভয়েস নির্বাচন করুন",
+ "Toggle Sticky Bottom TTS Bar": "স্থির TTS বার টগল করুন",
+ "Display what I'm reading on Discord": "Discord-এ পড়ছি যা দেখান",
+ "Show on Discord": "Discord-এ দেখান",
+ "Instant {{action}}": "তাৎক্ষণিক {{action}}",
+ "Instant {{action}} Disabled": "তাৎক্ষণিক {{action}} নিষ্ক্রিয়",
+ "Annotation": "টীকা",
+ "Reset Template": "টেমপ্লেট রিসেট করুন",
+ "Annotation style": "টীকা শৈলী",
+ "Annotation color": "টীকা রঙ",
+ "Annotation time": "টীকা সময়",
+ "AI": "কৃত্রিম বুদ্ধিমত্তা (AI)",
+ "Are you sure you want to re-index this book?": "আপনি কি নিশ্চিত যে আপনি এই বইটি পুনরায় ইনডেক্স করতে চান?",
+ "Enable AI in Settings": "সেটিংস থেকে AI সক্রিয় করুন",
+ "Index This Book": "এই বইটি ইনডেক্স করুন",
+ "Enable AI search and chat for this book": "এই বইটির জন্য AI অনুসন্ধান এবং চ্যাট সক্রিয় করুন",
+ "Start Indexing": "ইনডেক্সিং শুরু করুন",
+ "Indexing book...": "বই ইনডেক্স করা হচ্ছে...",
+ "Preparing...": "প্রস্তুত করা হচ্ছে...",
+ "Delete this conversation?": "এই কথোপকথনটি মুছবেন?",
+ "No conversations yet": "এখনও কোনও কথোপকথন নেই",
+ "Start a new chat to ask questions about this book": "এই বইটি সম্পর্কে প্রশ্ন জিজ্ঞাসা করতে একটি নতুন চ্যাট শুরু করুন",
+ "Rename": "নাম পরিবর্তন",
+ "New Chat": "নতুন চ্যাট",
+ "Chat": "চ্যাট",
+ "Please enter a model ID": "দয়া করে একটি মডেল আইডি লিখুন",
+ "Model not available or invalid": "মডেল উপলব্ধ নয় বা অবৈধ",
+ "Failed to validate model": "মডেল যাচাই করতে ব্যর্থ হয়েছে",
+ "Couldn't connect to Ollama. Is it running?": "Ollama এর সাথে সংযোগ করা যায়নি। এটি কি চলছে?",
+ "Invalid API key or connection failed": "অবৈধ API কী বা সংযোগ ব্যর্থ হয়েছে",
+ "Connection failed": "সংযোগ ব্যর্থ হয়েছে",
+ "AI Assistant": "AI সহকারী",
+ "Enable AI Assistant": "AI সহকারী সক্রিয় করুন",
+ "Provider": "প্রদানকারী",
+ "Ollama (Local)": "Ollama (স্থানীয়)",
+ "AI Gateway (Cloud)": "AI গেটওয়ে (ক্লাউড)",
+ "Ollama Configuration": "Ollama কনফিগারেশন",
+ "Refresh Models": "মডেল রিফ্রেশ করুন",
+ "AI Model": "AI মডেল",
+ "No models detected": "কোনও মডেল শনাক্ত করা যায়নি",
+ "AI Gateway Configuration": "AI গেটওয়ে কনফিগারেশন",
+ "Choose from a selection of high-quality, economical AI models. You can also bring your own model by selecting \"Custom Model\" below.": "উচ্চ-মানের, সাশ্রয়ী AI মডেলগুলি থেকে নির্বাচন করুন। আপনি নিচে \"কাস্টম মডেল\" নির্বাচন করে আপনার নিজস্ব মডেলও আনতে পারেন।",
+ "API Key": "API কী",
+ "Get Key": "কী পান",
+ "Model": "মডেল",
+ "Custom Model...": "কাস্টম মডেল...",
+ "Custom Model ID": "কাস্টম মডেল আইডি",
+ "Validate": "যাচাই করুন",
+ "Model available": "মডেল উপলব্ধ",
+ "Connection": "সংযোগ",
+ "Test Connection": "সংযোগ পরীক্ষা করুন",
+ "Connected": "সংযুক্ত",
+ "Custom Colors": "কাস্টম রঙ",
+ "Color E-Ink Mode": "কালার ই-ইঙ্ক মোড",
+ "Reading Ruler": "রিডিং রুলার",
+ "Enable Reading Ruler": "রিডিং রুলার সক্ষম করুন",
+ "Lines to Highlight": "হাইলাইট করার জন্য লাইন",
+ "Ruler Color": "রুলারের রঙ",
+ "Command Palette": "কমান্ড প্যালেট",
+ "Search settings and actions...": "সেটিংস এবং অ্যাকশন খুঁজুন...",
+ "No results found for": "এর জন্য কোনো ফলাফল পাওয়া যায়নি",
+ "Type to search settings and actions": "সেটিংস এবং অ্যাকশন খুঁজতে টাইপ করুন",
+ "Recent": "সাম্প্রতিক",
+ "navigate": "নেভিগেট",
+ "select": "নির্বাচন করুন",
+ "close": "বন্ধ করুন",
+ "Search Settings": "সেটিংস খুঁজুন",
+ "Page Margins": "পৃষ্ঠার মার্জিন",
+ "AI Provider": "AI প্রদানকারী",
+ "Ollama URL": "Ollama URL",
+ "Ollama Model": "Ollama মডেল",
+ "AI Gateway Model": "AI গেটওয়ে মডেল",
+ "Actions": "অ্যাকশন",
+ "Navigation": "নেভিগেশন",
+ "Set status for {{count}} book(s)_one": "{{count}} টি বইয়ের স্ট্যাটাস সেট করুন",
+ "Set status for {{count}} book(s)_other": "{{count}} টি বইয়ের স্ট্যাটাস সেট করুন",
+ "Mark as Unread": "পড়া হয়নি হিসেবে চিহ্নিত করুন",
+ "Mark as Finished": "পড়া শেষ হিসেবে চিহ্নিত করুন",
+ "Finished": "শেষ হয়েছে",
+ "Unread": "অপঠিত",
+ "Clear Status": "স্থিতি মুছুন",
+ "Status": "অবস্থা",
+ "Loading": "লোড হচ্ছে...",
+ "Exit Paragraph Mode": "অনুচ্ছেদ মোড থেকে প্রস্থান করুন",
+ "Paragraph Mode": "অনুচ্ছেদ মোড",
+ "Embedding Model": "এম্বেডিং মডেল",
+ "{{count}} book(s) synced_one": "{{count}}টি বই সিঙ্ক করা হয়েছে",
+ "{{count}} book(s) synced_other": "{{count}}টি বই সিঙ্ক করা হয়েছে",
+ "Unable to start RSVP": "RSVP शुरू করতে অসমর্থ",
+ "RSVP not supported for PDF": "PDF-এর জন্য RSVP সমর্থিত নয়",
+ "Select Chapter": "অধ্যায় নির্বাচন করুন",
+ "Context": "প্রসঙ্গ",
+ "Ready": "প্রস্তুত",
+ "Chapter Progress": "অধ্যায় অগ্রগতি",
+ "words": "শব্দ",
+ "{{time}} left": "{{time}} বাকি",
+ "Reading progress": "পড়ার অগ্রগতি",
+ "Click to seek": "খুঁজতে ক্লিক করুন",
+ "Skip back 15 words": "১৫ শব্দ পিছিয়ে যান",
+ "Back 15 words (Shift+Left)": "১৫ শব্দ পিছিয়ে যান (Shift+Left)",
+ "Pause (Space)": "বিরতি (Space)",
+ "Play (Space)": "চালান (Space)",
+ "Skip forward 15 words": "১৫ শব্দ এগিয়ে যান",
+ "Forward 15 words (Shift+Right)": "১৫ শব্দ এগিয়ে যান (Shift+Right)",
+ "Pause:": "বিরতি:",
+ "Decrease speed": "গতি কমান",
+ "Slower (Left/Down)": "ধীর (Left/Down)",
+ "Current speed": "বর্তমান গতি",
+ "Increase speed": "গতি বাড়ান",
+ "Faster (Right/Up)": "দ্রুত (Right/Up)",
+ "Start RSVP Reading": "RSVP পড়া শুরু করুন",
+ "Choose where to start reading": "কোথা থেকে পড়া শুরু করবেন তা চয়ন করুন",
+ "From Chapter Start": "অধ্যায় শুরু থেকে",
+ "Start reading from the beginning of the chapter": "অধ্যায়ের শুরু থেকে পড়া শুরু করুন",
+ "Resume": "পুনরায় শুরু করুন",
+ "Continue from where you left off": "যেখানে আপনি ছেড়েছিলেন সেখান থেকে চালিয়ে যান",
+ "From Current Page": "বর্তমান পৃষ্ঠা থেকে",
+ "Start from where you are currently reading": "আপনি বর্তমানে যেখানে পড়ছেন সেখান থেকে শুরু করুন",
+ "From Selection": "নির্বাচন থেকে",
+ "Speed Reading Mode": "দ্রুত পাঠ্য মোড",
+ "Scroll left": "বামে স্ক্রোল করুন",
+ "Scroll right": "ডানে স্ক্রোল করুন",
+ "Library Sync Progress": "লাইব্রেরি সিঙ্ক অগ্রগতি",
+ "Back to library": "লাইব্রেরিতে ফিরে যান",
+ "Group by...": "গ্রুপ অনুযায়ী...",
+ "Export as Plain Text": "সাধারণ টেক্সট হিসেবে এক্সপোর্ট করুন",
+ "Export as Markdown": "Markdown হিসেবে এক্সপোর্ট করুন",
+ "Show Page Navigation Buttons": "নেভিগেশন বোতাম",
+ "Page {{number}}": "পৃষ্ঠা {{number}}",
+ "highlight": "হাইলাইট",
+ "underline": "আন্ডারলাইন",
+ "squiggly": "এঁকেবেঁকে চলা",
+ "red": "লাল",
+ "violet": "বেগুনী",
+ "blue": "নীল",
+ "green": "সবুজ",
+ "yellow": "হলুদ",
+ "Select {{style}} style": "{{style}} স্টাইল নির্বাচন করুন",
+ "Select {{color}} color": "{{color}} রঙ নির্বাচন করুন",
+ "Close Book": "বই বন্ধ করুন",
+ "Speed Reading": "দ্রুত পঠন",
+ "Close Speed Reading": "দ্রুত পঠন বন্ধ করুন",
+ "Authors": "লেখকগণ",
+ "Books": "বই",
+ "Groups": "দল",
+ "Back to TTS Location": "টিটিএস অবস্থানে ফিরে যান",
+ "Metadata": "মেটাডেটা",
+ "Image viewer": "চিত্র প্রদর্শক",
+ "Previous Image": "পূর্ববর্তী চিত্র",
+ "Next Image": "পরবর্তী চিত্র",
+ "Zoomed": "জুম করা হয়েছে",
+ "Zoom level": "জুম স্তর",
+ "Table viewer": "টেবিল প্রদর্শক",
+ "Unable to connect to Readwise. Please check your network connection.": "Readwise এর সাথে সংযোগ করতে অক্ষম। আপনার নেটওয়ার্ক সংযোগটি পরীক্ষা করুন।",
+ "Invalid Readwise access token": "অকার্যকর Readwise অ্যাক্সেস টোকেন",
+ "Disconnected from Readwise": "Readwise থেকে সংযোগ বিচ্ছিন্ন হয়েছে",
+ "Never": "কখনো না",
+ "Readwise Settings": "Readwise সেটিংস",
+ "Connected to Readwise": "Readwise এর সাথে সংযুক্ত",
+ "Last synced: {{time}}": "শেষ সিঙ্ক করা হয়েছে: {{time}}",
+ "Sync Enabled": "সিঙ্কিং সক্ষম",
+ "Disconnect": "সংযোগ বিচ্ছিন্ন করুন",
+ "Connect your Readwise account to sync highlights.": "হাইলাইটগুলি সিঙ্ক করার জন্য আপনার Readwise অ্যাকাউন্টটি সংযোগ করুন।",
+ "Get your access token at": "আপনার অ্যাক্সেস টোকেনটি এখানে পাবেন",
+ "Access Token": "অ্যাক্সেস টোকেন",
+ "Paste your Readwise access token": "আপনার Readwise অ্যাক্সেস টোকেনটি পেস্ট করুন",
+ "Config": "কনফিগ",
+ "Readwise Sync": "Readwise সিঙ্ক",
+ "Push Highlights": "হাইলাইট পাঠান",
+ "Highlights synced to Readwise": "হাইলাইটগুলি Readwise এ সিঙ্ক করা হয়েছে",
+ "Readwise sync failed: no internet connection": "Readwise সিঙ্ক ব্যর্থ হয়েছে: ইন্টারনেট সংযোগ নেই",
+ "Readwise sync failed: {{error}}": "Readwise সিঙ্ক ব্যর্থ হয়েছে: {{error}}"
+}
diff --git a/apps/readest-app/public/locales/bo/translation.json b/apps/readest-app/public/locales/bo/translation.json
new file mode 100644
index 0000000000000000000000000000000000000000..ba41c33392085c79914bf85868c6482a76478ba1
--- /dev/null
+++ b/apps/readest-app/public/locales/bo/translation.json
@@ -0,0 +1,1048 @@
+{
+ "(detected)": "(བརྟག་དཔྱད་བྱུང་བ།)",
+ "About Readest": "Readest སྐོར།",
+ "Add your notes here...": "འདིར་ཁྱེད་ཀྱི་ཟིན་བྲིས་འདེབས་དང་།...",
+ "Animation": "འགུལ་རིས།",
+ "Annotate": "ཟིན་བྲིས།",
+ "Apply": "སྤྱོད་པ།",
+ "Auto Mode": "རང་འགུལ་བརྗོད་བྱ།",
+ "Behavior": "བྱ་སྤྱོད།",
+ "Book": "དཔེ་དེབ།",
+ "Bookmark": "དཔེ་རྟགས།",
+ "Cancel": "འདོར་བ།",
+ "Chapter": "ལེའུ།",
+ "Cherry": "ཆུ་འབྲས་མདོག",
+ "Color": "ཚོན་མདོག",
+ "Confirm": "གཏན་འཁེལ།",
+ "Confirm Deletion": "བསུབ་པ་གཏན་འཁེལ།",
+ "Copied to notebook": "ཟིན་དེབ་ཏུ་འདྲ་བཤུས་བྱས་ཟིན།",
+ "Copy": "འདྲ་བཤུས།",
+ "Dark Mode": "མདོག་ནག་པོའི་བརྗོད་བྱ།",
+ "Default": "སྔོན་སྒྲིག",
+ "Default Font": "སྔོན་སྒྲིག་ཡིག་གཟུགས།",
+ "Default Font Size": "སྔོན་སྒྲིག་ཡིག་ཆེ་ཆུང་།",
+ "Delete": "བསུབ་པ།",
+ "Delete Highlight": "འོག་ཐིག་བསུབ་པ།",
+ "Dictionary": "ཚིག་མཛོད།",
+ "Download Readest": "Readest ཕབ་ལེན།",
+ "Edit": "རྩོམ་སྒྲིག",
+ "Excerpts": "དྲངས་བཏུས།",
+ "Failed to import book(s): {{filenames}}": "དཔེ་དེབ་ནང་འདྲེན་བྱས་མ་ཐུབ། {{filenames}}",
+ "Fast": "མགྱོགས་པོ།",
+ "Font": "ཡིག་གཟུགས།",
+ "Font & Layout": "ཡིག་གཟུགས་དང་བཀོད་སྒྲིག",
+ "Font Face": "ཡིག་གཟུགས་ཀྱི་རྣམ་པ།",
+ "Font Family": "ཡིག་རིགས།",
+ "Font Size": "ཡིག་ཆེ་ཆུང་།",
+ "Full Justification": "གཡས་གཡོན་སྙོམས་པ།",
+ "Global Settings": "ཁྱོན་ཡོངས་སྒྲིག་བཀོད།",
+ "Go Back": "ཕྱིར་ལོག",
+ "Go Forward": "མདུན་སྐྱོད།",
+ "Grass": "རྩྭ་ལྗང་ཁུ།",
+ "Gray": "སྙིང་རུས་ཆུང་བ།",
+ "Gruvbox": "དྲོད་ལྡན་གོང་མདོག",
+ "Highlight": "འོག་ཐིག",
+ "Horizontal Direction": "འཕྲེད་རིམ།",
+ "Hyphenation": "ཡི་གེ་གཤགས་པ།",
+ "Import Books": "དཔེ་དེབ་ནང་འདྲེན།",
+ "Layout": "བཀོད་སྒྲིག",
+ "Light Mode": "མདོག་སྐྱ་བོའི་བརྗོད་བྱ།",
+ "Loading...": "འགུལ་སྐྱོང་བྱེད་བཞིན་པ།...",
+ "Logged in": "ནང་བསྐྱོད་བྱས་ཟིན།",
+ "Logged in as {{userDisplayName}}": "{{userDisplayName}} ནང་བསྐྱོད་བྱས་ཟིན།",
+ "Match Case": "ཡི་གེ་ཆེ་ཆུང་གི་དོ་མཚུངས།",
+ "Match Diacritics": "སྒྲ་གདངས་ཀྱི་དོ་མཚུངས།",
+ "Match Whole Words": "ཚིག་བྱང་ཆ་ཚང་གི་དོ་མཚུངས།",
+ "Maximum Number of Columns": "གྲལ་ཐིག་གི་གྲངས་ཀ།",
+ "Minimum Font Size": "ཡིག་ཆུང་ཤོས།",
+ "Monospace Font": "རྒྱ་ཁྱོན་འདྲ་བའི་ཡིག་གཟུགས།",
+ "More Info": "ཆ་འཕྲིན་དེ་བས།",
+ "Nord": "འོད་ཟེར་སྔོན་པོ།",
+ "Notebook": "ཟིན་དེབ།",
+ "Notes": "ཟིན་བྲིས།",
+ "Open": "ཁ་ཕྱེ་བ།",
+ "Original Text": "མགོ་ཡིག",
+ "Page": "ཤོག་ངོས།",
+ "Paging Animation": "ཤོག་ལྷེ་བསྒྱུར་བའི་འགུལ་རིས།",
+ "Paragraph": "དོན་ཚན།",
+ "Parallel Read": "གྲལ་སྤྲོད་ཀྱིས་ཀློག་པ།",
+ "Published": "དཔེ་སྐྲུན་བྱས་པའི་ཚེས་གྲངས།",
+ "Publisher": "དཔེ་སྐྲུན་ཁང་།",
+ "Reading Progress Synced": "ཀློག་པའི་ཡར་འཕེལ་སྐད་མཉམ་བྱས་ཟིན།",
+ "Reload Page": "ཤོག་ངོས་བསྐྱར་འགུལ་སྐྱོང་བྱ་དགོས།",
+ "Reveal in File Explorer": "ཡིག་ཆ་དོ་དམ་ཆས་ནང་མངོན་པ།",
+ "Reveal in Finder": "བལྟ་ཞིབ་ཆས་ནང་མངོན་པ།",
+ "Reveal in Folder": "ཡིག་ཁུག་ནང་མངོན་པ།",
+ "Sans-Serif Font": "མཐའ་ཐིག་མེད་པའི་ཡིག་གཟུགས།",
+ "Save": "ཉར་ཚགས།",
+ "Scrolled Mode": "འཁོར་རྒྱུག་རྣམ་པ།",
+ "Search": "འཚོལ་བཤེར།",
+ "Search Books...": "དཔེ་དེབ་འཚོལ་བཤེར།...",
+ "Search...": "འཚོལ་བཤེར།...",
+ "Select Book": "དཔེ་དེབ་འདེམས་པ།",
+ "Select Books": "དཔེ་དེབ་འདེམས་པ།",
+ "Sepia": "རྙིང་པའི་ཉམས་འགྱུར།",
+ "Serif Font": "མཐའ་ཐིག་ཡོད་པའི་ཡིག་གཟུགས།",
+ "Show Book Details": "དཔེ་དེབ་ཀྱི་གནས་ཚུལ་རྒྱས་པ་མངོན་པ།",
+ "Sidebar": "ཟུར་ངོས་ཀྱི་གྲལ་ཐིག",
+ "Sign In": "ནང་བསྐྱོད།",
+ "Sign Out": "ཕྱིར་བུད།",
+ "Sky": "མཁའ་དཀར།",
+ "Slow": "དལ་བ།",
+ "Solarized": "ཉི་འོད།",
+ "Speak": "སྒྲ་ཀློག",
+ "Subjects": "བརྗོད་བྱ།",
+ "System Fonts": "མ་ལག་གི་ཡིག་གཟུགས།",
+ "Theme Color": "བརྗོད་བྱའི་ཚོན་མདོག",
+ "Theme Mode": "བརྗོད་བྱའི་རྣམ་པ།",
+ "Translate": "སྒྱུར་བཅོས།",
+ "Translated Text": "སྒྱུར་ཡིག",
+ "Unknown": "མི་ཤེས་པ།",
+ "Untitled": "མགོ་མེད།",
+ "Updated": "བསྐྱར་བརྗེའི་ཚེས་གྲངས།",
+ "Version {{version}}": "ཐོན་རིམ {{version}}",
+ "Vertical Direction": "ཀྲིང་རིམ།",
+ "Welcome to your library. You can import your books here and read them anytime.": "དཔེ་མཛོད་སྟོང་པ་ཡིན། ཁྱེད་ཀྱིས་ཁྱེད་རང་གི་དཔེ་དེབ་ནང་འདྲེན་བྱས་ནས་དུས་དང་རྣམ་པ་ཀུན་ཏུ་ཀློག་ཐུབ།",
+ "Wikipedia": "ཝེ་ཁི་པི་ཌི་ཡ།",
+ "Writing Mode": "པར་སྒྲིག་གི་རྣམ་པ།",
+ "Your Library": "དཔེ་མཛོད།",
+ "TTS not supported for PDF": "PDF ཡིག་ཆར་ TTS རྒྱབ་སྐྱོར་མི་བྱེད།",
+ "Override Book Font": "དཔེ་དེབ་ཀྱི་ཡིག་གཟུགས་བརྗེ་བ།",
+ "Apply to All Books": "དཔེ་དེབ་ཡོད་རྒུར་སྤྱོད་པ།",
+ "Apply to This Book": "དཔེ་དེབ་འདིར་སྤྱོད་པ།",
+ "Unable to fetch the translation. Try again later.": "སྒྱུར་བཅོས་ལེན་ཐུབ་མེད། ཅུང་ཙམ་སྒུག་ནས་ཡང་བསྐྱར་ཚོད་ལྟ་བྱེད་རོགས།",
+ "Check Update": "བསྐྱར་བརྗེ་བརྟག་དཔྱད།",
+ "Already the latest version": "ད་ལྟ་ཐོན་རིམ་གསར་ཤོས་ཡིན།",
+ "Book Details": "དཔེ་དེབ་ཀྱི་གནས་ཚུལ་རྒྱས་པ།",
+ "From Local File": "ས་གནས་ཀྱི་ཡིག་ཆ་ནས་ནང་འདྲེན།",
+ "TOC": "དཀར་ཆག",
+ "Table of Contents": "དཀར་ཆག",
+ "Book uploaded: {{title}}": "དཔེ་དེབ་སྤྲད་ཟིན། {{title}}",
+ "Failed to upload book: {{title}}": "དཔེ་དེབ་སྤྲད་མ་ཐུབ། {{title}}",
+ "Book downloaded: {{title}}": "དཔེ་དེབ་ཕབ་ལེན་བྱས་ཟིན། {{title}}",
+ "Failed to download book: {{title}}": "དཔེ་དེབ་ཕབ་ལེན་བྱས་མ་ཐུབ། {{title}}",
+ "Upload Book": "དཔེ་དེབ་སྤྲད་པ།",
+ "Auto Upload Books to Cloud": "དཔེ་དེབ་རང་འགུལ་གྱིས་སྤྲི་དོན་ལ་སྤྲད་པ།",
+ "Book deleted: {{title}}": "དཔེ་དེབ་བསུབ་ཟིན། {{title}}",
+ "Failed to delete book: {{title}}": "དཔེ་དེབ་བསུབ་མ་ཐུབ། {{title}}",
+ "Check Updates on Start": "འགོ་སློང་སྐབས་བསྐྱར་བརྗེ་བརྟག་དཔྱད།",
+ "Insufficient storage quota": "སྤྲི་དོན་གྱི་ཉར་ཚགས་ས་ཁོངས་མི་འདང་།",
+ "Font Weight": "ཡིག་གཟུགས་ཀྱི་ལྗིད་ཚད།",
+ "Line Spacing": "ལོག་བར་གྱི་བར་ཐག",
+ "Word Spacing": "ཚིག་བར་གྱི་བར་ཐག",
+ "Letter Spacing": "ཡི་གེ་བར་གྱི་བར་ཐག",
+ "Text Indent": "ལོག་ཐོག་མའི་ནང་དུ་བསྐྱུར་བ།",
+ "Paragraph Margin": "དོན་ཚན་བར་གྱི་བར་ཐག",
+ "Override Book Layout": "པར་ངོས་ཀྱི་བཀོད་སྒྲིག་བརྗེ་བ།",
+ "Untitled Group": "མགོ་མེད་སྡེ་ཚན།",
+ "Group Books": "དཔེ་དེབ་སྡེ་ཚན་དུ་བསྡུ་བ།",
+ "Remove From Group": "སྡེ་ཚན་ནས་ཕྱིར་འཐེན།",
+ "Create New Group": "སྡེ་ཚན་གསར་པ་བཟོ་བ།",
+ "Deselect Book": "དཔེ་དེབ་འདེམས་པ་འདོར་བ།",
+ "Download Book": "དཔེ་དེབ་ཕབ་ལེན།",
+ "Deselect Group": "སྡེ་ཚན་འདེམས་པ་འདོར་བ།",
+ "Select Group": "སྡེ་ཚན་འདེམས་པ།",
+ "Keep Screen Awake": "བརྡ་ཁྱབ་ངོས་རྟག་ཏུ་འོད་ཟེར་འཕྲོ་བ།",
+ "Email address": "གློག་རྡུལ་ཡིག་ཟམ་གྱི་ཁ་བྱང་།",
+ "Your Password": "ཁྱེད་ཀྱི་གསང་ཨང་།",
+ "Your email address": "ཁྱེད་ཀྱི་གློག་རྡུལ་ཡིག་ཟམ་གྱི་ཁ་བྱང་།",
+ "Your password": "ཁྱེད་ཀྱི་གསང་ཨང་།",
+ "Sign in": "ནང་བསྐྱོད།",
+ "Signing in...": "ནང་བསྐྱོད་བྱེད་བཞིན་པ།...",
+ "Sign in with {{provider}}": "{{provider}} བེད་སྤྱད་ནས་ནང་བསྐྱོད།",
+ "Already have an account? Sign in": "གོ་མིང་ཡོད་ན་ནང་བསྐྱོད་བྱོས།",
+ "Create a Password": "གསང་ཨང་བཟོ་བ།",
+ "Sign up": "ཐོ་འགོད།",
+ "Signing up...": "ཐོ་འགོད་བྱེད་བཞིན་པ།...",
+ "Don't have an account? Sign up": "གོ་མིང་མེད་ན་ཐོ་འགོད་བྱོས།",
+ "Check your email for the confirmation link": "ཁྱེད་ཀྱི་གློག་རྡུལ་ཡིག་ཟམ་ནས་གཏན་འཁེལ་གྱི་སྦྲེལ་ཐག་ལ་བལྟ་དགོས།",
+ "Signing in ...": "ནང་བསྐྱོད་བྱེད་བཞིན་པ།...",
+ "Send a magic link email": "བྱ་བྱེད་སྦྲེལ་ཐག་གི་གློག་རྡུལ་ཡིག་ཟམ་སྤྲད་པ།",
+ "Check your email for the magic link": "ཁྱེད་ཀྱི་གློག་རྡུལ་ཡིག་ཟམ་ནས་བྱ་བྱེད་སྦྲེལ་ཐག་ལ་བལྟ་དགོས།",
+ "Send reset password instructions": "གསང་ཨང་བསྐྱར་སྒྲིག་གི་འགྲེལ་བཤད་སྤྲད་པ།",
+ "Sending reset instructions ...": "གསང་ཨང་བསྐྱར་སྒྲིག་གི་འགྲེལ་བཤད་སྤྲད་བཞིན་པ།...",
+ "Forgot your password?": "གསང་ཨང་བརྗེད་སོང་ངམ།",
+ "Check your email for the password reset link": "ཁྱེད་ཀྱི་གློག་རྡུལ་ཡིག་ཟམ་ནས་གསང་ཨང་བསྐྱར་སྒྲིག་གི་སྦྲེལ་ཐག་ལ་བལྟ་དགོས།",
+ "New Password": "གསང་ཨང་གསར་པ།",
+ "Your new password": "ཁྱེད་ཀྱི་གསང་ཨང་གསར་པ།",
+ "Update password": "གསང་ཨང་བསྐྱར་བརྗེ།",
+ "Updating password ...": "གསང་ཨང་བསྐྱར་བརྗེ་བཞིན་པ།...",
+ "Your password has been updated": "ཁྱེད་ཀྱི་གསང་ཨང་བསྐྱར་བརྗེ་ཟིན།",
+ "Phone number": "ཁ་པར་ཨང་གྲངས།",
+ "Your phone number": "ཁྱེད་ཀྱི་ཁ་པར་ཨང་གྲངས།",
+ "Token": "བཀོལ་ཐོགས།",
+ "Your OTP token": "ཁྱེད་ཀྱི་ OTP བཀོལ་ཐོགས།",
+ "Verify token": "བཀོལ་ཐོགས་བདེན་སྦྱོང་།",
+ "Account": "རྩིས་ཐོ།",
+ "Failed to delete user. Please try again later.": "སྤྱོད་མཁན་བསུབ་མ་ཐུབ། ཅུང་ཙམ་སྒུག་ནས་ཡང་བསྐྱར་ཚོད་ལྟ་བྱེད་རོགས།",
+ "Community Support": "སྡེ་ཁུལ་གྱི་རྒྱབ་སྐྱོར།",
+ "Priority Support": "གཙོ་རིམ་གྱི་རྒྱབ་སྐྱོར།",
+ "Loading profile...": "མི་སྒེར་གྱི་ཆ་འཕྲིན་འགུལ་སྐྱོང་བྱེད་བཞིན་པ།...",
+ "Delete Account": "རྩིས་ཐོ་བསུབ་པ།",
+ "Delete Your Account?": "ཁྱེད་ཀྱི་རྩིས་ཐོ་བསུབ་དགོས་སམ།",
+ "This action cannot be undone. All your data in the cloud will be permanently deleted.": "བྱ་སྤྱོད་འདི་ཕྱིར་འཐེན་བྱེད་ཐུབ་མེད། ཁྱེད་ཀྱིས་སྤྲི་དོན་ཐོག་གི་གཞི་གྲངས་ཡོད་རྒུ་རྟག་ཏུ་བསུབ་པར་འགྱུར།",
+ "Delete Permanently": "རྟག་ཏུ་བསུབ་པ།",
+ "RTL Direction": "གཡས་ནས་གཡོན་དུ།",
+ "Maximum Column Height": "གྲལ་ཐིག་མཐོ་ཤོས།",
+ "Maximum Column Width": "གྲལ་ཐིག་རྒྱ་ཆེ་ཤོས།",
+ "Continuous Scroll": "རྒྱུན་མཐུད་འཁོར་རྒྱུག",
+ "Fullscreen": "བརྡ་ཁྱབ་ངོས་ཆ་ཚང་།",
+ "No supported files found. Supported formats: {{formats}}": "རྒྱབ་སྐྱོར་བྱེད་པའི་ཡིག་ཆ་མ་རྙེད། རྒྱབ་སྐྱོར་བྱེད་པའི་རྣམ་པ། {{formats}}",
+ "Drop to Import Books": "འདྲུད་འཇོག་བྱས་ནས་དཔེ་དེབ་ནང་འདྲེན།",
+ "Custom": "རང་འགུལ་གྱིས་བཟོ་བ།",
+ "Custom Theme": "རང་འགུལ་གྱི་བརྗོད་བྱ།",
+ "Theme Name": "བརྗོད་བྱའི་མིང་།",
+ "Text Color": "ཡི་གེའི་ཚོན་མདོག",
+ "Background Color": "རྒྱབ་ལྗོངས་ཀྱི་ཚོན་མདོག",
+ "Preview": "སྔོན་ལྟ།",
+ "Contrast": "བསྡུར་བ།",
+ "Sunset": "ཉི་མ་ནུབ་པ།",
+ "Double Border": "ཤོག་ལྷེ་མངོན་པ།",
+ "Border Color": "ཤོག་ལྷེའི་ཚོན་མདོག",
+ "Border Frame": "ཤོག་ངོས་ཀྱི་ཤོག་ལྷེ།",
+ "Show Header": "ཤོག་ངོས་ཀྱི་མགོ་མངོན་པ།",
+ "Show Footer": "ཤོག་ངོས་ཀྱི་མཇུག་མངོན་པ།",
+ "Small": "ཆུང་བ།",
+ "Large": "ཆེ་བ།",
+ "Auto": "རང་འགུལ།",
+ "Language": "སྐད་ཡིག",
+ "No annotations to export": "ཕྱིར་འདོན་བྱ་རྒྱུའི་ཟིན་བྲིས་མེད།",
+ "Author": "རྩོམ་པ་པོ།",
+ "Exported from Readest": "Readest ནས་ཕྱིར་འདོན་བྱས་པ།",
+ "Highlights & Annotations": "འོག་ཐིག་དང་ཟིན་བྲིས།",
+ "Note": "ཟིན་བྲིས།",
+ "Copied to clipboard": "འདྲ་བཤུས་ལྡེ་མིག་ཏུ་བྱས་ཟིན།",
+ "Export Annotations": "ཟིན་བྲིས་ཕྱིར་འདོན།",
+ "Auto Import on File Open": "ཡིག་ཆ་ཁ་ཕྱེ་སྐབས་རང་འགུལ་གྱིས་ནང་འདྲེན།",
+ "LXGW WenKai GB Screen": "ཤ་ཝུ་ཝུན་ཁའེ།",
+ "LXGW WenKai TC": "ཤ་ཝུ་ཝུན་ཁའེ།",
+ "No chapters detected": "ལེའུ་བརྟག་དཔྱད་བྱུང་མེད།",
+ "Failed to parse the EPUB file": "EPUB ཡིག་ཆ་འགྲེལ་བཤད་བྱེད་ཐུབ་མེད།",
+ "This book format is not supported": "དཔེ་དེབ་ཀྱི་རྣམ་པ་འདི་རྒྱབ་སྐྱོར་མི་བྱེད།",
+ "Unable to fetch the translation. Please log in first and try again.": "སྒྱུར་བཅོས་ལེན་ཐུབ་མེད། ནང་བསྐྱོད་བྱས་རྗེས་ཡང་བསྐྱར་ཚོད་ལྟ་བྱེད་རོགས།",
+ "Group": "སྡེ་ཚན།",
+ "Always on Top": "སྒེའུ་ཁུང་གནས་སུ་བཀོད་པ།",
+ "No Timeout": "དུས་ཚོད་བཀག་པ།",
+ "{{value}} minute": "{{value}}སྐར་མ།",
+ "{{value}} minutes": "{{value}}སྐར་མ།",
+ "{{value}} hour": "{{value}}ཆུ་ཚོད།",
+ "{{value}} hours": "{{value}}ཆུ་ཚོད།",
+ "CJK Font": "རྒྱ་ཡིག་གི་ཡིག་གཟུགས།",
+ "Clear Search": "འཚོལ་བཤེར་བསལ་བ།",
+ "Header & Footer": "ཤོག་ངོས་ཀྱི་མགོ་དང་མཇུག",
+ "Apply also in Scrolled Mode": "འཁོར་རྒྱུག་རྣམ་པར་སྤྱོད་པ།",
+ "A new version of Readest is available!": "Readest ཐོན་རིམ་གསར་པ་བསྐྱར་བརྗེ་བྱ་རྒྱུ་ཡོད།",
+ "Readest {{newVersion}} is available (installed version {{currentVersion}}).": "Readest {{newVersion}} བསྐྱར་བརྗེ་བྱ་རྒྱུ་ཡོད།(བསྒྲིགས་ཟིན་པའི་ཐོན་རིམ {{currentVersion}})",
+ "Download and install now?": "ད་ལྟ་ཕབ་ལེན་དང་བསྒྲིགས་དགོས་སམ།",
+ "Downloading {{downloaded}} of {{contentLength}}": "ཕབ་ལེན་བྱེད་བཞིན་པ། {{downloaded}} / {{contentLength}}",
+ "Download finished": "ཕབ་ལེན་བྱས་ཚར།",
+ "DOWNLOAD & INSTALL": "ཕབ་ལེན་དང་བསྒྲིགས་པ།",
+ "Changelog": "བསྐྱར་བརྗེའི་ཟིན་ཐོ།",
+ "Software Update": "མཉེན་ཆས་བསྐྱར་བརྗེ།",
+ "Title": "དཔེ་དེབ་ཀྱི་མིང་།",
+ "Date Read": "ཀློག་པའི་ཚེས་གྲངས།",
+ "Date Added": "ཁ་སྣོན་བྱས་པའི་ཚེས་གྲངས།",
+ "Format": "རྣམ་པ།",
+ "Ascending": "འཕར་རིམ།",
+ "Descending": "འཕྲི་རིམ།",
+ "Sort by...": "རིམ་སྒྲིག་བྱེད་སྟངས།...",
+ "Added": "ཁ་སྣོན་བྱས་པའི་ཚེས་གྲངས།",
+ "GuanKiapTsingKhai-T": "ཡོན་ཞ་ཀྲིང་ཁའེ་-T",
+ "Description": "ངོ་སྤྲོད་བསྡུས་དོན།",
+ "No description available": "ད་རེས་ངོ་སྤྲོད་བསྡུས་དོན་མེད།",
+ "List": "ཐོ་རེའུ།",
+ "Grid": "དྲྭ་རྡལ།",
+ "(from 'As You Like It', Act II)": "《ཐམས་ཅད་དགའ་བ》ནས་དྲངས་པ། ལེའུ་གཉིས་པ།",
+ "Link Color": "སྦྲེལ་ཐག་གི་ཚོན་མདོག",
+ "Volume Keys for Page Flip": "སྒྲ་ཚད་ལྡེ་མིག་གིས་ཤོག་ལྷེ་བསྒྱུར་བ།",
+ "Screen": "བརྡ་ཁྱབ་ངོས།",
+ "Orientation": "བརྡ་ཁྱབ་ངོས་ཀྱི་ཁ་ཕྱོགས།",
+ "Portrait": "ཀྲིང་ངོས།",
+ "Landscape": "འཕྲེད་ངོས།",
+ "Open Last Book on Start": "འགོ་སློང་སྐབས་སྔོན་མར་ཀློག་པའི་དཔེ་དེབ་ཁ་ཕྱེ་བ།",
+ "Checking for updates...": "བསྐྱར་བརྗེ་བརྟག་དཔྱད་བྱེད་བཞིན་པ།...",
+ "Error checking for updates": "བསྐྱར་བརྗེ་བརྟག་དཔྱད་བྱེད་སྐབས་ནོར་འཁྲུལ་བྱུང་།",
+ "Details": "ཞིབ་ཕྲ།",
+ "File Size": "ཡིག་ཆའི་ཆེ་ཆུང་།",
+ "Auto Detect": "རང་འགུལ་གྱིས་བརྟག་དཔྱད།",
+ "Next Section": "ལེའུ་རྗེས་མ།",
+ "Previous Section": "ལེའུ་སྔོན་མ།",
+ "Next Page": "ཤོག་ལྷེ་རྗེས་མ།",
+ "Previous Page": "ཤོག་ལྷེ་སྔོན་མ།",
+ "Are you sure to delete {{count}} selected book(s)?_other": "ཁྱེད་ཀྱིས་འདེམས་ཟིན་པའི་དཔེ་དེབ་ {{count}} བསུབ་དགོས་སམ།",
+ "Are you sure to delete the selected book?": "ཁྱེད་ཀྱིས་འདེམས་ཟིན་པའི་དཔེ་དེབ་བསུབ་དགོས་སམ།",
+ "Deselect": "འདེམས་པ་འདོར་བ།",
+ "Select All": "ཚང་མ་འདེམས་པ།",
+ "No translation available.": "ད་རེས་སྤྱོད་རྒྱུའི་སྒྱུར་བཅོས་མེད།",
+ "Translated by {{provider}}.": "{{provider}} ནས་སྒྱུར་བཅོས་བྱས་པ།",
+ "DeepL": "DeepL",
+ "Google Translate": "Google Translate",
+ "Azure Translator": "Azure Translator",
+ "Invert Image In Dark Mode": "མདོག་ནག་པོའི་བརྗོད་བྱའི་འོག་ཏུ་པར་རིས་ཀྱི་ཚོན་མདོག་ལྡོག་པ།",
+ "Help improve Readest": "Readest ལེགས་བཅོས་ལ་རོགས་རམ་བྱེད་པ།",
+ "Sharing anonymized statistics": "མིང་མེད་ཀྱི་བསྡོམས་རྩིས་གཞི་གྲངས་མཉམ་སྤྱོད།",
+ "Interface Language": "མཐུད་ངོས་ཀྱི་སྐད་ཡིག",
+ "Translation": "སྒྱུར་བཅོས།",
+ "Enable Translation": "སྒྱུར་བཅོས་སྤྱོད་པ།",
+ "Translation Service": "སྒྱུར་བཅོས་ཞབས་ཞུ།",
+ "Translate To": "ནང་དུ་སྒྱུར་བ།",
+ "Disable Translation": "སྒྱུར་བཅོས་སྒོ་བརྒྱབ།",
+ "Scroll": "འཁོར་རྒྱུག",
+ "Overlap Pixels": "ལྷན་པའི་པིག་སེལ།",
+ "System Language": "མ་ལག་གི་སྐད་ཡིག",
+ "Security": "བདེ་འཇགས།",
+ "Allow JavaScript": "JavaScript ཆོག་མཆན།",
+ "Enable only if you trust the file.": "ཁྱེད་ཀྱིས་ཡིག་ཆ་འདིར་ཡིད་ཆེས་བྱེད་དུས་ཙམ་སྤྱོད་རྒྱུའི་གྲོས་འགལ།",
+ "Sort TOC by Page": "ཤོག་ཨང་ལྟར་དཀར་ཆག་རིམ་སྒྲིག་བྱེད་པ།",
+ "Search in {{count}} Book(s)..._other": "དཔེ་དེབ་ {{count}} ནང་འཚོལ་བཤེར་བྱེད་པ།...",
+ "No notes match your search": "མཐུན་པའི་ཟིན་བྲིས་མ་རྙེད།",
+ "Search notes and excerpts...": "ཟིན་བྲིས་འཚོལ་བཤེར།...",
+ "Sign in to Sync": "ནང་བསྐྱོད་བྱས་རྗེས་སྐད་མཉམ་བྱེད་པ།",
+ "Synced at {{time}}": "སྐད་མཉམ་བྱས་པའི་དུས་ཚོད། {{time}}",
+ "Never synced": "ནམ་ཡང་སྐད་མཉམ་བྱས་མ་མྱོང་།",
+ "Show Remaining Time": "ལྷག་མའི་དུས་ཚོད་མངོན་པ།",
+ "{{time}} min left in chapter": "ལེའུ་འདིར་ད་དུང་ {{time}} སྐར་མ་ལྷག་ཡོད།",
+ "Override Book Color": "དཔེ་དེབ་ཀྱི་ཚོན་མདོག་བརྗེ་བ།",
+ "Login Required": "ནང་བསྐྱོད་བྱ་དགོས།",
+ "Quota Exceeded": "ཚད་འཇལ་མི་འདང་།",
+ "{{percentage}}% of Daily Translation Characters Used.": "ཉིན་རེའི་སྒྱུར་བཅོས་ཀྱི་ཡི་གེའི་ {{percentage}}% སྤྱོད་ཟིན།",
+ "Translation Characters": "སྒྱུར་བཅོས་ཀྱི་ཡི་གེའི་གྲངས་ཀ།",
+ "{{engine}}: {{count}} voices_other": "{{engine}}: {{count}} སྒྲ་རྣམ་པ།",
+ "Something went wrong. Don't worry, our team has been notified and we're working on a fix.": "ཅུང་ཙམ་གྱི་གནད་དོན་བྱུང་བ་རེད། སེམས་ཁྲལ་མ་བྱེད། ང་ཚོའི་ཚོགས་པས་བརྡ་ཐོ་དང་ལེན་བྱས་ཟིན་པ་དང་ད་ལྟ་ཞིག་གི་ནང་བཅོས་བྱེད་བཞིན་པ་རེད།",
+ "Error Details:": "ནོར་འཁྲུལ་གྱི་ཞིབ་ཕྲ།",
+ "Try Again": "ཡང་བསྐྱར་ཚོད་ལྟ།",
+ "Need help?": "རོགས་རམ་དགོས་སམ།",
+ "Contact Support": "ཞབས་འདེགས་པར་འབྲེལ་བ།",
+ "Code Highlighting": "ཨང་རྟགས་གསལ་བཀྲོལ།",
+ "Enable Highlighting": "གསལ་བཀྲོལ་སྤྱོད་པ།",
+ "Code Language": "ཨང་རྟགས་ཀྱི་སྐད་ཡིག",
+ "Top Margin (px)": "སྟེང་ངོས་ཀྱི་བར་ཐག",
+ "Bottom Margin (px)": "འོག་ངོས་ཀྱི་བར་ཐག",
+ "Right Margin (px)": "གཡས་ངོས་ཀྱི་བར་ཐག",
+ "Left Margin (px)": "གཡོན་ངོས་ཀྱི་བར་ཐག",
+ "Column Gap (%)": "གྲལ་ཐིག་བར་གྱི་བར་ཐག",
+ "Always Show Status Bar": "རྟག་ཏུ་གནས་ཚུལ་གྱི་གྲལ་ཐིག་མངོན་པ།",
+ "Custom Content CSS": "རང་འགུལ་གྱི་ནང་དོན་ CSS",
+ "Enter CSS for book content styling...": "དཔེ་དེབ་ཀྱི་ནང་དོན་གྱི་རྣམ་པའི་ CSS ནང་འཇུག་བྱོས།...",
+ "Custom Reader UI CSS": "རང་འགུལ་གྱི་མཐུད་ངོས་ CSS",
+ "Enter CSS for reader interface styling...": "ཀློག་ཆས་ཀྱི་མཐུད་ངོས་རྣམ་པའི་ CSS ནང་འཇུག་བྱོས།...",
+ "Crop": "བཏོག་པ།",
+ "Book Covers": "དཔེ་དེབ་ཀྱི་སྟོང་ངོས།",
+ "Fit": "མཐུན་སྒྲིག",
+ "Reset {{settings}}": "{{settings}} བསྐྱར་སྒྲིག",
+ "Reset Settings": "སྒྲིག་བཀོད་བསྐྱར་སྒྲིག",
+ "{{count}} pages left in chapter_other": "ལེའུ་འདིར་ད་དུང་ {{count}} ཤོག་ལྷེ་ལྷག་ཡོད།",
+ "Show Remaining Pages": "ལྷག་མའི་ཤོག་ལྷེའི་གྲངས་ཀ་མངོན་པ།",
+ "Source Han Serif CN": "སི་ཡོན་སུང་ཐི།",
+ "Huiwen-MinchoGBK": "ཧུའེ་ཝུན་མིང་ཁྲའོ་ཐི།",
+ "KingHwa_OldSong": "ཅིང་ཧྭ་ལའོ་སུང་ཐི།",
+ "Manage Subscription": "མཚམས་སྦྱོར་དོ་དམ།",
+ "Coming Soon": "ཉེ་བར་སྤྱོད་འགོ་འཛུགས་རྒྱུ།",
+ "Upgrade to {{plan}}": "{{plan}} ལ་རིམ་སྤོར་བྱེད་པ།",
+ "Upgrade to Plus or Pro": "Plus ཡང་ན་ Pro ལ་རིམ་སྤོར་བྱེད་པ།",
+ "Current Plan": "ད་ལྟའི་ཐུམ་སྒྲིལ།",
+ "Plan Limits": "ཐུམ་སྒྲིལ་གྱི་ཚད་བཀག",
+ "Processing your payment...": "དངུལ་སྤྲོད་པར་བརྟག་དཔྱད་བྱེད་བཞིན་པ།...",
+ "Please wait while we confirm your subscription.": "ཅུང་ཙམ་སྒུག་དང་། ང་ཚོས་ཁྱེད་ཀྱི་མཚམས་སྦྱོར་གཏན་འཁེལ་བྱེད་བཞིན་པ་རེད།",
+ "Payment Processing": "དངུལ་སྤྲོད་པར་བརྟག་དཔྱད་བྱེད་བཞིན་པ།",
+ "Your payment is being processed. This usually takes a few moments.": "ཁྱེད་ཀྱི་དངུལ་སྤྲོད་པར་བརྟག་དཔྱད་བྱེད་བཞིན་པ་ཡིན། སྤྱིར་ན་སྐར་ཆ་ཁ་ཤས་དགོས།",
+ "Payment Failed": "དངུལ་སྤྲོད་མ་ཐུབ།",
+ "We couldn't process your subscription. Please try again or contact support if the issue persists.": "ང་ཚོས་ཁྱེད་ཀྱི་མཚམས་སྦྱོར་བརྟག་དཔྱད་བྱེད་ཐུབ་མེད། ཡང་བསྐྱར་ཚོད་ལྟ་བྱོས། ཡང་ན་གནད་དོན་རྒྱུན་མཐུད་བྱུང་ན་རྒྱབ་སྐྱོར་ལ་འབྲེལ་བ་གནང་རོགས།",
+ "Back to Profile": "མི་སྒེར་གྱི་ཆ་འཕྲིན་ལ་ཕྱིར་ལོག",
+ "Subscription Successful!": "མཚམས་སྦྱོར་བྱས་ཐུབ།",
+ "Thank you for your subscription! Your payment has been processed successfully.": "ཁྱེད་ཀྱི་མཚམས་སྦྱོར་ལ་ཐུགས་རྗེ་ཆེ། ཁྱེད་ཀྱི་དངུལ་སྤྲོད་ཐུབ་སོང་།",
+ "Email:": "གློག་རྡུལ་ཡིག་ཟམ།",
+ "Plan:": "ཐུམ་སྒྲིལ།",
+ "Amount:": "དངུལ་གྲངས།",
+ "Go to Library": "དཔེ་མཛོད་ལ་འགྲོ།",
+ "Need help? Contact our support team at support@readest.com": "རོགས་རམ་དགོས་སམ། རྒྱབ་སྐྱོར་ཚོགས་པར་འབྲེལ་བ་གནང་རོགས། support@readest.com",
+ "Free Plan": "རིན་མེད་ཐུམ་སྒྲིལ།",
+ "month": "ཟླ་བ།",
+ "AI Translations (per day)": "AI སྒྱུར་བཅོས།(ཉིན་རེར།)",
+ "Plus Plan": "Plus ཐུམ་སྒྲིལ།",
+ "Includes All Free Plan Benefits": "རིན་མེད་ཐུམ་སྒྲིལ་གྱི་བྱེད་ནུས་ཚང་མ་ཚུད་ཡོད།",
+ "Pro Plan": "Pro ཐུམ་སྒྲིལ།",
+ "More AI Translations": "AI སྒྱུར་བཅོས་དེ་བས་མང་བ།",
+ "Complete Your Subscription": "ཁྱེད་ཀྱི་མཚམས་སྦྱོར་ལེགས་གྲུབ།",
+ "{{percentage}}% of Cloud Sync Space Used.": "སྤྲི་དོན་སྐད་མཉམ་གྱི་བར་སྟོང་གི་ {{percentage}}% སྤྱོད་ཟིན།",
+ "Cloud Sync Storage": "སྤྲི་དོན་སྐད་མཉམ་གྱི་བར་སྟོང་།",
+ "Disable": "སྒོ་བརྒྱབ།",
+ "Enable": "སྤྱོད་པ།",
+ "Upgrade to Readest Premium": "Readest Premium ལ་རིམ་སྤོར་བྱེད་པ།",
+ "Show Source Text": "མགོ་ཡིག་མངོན་པ།",
+ "Cross-Platform Sync": "ལས་སྟེགས་བརྒལ་བའི་སྐད་མཉམ།",
+ "Seamlessly sync your library, progress, highlights, and notes across all your devices—never lose your place again.": "སྒྲིག་ཆས་ཡོད་རྒུའི་བར་དུ་ཁྱེད་ཀྱི་དཔེ་མཛོད། ཡར་འཕེལ། མཚན་སྟོན་དང་ཟིན་བྲིས་བཅས་སྐད་མཉམ་བྱེད་པ།——ཀློག་པའི་གནས་ས་ནམ་ཡང་བོར་མི་སྲིད།",
+ "Customizable Reading": "མི་སྒེར་གྱི་ཀློག་ཚུལ།",
+ "Personalize every detail with adjustable fonts, layouts, themes, and advanced display settings for the perfect reading experience.": "འགྱུར་བཅོས་བྱེད་ཐུབ་པའི་ཡིག་གཟུགས། བཀོད་སྒྲིག བརྗོད་བྱ་དང་མཐོ་རིམ་གྱི་མངོན་པའི་སྒྲིག་བཀོད་བཅས་བརྒྱུད་ནས་ཞིབ་ཕྲ་རེ་རེ་མི་སྒེར་གྱི་རང་བཞིན་ལྡན་པར་བྱས་ཏེ། ངོ་མཚར་ཆེ་བའི་ཀློག་ཚུལ་ཞིག་ཐོབ།",
+ "AI Read Aloud": "AI སྒྲ་ཀློག",
+ "Enjoy hands-free reading with natural-sounding AI voices that bring your books to life.": "ལག་པ་གཉིས་ཐར་བའི་ཀློག་ཚུལ་ལོངས་སུ་སྤྱོད། རང་བཞིན་གྱི་ AI སྒྲ་སྐད་བེད་སྤྱད་ནས་དཔེ་དེབ་སླར་གསོ་བྱེད།",
+ "AI Translations": "AI སྒྱུར་བཅོས།",
+ "Translate any text instantly with the power of Google, Azure, or DeepL—understand content in any language.": "Google དང་ Azure ཡང་ན་ DeepL བཅས་ཀྱི་ནུས་པ་ཆེ་བའི་བྱེད་ནུས་བརྒྱུད་ནས་སྐད་ཡིག་གང་རུང་གི་ནང་དོན་དུས་ཐོག་ཏུ་སྒྱུར་བཅོས་བྱེད།",
+ "Connect with fellow readers and get help fast in our friendly community channels.": "ཀློག་པ་པ་གཞན་དང་མཉམ་འབྲེལ་བྱས་ཏེ། ང་ཚོའི་མཛའ་བརྩེའི་སྡེ་ཁུལ་གྱི་ཐོག་མཐུད་ནང་མྱུར་དུ་རོགས་རམ་ཐོབ།",
+ "Unlimited AI Read Aloud Hours": "AI སྒྲ་ཀློག་གི་དུས་ཚོད་ཚད་མེད།",
+ "Listen without limits—convert as much text as you like into immersive audio.": "ཡི་གེ་གང་འདོད་སྒྲ་སྐད་དུ་བསྒྱུར་བ།",
+ "Unlock enhanced translation capabilities with more daily usage and advanced options.": "སྒྱུར་བཅོས་ཀྱི་བྱེད་ནུས་ཇེ་མཐོར་གཏོང་བ། སྒྱུར་བཅོས་ཀྱི་ཚད་འཇལ་དེ་བས་མང་བ། མཐོ་རིམ་གྱི་འདེམས་གཞི།",
+ "DeepL Pro Access": "DeepL Pro ཀྱི་སྤྱོད་དབང་།",
+ "Enjoy faster responses and dedicated assistance whenever you need help.": "དུས་ཐོག་ཏུ་ལན་འདེབས་མགྱོགས་པོ་དང་ཆེད་སྤྱོད་ཀྱི་རོགས་རམ་ལོངས་སུ་སྤྱོད།",
+ "Daily translation quota reached. Upgrade your plan to continue using AI translations.": "ཉིན་རེའི་སྒྱུར་བཅོས་ཀྱི་ཚད་འཇལ་ལ་སླེབས་འདུག ཐུམ་སྒྲིལ་རིམ་སྤོར་བྱས་ནས་ AI སྒྱུར་བཅོས་མུ་མཐུད་དུ་སྤྱོད།",
+ "Includes All Plus Plan Benefits": "Plus ཐུམ་སྒྲིལ་གྱི་བྱེད་ནུས་ཚང་མ་ཚུད་ཡོད།",
+ "Early Feature Access": "བྱེད་ནུས་གསར་པ་སྔོན་ལ་ཉམས་སུ་མྱོང་བ།",
+ "Be the first to explore new features, updates, and innovations before anyone else.": "བྱེད་ནུས་གསར་པ། བསྐྱར་བརྗེ་དང་གསར་གཏོད་བཅས་སྔོན་ལ་ཉམས་སུ་མྱོང་བ།",
+ "Advanced AI Tools": "མཐོ་རིམ་གྱི་ AI ལག་ཆ།",
+ "Harness powerful AI tools for smarter reading, translation, and content discovery.": "ནུས་པ་ཆེ་བའི་ AI ལག་ཆ་བེད་སྤྱད་ནས་ཤེས་ལྡན་གྱི་ཀློག་ཚུལ། སྒྱུར་བཅོས་དང་ནང་དོན་རྟོགས་པ་བཅས་མངོན་འགྱུར་བྱེད།",
+ "Translate up to 100,000 characters daily with the most accurate translation engine available.": "ཆེས་གནད་ལ་ཁེལ་བའི་སྒྱུར་བཅོས་འཕྲུལ་ཆས་བེད་སྤྱད་ནས་ཉིན་རེར་ཡིག་འབྲུ་ཁྲི་ཚོ 10 སྒྱུར་བཅོས་བྱེད་ཐུབ།",
+ "Translate up to 500,000 characters daily with the most accurate translation engine available.": "ཆེས་གནད་ལ་ཁེལ་བའི་སྒྱུར་བཅོས་འཕྲུལ་ཆས་བེད་སྤྱད་ནས་ཉིན་རེར་ཡིག་འབྲུ་ཁྲི་ཚོ 50 སྒྱུར་བཅོས་བྱེད་ཐུབ།",
+ "Securely store and access your entire reading collection with up to 5 GB of cloud storage.": "བདེ་འཇགས་ཀྱི་སྤྲི་དོན་ཉར་ཚགས་ 5GB བར་ཁྱབ་ཏུ་བེད་སྤྱད་ནས་ཁྱེད་ཀྱི་ཀློག་ཚུལ་ཡོད་རྒུ་ཉར་ཚགས་དང་སྤྱོད་པ།",
+ "Securely store and access your entire reading collection with up to 20 GB of cloud storage.": "བདེ་འཇགས་ཀྱི་སྤྲི་དོན་ཉར་ཚགས་ 20GB བར་ཁྱབ་ཏུ་བེད་སྤྱད་ནས་ཁྱེད་ཀྱི་ཀློག་ཚུལ་ཡོད་རྒུ་ཉར་ཚགས་དང་སྤྱོད་པ།",
+ "Deleted cloud backup of the book: {{title}}": "དཔེ་དེབ་ཀྱི་སྤྲི་དོན་གྱི་གསོག་ཉར་བསུབ་ཟིན། {{title}}",
+ "Are you sure to delete the cloud backup of the selected book?": "ཁྱེད་ཀྱིས་འདེམས་ཟིན་པའི་དཔེ་དེབ་ཀྱི་སྤྲི་དོན་གྱི་གསོག་ཉར་བསུབ་དགོས་སམ།",
+ "What's New in Readest": "Readest ཀྱི་བྱེད་ནུས་གསར་པ།",
+ "Enter book title": "དཔེ་དེབ་ཀྱི་མིང་ནང་འཇུག་བྱོས།",
+ "Subtitle": "ལེའུ་གཉིས་པའི་མགོ་བྱང་།",
+ "Enter book subtitle": "དཔེ་དེབ་ཀྱི་ལེའུ་གཉིས་པའི་མགོ་བྱང་ནང་འཇུག་བྱོས།",
+ "Enter author name": "རྩོམ་པ་པོའི་མིང་ནང་འཇུག་བྱོས།",
+ "Series": "རབས་རིམ།",
+ "Enter series name": "རབས་རིམ་གྱི་མིང་ནང་འཇུག་བྱོས།",
+ "Series Index": "རབས་རིམ་གྱི་ཨང་གྲངས།",
+ "Enter series index": "རབས་རིམ་གྱི་ཨང་གྲངས་ནང་འཇུག་བྱོས།",
+ "Total in Series": "རབས་རིམ་གྱི་བསྡོམས་གྲངས།",
+ "Enter total books in series": "རབས་རིམ་ནང་གི་དཔེ་དེབ་བསྡོམས་གྲངས་ནང་འཇུག་བྱོས།",
+ "Enter publisher": "དཔེ་སྐྲུན་ཁང་ནང་འཇུག་བྱོས།",
+ "Publication Date": "དཔེ་སྐྲུན་བྱས་པའི་ཚེས་གྲངས།",
+ "Identifier": "ངོས་འཛིན་རྟགས།",
+ "Enter book description": "དཔེ་དེབ་ཀྱི་ངོ་སྤྲོད་ནང་འཇུག་བྱོས།",
+ "Change cover image": "སྟོང་ངོས་ཀྱི་པར་རིས་བརྗེ་བ།",
+ "Replace": "བརྗེ་བ།",
+ "Unlock cover": "སྟོང་ངོས་སྒོ་ཕྱེ་བ།",
+ "Lock cover": "སྟོང་ངོས་བཀག་པ།",
+ "Auto-Retrieve Metadata": "རང་འགུལ་གྱིས་གཞི་གྲངས་ལེན་པ།",
+ "Auto-Retrieve": "རང་འགུལ་གྱིས་ལེན་པ།",
+ "Unlock all fields": "ཡིག་སྣེ་ཚང་མ་སྒོ་ཕྱེ་བ།",
+ "Unlock All": "ཚང་མ་སྒོ་ཕྱེ་བ།",
+ "Lock all fields": "ཡིག་སྣེ་ཚང་མ་བཀག་པ།",
+ "Lock All": "ཚང་མ་བཀག་པ།",
+ "Reset": "བསྐྱར་སྒྲིག",
+ "Edit Metadata": "གཞི་གྲངས་རྩོམ་སྒྲིག",
+ "Locked": "བཀག་ཟིན།",
+ "Select Metadata Source": "གཞི་གྲངས་ཀྱི་འབྱུང་ཁུངས་འདེམས་པ།",
+ "Keep manual input": "ལག་བཟོས་ནང་འཇུག་བྱས་པ་ཉར་བ།",
+ "Google Books": "Google དཔེ་མཛོད།",
+ "Open Library": "སྒོ་འབྱེད་དཔེ་ཁང་།",
+ "Fiction, Science, History": "སྒྲུང་གཏམ། ཚན་རིག ལོ་རྒྱུས།",
+ "Open Book in New Window": "སྒེའུ་ཁུང་གསར་པའི་ནང་དཔེ་དེབ་ཁ་ཕྱེ་བ།",
+ "Voices for {{lang}}": "{{lang}} གྱི་སྒྲ་སྐད།",
+ "Yandex Translate": "Yandex སྒྱུར་བཅོས།",
+ "YYYY or YYYY-MM-DD": "YYYY ཡང་ན་ YYYY-MM-DD",
+ "Restore Purchase": "ཉོ་སྒྲུབ་སླར་གསོ།",
+ "No purchases found to restore.": "སླར་གསོ་བྱ་རྒྱུའི་ཉོ་སྒྲུབ་མ་རྙེད།",
+ "Failed to restore purchases.": "ཉོ་སྒྲུབ་སླར་གསོ་བྱས་མ་ཐུབ།",
+ "Failed to manage subscription.": "མཚམས་སྦྱོར་དོ་དམ་བྱས་མ་ཐུབ།",
+ "Failed to load subscription plans.": "མཚམས་སྦྱོར་འཆར་གཞི་འགུལ་སྐྱོང་བྱས་མ་ཐུབ།",
+ "year": "ལོ།",
+ "Failed to create checkout session": "དངུལ་སྤྲོད་ཚོགས་འདུ་བཟོ་ཐུབ་མེད།",
+ "Storage": "སྤྲི་དོན་གྱི་བར་སྟོང་།",
+ "Terms of Service": "ཞབས་འདེགས་ཀྱི་ཆ་རྐྱེན།",
+ "Privacy Policy": "སྒེར་གསང་གི་སྲིད་ཇུས།",
+ "Disable Double Click": "ཐེངས་གཉིས་མནན་པ་སྒོ་བརྒྱབ།",
+ "TTS not supported for this document": "ཡིག་ཆ་འདིར་ TTS རྒྱབ་སྐྱོར་མི་བྱེད།",
+ "Reset Password": "གསང་ཨང་བསྐྱར་སྒྲིག",
+ "Show Reading Progress": "ཀློག་པའི་ཡར་འཕེལ་མངོན་པ།",
+ "Reading Progress Style": "ཀློག་པའི་ཡར་འཕེལ་གྱི་རྣམ་པ།",
+ "Page Number": "ཤོག་ཨང་།",
+ "Percentage": "བརྒྱ་ཆ།",
+ "Deleted local copy of the book: {{title}}": "དཔེ་དེབ་ཀྱི་ས་གནས་ཀྱི་འདྲ་བཤུས་བསུབ་ཟིན། {{title}}",
+ "Failed to delete cloud backup of the book: {{title}}": "དཔེ་དེབ་ཀྱི་སྤྲི་དོན་གྱི་གསོག་ཉར་བསུབ་ཐུབ་མེད། {{title}}",
+ "Failed to delete local copy of the book: {{title}}": "དཔེ་དེབ་ཀྱི་ས་གནས་ཀྱི་འདྲ་བཤུས་བསུབ་ཐུབ་མེད། {{title}}",
+ "Are you sure to delete the local copy of the selected book?": "ཁྱེད་ཀྱིས་འདེམས་ཟིན་པའི་དཔེ་དེབ་ཀྱི་ས་གནས་ཀྱི་འདྲ་བཤུས་བསུབ་དགོས་སམ།",
+ "Remove from Cloud & Device": "སྤྲི་དོན་དང་སྒྲིག་ཆས་ནས་ཕྱིར་འཐེན།",
+ "Remove from Cloud Only": "སྤྲི་དོན་ཐོག་ནས་ཕྱིར་འཐེན།",
+ "Remove from Device Only": "སྒྲིག་ཆས་ཐོག་ནས་ཕྱིར་འཐེན།",
+ "Failed to connect": "འབྲེལ་བ་བྱས་མ་ཐུབ།",
+ "Disconnected": "འབྲེལ་བ་བྱས་མ་ཐུབ།",
+ "KOReader Sync Settings": "KOReader སྤྲི་དོན་གཞི་འདེམས་པ།",
+ "Sync as {{userDisplayName}}": "ཁྱེད་ཀྱིས {{userDisplayName}} སྤྲི་དོན་གཞི་འདེམས་པ།",
+ "Sync Server Connected": "སྤྲི་དོན་སང་བཞིན་འདེམས་པ།",
+ "Sync Strategy": "སྤྲི་དོན་འབྱུང་ཁུངས།",
+ "Ask on conflict": "འབྱུང་ཁུངས་འདེམས་པ་བྱས་ནས་བརྗེ་བ།",
+ "Always use latest": "དེ་ལས་འབྱུང་ཁུངས་འདེམས་པ་བྱས་ནས་བརྗེ་བ།",
+ "Send changes only": "འབྱུང་ཁུངས་འདེམས་པ་བྱས་ནས་བརྗེ་བ།",
+ "Receive changes only": "འབྱུང་ཁུངས་འདེམས་པ་བྱས་ནས་བརྗེ་བ།",
+ "Checksum Method": "ཡིག་སྣེ་འབྱུང་ཁུངས།",
+ "File Content (recommended)": "ཡིག་སྣེ་འབྱུང་ཁུངས།",
+ "File Name": "ཡིག་སྣེ་འབྱུང་ཁུངས།",
+ "Device Name": "ཡིག་སྣེ་འབྱུང་ཁུངས།",
+ "Connect to your KOReader Sync server.": "ཁྱེད་ཀྱིས KOReader སྤྲི་དོན་སང་བཞིན་འདེམས་པ།",
+ "Server URL": "སང་བཞིན་འདེམས་པའི URL",
+ "Username": "ཁྱེད་ཀྱིས་འབྱུང་ཁུངས་འདེམས་པ།",
+ "Your Username": "ཁྱེད་ཀྱིས་འབྱུང་ཁུངས་འདེམས་པ།",
+ "Password": "གསང་ཨང་",
+ "Connect": "འབྲེལ་བ་བྱས་པ།",
+ "KOReader Sync": "KOReader སྤྲི་དོན་འདེམས་པ།",
+ "Sync Conflict": "སྤྲི་དོན་འབྱུང་ཁུངས།",
+ "Sync reading progress from \"{{deviceName}}\"?": "ཁྱེད་ཀྱིས \"{{deviceName}}\" སྤྲི་དོན་འབྱུང་ཁུངས་འདེམས་པ་བྱས་ནས་བརྗེ་བ།",
+ "another device": "གཞན་ཡིག་སྣེ།",
+ "Local Progress": "ཀུན་འབྱུང་ཁུངས།",
+ "Remote Progress": "བརྒྱབ་འབྱུང་ཁུངས།",
+ "All the world's a stage,\nAnd all the men and women merely players;\nThey have their exits and their entrances,\nAnd one man in his time plays many parts,\nHis acts being seven ages.\n\n— William Shakespeare": "འབྱུང་ཁུངས་འདེམས་པ་བྱས་ནས་བརྗེ་བ།",
+ "Page {{page}} of {{total}} ({{percentage}}%)": "ཤོག་ {{page}} དང་ {{total}} ({{percentage}}%)",
+ "Current position": "ད་ལྟའི་གནས་ས།",
+ "Approximately page {{page}} of {{total}} ({{percentage}}%)": "ཕྲན་བུ་ཤོག་ངོས་ {{page}} / {{total}} ({{percentage}}%)",
+ "Approximately {{percentage}}%": "ཕྲན་བུ་ {{percentage}}%",
+ "Custom Fonts": "རང་བཞིན་ཡིག་གཟུགས།",
+ "Cancel Delete": "སུབ་པ་འདོར་བ།",
+ "Import Font": "ཡིག་གཟུགས་འདྲེན་འཇུག",
+ "Delete Font": "ཡིག་གཟུགས་སུབ་པ།",
+ "Tips": "གསལ་འདེབས།",
+ "Custom fonts can be selected from the Font Face menu": "རང་བཞིན་ཡིག་གཟུགས་ནི་ཡིག་གཟུགས་ངོ་བོའི་ཟ་འབྲིང་ནས་འདེམས་ཆོག",
+ "Manage Custom Fonts": "རང་བཞིན་ཡིག་གཟུགས་འཛིན་སྐྱོང་།",
+ "Select Files": "ཡིག་ཆ་འདེམས་པ།",
+ "Select Image": "རི་མོ་འདེམས་པ།",
+ "Select Video": "བརྙན་ཟློས་འདེམས་པ།",
+ "Select Audio": "སྒྲ་ཟློས་འདེམས་པ།",
+ "Select Fonts": "ཡིག་གཟུགས་འདེམས་པ།",
+ "Supported font formats: .ttf, .otf, .woff, .woff2": "ཡིག་གཟུགས་འདེམས་པ་བྱས་ནས་བསྐྱར་བརྗེ་བ། ཡིག་གཟུགས་ཀྱི་སྒྲ་སྐད། .ttf, .otf, .woff, .woff2",
+ "Push Progress": "འདེགས་པའི་འཕེལ་རིམ།",
+ "Pull Progress": "འདྲུད་པའི་འཕེལ་རིམ།",
+ "Previous Paragraph": "སྔོན་གྱི་དོན་ཚན།",
+ "Previous Sentence": "སྔོན་གྱི་ཚིག་གྲུབ།",
+ "Pause": "སྐར་མ་འཇོག",
+ "Play": "གཏོང་བ།",
+ "Next Sentence": "རྗེས་ཀྱི་ཚིག་གྲུབ།",
+ "Next Paragraph": "རྗེས་ཀྱི་དོན་ཚན།",
+ "Separate Cover Page": "སྟོང་ངོས་གི་ཤོག་དཀར་པ།",
+ "Resize Notebook": "དེབ་སྣོད་གཅོད་སྒྲིག",
+ "Resize Sidebar": "གཡས་སྒོ་གཅོད་སྒྲིག",
+ "Get Help from the Readest Community": "Readest མཛའ་བརྩེའི་རོགས་རམ་ལོངས་སུ་རོགས་རམ་ཐོབ།",
+ "Remove cover image": "སྟོང་ངོས་ཀྱི་པར་རིས་ཕྱིར་འཐེན།",
+ "Bookshelf": "དེབ་སྡེབས་",
+ "View Menu": "མ་ལག་བལྟ་བ",
+ "Settings Menu": "སྒྲིག་སྟངས་མ་ལག",
+ "View account details and quota": "རྩིས་ཐོའི་རྒྱུ་ཆ་དང་ཚད་བརྡ་བལྟ་བ",
+ "Library Header": "དེབ་མཛོད་མགོ་ཡིག",
+ "Book Content": "དེབ་ནང་དོན",
+ "Footer Bar": "མཇུག་སྒམ་ཕྱོགས",
+ "Header Bar": "མགོ་སྒམ་ཕྱོགས",
+ "View Options": "བལྟ་བའི་གདམ་ཁ",
+ "Book Menu": "དེབ་ཀྱི་མ་ལག",
+ "Search Options": "འཚོལ་བའི་གདམ་ཁ",
+ "Close": "ཁ་རྒྱག",
+ "Delete Book Options": "དེབ་བཏོན་གཏང་གི་གདམ་ཁ",
+ "ON": "འབྱུང་ཁུངས",
+ "OFF": "བརྗེ་བ",
+ "Reading Progress": "ཀློག་པའི་ཡར་འཕེལ།",
+ "Page Margin": "ཤོག་གདོང་།",
+ "Remove Bookmark": "དེབ་གྲངས་འདོར་བ།",
+ "Add Bookmark": "དེབ་གྲངས་སྣོན་པ།",
+ "Books Content": "དེབ་ཀྱི་ནང་དོན།",
+ "Jump to Location": "གནས་ས་ལ་འགྲོ།",
+ "Unpin Notebook": "དེབ་སྣོད་བཤོལ་བ།",
+ "Pin Notebook": "དེབ་སྣོད་བཀར་བ།",
+ "Hide Search Bar": "འཚོལ་བཤེར་སྒོ་སྦེད།",
+ "Show Search Bar": "འཚོལ་བཤེར་སྒོ་སྟོན།",
+ "On {{current}} of {{total}} page": "ཤོག་ངོས་ {{total}} ནས་ {{current}} ལ།",
+ "Section Title": "དོན་ཚན་མགོ་མིང་།",
+ "Decrease": "མར་འབེབས།",
+ "Increase": "ཡར་འཕར།",
+ "Settings Panels": "སྒྲིག་སྟངས་གནས་སྟོན།",
+ "Settings": "སྒྲིག་སྟངས།",
+ "Unpin Sidebar": "ཟུར་སྒོ་བཤོལ་བ།",
+ "Pin Sidebar": "ཟུར་སྒོ་བཀར་བ།",
+ "Toggle Sidebar": "ཟུར་སྒོ་སྤོ་བ།",
+ "Toggle Translation": "ཡིག་སྒྱུར་སྤོ་བ།",
+ "Translation Disabled": "ཡིག་སྒྱུར་མེད།",
+ "Minimize": "ཆུང་དུ་བསྡུ།",
+ "Maximize or Restore": "ཆེན་པོ་བཟོ/གསོག།",
+ "Exit Parallel Read": "མཉམ་དུ་ཀློག་ཕྱིར་འཐེན།",
+ "Enter Parallel Read": "མཉམ་དུ་ཀློག་འཛུལ།",
+ "Zoom Level": "རྒྱབ་སྐོར་གྱི་གདམ་ཁ",
+ "Zoom Out": "རྒྱབ་སྐོར་བཏང་བ།",
+ "Reset Zoom": "རྒྱབ་སྐོར་རྩོལ་བ།",
+ "Zoom In": "རྒྱབ་སྐོར་འཕེལ་བ།",
+ "Zoom Mode": "རྒྱབ་སྐོར་སྤོ་བ།",
+ "Single Page": "དེབ་གཅིག",
+ "Auto Spread": "རང་འགུལ་སྤྲོད།",
+ "Fit Page": "དེབ་འདེམས་པ།",
+ "Fit Width": "ཁྱབ་སྒྲིག་འདེམས་པ།",
+ "Failed to select directory": "གནས་ས་འདེམས་པ་བྱས་མ་ཐུབ།",
+ "The new data directory must be different from the current one.": "གསར་བཅས་སྐོར་འདེམས་པ་གནས་ས་དང་མཉམ་འབྱུང་བར་བྱས་མ་ཐུབ།",
+ "Migration failed: {{error}}": "མཉམ་དུ་ཀློག་འཛུལ་བྱས་མ་ཐུབ།",
+ "Change Data Location": "གསར་བཅས་སྐོར་འདེམས་པ།",
+ "Current Data Location": "ད་ལྟ་བཅས་སྐོར་འདེམས་པ།",
+ "Total size: {{size}}": "དངོས་གནས་བཅས་: {{size}}",
+ "Calculating file info...": "དེབ་གནས་བཅས་པའི་གདམ་ཁ་བཟོ་བྱས་མ་ཐུབ།",
+ "New Data Location": "གསར་བཅས་སྐོར་འདེམས་པ།",
+ "Choose Different Folder": "གཞན་དེབ་སྣོད་བཀར་བ།",
+ "Choose New Folder": "གསར་བཅས་སྣོད་བཀར་བ།",
+ "Migrating data...": "དེབ་གནས་བཅས་པའི་སྤྱོད་བྱས་མ་ཐུབ།",
+ "Copying: {{file}}": "དེབ་གནས་བཅས་པའི་སྤྱོད་བྱས་མ་ཐུབ།",
+ "{{current}} of {{total}} files": "{{current}} དང་ {{total}} དེབ་གནས་བཅས་པའི་སྤྱོད་བྱས་མ་ཐུབ།",
+ "Migration completed successfully!": "མཉམ་དུ་ཀློག་འཛུལ་བྱས་མ་ཐུབ།",
+ "Your data has been moved to the new location. Please restart the application to complete the process.": "ཁྱོད་ཀྱི་དེབ་གནས་བཅས་པའི་སྤྱོད་བྱས་མ་ཐུབ།",
+ "Migration failed": "མཉམ་དུ་ཀློག་འཛུལ་བྱས་མ་ཐུབ།",
+ "Important Notice": "དོན་གཞི་བརྗེ་བ།",
+ "This will move all your app data to the new location. Make sure the destination has enough free space.": "འདི་ནས་ཁྱོད་ཀྱི་ཨང་གཏོད་དེབ་གནས་བཅས་པའི་སྤྱོད་བྱས་མ་ཐུབ།",
+ "Restart App": "དེབ་ཀྱི་སྤྱོད་བྱས་མ་ཐུབ།",
+ "Start Migration": "མཉམ་དུ་ཀློག་འཛུལ་བྱས་མ་ཐུབ།",
+ "Advanced Settings": "དབང་བསྐྱོད་སྒྲིག་སྟངས།",
+ "File count: {{size}}": "དེབ་གནས་བཅས་པའི་ཨང་། {{size}}",
+ "Background Read Aloud": "གནས་སྟངས་ཀྱིས་ཀློག་བྱེད།",
+ "Ready to read aloud": "དེབ་ཀྱི་སྤྱོད་བྱས་མ་ཐུབ།",
+ "Read Aloud": "ཀློག་བྱེད།",
+ "Screen Brightness": "རྒྱབ་སྐོར་གྱི་འོད་ཟེར།",
+ "Background Image": "གནས་སྟངས་ཀྱི་རི་མོ།",
+ "Import Image": "དེབ་གནས་བཅས་པའི་སྤྱོད་བྱས་མ་ཐུབ།",
+ "Opacity": "སྤོ་སྐོར་གྱི་འོད་ཟེར།",
+ "Size": "ཨང་",
+ "Cover": "དེབ་གྱི་སྤྱོད་བྱས་མ་ཐུབ།",
+ "Contain": "འབྱོར་བ།",
+ "{{number}} pages left in chapter": "དོན་ཚན་ནང་ཤོག་ཨང་ {{number}} ལོག་གི་འདུག།",
+ "Device": "རྐྱབ་སྐོར",
+ "E-Ink Mode": "ཡིག་སྒྱུར་སྤོ་བ",
+ "Highlight Colors": "མདོག་ཚད་ཀྱི་བསྡུར་བ།",
+ "Auto Screen Brightness": "རྒྱབ་སྐོར་གྱི་འོད་ཟེར་རང་འགུལ།",
+ "Pagination": "ཤོག་གདོང་།",
+ "Disable Double Tap": "བརྒྱབ་གདོང་གཉིས་མ་འགྱོད།",
+ "Tap to Paginate": "ཤོག་གདོང་ལ་ཐོག་འགྲོ།",
+ "Click to Paginate": "ཤོག་གདོང་ལ་ཁྱེད་ལུས་འགྲོ།",
+ "Tap Both Sides": "གཡས་གཉིས་ལ་ཐོག་འགྲོ།",
+ "Click Both Sides": "གཡས་གཉིས་ལ་ཁྱེད་ལུས་འགྲོ།",
+ "Swap Tap Sides": "ཐོག་གཡས་གཉིས་བརྗེ་བ།",
+ "Swap Click Sides": "ཁྱེད་ལུས་གཡས་གཉིས་བརྗེ་བ།",
+ "Source and Translated": "ཡིག་སྒྱུར་སྤོ་བ།",
+ "Translated Only": "མདོག་ཚད་ཀྱི་བསྡུར་བ།",
+ "Source Only": "ཡིག་སྒྱུར་སྤོ་བ།",
+ "TTS Text": "TTS ཡིག",
+ "The book file is corrupted": "དེབ་གནས་བཅས་པའི་སྤྱོད་བྱས་མ་ཐུབ།",
+ "The book file is empty": "དེབ་གནས་བཅས་པའི་སྤྱོད་བྱས་མ་ཐུབ།",
+ "Failed to open the book file": "དེབ་གནས་བཅས་པའི་སྤྱོད་བྱས་མ་ཐུབ།",
+ "On-Demand Purchase": "অনুরোধে ক্রয়",
+ "Full Customization": "সম্পূর্ণ কাস্টমাইজেশন",
+ "Lifetime Plan": "জীবনকাল পরিকল্পনা",
+ "One-Time Payment": "এককালীন পেমেন্ট",
+ "Make a single payment to enjoy lifetime access to specific features on all devices. Purchase specific features or services only when you need them.": "নির্দিষ্ট বৈশিষ্ট্যগুলিতে সমস্ত ডিভাইসে জীবনকাল অ্যাক্সেস উপভোগ করতে এককালীন পেমেন্ট করুন। যখন আপনার প্রয়োজন তখনই নির্দিষ্ট বৈশিষ্ট্য বা পরিষেবাগুলি কিনুন।",
+ "Expand Cloud Sync Storage": "ক্লাউড সিঙ্ক স্টোরেজ বাড়ান",
+ "Expand your cloud storage forever with a one-time purchase. Each additional purchase adds more space.": "এককালীন ক্রয়ের মাধ্যমে আপনার ক্লাউড স্টোরেজ চিরকাল বাড়ান। প্রতিটি অতিরিক্ত ক্রয় আরও স্থান যোগ করে।",
+ "Unlock All Customization Options": "সমস্ত কাস্টমাইজেশন বিকল্প আনলক করুন",
+ "Unlock additional themes, fonts, layout options and read aloud, translators, cloud storage services.": "অতিরিক্ত থিম, ফন্ট, লেআউট বিকল্প এবং উচ্চস্বরে পড়া, অনুবাদক, ক্লাউড স্টোরেজ পরিষেবাগুলি আনলক করুন।",
+ "Purchase Successful!": "ক্রয় সফল!",
+ "lifetime": "জীবনকাল",
+ "Thank you for your purchase! Your payment has been processed successfully.": "আপনার ক্রয়ের জন্য ধন্যবাদ! আপনার পেমেন্ট সফলভাবে প্রক্রিয়াকৃত হয়েছে।",
+ "Order ID:": "অর্ডার আইডি:",
+ "TTS Highlighting": "ཡིག་འབྲུ་སྦྱོར་བའི་གསལ་བཤད།",
+ "Style": "བཟོ་ལྟ།",
+ "Underline": "འོག་ཐིག",
+ "Strikethrough": "འཐེན་ཐིག",
+ "Squiggly": "འཁྱོག་ཐིག",
+ "Outline": "མཐའ་ཐིག",
+ "Save Current Color": "མིག་སྔའི་ཚོན་གཏན་འཁེལ་བྱེད།",
+ "Quick Colors": "མྱུར་ཚོན།",
+ "Highlighter": "མདོག་ཚད་ཀྱི་བསྡུར་བ།",
+ "Save Book Cover": "དེབ་གནས་བཅས་པའི་སྤྱོད་བྱས་མ་ཐུབ།",
+ "Auto-save last book cover": "དེབ་གནས་བཅས་པའི་སྤྱོད་བྱས་མ་ཐུབ།",
+ "Back": "ལོག་བྱེད།",
+ "Confirmation email sent! Please check your old and new email addresses to confirm the change.": "གཏན་འཁེལ་ཡིག་འཕྲིན་བཏང་ཡོད། ཡིག་འཕྲིན་རྣམས་གཉིས་ལ་བལྟས་ནས་བརྗེ་བ་དེ་གཏན་འཁེལ་བྱོས།",
+ "Failed to update email": "ཡིག་འཕྲིན་གསར་བསྒྱུར་ཕམ་པ།",
+ "New Email": "ཡིག་འཕྲིན་གསར་པ།",
+ "Your new email": "ཁྱེད་ཀྱི་ཡིག་འཕྲིན་གསར་པ།",
+ "Updating email ...": "ཡིག་འཕྲིན་གསར་བསྒྱུར་བཞིན་པ། ...",
+ "Update email": "ཡིག་འཕྲིན་གསར་བསྒྱུར།",
+ "Current email": "མིག་སྔའི་ཡིག་འཕྲིན།",
+ "Update Email": "ཡིག་འཕྲིན་གསར་བསྒྱུར།",
+ "All": "ཆེན་མོ།",
+ "Unable to open book": "དེབ་ཀྱི་སྤྱོད་བྱས་མ་ཐུབ།",
+ "Punctuation": "ཚིག་གྲུབ།",
+ "Replace Quotation Marks": "འདྲེན་འབྲེལ་མཐུད་ཐིག་བརྗེ་བ།",
+ "Enabled only in vertical layout.": "གཡས་སྒྲིག་ནང་མིང་བརྗེ་བ།",
+ "No Conversion": "བསྒྱུར་བཤེར་མེད་",
+ "Simplified to Traditional": "སྟོང་བཟོས → སྲོལ་རྒྱུན",
+ "Traditional to Simplified": "སྲོལ་རྒྱུན → སྟོང་བཟོས",
+ "Simplified to Traditional (Taiwan)": "སྟོང་བཟོས → སྲོལ་རྒྱུན (ཏའི་ཝན)",
+ "Simplified to Traditional (Hong Kong)": "སྟོང་བཟོས → སྲོལ་རྒྱུན (ཧོང་ཀོང)",
+ "Simplified to Traditional (Taiwan), with phrases": "སྟོང་བཟོས → སྲོལ་རྒྱུན (ཏའི་ཝན • ཚིག་ཕྲེང)",
+ "Traditional (Taiwan) to Simplified": "སྲོལ་རྒྱུན (ཏའི་ཝན) → སྟོང་བཟོས",
+ "Traditional (Hong Kong) to Simplified": "སྲོལ་རྒྱུན (ཧོང་ཀོང) → སྟོང་བཟོས",
+ "Traditional (Taiwan) to Simplified, with phrases": "སྲོལ་རྒྱུན (ཏའི་ཝན • ཚིག་ཕྲེང) → སྟོང་བཟོས",
+ "Convert Simplified and Traditional Chinese": "རྒྱ་ཡིག སྟོང་བཟོས/སྲོལ་རྒྱུན བསྒྱུར་བ",
+ "Convert Mode": "བསྒྱུར་བའི་རྣམ་པ",
+ "Failed to auto-save book cover for lock screen: {{error}}": "སྒྲོམ་སྒོར་དེབ་གནས་བཅས་པའི་སྤྱོད་བྱས་མ་ཐུབ།: {{error}}",
+ "Download from Cloud": "སྤྲིན་ནས་ཕབ་སྟེ་འབེབས་",
+ "Upload to Cloud": "སྤྲིན་ལ་ཡར་སྤེལ་",
+ "Clear Custom Fonts": "རང་བཞིན་ཡིག་གཟུགས་སུབ་པ།",
+ "Columns": "མཚན་ཉིད།",
+ "OPDS Catalogs": "OPDS གནས་ཚུལ།",
+ "Adding LAN addresses is not supported in the web app version.": "གནས་ཚུལ་དང་ལུས་སྐོར་གྱི་གྲོང་ཁྱེར་གྱི་གློག་འཕྲིན་ལས་མཐུན་པ་མེད།",
+ "Invalid OPDS catalog. Please check the URL.": "མི་འབྱུང་བའི OPDS གནས་ཚུལ། ཨེ་ཨོ་ཨེར་ལུས་སྐོར་བཟོ་བྱས།",
+ "Browse and download books from online catalogs": "དེབ་གནས་བཅས་པའི་གྲོང་ཁྱེར་ལས་དེབ་འདེམས་དང་ཕབ་སྟེ་འབེབས།",
+ "My Catalogs": "ངའི་དཀར་ཆག",
+ "Add Catalog": "དཀར་ཆག་ཁ་སྣོན་",
+ "No catalogs yet": "དཀར་ཆག་མེད་པས།",
+ "Add your first OPDS catalog to start browsing books": "དེབ་ལྟ་བཤེར་འགོ་བཙུགས་ནས་ དང་པོའི་ OPDS དཀར་ཆག་ཁ་སྣོན་གནང་།",
+ "Add Your First Catalog": "དཀར་ཆག་དང་པོ་ཁ་སྣོན་",
+ "Browse": "ལྟ་བཤེར་",
+ "Popular Catalogs": "མི་མང་མཐོང་བའི་དཀར་ཆག",
+ "Add": "ཁ་སྣོན་",
+ "Add OPDS Catalog": "OPDS དཀར་ཆག་ཁ་སྣོན་",
+ "Catalog Name": "དཀར་ཆག་མིང་",
+ "My Calibre Library": "ངའི Calibre དེབ་མཛོད་",
+ "OPDS URL": "OPDS URL",
+ "Username (optional)": "མིང་སྒྲོམ་ (འདེམས་རུང་)",
+ "Password (optional)": "གསང་ཚིག (འདེམས་རུང་)",
+ "Description (optional)": "འགྲེལ་བཤད་ (འདེམས་རུང་)",
+ "A brief description of this catalog": "དཀར་ཆག་འདིའི་གསལ་བཤད་ཐུང་ཐུང་",
+ "Validating...": "བདེན་སྦྱོར་བཞིན་...",
+ "View All": "ཡོངས་ལྟ་བ་",
+ "Forward": "མདུན་དུ་",
+ "Home": "གཙོ་ངོས་",
+ "{{count}} items_other": "{{count}} རྣམ་གྲངས་",
+ "Download completed": "ཕབ་ལེན་རྫོགས་སོང་།",
+ "Download failed": "ཕབ་ལེན་ཕམ་པ་",
+ "Open Access": "ཁ་ཕྱབ་ལྟ་བཤེར་",
+ "Borrow": "ལེན་པ་",
+ "Buy": "ཉོ་",
+ "Subscribe": "མཁོ་མངགས་",
+ "Sample": "དཔེ་དབང་",
+ "Download": "ཕབ་ལེན་",
+ "Open & Read": "ཁ་ཕྱེས་ནས་ཀློག་",
+ "Tags": "མཚོན་འགྲེལ་",
+ "Tag": "མཚོན་འགྲེལ་",
+ "First": "དང་པོ།",
+ "Previous": "སྔོན་མ།",
+ "Next": "རྗེས་མ།",
+ "Last": "མཐའ་མ།",
+ "Cannot Load Page": "ཤོག་ངོས་འགུལ་སྐྱོང་བྱེད་ཐུབ་མེད།",
+ "An error occurred": "ནོར་འཁྲུལ་ཞིག་བྱུང་སོང་།",
+ "Online Library": "དྲ་རྒྱུན་དེབ་མཛོད།",
+ "URL must start with http:// or https://": "URL ནི་ http:// ཡང་ https:// ནས་འགོ་བཙུགས་དགོ།",
+ "Title, Author, Tag, etc...": "མིང་།, རྩོམ་པ།, མཚོན་འགྲེལ།, དེ་ལས་སྐུགས་...",
+ "Query": "འཚོལ་ཞིབ་",
+ "Subject": "དོན་ཚན་",
+ "Enter {{terms}}": "{{terms}} ལ་འགྲོ།",
+ "No search results found": "འཚོལ་ཞིབ་རྫོགས་མ་ཐུབ།",
+ "Failed to load OPDS feed: {{status}} {{statusText}}": "OPDS འཕྲིན་འདེམས་བྱས་མ་ཐུབ།: {{status}} {{statusText}}",
+ "Search in {{title}}": "{{title}} ནང་འཚོལ།",
+ "Manage Storage": "སྣོད་གསོག་དོ་དམ་བྱེད་པ",
+ "Failed to load files": "ཡིག་ཆ་སྣོན་པ་ཕམ་པ",
+ "Deleted {{count}} file(s)_other": "ཡིག་ཆ་ {{count}} བསུབས་ཟིན་པ",
+ "Failed to delete {{count}} file(s)_other": "ཡིག་ཆ་ {{count}} བསུབས་པ་ཕམ་པ",
+ "Failed to delete files": "ཡིག་ཆ་བསུབས་པ་ཕམ་པ",
+ "Total Files": "ཡིག་ཆ་ཡོངས་བསྡོམས",
+ "Total Size": "ཆེས་ཆེར་ཆེ་ཆུང",
+ "Quota": "ཁུལ་ཚད",
+ "Used": "ལག་ལེན་བྱས་ཟིན་པ",
+ "Files": "ཡིག་ཆ",
+ "Search files...": "ཡིག་ཆ་འཚོལ...",
+ "Newest First": "གསར་ཤོས་སྔོན་དུ",
+ "Oldest First": "རྙིང་ཤོས་སྔོན་དུ",
+ "Largest First": "ཆེ་ཤོས་སྔོན་དུ",
+ "Smallest First": "ཆུང་ཤོས་སྔོན་དུ",
+ "Name A-Z": "མིང་ A-Z",
+ "Name Z-A": "མིང་ Z-A",
+ "{{count}} selected_other": "{{count}} ཡིག་ཆ་འདེམས་ཟིན་པ",
+ "Delete Selected": "འདེམས་པ་བསུབས་པ",
+ "Created": "སྤེལ་བྱས་ཟིན་པ",
+ "No files found": "ཡིག་ཆ་མ་རྙེད་པ",
+ "No files uploaded yet": "ད་ཚུན་ཡིག་ཆ་སྣོན་མི་འདུག",
+ "files": "ཡིག་ཆ",
+ "Page {{current}} of {{total}}": "ཤོག་ངོས་ {{total}} ནས་ {{current}}",
+ "Are you sure to delete {{count}} selected file(s)?_other": "ཁྱེད་ཀྱིས་འདེམས་པའི་ཡིག་ཆ་ {{count}} བསུབས་དགོས་པ་ངེས་ཡིན་ན?",
+ "Cloud Storage Usage": "སྤྲིན་གནས་སྣོད་གསོག་ལུས་སྐོར།",
+ "Rename Group": "ཚོགས་མིང་བསྒྱུར་བ།",
+ "From Directory": "སྐོར་འདེམས་པ་ནས།",
+ "Successfully imported {{count}} book(s)_other": "སྤྲིན་ནས་ཕབ་སྟེ་འབེབས་ {{count}} དེབ་འདེམས་སོང་",
+ "Count": "ཨང་",
+ "Start Page": "ཤོག་ངོས་དང་པོ",
+ "Search in OPDS Catalog...": "OPDS དཀར་ཆག་ནང་འཚོལ།...",
+ "Please log in to use advanced TTS features": "དབང་བསྐྱོད་ཀྱི TTS རྣམ་པ་ཚུགས་སྤྱོད་བྱས་མ་ཐུབ།",
+ "Word limit of 30 words exceeded.": "ཚིག་གཅིག 30 ལྟར་འདོད་མེད།",
+ "Proofread": "མིག་སྔའི་བཤད་རྒྱུན།",
+ "Current selection": "དེབ་གནས་བཅས་པའི་སྤྱོད་བྱས་མ་ཐུབ།",
+ "All occurrences in this book": "དེབ་ནང་གི་འདི་ཚུགས་ཀྱི་འཚོལ་ཞིབ།",
+ "All occurrences in your library": "ཁྱོད་ཀྱི་དེབ་མཛོད་ནང་གི་འདི་ཚུགས་ཀྱི་འཚོལ་ཞིབ།",
+ "Selected text:": "དེབ་གནས་བཅས་པའི་སྤྱོད་བྱས་མ་ཐུབ།",
+ "Replace with:": "བརྗེ་བ།:",
+ "Enter text...": "ཡིག་ཆ་ལ་འགྲོ།...",
+ "Case sensitive:": "གནས་སྟངས་འདི་ལ་འབད་དགོས།",
+ "Scope:": "གནས་ཚུལ།:",
+ "Selection": "དེབ་གནས་བཅས་པའི་སྤྱོད་བྱས་མ་ཐུབ།",
+ "Library": "དེབ་མཛོད།",
+ "Yes": "ཨིན་",
+ "No": "མེད་",
+ "Proofread Replacement Rules": "མིག་སྔའི་བཤད་རྒྱུན་བརྗེ་བའི་རྣམ་པ།",
+ "Selected Text Rules": "བདམས་པའི་ཡིག་ཆ་བརྗེ་སྒྱུར་སྲིད་སྒྲིག",
+ "No selected text replacement rules": "བདམས་པའི་ཡིག་ཆ་བརྗེ་སྒྱུར་སྲིད་སྒྲིག་མེད་པ",
+ "Book Specific Rules": "དེབ་སྒོས་ཀྱི་བརྗེ་སྒྱུར་སྲིད་སྒྲིག",
+ "No book-level replacement rules": "དེབ་རིམ་གྱི་བརྗེ་སྒྱུར་སྲིད་སྒྲིག་མེད་པ",
+ "Disable Quick Action": "མགྱོགས་མྱུར་བྱ་བ་སྤང་",
+ "Enable Quick Action on Selection": "འདེམས་པའི་སྐབས་མགྱོགས་མྱུར་བྱ་བ་སྤྱོད་",
+ "None": "མེད་",
+ "Annotation Tools": "མཆན་འགྲེལ་ལག་ཆ་",
+ "Enable Quick Actions": "མགྱོགས་མྱུར་བྱ་བ་སྤྱོད་",
+ "Quick Action": "མགྱོགས་མྱུར་བྱ་བ་",
+ "Copy to Notebook": "ཟིན་དེབ་ནང་འདྲ་བཤུས་",
+ "Copy text after selection": "ཡིག་ཆ་འདེམས་པའི་ཐབས་ཀྱིས་འདྲ་བཤུས་",
+ "Highlight text after selection": "ཡིག་ཆ་འདེམས་པའི་ཐབས་ཀྱིས་མངོན་གསལ་བྱེད་",
+ "Annotate text after selection": "ཡིག་ཆ་འདེམས་པའི་ཐབས་ཀྱིས་མཆན་འགྲེལ་བྱེད་",
+ "Search text after selection": "ཡིག་ཆ་འདེམས་པའི་ཐབས་ཀྱིས་འཚོལ་ཞིབ་བྱེད་",
+ "Look up text in dictionary after selection": "ཡིག་ཆ་འདེམས་པའི་ཐབས་ཀྱིས་ཚིག་མཛོད་ནང་འཚོལ་",
+ "Look up text in Wikipedia after selection": "ཡིག་ཆ་འདེམས་པའི་ཐབས་ཀྱིས་ཝེ་ཀི་པི་ཌི་ཡི་ནང་འཚོལ་",
+ "Translate text after selection": "ཡིག་ཆ་འདེམས་པའི་ཐབས་ཀྱིས་སྐད་བསྒྱུར་བྱེད་",
+ "Read text aloud after selection": "ཡིག་ཆ་འདེམས་པའི་ཐབས་ཀྱིས་སྐད་ཀྱིས་ཀློག་",
+ "Proofread text after selection": "ཡིག་ཆ་འདེམས་པའི་ཐབས་ཀྱིས་ཞིབ་བཤེར་བྱེད་",
+ "{{activeCount}} active, {{pendingCount}} pending": "{{activeCount}} བྱེད་བཞིན་པ་, {{pendingCount}} སྒུག་བཞིན་པ་",
+ "{{failedCount}} failed": "{{failedCount}} ཕམ་པ་",
+ "Waiting...": "སྒུག་བཞིན་པ་...",
+ "Failed": "ཕམ་པ་",
+ "Completed": "གྲུབ་སོང་",
+ "Cancelled": "དོར་སོང་",
+ "Retry": "བསྐྱར་ཚོད་",
+ "Active": "བྱེད་བཞིན་པ་",
+ "Transfer Queue": "སྐྱེལ་འདྲེན་སྒྲིག་གཅོད་",
+ "Upload All": "ཚང་མ་འཇོག་",
+ "Download All": "ཚང་མ་ལེན་",
+ "Resume Transfers": "སྐྱེལ་འདྲེན་མུ་མཐུད་",
+ "Pause Transfers": "སྐྱེལ་འདྲེན་མཚམས་འཇོག་",
+ "Pending": "སྒུག་བཞིན་པ་",
+ "No transfers": "སྐྱེལ་འདྲེན་མེད་",
+ "Retry All": "ཚང་མ་བསྐྱར་ཚོད་",
+ "Clear Completed": "གྲུབ་པ་གསལ་བ་",
+ "Clear Failed": "ཕམ་པ་གསལ་བ་",
+ "Upload queued: {{title}}": "འཇོག་པའི་སྒྲིག་གཅོད་ནང་བཅུག་: {{title}}",
+ "Download queued: {{title}}": "ལེན་པའི་སྒྲིག་གཅོད་ནང་བཅུག་: {{title}}",
+ "Book not found in library": "དཔེ་མཛོད་ནང་དཔེ་ཆ་རྙེད་མ་སོང་",
+ "Unknown error": "མ་ཤེས་པའི་ནོར་འཁྲུལ་",
+ "Please log in to continue": "མུ་མཐུད་པར་ནང་འཛུལ་བྱོས་",
+ "Cloud File Transfers": "སྤྲིན་གནས་ཡིག་ཆ་སྐྱེལ་འདྲེན།",
+ "Show Search Results": "འཚོལ་བཤེར་འབྲས་བུ་སྟོན།",
+ "Search results for '{{term}}'": "'{{term}}'ཡི་འབྲས་བུ།",
+ "Close Search": "འཚོལ་བཤེར་སྒོ་རྒྱག",
+ "Previous Result": "སྔོན་མའི་འབྲས་བུ།",
+ "Next Result": "རྗེས་མའི་འབྲས་བུ།",
+ "Bookmarks": "དཔེ་རྟགས།",
+ "Annotations": "མཆན།",
+ "Show Results": "འབྲས་བུ་སྟོན།",
+ "Clear search": "འཚོལ་བཤེར་གཙང་སེལ།",
+ "Clear search history": "འཚོལ་བཤེར་ལོ་རྒྱུས་གཙང་སེལ།",
+ "Tap to Toggle Footer": "ཞབས་མཇུག་སྒོ་འབྱེད་བྱེད་པར་གནོན།",
+ "Exported successfully": "ཕྱིར་འདོན་ལེགས་གྲུབ་བྱུང་།",
+ "Book exported successfully.": "དཔེ་དེབ་ཕྱིར་འདོན་ལེགས་གྲུབ་བྱུང་།",
+ "Failed to export the book.": "དཔེ་དེབ་ཕྱིར་འདོན་མི་ཐུབ།",
+ "Export Book": "དཔེ་དེབ་ཕྱིར་འདོན།",
+ "Whole word:": "ཚིག་གྲུབ་ཆ་ཚང་:",
+ "Error": "ནོར་འཁྲུལ།",
+ "Unable to load the article. Try searching directly on {{link}}.": "རྩོམ་ཡིག་མངོན་མི་ཐུབ། {{link}} ཐད་ཀར་འཚོལ་བ་བྱོས།",
+ "Unable to load the word. Try searching directly on {{link}}.": "ཚིག་མངོན་མི་ཐུབ། {{link}} ཐད་ཀར་འཚོལ་བ་བྱོས།",
+ "Date Published": "པར་སྐྲུན་ཚེས་གྲངས།",
+ "Only for TTS:": "TTS ལ་ཁོ་ན།:",
+ "Uploaded": "ཡར་སྐྱེལ་བྱས་ཟིན།",
+ "Downloaded": "མར་ལེན་བྱས་ཟིན།",
+ "Deleted": "བསུབས་ཟིན།",
+ "Note:": "གསལ་བཤད།:",
+ "Time:": "དུས་ཚོད།:",
+ "Format Options": "རྣམ་གཞག་གདམ་ག",
+ "Export Date": "ཕྱིར་འདོན་ཚེས་གྲངས།",
+ "Chapter Titles": "ལེའུའི་མཚན།",
+ "Chapter Separator": "ལེའུའི་དབར་མཚམས།",
+ "Highlights": "གཙོ་གནད།",
+ "Note Date": "གསལ་བཤད་ཚེས་གྲངས།",
+ "Advanced": "མཐོ་རིམ།",
+ "Hide": "སྦས་པ།",
+ "Show": "མངོན་པ།",
+ "Use Custom Template": "རང་བཟོའི་དཔེ་གཞི་བེད་སྤྱོད།",
+ "Export Template": "ཕྱིར་འདོན་དཔེ་གཞི།",
+ "Template Syntax:": "དཔེ་གཞིའི་སྒྲིག་གཞི།:",
+ "Insert value": "གྲངས་ཐང་བཙུགས་པ།",
+ "Format date (locale)": "ཚེས་གྲངས་རྣམ་གཞག (ས་གནས།)",
+ "Format date (custom)": "ཚེས་གྲངས་རྣམ་གཞག (རང་བཟོ།)",
+ "Conditional": "དམིགས་བསལ།",
+ "Loop": "འཁོར་ལོ།",
+ "Available Variables:": "བེད་སྤྱད་རུང་བའི་འགྱུར་ཅན།:",
+ "Book title": "དེབ་མཚན།",
+ "Book author": "དེབ་རྩོམ་པ་པོ།",
+ "Export date": "ཕྱིར་འདོན་ཚེས་གྲངས།",
+ "Array of chapters": "ལེའུའི་ལེབ་ངོས།",
+ "Chapter title": "ལེའུའི་མཚན།",
+ "Array of annotations": "གསལ་བཤད་ལེབ་ངོས།",
+ "Highlighted text": "གཙོ་གནད་ཡིག་རྐྱང་།",
+ "Annotation note": "གསལ་བཤད་ཟིན་བྲིས།",
+ "Date Format Tokens:": "ཚེས་གྲངས་རྣམ་གཞག་རྟགས།:",
+ "Year (4 digits)": "ལོ། (གྲངས་ཐང་4)",
+ "Month (01-12)": "ཟླ། (01-12)",
+ "Day (01-31)": "ཚེས། (01-31)",
+ "Hour (00-23)": "ཆུ་ཚོད། (00-23)",
+ "Minute (00-59)": "སྐར་མ། (00-59)",
+ "Second (00-59)": "སྐར་ཆ། (00-59)",
+ "Show Source": "འབྱུང་ཁུངས་མངོན་པ།",
+ "No content to preview": "སྔོན་ལྟ་བྱེད་པའི་དོན་རྐྱེན་མེད།",
+ "Export": "ཕྱིར་འདོན།",
+ "Set Timeout": "དུས་ཚོད་སྒྲིག་པ།",
+ "Select Voice": "སྐད་གདངས་འདེམས།",
+ "Toggle Sticky Bottom TTS Bar": "TTS སྡོམ་ཐིག་བརྗེ་བ།",
+ "Display what I'm reading on Discord": "Discord ཐོག་ཀློག་བཞིན་པའི་དཔེ་ཆ་སྟོན།",
+ "Show on Discord": "Discord ཐོག་སྟོན།",
+ "Instant {{action}}": "འཕྲལ་མར་{{action}}",
+ "Instant {{action}} Disabled": "འཕྲལ་མར་{{action}}་ལྕོགས་མིན་བཟོས།",
+ "Annotation": "མཆན་འགྲེལ།",
+ "Reset Template": "དཔེ་གཞི་བསྐྱར་སྒྲིག",
+ "Annotation style": "མཆན་འགྲེལ་གྱི་བཟོ་ལྟ།",
+ "Annotation color": "མཆན་འགྲེལ་གྱི་ཚོན་མདོག",
+ "Annotation time": "མཆན་འགྲེལ་གྱི་དུས་ཚོད།",
+ "AI": "རིག་ནུས་མིས་བཟོས། (AI)",
+ "Are you sure you want to re-index this book?": "ཁྱེད་ཀྱིས་དཔེ་དེབ་འདི་བསྐྱར་དུ་དཀར་ཆག་བཟོ་རྒྱུ་གཏན་འཁེལ་ཡིན་ནམ།",
+ "Enable AI in Settings": "སྒྲིག་བཀོད་ནང་ AI སྤྱོད་པར་བྱོས།",
+ "Index This Book": "དཔེ་དེབ་འདི་དཀར་ཆག་བཟོ་བ།",
+ "Enable AI search and chat for this book": "དཔེ་དེབ་འདིར་ AI འཚོལ་བཤེར་དང་ཁ་བརྡ་སྤྱོད་པར་བྱོས།",
+ "Start Indexing": "དཀར་ཆག་བཟོ་འགོ་བཙུགས་པ།",
+ "Indexing book...": "དཔེ་དེབ་དཀར་ཆག་བཟོ་བཞིན་པ།...",
+ "Preparing...": "གྲ་སྒྲིག་བྱེད་བཞིན་པ།...",
+ "Delete this conversation?": "ཁ་བརྡ་འདི་བསུབ་དགོས་སམ།",
+ "No conversations yet": "ད་ལྟའི་བར་ཁ་བརྡ་མེད།",
+ "Start a new chat to ask questions about this book": "དཔེ་དེབ་འདིའི་སྐོར་ལ་དྲི་བ་དྲི་བར་ཁ་བརྡ་གསར་པ་ཞིག་འགོ་བཙུགས་པ།",
+ "Rename": "མིང་བརྗེ་བ།",
+ "New Chat": "ཁ་བརྡ་གསར་པ།",
+ "Chat": "ཁ་བརྡ།",
+ "Please enter a model ID": "དཔེ་གཞིའི་ཨང་རྟགས་ནང་འཇུག་བྱོས།",
+ "Model not available or invalid": "དཔེ་གཞི་མེད་པ་འམ་ནུས་མེད།",
+ "Failed to validate model": "དཔེ་གཞི་བདེན་སྦྱོར་བྱེད་ཐུབ་མེད།",
+ "Couldn't connect to Ollama. Is it running?": "Ollama ལ་འབྲེལ་མཐུད་བྱེད་ཐུབ་མེད། དེ་འཁོར་བཞིན་ཡོད་དམ།",
+ "Invalid API key or connection failed": "API ལྡེ་མིག་ནུས་མེད་དམ་འབྲེལ་མཐུད་ཕམ་པ།",
+ "Connection failed": "འབྲེལ་མཐུད་ཕམ་པ།",
+ "AI Assistant": "AI རོགས་པ།",
+ "Enable AI Assistant": "AI རོགས་པ་སྤྱོད་པར་བྱོས།",
+ "Provider": "མཁོ་འདོན་པ།",
+ "Ollama (Local)": "Ollama (ས་གནས།)",
+ "AI Gateway (Cloud)": "AI འཛུལ་སྒོ། (སྤྲིན་གནས།)",
+ "Ollama Configuration": "Ollama སྒྲིག་བཀོད།",
+ "Refresh Models": "དཔེ་གཞི་བསྐྱར་བརྗེ།",
+ "AI Model": "AI དཔེ་གཞི།",
+ "No models detected": "དཔེ་གཞི་མ་རྙེད།",
+ "AI Gateway Configuration": "AI འཛུལ་སྒོའི་སྒྲིག་བཀོད།",
+ "Choose from a selection of high-quality, economical AI models. You can also bring your own model by selecting \"Custom Model\" below.": "སྤུས་ལེགས་དང་ཁེ་ཕན་ཆེ་བའི་ AI དཔེ་གཞི་འདེམས་དགོས། ཁྱེད་ཀྱིས་འོག་གི་ \"རང་བཟོའི་དཔེ་གཞི།\" བདམས་ནས་རང་གི་དཔེ་གཞི་བེད་སྤྱོད་ཀྱང་ཆོག",
+ "API Key": "API ལྡེ་མིག་",
+ "Get Key": "ལྡེ་མིག་ལེན་པ།",
+ "Model": "དཔེ་གཞི།",
+ "Custom Model...": "རང་བཟོའི་དཔེ་གཞི།...",
+ "Custom Model ID": "རང་བཟོའི་དཔེ་གཞིའི་ཨང་རྟགས།",
+ "Validate": "བདེན་སྦྱོར།",
+ "Model available": "དཔེ་གཞི་ཡོད།",
+ "Connection": "འབྲེལ་མཐུད།",
+ "Test Connection": "འབྲེལ་མཐུད་ཚོད་ལྟ།",
+ "Connected": "འབྲེལ་མཐུད་ཟིན།",
+ "Custom Colors": "རང་བཟོས་ཚོན་མདོག",
+ "Color E-Ink Mode": "ཚོན་ལྡན་གློག་རྡུལ་སྣག་ཚའི་རྣམ་པ།",
+ "Reading Ruler": "ལྟ་ཀློག་ཐིག་ཤིང་།",
+ "Enable Reading Ruler": "ལྟ་ཀློག་ཐིག་ཤིང་སྤྱོད་པ།",
+ "Lines to Highlight": "མངོན་གསལ་དུ་གཏོང་དགོས་པའི་ཐིག་ཕྲེང་།",
+ "Ruler Color": "ཐིག་ཤིང་ගི་ཚོན་མདོག",
+ "Command Palette": "བཀོད་འདོམས་པང་ལེབ།",
+ "Search settings and actions...": "སྒྲིག་བཀོད་དང་བྱ་འགུལ་འཚོལ་བ།...",
+ "No results found for": "འབྲས་བུ་མ་རྙེད་པ།",
+ "Type to search settings and actions": "ཡིག་གཟུགས་ནང་འཇུག་བྱས་ཏེ་སྒྲིག་བཀོད་དང་བྱ་འགུལ་འཚོལ་བ།",
+ "Recent": "ཉེ་ཆར།",
+ "navigate": "འགྲུལ་བཞུད།",
+ "select": "འདེམས་པ།",
+ "close": "ཁ་རྒྱག་པ།",
+ "Search Settings": "སྒྲིག་བཀོད་འཚོལ་བ།",
+ "Page Margins": "ཤོག་ངོས་མཐའ་འགྲམ།",
+ "AI Provider": "ནུས་པའི་རིག་རྩལ་མཁོ་སྤྲོད་པ།",
+ "Ollama URL": "Ollama URL",
+ "Ollama Model": "Ollama དཔེ་གཞི།",
+ "AI Gateway Model": "AI Gateway དཔེ་གཞི།",
+ "Actions": "བྱ་འགུལ།",
+ "Navigation": "འགྲུལ་བཞུད།",
+ "Set status for {{count}} book(s)_other": "དེབ་ {{count}} གི་གནས་སྟངས་གཏན་འཁེལ་བྱེད།",
+ "Mark as Unread": "མ་ཀློག་པར་རྟགས་རྒྱག",
+ "Mark as Finished": "ཚར་བར་རྟགས་རྒྱག",
+ "Finished": "ཚར་སོང་།",
+ "Unread": "མ་ཀློག་པ།",
+ "Clear Status": "གནས་སྟངས་གཙང་མ།",
+ "Status": "གནས་སྟངས།",
+ "Loading": "ལེན་བཞིན་པ།...",
+ "Exit Paragraph Mode": "དུམ་མཚམས་རྣམ་པ་ནས་ཕྱིར་ཐོན།",
+ "Paragraph Mode": "དུམ་མཚམས་རྣམ་པ།",
+ "Embedding Model": "གནས་སྒྲིག་དཔེ་གཞི།",
+ "{{count}} book(s) synced_other": "དེབ་ {{count}} མཉམ་འགྲིག་བྱས་ཟིན།",
+ "Unable to start RSVP": "RSVP འགོ་འཛུགས་མ་ཐུབ།",
+ "RSVP not supported for PDF": "PDF ལ་ RSVP རྒྱབ་སྐྱོར་མེད།",
+ "Select Chapter": "ལེའུ་འདེམས་པ།",
+ "Context": "བརྗོད་དོན།",
+ "Ready": "གྲ་སྒྲིག་ཡོད།",
+ "Chapter Progress": "ལེའུའི་འཕེལ་རིམ།",
+ "words": "ཚིག",
+ "{{time}} left": "དུས་ཚོད་ {{time}} ལྷག་ཡོད།",
+ "Reading progress": "ཀློག་པའི་འཕེལ་རིམ།",
+ "Click to seek": "གནས་ས་འཚོལ་བར་གནོན་པ།",
+ "Skip back 15 words": "ཚིག་ ༡༥ རྒྱབ་ལ་བཤུད་པ།",
+ "Back 15 words (Shift+Left)": "ཚིག་ ༡༥ རྒྱབ་ལ་བཤུད་པ། (Shift+Left)",
+ "Pause (Space)": "མཚམས་འཇོག་པ། (Space)",
+ "Play (Space)": "གཏོང་བ། (Space)",
+ "Skip forward 15 words": "ཚིག་ ༡༥ མདུན་ལ་བཤུད་པ།",
+ "Forward 15 words (Shift+Right)": "ཚིག་ ༡༥ མདུན་ལ་བཤུད་པ། (Shift+Right)",
+ "Pause:": "མཚམས་འཇོག་པ།",
+ "Decrease speed": "མགྱོགས་ཚད་འགོར་དུ་གཏོང་བ།",
+ "Slower (Left/Down)": "འགོར་བ། (Left/Down)",
+ "Current speed": "ད་ལྟའི་མགྱོགས་ཚད།",
+ "Increase speed": "མགྱོགས་ཚད་མྱུར་དུ་གཏོང་བ།",
+ "Faster (Right/Up)": "མྱུར་བ། (Right/Up)",
+ "Start RSVP Reading": "RSVP ཀློག་འགོ་འཛུགས་པ།",
+ "Choose where to start reading": "གང་ནས་ཀློག་འགོ་འཛུགས་མིན་འདེམས་པ།",
+ "From Chapter Start": "ལེའུའི་འགོ་ནས།",
+ "Start reading from the beginning of the chapter": "ལེའུ་འདིའི་འགོ་ནས་ཀློག་པ།",
+ "Resume": "མུ་མཐུད་པ།",
+ "Continue from where you left off": "མཚམས་བཞག་སའི་གནས་ནས་མུ་མཐུད་པ།",
+ "From Current Page": "ད་ལྟའི་ཤོག་ལྷེ་ནས།",
+ "Start from where you are currently reading": "ད་ལྟ་ཀློག་བཞིན་པའི་གནས་ནས་འགོ་འཛུགས་པ།",
+ "From Selection": "བདམས་པའི་ནང་དོན་ནས།",
+ "Speed Reading Mode": "མྱུར་ཀློག་རྣམ་པ།",
+ "Scroll left": "གཡོན་ལ་བཤུད་དགོས།",
+ "Scroll right": "གཡས་ལ་བཤུད་དགོས།",
+ "Library Sync Progress": "དཔེ་མཛོད་མཉམ་འབྱུང་གི་རིམ་པ།",
+ "Back to library": "དཔེ་མཛོད་ལ་ལོག་པ།",
+ "Group by...": "དབྱེ་བ་འབྱེད་སྟངས།...",
+ "Export as Plain Text": "ཡིག་རྐྱང་དཀྱུས་མར་ཕྱིར་འདྲེན།",
+ "Export as Markdown": "Markdown དུ་ཕྱིར་འདྲེན།",
+ "Show Page Navigation Buttons": "ཤོག་ངོས་མཐེབ་གནོན།",
+ "Page {{number}}": "ཤོག་ལྷེ། {{number}}",
+ "highlight": "འོད་རྟགས།",
+ "underline": "ཞབས་ཐིག",
+ "squiggly": "ཀྱག་ཀྱག་ཐིག",
+ "red": "དམར་པོ།",
+ "violet": "སྨུག་པོ།",
+ "blue": "སྔོན་པོ།",
+ "green": "ལྗང་ཁུ།",
+ "yellow": "སེར་པོ།",
+ "Select {{style}} style": "{{style}} བཟོ་ལྟ་བདམ་པ།",
+ "Select {{color}} color": "{{color}} ཚོན་མདོག་བདམ་པ།",
+ "Close Book": "དེབ་ཁ་རྒྱག་པ།",
+ "Speed Reading": "མགྱོགས་ཀློག",
+ "Close Speed Reading": "མགྱོགས་ཀློག་ཁ་རྒྱག་པ།",
+ "Authors": "རྩོམ་པ་པོ།",
+ "Books": "དཔེ་ཆ།",
+ "Groups": "ཚོགས་པ།",
+ "Back to TTS Location": "TTS གནས་སར་ཕྱིར་ལོག་པ།",
+ "Metadata": "གནད་སྨིན་གོ་དོན།",
+ "Image viewer": "པར་རིས་ལྟ་བྱེད།",
+ "Previous Image": "སྔོན་མའི་པར་རིས།",
+ "Next Image": "རྗེས་མའི་པར་རིས།",
+ "Zoomed": "ཆེར་བསྐྱེད་ཟིན།",
+ "Zoom level": "ཆེར་བསྐྱེད་རིམ་པ།",
+ "Table viewer": "རེའུ་མིག་ལྟ་བྱེད།",
+ "Unable to connect to Readwise. Please check your network connection.": "Readwise ལ་མཐུད་ཐུབ་མ་སོང་། ཁྱེད་ཀྱི་དྲ་རྒྱའི་མཐུད་ལམ་ལ་བརྟག་དཔྱད་གནང་རོགས།",
+ "Invalid Readwise access token": "Readwise འཛུལ་སྤྱོད་ལག་ཁྱེར་ནོར་འདུག",
+ "Disconnected from Readwise": "Readwise ནས་མཐུད་ལམ་བཅད་ཟིན།",
+ "Never": "ནམ་ཡང་མིན།",
+ "Readwise Settings": "Readwise སྒྲིག་བཀོད།",
+ "Connected to Readwise": "Readwise ལ་མཐུད་ཟིན།",
+ "Last synced: {{time}}": "མཐའ་མའི་མཉམ་བྱུང་དུས་ཚོད། {{time}}",
+ "Sync Enabled": "མཉམ་བྱུང་ནུས་པ་སྤར་ཟིན།",
+ "Disconnect": "མཐུད་ལམ་གཅོད་པ།",
+ "Connect your Readwise account to sync highlights.": "ཁྱེད་ཀྱི་ Readwise རྩིས་ཐོ་མཐུད་ནས་བཀོད་མཆན་མཉམ་བྱུང་གནང་རོགས།",
+ "Get your access token at": "འཛུལ་སྤྱོད་ལག་ཁྱེར་འདི་ནས་ལེན་རོགས།",
+ "Access Token": "འཛུལ་སྤྱོད་ལག་ཁྱེེར།",
+ "Paste your Readwise access token": "Readwise འཛུལ་སྤྱོད་ལག་ཁྱེར་འདིར་སྦྱོར་རོགས།",
+ "Config": "སྒྲིག་བཀོད།",
+ "Readwise Sync": "Readwise མཉམ་བྱུང་།",
+ "Push Highlights": "བཀོད་མཆན་སྐྱེལ་བ།",
+ "Highlights synced to Readwise": "བཀོད་མཆན་ Readwise ལ་མཉམ་བྱུང་བྱས་ཟིན།",
+ "Readwise sync failed: no internet connection": "Readwise མཉམ་བྱུང་མ་ཐུབ། དྲ་རྒྱའི་མཐུད་ལམ་མི་འདུག",
+ "Readwise sync failed: {{error}}": "Readwise མཉམ་བྱུང་མ་ཐུབ། {{error}}"
+}
diff --git a/apps/readest-app/public/locales/de/translation.json b/apps/readest-app/public/locales/de/translation.json
new file mode 100644
index 0000000000000000000000000000000000000000..286efe704e7e89a2f554998b0c4ada766432e782
--- /dev/null
+++ b/apps/readest-app/public/locales/de/translation.json
@@ -0,0 +1,1060 @@
+{
+ "(detected)": "(erkannt)",
+ "About Readest": "Über Readest",
+ "Add your notes here...": "Fügen Sie hier Ihre Notizen hinzu...",
+ "Animation": "Animation",
+ "Annotate": "Annotieren",
+ "Apply": "Anwenden",
+ "Auto Mode": "Automatischer Modus",
+ "Behavior": "Verhalten",
+ "Book": "Buch",
+ "Bookmark": "Lesezeichen",
+ "Cancel": "Abbrechen",
+ "Chapter": "Kapitel",
+ "Cherry": "Kirschrot",
+ "Color": "Farbe",
+ "Confirm": "Bestätigen",
+ "Confirm Deletion": "Löschen bestätigen",
+ "Copied to notebook": "In Notizbuch kopiert",
+ "Copy": "Kopieren",
+ "Dark Mode": "Dunkelmodus",
+ "Default": "Standard",
+ "Default Font": "Standardschriftart",
+ "Default Font Size": "Standard-Schriftgröße",
+ "Delete": "Löschen",
+ "Delete Highlight": "Hervorhebung löschen",
+ "Dictionary": "Wörterbuch",
+ "Download Readest": "Readest herunterladen",
+ "Edit": "Bearbeiten",
+ "Excerpts": "Auszüge",
+ "Failed to import book(s): {{filenames}}": "Fehler beim Importieren von Buch/Büchern: {{filenames}}",
+ "Fast": "Schnell",
+ "Font": "Schriftart",
+ "Font & Layout": "Schrift & Layout",
+ "Font Face": "Schriftschnitt",
+ "Font Family": "Schriftfamilie",
+ "Font Size": "Schriftgröße",
+ "Full Justification": "Blocksatz",
+ "Global Settings": "Globale Einstellungen",
+ "Go Back": "Zurück",
+ "Go Forward": "Vorwärts",
+ "Grass": "Grasgrün",
+ "Gray": "Grau",
+ "Gruvbox": "Gruvbox",
+ "Highlight": "Hervorheben",
+ "Horizontal Direction": "Horizontale Richtung",
+ "Hyphenation": "Silbentrennung",
+ "Import Books": "Bücher importieren",
+ "Layout": "Layout",
+ "Light Mode": "Hellmodus",
+ "Loading...": "Wird geladen...",
+ "Logged in": "Angemeldet",
+ "Logged in as {{userDisplayName}}": "Angemeldet als {{userDisplayName}}",
+ "Match Case": "Groß-/Kleinschreibung beachten",
+ "Match Diacritics": "Akzente beachten",
+ "Match Whole Words": "Ganze Wörter",
+ "Maximum Number of Columns": "Maximale Spaltenanzahl",
+ "Minimum Font Size": "Minimale Schriftgröße",
+ "Monospace Font": "Monospace-Schriftart",
+ "More Info": "Weitere Informationen",
+ "Nord": "Nord",
+ "Notebook": "Notizbuch",
+ "Notes": "Notizen",
+ "Open": "Öffnen",
+ "Original Text": "Originaltext",
+ "Page": "Seite",
+ "Paging Animation": "Blätter-Animation",
+ "Paragraph": "Absatz",
+ "Published": "Veröffentlicht",
+ "Publisher": "Verlag",
+ "Reading Progress Synced": "Lesevorgang synchronisiert",
+ "Reload Page": "Seite neu laden",
+ "Reveal in File Explorer": "Im Datei-Explorer anzeigen",
+ "Reveal in Finder": "Im Finder anzeigen",
+ "Reveal in Folder": "Im Ordner anzeigen",
+ "Sans-Serif Font": "Serifenlose Schriftart",
+ "Save": "Speichern",
+ "Scrolled Mode": "Scroll-Modus",
+ "Search": "Suchen",
+ "Search Books...": "Bücher suchen...",
+ "Search...": "Suchen...",
+ "Select Book": "Buch auswählen",
+ "Select Books": "Bücher auswählen",
+ "Sepia": "Sepia",
+ "Serif Font": "Serifenschrift",
+ "Show Book Details": "Buchdetails anzeigen",
+ "Sidebar": "Seitenleiste",
+ "Sign In": "Anmelden",
+ "Sign Out": "Abmelden",
+ "Sky": "Himmelblau",
+ "Slow": "Langsam",
+ "Solarized": "Solarisiert",
+ "Speak": "Sprechen",
+ "Subjects": "Themen",
+ "System Fonts": "System-Schriftarten",
+ "Theme Color": "Themenfarbe",
+ "Theme Mode": "Themenmodus",
+ "Translate": "Übersetzen",
+ "Translated Text": "Übersetzter Text",
+ "Unknown": "Unbekannt",
+ "Untitled": "Ohne Titel",
+ "Updated": "Aktualisiert",
+ "Version {{version}}": "Version {{version}}",
+ "Vertical Direction": "Vertikale Richtung",
+ "Welcome to your library. You can import your books here and read them anytime.": "Willkommen in Ihrer Bibliothek. Sie können hier Ihre Bücher importieren und jederzeit lesen.",
+ "Wikipedia": "Wikipedia",
+ "Writing Mode": "Schreibmodus",
+ "Your Library": "Ihre Bibliothek",
+ "TTS not supported for PDF": "TTS wird für PDF nicht unterstützt",
+ "Override Book Font": "Buch-Schriftart überschreiben",
+ "Apply to All Books": "Auf alle Bücher anwenden",
+ "Apply to This Book": "Auf dieses Buch anwenden",
+ "Unable to fetch the translation. Try again later.": "Übersetzung konnte nicht abgerufen werden. Versuchen Sie es später erneut.",
+ "Check Update": "Aktualisierung prüfen",
+ "Already the latest version": "Bereits die neueste Version",
+ "Book Details": "Buchdetails",
+ "From Local File": "Aus lokaler Datei",
+ "TOC": "Inhaltsverzeichnis",
+ "Table of Contents": "Inhaltsverzeichnis",
+ "Book uploaded: {{title}}": "Buch hochgeladen: {{title}}",
+ "Failed to upload book: {{title}}": "Fehler beim Hochladen des Buches: {{title}}",
+ "Book downloaded: {{title}}": "Buch heruntergeladen: {{title}}",
+ "Failed to download book: {{title}}": "Fehler beim Herunterladen des Buches: {{title}}",
+ "Upload Book": "Buch hochladen",
+ "Auto Upload Books to Cloud": "Bücher automatisch hochladen",
+ "Book deleted: {{title}}": "Buch gelöscht: {{title}}",
+ "Failed to delete book: {{title}}": "Fehler beim Löschen des Buches: {{title}}",
+ "Check Updates on Start": "Aktualisierungen beim Start prüfen",
+ "Insufficient storage quota": "Unzureichendes Speicherkontingent",
+ "Font Weight": "Schriftgewicht",
+ "Line Spacing": "Zeilenabstand",
+ "Word Spacing": "Wortabstand",
+ "Letter Spacing": "Buchstabenabstand",
+ "Text Indent": "Texteinzug",
+ "Paragraph Margin": "Absatzrand",
+ "Override Book Layout": "Buch-Layout überschreiben",
+ "Untitled Group": "Unbenannte Gruppe",
+ "Group Books": "Bücher gruppieren",
+ "Remove From Group": "Aus Gruppe entfernen",
+ "Create New Group": "Neue Gruppe erstellen",
+ "Deselect Book": "Buch abwählen",
+ "Download Book": "Buch herunterladen",
+ "Deselect Group": "Gruppe abwählen",
+ "Select Group": "Gruppe auswählen",
+ "Keep Screen Awake": "Bildschirm aktiv halten",
+ "Email address": "E-Mail-Adresse",
+ "Your Password": "Ihr Passwort",
+ "Your email address": "Ihre E-Mail-Adresse",
+ "Your password": "Ihr Passwort",
+ "Sign in": "Anmelden",
+ "Signing in...": "Anmeldung...",
+ "Sign in with {{provider}}": "Mit {{provider}} anmelden",
+ "Already have an account? Sign in": "Haben Sie bereits ein Konto? Anmelden",
+ "Create a Password": "Passwort erstellen",
+ "Sign up": "Registrieren",
+ "Signing up...": "Registrierung...",
+ "Don't have an account? Sign up": "Kein Konto? Registrieren",
+ "Check your email for the confirmation link": "Überprüfen Sie Ihre E-Mails auf den Bestätigungslink",
+ "Signing in ...": "Anmeldung ...",
+ "Send a magic link email": "Magic-Link-E-Mail senden",
+ "Check your email for the magic link": "Überprüfen Sie Ihre E-Mails auf den Magic-Link",
+ "Send reset password instructions": "Anweisungen zum Zurücksetzen des Passworts senden",
+ "Sending reset instructions ...": "Sende Anweisungen zum Zurücksetzen ...",
+ "Forgot your password?": "Passwort vergessen?",
+ "Check your email for the password reset link": "Überprüfen Sie Ihre E-Mails auf den Link zum Zurücksetzen des Passworts",
+ "New Password": "Neues Passwort",
+ "Your new password": "Ihr neues Passwort",
+ "Update password": "Passwort aktualisieren",
+ "Updating password ...": "Passwort wird aktualisiert ...",
+ "Your password has been updated": "Ihr Passwort wurde aktualisiert",
+ "Phone number": "Telefonnummer",
+ "Your phone number": "Ihre Telefonnummer",
+ "Token": "Token",
+ "Your OTP token": "Ihr OTP-Token",
+ "Verify token": "Token überprüfen",
+ "Account": "Konto",
+ "Failed to delete user. Please try again later.": "Benutzer konnte nicht gelöscht werden. Bitte versuchen Sie es später erneut.",
+ "Community Support": "Community-Support",
+ "Priority Support": "Bevorzugter Support",
+ "Loading profile...": "Profil wird geladen...",
+ "Delete Account": "Konto löschen",
+ "Delete Your Account?": "Ihr Konto löschen?",
+ "This action cannot be undone. All your data in the cloud will be permanently deleted.": "Diese Aktion kann nicht rückgängig gemacht werden. Alle Ihre Daten in der Cloud werden dauerhaft gelöscht.",
+ "Delete Permanently": "Dauerhaft löschen",
+ "RTL Direction": "RTL-Richtung",
+ "Maximum Column Height": "Maximale Spaltenhöhe",
+ "Maximum Column Width": "Maximale Spaltenbreite",
+ "Continuous Scroll": "Kontinuierliches Scrollen",
+ "Fullscreen": "Vollbild",
+ "No supported files found. Supported formats: {{formats}}": "Keine unterstützten Dateien gefunden. Unterstützte Formate: {{formats}}",
+ "Drop to Import Books": "Zum Importieren von Büchern ablegen",
+ "Custom": "Eigen",
+ "All the world's a stage,\nAnd all the men and women merely players;\nThey have their exits and their entrances,\nAnd one man in his time plays many parts,\nHis acts being seven ages.\n\n— William Shakespeare": "Die ganze Welt ist eine Bühne,\nUnd alle Männer und Frauen sind bloß Spieler;\nSie haben ihre Abgänge und ihre Auftritte,\nUnd ein Mann spielt in seinem Leben viele Rollen,\nSeine Taten sind sieben Zeitalter.\n\n— William Shakespeare",
+ "Custom Theme": "Benutzerdefiniertes Thema",
+ "Theme Name": "Themenname",
+ "Text Color": "Textfarbe",
+ "Background Color": "Hintergrundfarbe",
+ "Preview": "Vorschau",
+ "Contrast": "Kontrast",
+ "Sunset": "Abend",
+ "Double Border": "Doppelter Rand",
+ "Border Color": "Randfarbe",
+ "Border Frame": "Rahmenrand",
+ "Show Header": "Kopfzeile anzeigen",
+ "Show Footer": "Fußzeile anzeigen",
+ "Small": "Klein",
+ "Large": "Groß",
+ "Auto": "Automatisch",
+ "Language": "Sprache",
+ "No annotations to export": "Keine Anmerkungen zum Exportieren",
+ "Author": "Autor",
+ "Exported from Readest": "Exportiert von Readest",
+ "Highlights & Annotations": "Hervorhebungen & Anmerkungen",
+ "Note": "Notiz",
+ "Copied to clipboard": "In die Zwischenablage kopiert",
+ "Export Annotations": "Anmerkungen exportieren",
+ "Auto Import on File Open": "Automatischer Import beim Öffnen einer Datei",
+ "LXGW WenKai GB Screen": "LXGW WenKai SC",
+ "LXGW WenKai TC": "LXGW WenKai TC",
+ "No chapters detected": "Keine Kapitel erkannt",
+ "Failed to parse the EPUB file": "Fehler beim Parsen der EPUB-Datei",
+ "This book format is not supported": "Dieses Buchformat wird nicht unterstützt",
+ "Unable to fetch the translation. Please log in first and try again.": "Übersetzung konnte nicht abgerufen werden. Bitte zuerst anmelden und erneut versuchen.",
+ "Group": "Gruppieren",
+ "Always on Top": "Immer im Vordergrund",
+ "No Timeout": "Kein Timeout",
+ "{{value}} minute": "{{value}} Minute",
+ "{{value}} minutes": "{{value}} Minuten",
+ "{{value}} hour": "{{value}} Stunde",
+ "{{value}} hours": "{{value}} Stunden",
+ "CJK Font": "CJK-Schriftart",
+ "Clear Search": "Suche löschen",
+ "Header & Footer": "Kopf- & Fußzeile",
+ "Apply also in Scrolled Mode": "Auch im Scroll-Modus anwenden",
+ "A new version of Readest is available!": "Eine neue Version von Readest ist verfügbar!",
+ "Readest {{newVersion}} is available (installed version {{currentVersion}}).": "Readest {{newVersion}} ist verfügbar (installierte Version {{currentVersion}}).",
+ "Download and install now?": "Jetzt herunterladen und installieren?",
+ "Downloading {{downloaded}} of {{contentLength}}": "Herunterladen {{downloaded}} von {{contentLength}}",
+ "Download finished": "Download abgeschlossen",
+ "DOWNLOAD & INSTALL": "HERUNTERLADEN & INSTALLIEREN",
+ "Changelog": "Änderungsprotokoll",
+ "Software Update": "Software-Update",
+ "Title": "Titel",
+ "Date Read": "Datum gelesen",
+ "Date Added": "Datum hinzugefügt",
+ "Format": "Format",
+ "Ascending": "Aufsteigend",
+ "Descending": "Absteigend",
+ "Sort by...": "Sortieren nach...",
+ "Added": "Hinzugefügt",
+ "GuanKiapTsingKhai-T": "GuanKiapTsingKhai-T",
+ "Description": "Beschreibung",
+ "No description available": "Keine Beschreibung verfügbar",
+ "List": "Liste",
+ "Grid": "Raster",
+ "(from 'As You Like It', Act II)": "(aus 'Wie es euch gefällt', Akt II)",
+ "Link Color": "Linkfarbe",
+ "Volume Keys for Page Flip": "Volumen-Tasten für Seitenwechsel",
+ "Screen": "Bildschirm",
+ "Orientation": "Orientierung",
+ "Portrait": "Hochformat",
+ "Landscape": "Querformat",
+ "Open Last Book on Start": "Letztes Buch beim Start öffnen",
+ "Checking for updates...": "Auf Updates prüfen...",
+ "Error checking for updates": "Fehler beim Überprüfen auf Updates",
+ "Details": "Details",
+ "File Size": "Dateigröße",
+ "Auto Detect": "Automatisch erkennen",
+ "Next Section": "Nächster Abschnitt",
+ "Previous Section": "Vorheriger Abschnitt",
+ "Next Page": "Nächste Seite",
+ "Previous Page": "Vorherige Seite",
+ "Are you sure to delete {{count}} selected book(s)?_one": "Möchtest du das ausgewählte Buch wirklich löschen?",
+ "Are you sure to delete {{count}} selected book(s)?_other": "Möchtest du die {{count}} ausgewählten Bücher wirklich löschen?",
+ "Are you sure to delete the selected book?": "Möchtest du das ausgewählte Buch wirklich löschen?",
+ "Deselect": "Aufheben",
+ "Select All": "Alle",
+ "No translation available.": "Keine Übersetzung verfügbar.",
+ "Translated by {{provider}}.": "Übersetzt von {{provider}}.",
+ "DeepL": "DeepL",
+ "Google Translate": "Google Übersetzer",
+ "Azure Translator": "Azure Übersetzer",
+ "Invert Image In Dark Mode": "Invertiere Bild im Dunkeln",
+ "Help improve Readest": "Readest verbessern helfen",
+ "Sharing anonymized statistics": "Anonymisierte Statistiken teilen",
+ "Interface Language": "UI-Sprache",
+ "Translation": "Übersetzung",
+ "Enable Translation": "Übersetzung aktivieren",
+ "Translation Service": "Übersetzer",
+ "Translate To": "Übersetzen nach",
+ "Disable Translation": "Übersetzung deaktivieren",
+ "Scroll": "Scrollen",
+ "Overlap Pixels": "Überlappungspixel",
+ "System Language": "Systemsprache",
+ "Security": "Sicherheit",
+ "Allow JavaScript": "JavaScript zulassen",
+ "Enable only if you trust the file.": "Nur aktivieren, wenn Sie der Datei vertrauen.",
+ "Sort TOC by Page": "TOC nach Seite sortieren",
+ "Search in {{count}} Book(s)..._one": "Suche in {{count}} Buch...",
+ "Search in {{count}} Book(s)..._other": "Suche in {{count}} Büchern...",
+ "No notes match your search": "Noch keine Notizen gefunden",
+ "Search notes and excerpts...": "Notizen und Auszüge suchen...",
+ "Sign in to Sync": "Anmelden zum Synchronisieren",
+ "Synced at {{time}}": "Synchronisiert um {{time}}",
+ "Never synced": "Nie synchronisiert",
+ "Show Remaining Time": "Verbleibende Zeit anzeigen",
+ "{{time}} min left in chapter": "{{time}} min verbleibend im Kapitel",
+ "Override Book Color": "Farbe des Buches überschreiben",
+ "Login Required": "Anmeldung nötig",
+ "Quota Exceeded": "Limit überschritten",
+ "{{percentage}}% of Daily Translation Characters Used.": "{{percentage}}% der täglichen Übersetzungszeichen verwendet.",
+ "Translation Characters": "Übersetzungszeichen",
+ "{{engine}}: {{count}} voices_one": "{{engine}}: {{count}} Stimme",
+ "{{engine}}: {{count}} voices_other": "{{engine}}: {{count}} Stimmen",
+ "Something went wrong. Don't worry, our team has been notified and we're working on a fix.": "Etwas ist schief gelaufen. Keine Sorge, unser Team wurde benachrichtigt und arbeitet an einer Lösung.",
+ "Error Details:": "Fehlerdetails:",
+ "Try Again": "Erneut versuchen",
+ "Need help?": "Brauchen Sie Hilfe?",
+ "Contact Support": "Support kontaktieren",
+ "Code Highlighting": "Code-Hervorhebung",
+ "Enable Highlighting": "Code-Hervorhebung aktivieren",
+ "Code Language": "Programmiersprache",
+ "Top Margin (px)": "Oberer Rand (px)",
+ "Bottom Margin (px)": "Unterer Rand (px)",
+ "Right Margin (px)": "Rechter Rand (px)",
+ "Left Margin (px)": "Linker Rand (px)",
+ "Column Gap (%)": "Spaltenabstand (%)",
+ "Always Show Status Bar": "Statusleiste immer anzeigen",
+ "Custom Content CSS": "Benutzerdefiniertes Inhalts-CSS",
+ "Enter CSS for book content styling...": "CSS für die Buchinhaltsgestaltung eingeben...",
+ "Custom Reader UI CSS": "Benutzerdefiniertes CSS für die Leseroberfläche",
+ "Enter CSS for reader interface styling...": "CSS für die Leseroberfläche eingeben...",
+ "Crop": "Zuschneiden",
+ "Book Covers": "Buchcover",
+ "Fit": "Anpassen",
+ "Reset {{settings}}": "{{settings}} zurücksetzen",
+ "Reset Settings": "Einstellungen zurücksetzen",
+ "{{count}} pages left in chapter_one": "{{count}} Seite verbleibend im Kapitel",
+ "{{count}} pages left in chapter_other": "{{count}} Seiten verbleibend im Kapitel",
+ "Show Remaining Pages": "Verbleibende Seiten anzeigen",
+ "Source Han Serif CN": "Source Han Serif",
+ "Huiwen-MinchoGBK": "Huiwen Mincho",
+ "KingHwa_OldSong": "KingHwa Song",
+ "Manage Subscription": "Abo verwalten",
+ "Coming Soon": "Demnächst verfügbar",
+ "Upgrade to {{plan}}": "Upgrade auf {{plan}}",
+ "Upgrade to Plus or Pro": "Upgrade auf Plus oder Pro",
+ "Current Plan": "Aktueller Tarif",
+ "Plan Limits": "Tariflimits",
+ "Processing your payment...": "Zahlung wird verarbeitet...",
+ "Please wait while we confirm your subscription.": "Bitte warten Sie, während wir Ihr Abo bestätigen.",
+ "Payment Processing": "Zahlung wird verarbeitet",
+ "Your payment is being processed. This usually takes a few moments.": "Ihre Zahlung wird verarbeitet. Dies dauert normalerweise nur wenige Augenblicke.",
+ "Payment Failed": "Zahlung fehlgeschlagen",
+ "We couldn't process your subscription. Please try again or contact support if the issue persists.": "Ihr Abo konnte nicht verarbeitet werden. Bitte versuchen Sie es erneut oder kontaktieren Sie den Support, falls das Problem weiterhin besteht.",
+ "Back to Profile": "Zurück zum Profil",
+ "Subscription Successful!": "Abo erfolgreich!",
+ "Thank you for your subscription! Your payment has been processed successfully.": "Vielen Dank für Ihr Abo! Die Zahlung wurde erfolgreich verarbeitet.",
+ "Email:": "E-Mail:",
+ "Plan:": "Tarif:",
+ "Amount:": "Betrag:",
+ "Go to Library": "Zur Bibliothek",
+ "Need help? Contact our support team at support@readest.com": "Brauchen Sie Hilfe? Kontaktieren Sie unser Support-Team unter support@readest.com",
+ "Free Plan": "Gratis-Tarif",
+ "month": "Monat",
+ "AI Translations (per day)": "KI-Übersetzungen (pro Tag)",
+ "Plus Plan": "Plus-Tarif",
+ "Includes All Free Plan Benefits": "Enthält alle Vorteile des Gratis-Tarifs",
+ "Pro Plan": "Pro-Tarif",
+ "More AI Translations": "Mehr KI-Übersetzungen",
+ "Complete Your Subscription": "Abschließen Sie Ihr Abonnement",
+ "{{percentage}}% of Cloud Sync Space Used.": "{{percentage}}% des Cloud-Synchronisierungsspeichers verwendet.",
+ "Cloud Sync Storage": "Cloud-Speicher",
+ "Parallel Read": "Paralleles Lesen",
+ "Disable": "Deaktivieren",
+ "Enable": "Aktivieren",
+ "Upgrade to Readest Premium": "Upgrade auf Readest Premium",
+ "Show Source Text": "Quelltext anzeigen",
+ "Cross-Platform Sync": "Plattformübergreifende Synchronisierung",
+ "Seamlessly sync your library, progress, highlights, and notes across all your devices—never lose your place again.": "Synchronisiere Bibliothek, Fortschritt und Notizen auf allen Geräten.",
+ "Customizable Reading": "Individuelles Lesen",
+ "AI Read Aloud": "KI-Vorlesen",
+ "Enjoy hands-free reading with natural-sounding AI voices that bring your books to life.": "Höre Bücher mit natürlichen KI-Stimmen.",
+ "AI Translations": "KI-Übersetzungen",
+ "Connect with fellow readers and get help fast in our friendly community channels.": "Tausche dich mit anderen aus und erhalte Hilfe.",
+ "Unlimited AI Read Aloud Hours": "Unbegrenzte Vorlesezeit",
+ "Listen without limits—convert as much text as you like into immersive audio.": "Beliebig viel Text in Audio umwandeln.",
+ "Unlock enhanced translation capabilities with more daily usage and advanced options.": "Erweitere Übersetzungen und tägliches Kontingent.",
+ "DeepL Pro Access": "DeepL Pro-Zugang",
+ "Enjoy faster responses and dedicated assistance whenever you need help.": "Erhalte schnellen, persönlichen Support.",
+ "Daily translation quota reached. Upgrade your plan to continue using AI translations.": "Tageslimit erreicht. Upgrade nötig, um weiter zu übersetzen.",
+ "Personalize every detail with adjustable fonts, layouts, themes, and advanced display settings for the perfect reading experience.": "Personalisieren Sie jedes Detail mit anpassbaren Schriften, Layouts, Themes und erweiterten Anzeigeeinstellungen für das perfekte Leseerlebnis.",
+ "Translate any text instantly with the power of Google, Azure, or DeepL—understand content in any language.": "Übersetzen Sie jeden Text sofort mit der Kraft von Google, Azure oder DeepL—verstehen Sie Inhalte in jeder Sprache.",
+ "Includes All Plus Plan Benefits": "Enthält alle Plus-Plan-Vorteile",
+ "Early Feature Access": "Früher Zugang zu Features",
+ "Be the first to explore new features, updates, and innovations before anyone else.": "Entdecken Sie neue Features, Updates und Innovationen vor allen anderen.",
+ "Advanced AI Tools": "Erweiterte KI-Tools",
+ "Harness powerful AI tools for smarter reading, translation, and content discovery.": "Nutzen Sie leistungsstarke KI-Tools für intelligenteres Lesen, Übersetzen und Content-Discovery.",
+ "Translate up to 100,000 characters daily with the most accurate translation engine available.": "Übersetzen Sie täglich bis zu 100.000 Zeichen mit der genauesten verfügbaren Übersetzungsmaschine.",
+ "Translate up to 500,000 characters daily with the most accurate translation engine available.": "Übersetzen Sie täglich bis zu 500.000 Zeichen mit der genauesten verfügbaren Übersetzungsmaschine.",
+ "Securely store and access your entire reading collection with up to 5 GB of cloud storage.": "Speichern und greifen Sie sicher auf Ihre gesamte Lesekollektion mit bis zu 5 GB Cloud-Speicher zu.",
+ "Securely store and access your entire reading collection with up to 20 GB of cloud storage.": "Speichern und greifen Sie sicher auf Ihre gesamte Lesekollektion mit bis zu 20 GB Cloud-Speicher zu.",
+ "Deleted cloud backup of the book: {{title}}": "Gelöschte Cloud-Sicherung des Buches: {{title}}",
+ "Are you sure to delete the cloud backup of the selected book?": "Sind Sie sicher, dass Sie die Cloud-Sicherung des ausgewählten Buches löschen möchten?",
+ "What's New in Readest": "Was gibt es Neues in Readest",
+ "Enter book title": "Buchtitel eingeben",
+ "Subtitle": "Untertitel",
+ "Enter book subtitle": "Buchuntertitel eingeben",
+ "Enter author name": "Autorennamen eingeben",
+ "Series": "Serie",
+ "Enter series name": "Seriennamen eingeben",
+ "Series Index": "Seriennummer",
+ "Enter series index": "Seriennummer eingeben",
+ "Total in Series": "Gesamt in Serie",
+ "Enter total books in series": "Gesamtanzahl der Bücher in Serie eingeben",
+ "Enter publisher": "Verlag eingeben",
+ "Publication Date": "Veröffentlichungsdatum",
+ "Identifier": "Identifikator",
+ "Enter book description": "Buchbeschreibung eingeben",
+ "Change cover image": "Titelbild ändern",
+ "Replace": "Ersetzen",
+ "Unlock cover": "Titelbild entsperren",
+ "Lock cover": "Titelbild sperren",
+ "Auto-Retrieve Metadata": "Metadaten automatisch abrufen",
+ "Auto-Retrieve": "Automatisch abrufen",
+ "Unlock all fields": "Alle Felder entsperren",
+ "Unlock All": "Alle entsperren",
+ "Lock all fields": "Alle Felder sperren",
+ "Lock All": "Alle sperren",
+ "Reset": "Zurücksetzen",
+ "Edit Metadata": "Metadaten bearbeiten",
+ "Locked": "Gesperrt",
+ "Select Metadata Source": "Metadatenquelle auswählen",
+ "Keep manual input": "Manuelle Eingabe beibehalten",
+ "Google Books": "Google Books",
+ "Open Library": "Open Library",
+ "Fiction, Science, History": "Belletristik, Wissenschaft, Geschichte",
+ "Open Book in New Window": "Buch in neuem Fenster öffnen",
+ "Voices for {{lang}}": "Stimmen für {{lang}}",
+ "Yandex Translate": "Yandex Übersetzer",
+ "YYYY or YYYY-MM-DD": "YYYY oder YYYY-MM-DD",
+ "Restore Purchase": "Kauf wiederherstellen",
+ "No purchases found to restore.": "Keine Käufe zum Wiederherstellen gefunden.",
+ "Failed to restore purchases.": "Wiederherstellung der Käufe fehlgeschlagen.",
+ "Failed to manage subscription.": "Verwaltung des Abonnements fehlgeschlagen.",
+ "Failed to load subscription plans.": "Laden der Abonnementpläne fehlgeschlagen.",
+ "year": "Jahr",
+ "Failed to create checkout session": "Fehler beim Erstellen der Checkout-Sitzung",
+ "Storage": "Speicher",
+ "Terms of Service": "Allgemeine Geschäftsbedingungen",
+ "Privacy Policy": "Datenschutzbestimmungen",
+ "Disable Double Click": "Doppelklick deaktivieren",
+ "TTS not supported for this document": "TTS wird für dieses Dokument nicht unterstützt",
+ "Reset Password": "Passwort zurücksetzen",
+ "Show Reading Progress": "Lesefortschritt anzeigen",
+ "Reading Progress Style": "Lesefortschritt-Stil",
+ "Page Number": "Seitenzahl",
+ "Percentage": "Prozentsatz",
+ "Deleted local copy of the book: {{title}}": "Gelöschte lokale Kopie des Buches: {{title}}",
+ "Failed to delete cloud backup of the book: {{title}}": "Fehler beim Löschen der Cloud-Sicherung des Buches: {{title}}",
+ "Failed to delete local copy of the book: {{title}}": "Fehler beim Löschen der lokalen Kopie des Buches: {{title}}",
+ "Are you sure to delete the local copy of the selected book?": "Sind Sie sicher, dass Sie die lokale Kopie des ausgewählten Buches löschen möchten?",
+ "Remove from Cloud & Device": "Aus Cloud & Gerät entfernen",
+ "Remove from Cloud Only": "Nur aus der Cloud entfernen",
+ "Remove from Device Only": "Nur vom Gerät entfernen",
+ "Disconnected": "Getrennt",
+ "KOReader Sync Settings": "KOReader Sync-Einstellungen",
+ "Sync Strategy": "Sync-Strategie",
+ "Ask on conflict": "Bei Konflikten fragen",
+ "Always use latest": "Immer die neueste Version verwenden",
+ "Send changes only": "Nur Änderungen senden",
+ "Receive changes only": "Nur Änderungen empfangen",
+ "Checksum Method": "Prüfziffernverfahren",
+ "File Content (recommended)": "Dateiinhalte (empfohlen)",
+ "File Name": "Dateiname",
+ "Device Name": "Gerätename",
+ "Connect to your KOReader Sync server.": "Mit Ihrem KOReader Sync-Server verbinden.",
+ "Server URL": "Server-URL",
+ "Username": "Benutzername",
+ "Your Username": "Ihr Benutzername",
+ "Password": "Passwort",
+ "Connect": "Verbinden",
+ "KOReader Sync": "KOReader Sync",
+ "Sync Conflict": "Sync-Konflikt",
+ "Sync reading progress from \"{{deviceName}}\"?": "Lesefortschritt von \"{{deviceName}}\" synchronisieren?",
+ "another device": "ein anderes Gerät",
+ "Local Progress": "Lokaler Fortschritt",
+ "Remote Progress": "Entfernter Fortschritt",
+ "Page {{page}} of {{total}} ({{percentage}}%)": "Seite {{page}} von {{total}} ({{percentage}}%)",
+ "Current position": "Aktuelle Position",
+ "Approximately page {{page}} of {{total}} ({{percentage}}%)": "Ungefähr Seite {{page}} von {{total}} ({{percentage}}%)",
+ "Approximately {{percentage}}%": "Ungefähr {{percentage}}%",
+ "Failed to connect": "Verbindung fehlgeschlagen",
+ "Sync Server Connected": "Sync-Server verbunden",
+ "Sync as {{userDisplayName}}": "Sync als {{userDisplayName}}",
+ "Custom Fonts": "Benutzerdefinierte Schriftarten",
+ "Cancel Delete": "Löschen abbrechen",
+ "Import Font": "Schriftart importieren",
+ "Delete Font": "Schriftart löschen",
+ "Tips": "Tipps",
+ "Custom fonts can be selected from the Font Face menu": "Benutzerdefinierte Schriftarten können aus dem Schriftart-Menü ausgewählt werden",
+ "Manage Custom Fonts": "Benutzerdefinierte Schriftarten verwalten",
+ "Select Files": "Dateien auswählen",
+ "Select Image": "Bild auswählen",
+ "Select Video": "Video auswählen",
+ "Select Audio": "Audio auswählen",
+ "Select Fonts": "Schriftarten auswählen",
+ "Supported font formats: .ttf, .otf, .woff, .woff2": "Unterstützte Schriftartenformate: .ttf, .otf, .woff, .woff2",
+ "Push Progress": "Fortschritt senden",
+ "Pull Progress": "Fortschritt empfangen",
+ "Previous Paragraph": "Vorheriger Absatz",
+ "Previous Sentence": "Vorheriger Satz",
+ "Pause": "Pause",
+ "Play": "Wiedergabe",
+ "Next Sentence": "Nächster Satz",
+ "Next Paragraph": "Nächster Absatz",
+ "Separate Cover Page": "Titelseite separat anzeigen",
+ "Resize Notebook": "Notizbuchgröße ändern",
+ "Resize Sidebar": "Seitenleisten-Größe ändern",
+ "Get Help from the Readest Community": "Hilfe von der Readest-Community erhalten",
+ "Remove cover image": "Coverbild entfernen",
+ "Bookshelf": "Bücherregal",
+ "View Menu": "Menü anzeigen",
+ "Settings Menu": "Einstellungsmenü",
+ "View account details and quota": "Kontodetails und Kontingent anzeigen",
+ "Library Header": "Bibliothekskopf",
+ "Book Content": "Buchinhalt",
+ "Footer Bar": "Fußzeile",
+ "Header Bar": "Kopfzeile",
+ "View Options": "Ansichtsoptionen",
+ "Book Menu": "Buchmenü",
+ "Search Options": "Suchoptionen",
+ "Close": "Schließen",
+ "Delete Book Options": "Buch-Löschoptionen",
+ "ON": "EIN",
+ "OFF": "AUS",
+ "Reading Progress": "Lesefortschritt",
+ "Page Margin": "Seitenrand",
+ "Remove Bookmark": "Lesezeichen entfernen",
+ "Add Bookmark": "Lesezeichen hinzufügen",
+ "Books Content": "Buchinhalt",
+ "Jump to Location": "Zu Standort springen",
+ "Unpin Notebook": "Notizbuch lösen",
+ "Pin Notebook": "Notizbuch anheften",
+ "Hide Search Bar": "Suchleiste ausblenden",
+ "Show Search Bar": "Suchleiste einblenden",
+ "On {{current}} of {{total}} page": "Auf Seite {{current}} von {{total}}",
+ "Section Title": "Abschnittsüberschrift",
+ "Decrease": "Verringern",
+ "Increase": "Erhöhen",
+ "Settings Panels": "Einstellungsfenster",
+ "Settings": "Einstellungen",
+ "Unpin Sidebar": "Seitenleiste lösen",
+ "Pin Sidebar": "Seitenleiste anheften",
+ "Toggle Sidebar": "Seitenleiste umschalten",
+ "Toggle Translation": "Übersetzung umschalten",
+ "Translation Disabled": "Übersetzung deaktiviert",
+ "Minimize": "Minimieren",
+ "Maximize or Restore": "Maximieren oder Wiederherstellen",
+ "Exit Parallel Read": "Parallel Read beenden",
+ "Enter Parallel Read": "Parallel Read starten",
+ "Zoom Level": "Zoomstufe",
+ "Zoom Out": "Hineinzoomen",
+ "Reset Zoom": "Zoom zurücksetzen",
+ "Zoom In": "Herauszoomen",
+ "Zoom Mode": "Zoom-Modus",
+ "Single Page": "Einzelne Seite",
+ "Auto Spread": "Automatische Verbreitung",
+ "Fit Page": "Seite anpassen",
+ "Fit Width": "Breite anpassen",
+ "Failed to select directory": "Fehler beim Auswählen des Verzeichnisses",
+ "The new data directory must be different from the current one.": "Das neue Datenverzeichnis muss sich vom aktuellen unterscheiden.",
+ "Migration failed: {{error}}": "Migration fehlgeschlagen: {{error}}",
+ "Change Data Location": "Datenstandort ändern",
+ "Current Data Location": "Aktueller Datenstandort",
+ "Total size: {{size}}": "Gesamtgröße: {{size}}",
+ "Calculating file info...": "Dateiinformationen werden berechnet...",
+ "New Data Location": "Neuer Datenstandort",
+ "Choose Different Folder": "Anderen Ordner wählen",
+ "Choose New Folder": "Neuen Ordner wählen",
+ "Migrating data...": "Daten werden migriert...",
+ "Copying: {{file}}": "Kopiere: {{file}}",
+ "{{current}} of {{total}} files": "{{current}} von {{total}} Dateien",
+ "Migration completed successfully!": "Migration erfolgreich abgeschlossen!",
+ "Your data has been moved to the new location. Please restart the application to complete the process.": "Ihre Daten wurden an den neuen Speicherort verschoben. Bitte starten Sie die Anwendung neu, um den Vorgang abzuschließen.",
+ "Migration failed": "Migration fehlgeschlagen",
+ "Important Notice": "Wichtiger Hinweis",
+ "This will move all your app data to the new location. Make sure the destination has enough free space.": "Dies wird alle Ihre App-Daten an den neuen Speicherort verschieben. Stellen Sie sicher, dass das Ziel über ausreichend freien Speicherplatz verfügt.",
+ "Restart App": "App neu starten",
+ "Start Migration": "Migration starten",
+ "Advanced Settings": "Erweiterte Einstellungen",
+ "File count: {{size}}": "Dateianzahl: {{size}}",
+ "Background Read Aloud": "Hintergrund-Vorlesen",
+ "Ready to read aloud": "Bereit zum Vorlesen",
+ "Read Aloud": "Vorlesen",
+ "Screen Brightness": "Bildschirmhelligkeit",
+ "Background Image": "Hintergrundbild",
+ "Import Image": "Bild importieren",
+ "Opacity": "Opazität",
+ "Size": "Größe",
+ "Cover": "Cover",
+ "Contain": "Inhalt",
+ "{{number}} pages left in chapter": "{{number}} Seiten verbleibend im Kapitel",
+ "Device": "Gerät",
+ "E-Ink Mode": "E-Ink-Modus",
+ "Highlight Colors": "Hervorhebungsfarben",
+ "Auto Screen Brightness": "Automatische Bildschirmhelligkeit",
+ "Pagination": "Seitenumbruch",
+ "Disable Double Tap": "Doppeltippen deaktivieren",
+ "Tap to Paginate": "Tippen zum Blättern",
+ "Click to Paginate": "Klicken zum Blättern",
+ "Tap Both Sides": "Tippen Sie auf beide Seiten",
+ "Click Both Sides": "Klicken Sie auf beide Seiten",
+ "Swap Tap Sides": "Seiten für das Tippen tauschen",
+ "Swap Click Sides": "Seiten für das Klicken tauschen",
+ "Source and Translated": "Quell- und Übersetzungstext",
+ "Translated Only": "Nur Übersetzungstext",
+ "Source Only": "Nur Quelltext",
+ "TTS Text": "TTS-Text",
+ "The book file is corrupted": "Die Buchdatei ist beschädigt",
+ "The book file is empty": "Die Buchdatei ist leer",
+ "Failed to open the book file": "Fehler beim Öffnen der Buchdatei",
+ "On-Demand Purchase": "Kauf auf Anfrage",
+ "Full Customization": "Vollständige Anpassung",
+ "Lifetime Plan": "Lebenslange Planung",
+ "One-Time Payment": "Einmalige Zahlung",
+ "Make a single payment to enjoy lifetime access to specific features on all devices. Purchase specific features or services only when you need them.": "Zahlen Sie einmalig, um lebenslangen Zugriff auf bestimmte Funktionen auf allen Geräten zu genießen. Kaufen Sie bestimmte Funktionen oder Dienstleistungen nur, wenn Sie sie benötigen.",
+ "Expand Cloud Sync Storage": "Cloud-Synchronisierungs-Speicher erweitern",
+ "Expand your cloud storage forever with a one-time purchase. Each additional purchase adds more space.": "Erweitern Sie Ihren Cloud-Speicher für immer mit einem einmaligen Kauf. Jeder zusätzliche Kauf fügt mehr Speicherplatz hinzu.",
+ "Unlock All Customization Options": "Alle Anpassungsoptionen freischalten",
+ "Unlock additional themes, fonts, layout options and read aloud, translators, cloud storage services.": "Zusätzliche Themen, Schriftarten, Layoutoptionen und Vorlesefunktionen, Übersetzer, Cloud-Speicherdienste freischalten.",
+ "Purchase Successful!": "Kauf erfolgreich!",
+ "lifetime": "lebenslang",
+ "Thank you for your purchase! Your payment has been processed successfully.": "Danke für Ihren Kauf! Ihre Zahlung wurde erfolgreich verarbeitet.",
+ "Order ID:": "Bestell-ID:",
+ "TTS Highlighting": "TTS-Hervorhebung",
+ "Style": "Stil",
+ "Underline": "Unterstreichen",
+ "Strikethrough": "Durchgestrichen",
+ "Squiggly": "Wellig",
+ "Outline": "Umriss",
+ "Save Current Color": "Aktuelle Farbe speichern",
+ "Quick Colors": "Schnellfarben",
+ "Highlighter": "Textmarker",
+ "Save Book Cover": "Buchcover speichern",
+ "Auto-save last book cover": "Letztes Buchcover automatisch speichern",
+ "Back": "Zurück",
+ "Confirmation email sent! Please check your old and new email addresses to confirm the change.": "Bestätigungs-E-Mail gesendet! Bitte überprüfe deine alte und neue E-Mail-Adresse, um die Änderung zu bestätigen.",
+ "Failed to update email": "E-Mail konnte nicht aktualisiert werden",
+ "New Email": "Neue E-Mail",
+ "Your new email": "Deine neue E-Mail-Adresse",
+ "Updating email ...": "E-Mail wird aktualisiert ...",
+ "Update email": "E-Mail aktualisieren",
+ "Current email": "Aktuelle E-Mail",
+ "Update Email": "E-Mail aktualisieren",
+ "All": "Alle",
+ "Unable to open book": "Buch kann nicht geöffnet werden",
+ "Punctuation": "Interpunktion",
+ "Replace Quotation Marks": "Anführungszeichen ersetzen",
+ "Enabled only in vertical layout.": "Nur im vertikalen Layout aktiviert.",
+ "No Conversion": "Keine Konvertierung",
+ "Simplified to Traditional": "Vereinfacht → Traditionell",
+ "Traditional to Simplified": "Traditionell → Vereinfacht",
+ "Simplified to Traditional (Taiwan)": "Vereinfacht → Traditionell (Taiwan)",
+ "Simplified to Traditional (Hong Kong)": "Vereinfacht → Traditionell (Hongkong)",
+ "Simplified to Traditional (Taiwan), with phrases": "Vereinfacht → Traditionell (Taiwan • Phrasen)",
+ "Traditional (Taiwan) to Simplified": "Traditionell (Taiwan) → Vereinfacht",
+ "Traditional (Hong Kong) to Simplified": "Traditionell (Hongkong) → Vereinfacht",
+ "Traditional (Taiwan) to Simplified, with phrases": "Traditionell (Taiwan • Phrasen) → Vereinfacht",
+ "Convert Simplified and Traditional Chinese": "Vereinfach./Traditionell konvertieren",
+ "Convert Mode": "Konvertierungsmodus",
+ "Failed to auto-save book cover for lock screen: {{error}}": "Automatisches Speichern des Buchcovers für den Sperrbildschirm fehlgeschlagen: {{error}}",
+ "Download from Cloud": "Aus der Cloud herunterladen",
+ "Upload to Cloud": "In die Cloud hochladen",
+ "Clear Custom Fonts": "Benutzerdefinierte Schriftarten löschen",
+ "Columns": "Spalten",
+ "OPDS Catalogs": "OPDS-Kataloge",
+ "Adding LAN addresses is not supported in the web app version.": "Das Hinzufügen von LAN-Adressen wird in der Web-App nicht unterstützt.",
+ "Invalid OPDS catalog. Please check the URL.": "Ungültiger OPDS-Katalog. Bitte überprüfe die URL.",
+ "Browse and download books from online catalogs": "Bücher aus Online-Katalogen durchsuchen und herunterladen",
+ "My Catalogs": "Meine Kataloge",
+ "Add Catalog": "Katalog hinzufügen",
+ "No catalogs yet": "Noch keine Kataloge",
+ "Add your first OPDS catalog to start browsing books": "Füge deinen ersten OPDS-Katalog hinzu, um Bücher zu durchsuchen.",
+ "Add Your First Catalog": "Ersten Katalog hinzufügen",
+ "Browse": "Durchsuchen",
+ "Popular Catalogs": "Beliebte Kataloge",
+ "Add": "Hinzufügen",
+ "Add OPDS Catalog": "OPDS-Katalog hinzufügen",
+ "Catalog Name": "Katalogname",
+ "My Calibre Library": "Meine Calibre-Bibliothek",
+ "OPDS URL": "OPDS-URL",
+ "Username (optional)": "Benutzername (optional)",
+ "Password (optional)": "Passwort (optional)",
+ "Description (optional)": "Beschreibung (optional)",
+ "A brief description of this catalog": "Kurzbeschreibung dieses Katalogs",
+ "Validating...": "Wird überprüft...",
+ "View All": "Alle anzeigen",
+ "Forward": "Weiter",
+ "Home": "Start",
+ "{{count}} items_one": "{{count}} Element",
+ "{{count}} items_other": "{{count}} Elemente",
+ "Download completed": "Download abgeschlossen",
+ "Download failed": "Download fehlgeschlagen",
+ "Open Access": "Offener Zugriff",
+ "Borrow": "Ausleihen",
+ "Buy": "Kaufen",
+ "Subscribe": "Abonnieren",
+ "Sample": "Leseprobe",
+ "Download": "Herunterladen",
+ "Open & Read": "Öffnen & Lesen",
+ "Tags": "Tags",
+ "Tag": "Tag",
+ "First": "Erste",
+ "Previous": "Vorherige",
+ "Next": "Nächste",
+ "Last": "Letzte",
+ "Cannot Load Page": "Seite kann nicht geladen werden",
+ "An error occurred": "Ein Fehler ist aufgetreten",
+ "Online Library": "Online-Bibliothek",
+ "URL must start with http:// or https://": "Die URL muss mit http:// oder https:// beginnen",
+ "Title, Author, Tag, etc...": "Titel, Autor, Tag, etc...",
+ "Query": "Suchbegriff",
+ "Subject": "Thema",
+ "Enter {{terms}}": "Gib {{terms}} ein",
+ "No search results found": "Keine Suchergebnisse gefunden",
+ "Failed to load OPDS feed: {{status}} {{statusText}}": "OPDS-Feed konnte nicht geladen werden: {{status}} {{statusText}}",
+ "Search in {{title}}": "Suche in {{title}}",
+ "Manage Storage": "Speicher verwalten",
+ "Failed to load files": "Dateien konnten nicht geladen werden",
+ "Deleted {{count}} file(s)_one": "{{count}} Datei gelöscht",
+ "Deleted {{count}} file(s)_other": "{{count}} Dateien gelöscht",
+ "Failed to delete {{count}} file(s)_one": "Löschen von {{count}} Datei fehlgeschlagen",
+ "Failed to delete {{count}} file(s)_other": "Löschen von {{count}} Dateien fehlgeschlagen",
+ "Failed to delete files": "Dateien konnten nicht gelöscht werden",
+ "Total Files": "Gesamtdateien",
+ "Total Size": "Gesamtgröße",
+ "Quota": "Kontingent",
+ "Used": "Verwendet",
+ "Files": "Dateien",
+ "Search files...": "Dateien suchen...",
+ "Newest First": "Neueste zuerst",
+ "Oldest First": "Älteste zuerst",
+ "Largest First": "Größte zuerst",
+ "Smallest First": "Kleinste zuerst",
+ "Name A-Z": "Name A–Z",
+ "Name Z-A": "Name Z–A",
+ "{{count}} selected_one": "{{count}} ausgewählt",
+ "{{count}} selected_other": "{{count}} ausgewählt",
+ "Delete Selected": "Ausgewählte löschen",
+ "Created": "Erstellt",
+ "No files found": "Keine Dateien gefunden",
+ "No files uploaded yet": "Noch keine Dateien hochgeladen",
+ "files": "Dateien",
+ "Page {{current}} of {{total}}": "Seite {{current}} von {{total}}",
+ "Are you sure to delete {{count}} selected file(s)?_one": "Möchten Sie {{count}} ausgewählte Datei wirklich löschen?",
+ "Are you sure to delete {{count}} selected file(s)?_other": "Möchten Sie {{count}} ausgewählte Dateien wirklich löschen?",
+ "Cloud Storage Usage": "Cloud-Speichernutzung",
+ "Rename Group": "Gruppe umbenennen",
+ "From Directory": "Aus Verzeichnis",
+ "Successfully imported {{count}} book(s)_one": "Erfolgreich 1 Buch importiert",
+ "Successfully imported {{count}} book(s)_other": "Erfolgreich {{count}} Bücher importiert",
+ "Count": "Anzahl",
+ "Start Page": "Startseite",
+ "Search in OPDS Catalog...": "Im OPDS-Katalog suchen...",
+ "Please log in to use advanced TTS features": "Bitte melde dich an, um erweiterte TTS-Funktionen zu nutzen",
+ "Word limit of 30 words exceeded.": "Das Wortlimit von 30 Wörtern wurde überschritten.",
+ "Proofread": "Korrekturlesen",
+ "Current selection": "Aktuelle Auswahl",
+ "All occurrences in this book": "Alle Vorkommen in diesem Buch",
+ "All occurrences in your library": "Alle Vorkommen in Ihrer Bibliothek",
+ "Selected text:": "Ausgewählter Text:",
+ "Replace with:": "Ersetzen durch:",
+ "Enter text...": "Text eingeben …",
+ "Case sensitive:": "Groß-/Kleinschreibung:",
+ "Scope:": "Geltungsbereich:",
+ "Selection": "Auswahl",
+ "Library": "Bibliothek",
+ "Yes": "Ja",
+ "No": "Nein",
+ "Proofread Replacement Rules": "Korrektur-Ersetzungsregeln",
+ "Selected Text Rules": "Regeln für ausgewählten Text",
+ "No selected text replacement rules": "Keine Ersetzungsregeln für ausgewählten Text",
+ "Book Specific Rules": "Buchspezifische Regeln",
+ "No book-level replacement rules": "Keine Ersetzungsregeln auf Buchebene",
+ "Disable Quick Action": "Schnellaktion deaktivieren",
+ "Enable Quick Action on Selection": "Schnellaktion bei Auswahl aktivieren",
+ "None": "Keine",
+ "Annotation Tools": "Anmerkungswerkzeuge",
+ "Enable Quick Actions": "Schnellaktionen aktivieren",
+ "Quick Action": "Schnellaktion",
+ "Copy to Notebook": "In Notizbuch kopieren",
+ "Copy text after selection": "Text nach Auswahl kopieren",
+ "Highlight text after selection": "Text nach Auswahl hervorheben",
+ "Annotate text after selection": "Text nach Auswahl annotieren",
+ "Search text after selection": "Text nach Auswahl suchen",
+ "Look up text in dictionary after selection": "Text nach Auswahl im Wörterbuch nachschlagen",
+ "Look up text in Wikipedia after selection": "Text nach Auswahl in Wikipedia nachschlagen",
+ "Translate text after selection": "Text nach Auswahl übersetzen",
+ "Read text aloud after selection": "Text nach Auswahl vorlesen",
+ "Proofread text after selection": "Text nach Auswahl Korrektur lesen",
+ "{{activeCount}} active, {{pendingCount}} pending": "{{activeCount}} aktiv, {{pendingCount}} ausstehend",
+ "{{failedCount}} failed": "{{failedCount}} fehlgeschlagen",
+ "Waiting...": "Warten...",
+ "Failed": "Fehlgeschlagen",
+ "Completed": "Abgeschlossen",
+ "Cancelled": "Abgebrochen",
+ "Retry": "Erneut versuchen",
+ "Active": "Aktiv",
+ "Transfer Queue": "Übertragungswarteschlange",
+ "Upload All": "Alle hochladen",
+ "Download All": "Alle herunterladen",
+ "Resume Transfers": "Übertragungen fortsetzen",
+ "Pause Transfers": "Übertragungen pausieren",
+ "Pending": "Ausstehend",
+ "No transfers": "Keine Übertragungen",
+ "Retry All": "Alle erneut versuchen",
+ "Clear Completed": "Abgeschlossene löschen",
+ "Clear Failed": "Fehlgeschlagene löschen",
+ "Upload queued: {{title}}": "Upload in Warteschlange: {{title}}",
+ "Download queued: {{title}}": "Download in Warteschlange: {{title}}",
+ "Book not found in library": "Buch nicht in der Bibliothek gefunden",
+ "Unknown error": "Unbekannter Fehler",
+ "Please log in to continue": "Bitte melden Sie sich an, um fortzufahren",
+ "Cloud File Transfers": "Cloud-Dateiübertragungen",
+ "Show Search Results": "Suchergebnisse anzeigen",
+ "Search results for '{{term}}'": "Ergebnisse für '{{term}}'",
+ "Close Search": "Suche schließen",
+ "Previous Result": "Vorheriges Ergebnis",
+ "Next Result": "Nächstes Ergebnis",
+ "Bookmarks": "Lesezeichen",
+ "Annotations": "Anmerkungen",
+ "Show Results": "Ergebnisse anzeigen",
+ "Clear search": "Suche löschen",
+ "Clear search history": "Suchverlauf löschen",
+ "Tap to Toggle Footer": "Tippen, um Fußzeile umzuschalten",
+ "Exported successfully": "Erfolgreich exportiert",
+ "Book exported successfully.": "Buch erfolgreich exportiert.",
+ "Failed to export the book.": "Buch konnte nicht exportiert werden.",
+ "Export Book": "Buch exportieren",
+ "Whole word:": "Ganzes Wort:",
+ "Error": "Fehler",
+ "Unable to load the article. Try searching directly on {{link}}.": "Artikel kann nicht geladen werden. Versuchen Sie die direkte Suche auf {{link}}.",
+ "Unable to load the word. Try searching directly on {{link}}.": "Wort kann nicht geladen werden. Versuchen Sie die direkte Suche auf {{link}}.",
+ "Date Published": "Veröffentlichungsdatum",
+ "Only for TTS:": "Nur für TTS:",
+ "Uploaded": "Hochgeladen",
+ "Downloaded": "Heruntergeladen",
+ "Deleted": "Gelöscht",
+ "Note:": "Notiz:",
+ "Time:": "Zeit:",
+ "Format Options": "Formatoptionen",
+ "Export Date": "Exportdatum",
+ "Chapter Titles": "Kapiteltitel",
+ "Chapter Separator": "Kapiteltrennzeichen",
+ "Highlights": "Markierungen",
+ "Note Date": "Notizdatum",
+ "Advanced": "Erweitert",
+ "Hide": "Ausblenden",
+ "Show": "Anzeigen",
+ "Use Custom Template": "Benutzerdefinierte Vorlage verwenden",
+ "Export Template": "Exportvorlage",
+ "Template Syntax:": "Vorlagensyntax:",
+ "Insert value": "Wert einfügen",
+ "Format date (locale)": "Datum formatieren (Gebietsschema)",
+ "Format date (custom)": "Datum formatieren (benutzerdefiniert)",
+ "Conditional": "Bedingung",
+ "Loop": "Schleife",
+ "Available Variables:": "Verfügbare Variablen:",
+ "Book title": "Buchtitel",
+ "Book author": "Buchautor",
+ "Export date": "Exportdatum",
+ "Array of chapters": "Array von Kapiteln",
+ "Chapter title": "Kapiteltitel",
+ "Array of annotations": "Array von Anmerkungen",
+ "Highlighted text": "Markierter Text",
+ "Annotation note": "Anmerkungsnotiz",
+ "Date Format Tokens:": "Datumsformat-Token:",
+ "Year (4 digits)": "Jahr (4 Ziffern)",
+ "Month (01-12)": "Monat (01-12)",
+ "Day (01-31)": "Tag (01-31)",
+ "Hour (00-23)": "Stunde (00-23)",
+ "Minute (00-59)": "Minute (00-59)",
+ "Second (00-59)": "Sekunde (00-59)",
+ "Show Source": "Quelle anzeigen",
+ "No content to preview": "Kein Inhalt zur Vorschau",
+ "Export": "Exportieren",
+ "Set Timeout": "Zeitlimit festlegen",
+ "Select Voice": "Stimme auswählen",
+ "Toggle Sticky Bottom TTS Bar": "Fixierte TTS-Leiste umschalten",
+ "Display what I'm reading on Discord": "Zeige was ich auf Discord lese",
+ "Show on Discord": "Auf Discord zeigen",
+ "Instant {{action}}": "Sofort {{action}}",
+ "Instant {{action}} Disabled": "Sofort {{action}} deaktiviert",
+ "Annotation": "Anmerkung",
+ "Reset Template": "Vorlage zurücksetzen",
+ "Annotation style": "Anmerkungsstil",
+ "Annotation color": "Anmerkungsfarbe",
+ "Annotation time": "Anmerkungszeit",
+ "AI": "KI",
+ "Are you sure you want to re-index this book?": "Möchten Sie dieses Buch wirklich neu indizieren?",
+ "Enable AI in Settings": "KI in den Einstellungen aktivieren",
+ "Index This Book": "Dieses Buch indizieren",
+ "Enable AI search and chat for this book": "KI-Suche und Chat für dieses Buch aktivieren",
+ "Start Indexing": "Indizierung starten",
+ "Indexing book...": "Buch wird indiziert...",
+ "Preparing...": "Vorbereitung...",
+ "Delete this conversation?": "Diese Unterhaltung löschen?",
+ "No conversations yet": "Noch keine Unterhaltungen",
+ "Start a new chat to ask questions about this book": "Starten Sie einen neuen Chat, um Fragen zu diesem Buch zu stellen",
+ "Rename": "Umbenennen",
+ "New Chat": "Neuer Chat",
+ "Chat": "Chat",
+ "Please enter a model ID": "Bitte geben Sie eine Modell-ID ein",
+ "Model not available or invalid": "Modell nicht verfügbar oder ungültig",
+ "Failed to validate model": "Modellvalidierung fehlgeschlagen",
+ "Couldn't connect to Ollama. Is it running?": "Verbindung zu Ollama fehlgeschlagen. Läuft es?",
+ "Invalid API key or connection failed": "Ungültiger API-Schlüssel oder Verbindung fehlgeschlagen",
+ "Connection failed": "Verbindung fehlgeschlagen",
+ "AI Assistant": "KI-Assistent",
+ "Enable AI Assistant": "KI-Assistent aktivieren",
+ "Provider": "Anbieter",
+ "Ollama (Local)": "Ollama (Lokal)",
+ "AI Gateway (Cloud)": "KI-Gateway (Cloud)",
+ "Ollama Configuration": "Ollama-Konfiguration",
+ "Refresh Models": "Modelle aktualisieren",
+ "AI Model": "KI-Modell",
+ "No models detected": "Keine Modelle erkannt",
+ "AI Gateway Configuration": "KI-Gateway-Konfiguration",
+ "Choose from a selection of high-quality, economical AI models. You can also bring your own model by selecting \"Custom Model\" below.": "Wählen Sie aus einer Auswahl hochwertiger, wirtschaftlicher KI-Modelle. Sie können auch Ihr eigenes Modell verwenden, indem Sie unten \"Benutzerdefiniertes Modell\" auswählen.",
+ "API Key": "API-Schlüssel",
+ "Get Key": "Schlüssel erhalten",
+ "Model": "Modell",
+ "Custom Model...": "Benutzerdefiniertes Modell...",
+ "Custom Model ID": "Benutzerdefinierte Modell-ID",
+ "Validate": "Validieren",
+ "Model available": "Modell verfügbar",
+ "Connection": "Verbindung",
+ "Test Connection": "Verbindung testen",
+ "Connected": "Verbunden",
+ "Custom Colors": "Benutzerdefinierte Farben",
+ "Color E-Ink Mode": "Farb-E-Ink-Modus",
+ "Reading Ruler": "Lese-Lineal",
+ "Enable Reading Ruler": "Lese-Lineal aktivieren",
+ "Lines to Highlight": "Hervorzuhebende Zeilen",
+ "Ruler Color": "Linealfarbe",
+ "Command Palette": "Befehlspalette",
+ "Search settings and actions...": "Einstellungen und Aktionen suchen...",
+ "No results found for": "Keine Ergebnisse gefunden für",
+ "Type to search settings and actions": "Tippen, um Einstellungen und Aktionen zu suchen",
+ "Recent": "Zuletzt verwendet",
+ "navigate": "navigieren",
+ "select": "auswählen",
+ "close": "schließen",
+ "Search Settings": "Einstellungen suchen",
+ "Page Margins": "Seitenränder",
+ "AI Provider": "KI-Anbieter",
+ "Ollama URL": "Ollama-URL",
+ "Ollama Model": "Ollama-Modell",
+ "AI Gateway Model": "AI Gateway-Modell",
+ "Actions": "Aktionen",
+ "Navigation": "Navigation",
+ "Set status for {{count}} book(s)_one": "Status für {{count}} Buch festlegen",
+ "Set status for {{count}} book(s)_other": "Status für {{count}} Bücher festlegen",
+ "Mark as Unread": "Als ungelesen markieren",
+ "Mark as Finished": "Als beendet markieren",
+ "Finished": "Beendet",
+ "Unread": "Ungelesen",
+ "Clear Status": "Status löschen",
+ "Status": "Status",
+ "Loading": "Laden...",
+ "Exit Paragraph Mode": "Absatzmodus verlassen",
+ "Paragraph Mode": "Absatzmodus",
+ "Embedding Model": "Einbettungsmodell",
+ "{{count}} book(s) synced_one": "{{count}} Buch synchronisiert",
+ "{{count}} book(s) synced_other": "{{count}} Bücher synchronisiert",
+ "Unable to start RSVP": "RSVP kann nicht gestartet werden",
+ "RSVP not supported for PDF": "RSVP wird für PDF nicht unterstützt",
+ "Select Chapter": "Kapitel auswählen",
+ "Context": "Kontext",
+ "Ready": "Bereit",
+ "Chapter Progress": "Kapitelfortschritt",
+ "words": "Wörter",
+ "{{time}} left": "{{time}} übrig",
+ "Reading progress": "Lesefortschritt",
+ "Click to seek": "Klicken zum Suchen",
+ "Skip back 15 words": "15 Wörter zurück",
+ "Back 15 words (Shift+Left)": "15 Wörter zurück (Shift+Links)",
+ "Pause (Space)": "Pause (Leertaste)",
+ "Play (Space)": "Abspielen (Leertaste)",
+ "Skip forward 15 words": "15 Wörter vor",
+ "Forward 15 words (Shift+Right)": "15 Wörter vor (Shift+Rechts)",
+ "Pause:": "Pause:",
+ "Decrease speed": "Geschwindigkeit verringern",
+ "Slower (Left/Down)": "Langsamer (Links/Unten)",
+ "Current speed": "Aktuelle Geschwindigkeit",
+ "Increase speed": "Geschwindigkeit erhöhen",
+ "Faster (Right/Up)": "Schneller (Rechts/Oben)",
+ "Start RSVP Reading": "RSVP-Lesen starten",
+ "Choose where to start reading": "Wählen Sie, wo das Lesen beginnen soll",
+ "From Chapter Start": "Vom Kapitelanfang",
+ "Start reading from the beginning of the chapter": "Ab dem Anfang des Kapitels lesen",
+ "Resume": "Fortsetzen",
+ "Continue from where you left off": "Dort fortfahren, wo Sie aufgehört haben",
+ "From Current Page": "Von der aktuellen Seite",
+ "Start from where you are currently reading": "Dort beginnen, wo Sie gerade lesen",
+ "From Selection": "Von der Auswahl",
+ "Speed Reading Mode": "Schnelllesemodus",
+ "Scroll left": "Nach links scrollen",
+ "Scroll right": "Nach rechts scrollen",
+ "Library Sync Progress": "Bibliotheks-Synchronisierungsfortschritt",
+ "Back to library": "Zurück zur Bibliothek",
+ "Group by...": "Gruppieren nach...",
+ "Export as Plain Text": "Als reinen Text exportieren",
+ "Export as Markdown": "Als Markdown exportieren",
+ "Show Page Navigation Buttons": "Navigationsschaltflächen",
+ "Page {{number}}": "Seite {{number}}",
+ "highlight": "Hervorhebung",
+ "underline": "Unterstreichung",
+ "squiggly": "geschlängelt",
+ "red": "rot",
+ "violet": "violett",
+ "blue": "blau",
+ "green": "grün",
+ "yellow": "gelb",
+ "Select {{style}} style": "Stil {{style}} auswählen",
+ "Select {{color}} color": "Farbe {{color}} auswählen",
+ "Close Book": "Buch schließen",
+ "Speed Reading": "Schnelllesen",
+ "Close Speed Reading": "Schnelllesen schließen",
+ "Authors": "Autoren",
+ "Books": "Bücher",
+ "Groups": "Gruppen",
+ "Back to TTS Location": "Zurück zur TTS-Position",
+ "Metadata": "Metadaten",
+ "Image viewer": "Bildbetrachter",
+ "Previous Image": "Vorheriges Bild",
+ "Next Image": "Nächstes Bild",
+ "Zoomed": "Gezoomt",
+ "Zoom level": "Zoomstufe",
+ "Table viewer": "Tabellenbetrachter",
+ "Unable to connect to Readwise. Please check your network connection.": "Verbindung zu Readwise nicht möglich. Bitte überprüfen Sie Ihre Netzwerkverbindung.",
+ "Invalid Readwise access token": "Ungültiges Readwise-Zugriffstoken",
+ "Disconnected from Readwise": "Von Readwise getrennt",
+ "Never": "Nie",
+ "Readwise Settings": "Readwise-Einstellungen",
+ "Connected to Readwise": "Mit Readwise verbunden",
+ "Last synced: {{time}}": "Zuletzt synchronisiert: {{time}}",
+ "Sync Enabled": "Synchronisierung aktiviert",
+ "Disconnect": "Trennen",
+ "Connect your Readwise account to sync highlights.": "Verbinden Sie Ihr Readwise-Konto, um Highlights zu synchronisieren.",
+ "Get your access token at": "Holen Sie sich Ihr Zugriffstoken unter",
+ "Access Token": "Zugriffstoken",
+ "Paste your Readwise access token": "Fügen Sie Ihr Readwise-Zugriffstoken ein",
+ "Config": "Konfiguration",
+ "Readwise Sync": "Readwise-Synchronisierung",
+ "Push Highlights": "Highlights übertragen",
+ "Highlights synced to Readwise": "Highlights mit Readwise synchronisiert",
+ "Readwise sync failed: no internet connection": "Readwise-Synchronisierung fehlgeschlagen: Keine Internetverbindung",
+ "Readwise sync failed: {{error}}": "Readwise-Synchronisierung fehlgeschlagen: {{error}}"
+}
diff --git a/apps/readest-app/public/locales/el/translation.json b/apps/readest-app/public/locales/el/translation.json
new file mode 100644
index 0000000000000000000000000000000000000000..37feddb73a089a5574835c746cfaf677484deeb2
--- /dev/null
+++ b/apps/readest-app/public/locales/el/translation.json
@@ -0,0 +1,1060 @@
+{
+ "(detected)": "(εντοπίστηκε)",
+ "About Readest": "Σχετικά με το Readest",
+ "Add your notes here...": "Προσθέστε τις σημειώσεις σας εδώ...",
+ "Animation": "Κινούμενα σχέδια",
+ "Annotate": "Σχολιασμός",
+ "Apply": "Εφαρμογή",
+ "Auto Mode": "Αυτόματη λειτουργία",
+ "Behavior": "Συμπεριφορά",
+ "Book": "Βιβλίο",
+ "Bookmark": "Σελιδοδείκτης",
+ "Cancel": "Ακύρωση",
+ "Chapter": "Κεφάλαιο",
+ "Cherry": "Κερασί",
+ "Color": "Χρώμα",
+ "Confirm": "Επιβεβαίωση",
+ "Confirm Deletion": "Επιβεβαίωση διαγραφής",
+ "Copied to notebook": "Αντιγράφηκε στο σημειωματάριο",
+ "Copy": "Αντιγραφή",
+ "Dark Mode": "Σκοτεινή λειτουργία",
+ "Default": "Προεπιλογή",
+ "Default Font": "Προεπιλεγμένη γραμματοσειρά",
+ "Default Font Size": "Προεπιλεγμένο μέγεθος γραμματοσειράς",
+ "Delete": "Διαγραφή",
+ "Delete Highlight": "Διαγραφή επισήμανσης",
+ "Dictionary": "Λεξικό",
+ "Download Readest": "Λήψη Readest",
+ "Edit": "Επεξεργασία",
+ "Excerpts": "Αποσπάσματα",
+ "Failed to import book(s): {{filenames}}": "Αποτυχία εισαγωγής βιβλίου(ων): {{filenames}}",
+ "Fast": "Γρήγορα",
+ "Font": "Γραμματοσειρά",
+ "Font & Layout": "Γραμματοσειρά & Διάταξη",
+ "Font Face": "Τύπος γραμματοσειράς",
+ "Font Family": "Οικογένεια γραμματοσειράς",
+ "Font Size": "Μέγεθος γραμματοσειράς",
+ "Full Justification": "Πλήρης στοίχιση",
+ "Global Settings": "Γενικές ρυθμίσεις",
+ "Go Back": "Πίσω",
+ "Go Forward": "Μπροστά",
+ "Grass": "Γρασίδι",
+ "Gray": "Γκρι",
+ "Gruvbox": "Gruvbox",
+ "Highlight": "Επισήμανση",
+ "Horizontal Direction": "Οριζόντια κατεύθυνση",
+ "Hyphenation": "Συλλαβισμός",
+ "Import Books": "Εισαγωγή βιβλίων",
+ "Layout": "Διάταξη",
+ "Light Mode": "Φωτεινή λειτουργία",
+ "Loading...": "Φόρτωση...",
+ "Logged in": "Συνδεδεμένος",
+ "Logged in as {{userDisplayName}}": "Συνδεδεμένος ως {{userDisplayName}}",
+ "Match Case": "Ταίριασμα πεζών-κεφαλαίων",
+ "Match Diacritics": "Ταίριασμα διακριτικών σημείων",
+ "Match Whole Words": "Ταίριασμα ολόκληρων λέξεων",
+ "Maximum Number of Columns": "Μέγιστος αριθμός στηλών",
+ "Minimum Font Size": "Ελάχιστο μέγεθος γραμματοσειράς",
+ "Monospace Font": "Γραμματοσειρά σταθερού πλάτους",
+ "More Info": "Περισσότερες πληροφορίες",
+ "Nord": "Nord",
+ "Notebook": "Σημειωματάριο",
+ "Notes": "Σημειώσεις",
+ "Open": "Άνοιγμα",
+ "Original Text": "Αρχικό κείμενο",
+ "Page": "Σελίδα",
+ "Paging Animation": "Κινούμενα σχέδια σελιδοποίησης",
+ "Paragraph": "Παράγραφος",
+ "Parallel Read": "Παράλληλη ανάγνωση",
+ "Published": "Δημοσιεύτηκε",
+ "Publisher": "Εκδότης",
+ "Reading Progress Synced": "Ο συγχρονισμός προόδου ανάγνωσης ολοκληρώθηκε",
+ "Reload Page": "Επαναφόρτωση σελίδας",
+ "Reveal in File Explorer": "Εμφάνιση στον εξερευνητή αρχείων",
+ "Reveal in Finder": "Εμφάνιση στον Finder",
+ "Reveal in Folder": "Εμφάνιση στο φάκελο",
+ "Sans-Serif Font": "Γραμματοσειρά Sans-Serif",
+ "Save": "Αποθήκευση",
+ "Scrolled Mode": "Λειτουργία κύλισης",
+ "Search": "Αναζήτηση",
+ "Search Books...": "Αναζήτηση βιβλίων...",
+ "Search...": "Αναζήτηση...",
+ "Select Book": "Επιλογή βιβλίου",
+ "Select Books": "Επιλογή βιβλίων",
+ "Sepia": "Σέπια",
+ "Serif Font": "Γραμματοσειρά Serif",
+ "Show Book Details": "Εμφάνιση λεπτομερειών βιβλίου",
+ "Sidebar": "Πλευρική γραμμή",
+ "Sign In": "Σύνδεση",
+ "Sign Out": "Αποσύνδεση",
+ "Sky": "Ουρανός",
+ "Slow": "Αργά",
+ "Solarized": "Solarized",
+ "Speak": "Ομιλία",
+ "Subjects": "Θέματα",
+ "System Fonts": "Γραμματοσειρές συστήματος",
+ "Theme Color": "Χρώμα θέματος",
+ "Theme Mode": "Λειτουργία θέματος",
+ "Translate": "Μετάφραση",
+ "Translated Text": "Μεταφρασμένο κείμενο",
+ "Unknown": "Άγνωστο",
+ "Untitled": "Χωρίς τίτλο",
+ "Updated": "Ενημερώθηκε",
+ "Version {{version}}": "Έκδοση {{version}}",
+ "Vertical Direction": "Κάθετη κατεύθυνση",
+ "Welcome to your library. You can import your books here and read them anytime.": "Καλώς ήρθατε στη βιβλιοθήκη σας. Μπορείτε να εισάγετε τα βιβλία σας εδώ και να τα διαβάσετε οποιαδήποτε στιγμή.",
+ "Wikipedia": "Βικιπαίδεια",
+ "Writing Mode": "Λειτουργία γραφής",
+ "Your Library": "Η βιβλιοθήκη σας",
+ "TTS not supported for PDF": "Η μετατροπή κειμένου σε ομιλία δεν υποστηρίζεται για αρχεία PDF",
+ "Override Book Font": "Παράκαμψη γραμματοσειράς βιβλίου",
+ "Apply to All Books": "Εφαρμογή σε όλα τα βιβλία",
+ "Apply to This Book": "Εφαρμογή σε αυτό το βιβλίο",
+ "Unable to fetch the translation. Try again later.": "Αδυναμία λήψης της μετάφρασης. Δοκιμάστε ξανά αργότερα.",
+ "Check Update": "Έλεγχος ενημέρωσης",
+ "Already the latest version": "Ήδη η τελευταία έκδοση",
+ "Book Details": "Λεπτομέρειες βιβλίου",
+ "From Local File": "Από τοπικό αρχείο",
+ "TOC": "Πίνακας περιεχομένων",
+ "Table of Contents": "Πίνακας περιεχομένων",
+ "Book uploaded: {{title}}": "Το βιβλίο με τίτλο {{title}} ανέβηκε",
+ "Failed to upload book: {{title}}": "Αποτυχία ανέβασμα βιβλίου: {{title}}",
+ "Book downloaded: {{title}}": "Το βιβλίο με τίτλο {{title}} κατέβηκε",
+ "Failed to download book: {{title}}": "Αποτυχία λήψης βιβλίου: {{title}}",
+ "Upload Book": "Ανέβασμα βιβλίου",
+ "Auto Upload Books to Cloud": "Αυτόματη αποθήκευση στο cloud",
+ "Book deleted: {{title}}": "Το βιβλίο με τίτλο {{title}} διαγράφηκε",
+ "Failed to delete book: {{title}}": "Αποτυχία διαγραφής βιβλίου: {{title}}",
+ "Check Updates on Start": "Αυτόματος έλεγχος ενημερώσεων",
+ "Insufficient storage quota": "Ανεπαρκές όριο αποθήκευσης",
+ "Font Weight": "Βάρος γραμματοσειράς",
+ "Line Spacing": "Διάκενο γραμμών",
+ "Word Spacing": "Διάκενο λέξεων",
+ "Letter Spacing": "Διάκενο γραμμάτων",
+ "Text Indent": "Εσοχή κειμένου",
+ "Paragraph Margin": "Περιθώριο παραγράφου",
+ "Override Book Layout": "Παράκαμψη διάταξης βιβλίου",
+ "Untitled Group": "Ομάδα χωρίς τίτλο",
+ "Group Books": "Ομαδοποίηση βιβλίων",
+ "Remove From Group": "Αφαίρεση από την ομάδα",
+ "Create New Group": "Δημιουργία νέας ομάδας",
+ "Deselect Book": "Αποεπιλογή βιβλίου",
+ "Download Book": "Λήψη βιβλίου",
+ "Deselect Group": "Αποεπιλογή ομάδας",
+ "Select Group": "Επιλογή ομάδας",
+ "Keep Screen Awake": "Διατήρηση ενεργού οθόνης",
+ "Email address": "Διεύθυνση email",
+ "Your Password": "Ο κωδικός σας",
+ "Your email address": "Η διεύθυνση email σας",
+ "Your password": "Ο κωδικός πρόσβασής σας",
+ "Sign in": "Σύνδεση",
+ "Signing in...": "Σύνδεση...",
+ "Sign in with {{provider}}": "Σύνδεση με {{provider}}",
+ "Already have an account? Sign in": "Έχετε ήδη λογαριασμό; Συνδεθείτε",
+ "Create a Password": "Δημιουργία κωδικού πρόσβασης",
+ "Sign up": "Εγγραφή",
+ "Signing up...": "Εγγραφή...",
+ "Don't have an account? Sign up": "Δεν έχετε λογαριασμό; Εγγραφείτε",
+ "Check your email for the confirmation link": "Ελέγξτε το email σας για τον σύνδεσμο επιβεβαίωσης",
+ "Signing in ...": "Σύνδεση ...",
+ "Send a magic link email": "Αποστολή email με μαγικό σύνδεσμο",
+ "Check your email for the magic link": "Ελέγξτε το email σας για τον μαγικό σύνδεσμο",
+ "Send reset password instructions": "Αποστολή οδηγιών επαναφοράς κωδικού πρόσβασης",
+ "Sending reset instructions ...": "Αποστολή οδηγιών επαναφοράς ...",
+ "Forgot your password?": "Ξεχάσατε τον κωδικό σας;",
+ "Check your email for the password reset link": "Ελέγξτε το email σας για τον σύνδεσμο επαναφοράς κωδικού",
+ "New Password": "Νέος κωδικός πρόσβασης",
+ "Your new password": "Ο νέος σας κωδικός",
+ "Update password": "Ενημέρωση κωδικού πρόσβασης",
+ "Updating password ...": "Ενημέρωση κωδικού ...",
+ "Your password has been updated": "Ο κωδικός πρόσβασής σας ενημερώθηκε",
+ "Phone number": "Αριθμός τηλεφώνου",
+ "Your phone number": "Ο αριθμός τηλεφώνου σας",
+ "Token": "Κωδικός επαλήθευσης",
+ "Your OTP token": "Ο κωδικός OTP σας",
+ "Verify token": "Επαλήθευση κωδικού",
+ "Account": "Λογαριασμός",
+ "Failed to delete user. Please try again later.": "Αποτυχία διαγραφής χρήστη. Παρακαλώ δοκιμάστε ξανά αργότερα.",
+ "Community Support": "Υποστήριξη κοινότητας",
+ "Priority Support": "Υποστήριξη προτεραιότητας",
+ "Loading profile...": "Φόρτωση προφίλ...",
+ "Delete Account": "Διαγραφή λογαριασμού",
+ "Delete Your Account?": "Διαγραφή του λογαριασμού σας;",
+ "This action cannot be undone. All your data in the cloud will be permanently deleted.": "Αυτή η ενέργεια δεν μπορεί να αναιρεθεί. Όλα τα δεδομένα σας στο cloud θα διαγραφούν μόνιμα.",
+ "Delete Permanently": "Μόνιμη διαγραφή",
+ "RTL Direction": "Κατεύθυνση RTL",
+ "Maximum Column Height": "Μέγιστο ύψος στήλης",
+ "Maximum Column Width": "Μέγιστο πλάτος στήλης",
+ "Continuous Scroll": "Συνεχής κύλιση",
+ "Fullscreen": "Πλήρης οθόνη",
+ "No supported files found. Supported formats: {{formats}}": "Δεν βρέθηκαν υποστηριζόμενα αρχεία. Υποστηριζόμενες μορφές: {{formats}}",
+ "Drop to Import Books": "Ρίξτε για εισαγωγή βιβλίων",
+ "Custom": "Προσαρμοσμένο",
+ "All the world's a stage,\nAnd all the men and women merely players;\nThey have their exits and their entrances,\nAnd one man in his time plays many parts,\nHis acts being seven ages.\n\n— William Shakespeare": "Όλος ο κόσμος είναι σκηνή,\nΚαι όλοι οι άνδρες και οι γυναίκες απλώς ηθοποιοί·\nΈχουν τις εξόδους και τις εισόδους τους,\nΚαι ένας άνθρωπος στον χρόνο του παίζει πολλούς ρόλους,\nΟι πράξεις του υπάρχουν σε επτά ηλικίες.\n\n— William Shakespeare",
+ "Custom Theme": "Προσαρμοσμένο θέμα",
+ "Theme Name": "Όνομα θέματος",
+ "Text Color": "Χρώμα κειμένου",
+ "Background Color": "Χρώμα φόντου",
+ "Preview": "Προεπισκόπηση",
+ "Contrast": "Αντίθεση",
+ "Sunset": "Ηλιοβασίλεμα",
+ "Double Border": "Διπλό περιθώριο",
+ "Border Color": "Χρώμα περιγράμματος",
+ "Border Frame": "Πλαίσιο περιγράμματος",
+ "Show Header": "Εμφάνιση κεφαλίδας",
+ "Show Footer": "Εμφάνιση υποσέλιδου",
+ "Small": "Μικρό",
+ "Large": "Μεγάλο",
+ "Auto": "Αυτόματο",
+ "Language": "Γλώσσα",
+ "No annotations to export": "Δεν υπάρχουν σχολιασμοί για εξαγωγή",
+ "Author": "Συγγραφέας",
+ "Exported from Readest": "Εξήχθη από το Readest",
+ "Highlights & Annotations": "Επισημάνσεις & Σχολιασμοί",
+ "Note": "Σημείωση",
+ "Copied to clipboard": "Αντιγράφηκε στο πρόχειρο",
+ "Export Annotations": "Εξαγωγή σχολιασμών",
+ "Auto Import on File Open": "Αυτόματη εισαγωγή κατά το άνοιγμα αρχείου",
+ "LXGW WenKai GB Screen": "LXGW WenKai SC",
+ "LXGW WenKai TC": "LXGW WenKai TC",
+ "No chapters detected": "Δεν εντοπίστηκαν κεφάλαια",
+ "Failed to parse the EPUB file": "Αποτυχία ανάλυσης του αρχείου EPUB",
+ "This book format is not supported": "Αυτή η μορφή βιβλίου δεν υποστηρίζεται",
+ "Unable to fetch the translation. Please log in first and try again.": "Αδυναμία λήψης της μετάφρασης. Παρακαλώ συνδεθείτε πρώτα και δοκιμάστε ξανά.",
+ "Group": "Ομάδα",
+ "Always on Top": "Πάντα στην κορυφή",
+ "No Timeout": "Χωρίς χρονικό όριο",
+ "{{value}} minute": "{{value}} λεπτό",
+ "{{value}} minutes": "{{value}} λεπτά",
+ "{{value}} hour": "{{value}} ώρα",
+ "{{value}} hours": "{{value}} ώρες",
+ "CJK Font": "Γραμματοσειρά CJK",
+ "Clear Search": "Καθαρισμός αναζήτησης",
+ "Header & Footer": "Κεφαλίδα & Υποσέλιδο",
+ "Apply also in Scrolled Mode": "Εφαρμογή και σε λειτουργία κύλισης",
+ "A new version of Readest is available!": "Μια νέα έκδοση του Readest είναι διαθέσιμη!",
+ "Readest {{newVersion}} is available (installed version {{currentVersion}}).": "Η έκδοση Readest {{newVersion}} είναι διαθέσιμη (έκδοση που είναι εγκατεστημένη {{currentVersion}}).",
+ "Download and install now?": "Θέλετε να την κατεβάσετε και να την εγκαταστήσετε τώρα;",
+ "Downloading {{downloaded}} of {{contentLength}}": "Κατεβάζω {{downloaded}} από {{contentLength}}",
+ "Download finished": "Η λήψη ολοκληρώθηκε",
+ "DOWNLOAD & INSTALL": "ΛΗΨΗ & ΕΓΚΑΤΑΣΤΑΣΗ",
+ "Changelog": "Αλλαγές",
+ "Software Update": "Ενημέρωση λογισμικού",
+ "Title": "Τίτλος",
+ "Date Read": "Ημερομηνία ανάγνωσης",
+ "Date Added": "Ημερομηνία προσθήκης",
+ "Format": "Μορφή",
+ "Ascending": "Αύξουσα",
+ "Descending": "Φθίνουσα",
+ "Sort by...": "Ταξινόμηση κατά...",
+ "Added": "Προστέθηκε",
+ "GuanKiapTsingKhai-T": "GuanKiapTsingKhai-T",
+ "Description": "Περιγραφή",
+ "No description available": "Δεν είναι διαθέσιμη καμία περιγραφή",
+ "List": "Λίστα",
+ "Grid": "Πλέγμα",
+ "(from 'As You Like It', Act II)": "('Όπως σας αρέσει', Πράξη II)",
+ "Link Color": "Χρώμα συνδέσμου",
+ "Volume Keys for Page Flip": "Ανατροπή με πλήκτρα έντασης",
+ "Screen": "Οθόνη",
+ "Orientation": "Προσανατολισμός",
+ "Portrait": "Πορτραίτο",
+ "Landscape": "Τοπίο",
+ "Open Last Book on Start": "Άνοιγμα τελευταίου βιβλίου",
+ "Checking for updates...": "Έλεγχος για ενημερώσεις...",
+ "Error checking for updates": "Σφάλμα κατά τον έλεγχο για ενημερώσεις",
+ "Details": "Πληρ.",
+ "File Size": "Μέγεθος αρχείου",
+ "Auto Detect": "Αυτόματη ανίχνευση",
+ "Next Section": "Επόμενη ενότητα",
+ "Previous Section": "Προηγούμενη ενότητα",
+ "Next Page": "Επόμενη σελίδα",
+ "Previous Page": "Προηγούμενη σελίδα",
+ "Are you sure to delete {{count}} selected book(s)?_one": "Είστε σίγουροι ότι θέλετε να διαγράψετε το επιλεγμένο βιβλίο;",
+ "Are you sure to delete {{count}} selected book(s)?_other": "Είστε σίγουροι ότι θέλετε να διαγράψετε τα {{count}} επιλεγμένα βιβλία;",
+ "Are you sure to delete the selected book?": "Είστε σίγουροι ότι θέλετε να διαγράψετε το επιλεγμένο βιβλίο;",
+ "Deselect": "Άρση",
+ "Select All": "Όλα",
+ "No translation available.": "Δεν είναι διαθέσιμη καμία μετάφραση.",
+ "Translated by {{provider}}.": "Μεταφρασμένο από {{provider}}.",
+ "DeepL": "DeepL",
+ "Google Translate": "Μετάφραση Google",
+ "Azure Translator": "Μεταφραστής Azure",
+ "Invert Image In Dark Mode": "Αντιστροφή σε σκούρο",
+ "Help improve Readest": "Βοηθήστε στη βελτίωση του Readest",
+ "Sharing anonymized statistics": "Μοιράζομαι ανώνυμες στατιστικές",
+ "Interface Language": "Γλώσσα διεπαφής",
+ "Translation": "Μετάφραση",
+ "Enable Translation": "Ενεργοποίηση μετάφρασης",
+ "Translation Service": "Υπηρεσία μετάφρασης",
+ "Translate To": "Μετάφραση σε",
+ "Disable Translation": "Απενεργοποίηση μετάφρασης",
+ "Scroll": "Κύλιση",
+ "Overlap Pixels": "Επικάλυψη εικονοστοιχείων",
+ "System Language": "Γλώσσα συστήματος",
+ "Security": "Ασφάλεια",
+ "Allow JavaScript": "Επιτρέψτε JavaScript",
+ "Enable only if you trust the file.": "Ενεργοποιήστε μόνο εάν εμπιστεύεστε το αρχείο.",
+ "Sort TOC by Page": "Ταξινόμηση TOC κατά σελίδα",
+ "Search in {{count}} Book(s)..._one": "Αναζήτηση σε {{count}} Βιβλίο...",
+ "Search in {{count}} Book(s)..._other": "Αναζήτηση σε {{count}} Βιβλία...",
+ "No notes match your search": "Καμία σημείωση δεν βρέθηκε",
+ "Search notes and excerpts...": "Αναζήτηση σημειώσεων...",
+ "Sign in to Sync": "Σύνδεση για συγχρονισμό",
+ "Synced at {{time}}": "Συγχρονίστηκε στις {{time}}",
+ "Never synced": "Ποτέ δεν συγχρονίστηκε",
+ "Show Remaining Time": "Εμφάνιση υπολειπόμενου χρόνου",
+ "{{time}} min left in chapter": "{{time}} λεπτά απομένουν στο κεφάλαιο",
+ "Override Book Color": "Παράκαμψη χρώματος βιβλίου",
+ "Login Required": "Απαιτείται σύνδεση",
+ "Quota Exceeded": "Υπέρβαση ορίου",
+ "{{percentage}}% of Daily Translation Characters Used.": "{{percentage}}% των ημερήσιων χαρακτήρων μετάφρασης χρησιμοποιήθηκαν.",
+ "Translation Characters": "Χαρακτήρες μετάφρασης",
+ "{{engine}}: {{count}} voices_one": "{{engine}}: {{count}} φωνή",
+ "{{engine}}: {{count}} voices_other": "{{engine}}: {{count}} φωνές",
+ "Something went wrong. Don't worry, our team has been notified and we're working on a fix.": "Κάτι πήγε στραβά. Μην ανησυχείτε, η ομάδα μας έχει ενημερωθεί και εργαζόμαστε για μια λύση.",
+ "Error Details:": "Λεπτομέρειες σφάλματος:",
+ "Try Again": "Δοκιμάστε ξανά",
+ "Need help?": "Χρειάζεστε βοήθεια;",
+ "Contact Support": "Επικοινωνήστε με την υποστήριξη",
+ "Code Highlighting": "Επισήμανση κώδικα",
+ "Enable Highlighting": "Ενεργοποίηση επισήμανσης",
+ "Code Language": "Γλώσσα κώδικα",
+ "Top Margin (px)": "Πάνω περιθώριο (px)",
+ "Bottom Margin (px)": "Κάτω περιθώριο (px)",
+ "Right Margin (px)": "Δεξί περιθώριο (px)",
+ "Left Margin (px)": "Αριστερό περιθώριο (px)",
+ "Column Gap (%)": "Απόσταση στηλών (%)",
+ "Always Show Status Bar": "Πάντα εμφάνιση γραμμής κατάστασης",
+ "Custom Content CSS": "Προσαρμοσμένο CSS περιεχομένου",
+ "Enter CSS for book content styling...": "Εισαγάγετε CSS για στυλ περιεχομένου βιβλίου...",
+ "Custom Reader UI CSS": "Προσαρμοσμένο CSS διεπαφής αναγνώστη",
+ "Enter CSS for reader interface styling...": "Εισαγάγετε CSS για στυλ διεπαφής αναγνώστη...",
+ "Crop": "Περικοπή",
+ "Book Covers": "Εξώφυλλα βιβλίων",
+ "Fit": "Προσαρμογή",
+ "Reset {{settings}}": "Επαναφορά {{settings}}",
+ "Reset Settings": "Επαναφορά ρυθμίσεων",
+ "{{count}} pages left in chapter_one": "Μένει {{count}} σελίδα",
+ "{{count}} pages left in chapter_other": "Μένουν {{count}} σελίδες",
+ "Show Remaining Pages": "Εμφάνιση υπολοίπων",
+ "Source Han Serif CN": "Source Han Serif",
+ "Huiwen-MinchoGBK": "Huiwen Mincho",
+ "KingHwa_OldSong": "KingHwa Song",
+ "Manage Subscription": "Διαχείριση συνδρομής",
+ "Coming Soon": "Έρχεται σύντομα",
+ "Upgrade to {{plan}}": "Αναβάθμιση σε {{plan}}",
+ "Upgrade to Plus or Pro": "Αναβάθμιση σε Plus ή Pro",
+ "Current Plan": "Τρέχον πρόγραμμα",
+ "Plan Limits": "Όρια προγράμματος",
+ "Processing your payment...": "Επεξεργασία πληρωμής...",
+ "Please wait while we confirm your subscription.": "Παρακαλώ περιμένετε όσο επιβεβαιώνουμε τη συνδρομή σας.",
+ "Payment Processing": "Επεξεργασία πληρωμής",
+ "Your payment is being processed. This usually takes a few moments.": "Η πληρωμή σας επεξεργάζεται. Συνήθως διαρκεί λίγες στιγμές.",
+ "Payment Failed": "Η πληρωμή απέτυχε",
+ "We couldn't process your subscription. Please try again or contact support if the issue persists.": "Δεν ήταν δυνατή η επεξεργασία της συνδρομής σας. Παρακαλώ προσπαθήστε ξανά ή επικοινωνήστε με την υποστήριξη αν το πρόβλημα συνεχιστεί.",
+ "Back to Profile": "Επιστροφή στο προφίλ",
+ "Subscription Successful!": "Η συνδρομή ολοκληρώθηκε!",
+ "Thank you for your subscription! Your payment has been processed successfully.": "Σας ευχαριστούμε για τη συνδρομή σας! Η πληρωμή ολοκληρώθηκε με επιτυχία.",
+ "Email:": "Email:",
+ "Plan:": "Πρόγραμμα:",
+ "Amount:": "Ποσό:",
+ "Go to Library": "Μετάβαση στη βιβλιοθήκη",
+ "Need help? Contact our support team at support@readest.com": "Χρειάζεστε βοήθεια; Επικοινωνήστε με την υποστήριξη στο support@readest.com",
+ "Free Plan": "Δωρεάν πρόγραμμα",
+ "month": "μήνας",
+ "AI Translations (per day)": "Μεταφράσεις AI (ανά ημέρα)",
+ "Plus Plan": "Πρόγραμμα Plus",
+ "Includes All Free Plan Benefits": "Περιλαμβάνει όλα τα οφέλη του δωρεάν προγράμματος",
+ "Pro Plan": "Πρόγραμμα Pro",
+ "More AI Translations": "Περισσότερες μεταφράσεις AI",
+ "Complete Your Subscription": "Ολοκληρώστε τη συνδρομή σας",
+ "{{percentage}}% of Cloud Sync Space Used.": "{{percentage}}% του χώρου συγχρονισμού στο cloud χρησιμοποιήθηκε.",
+ "Cloud Sync Storage": "Χώρος συγχρονισμού cloud",
+ "Disable": "Απενεργοποίηση",
+ "Enable": "Ενεργοποίηση",
+ "Upgrade to Readest Premium": "Αναβάθμιση στο Readest Premium",
+ "Show Source Text": "Εμφάνιση αρχικού κειμένου",
+ "Cross-Platform Sync": "Συγχρονισμός σε όλες τις συσκευές",
+ "Seamlessly sync your library, progress, highlights, and notes across all your devices—never lose your place again.": "Συγχρονίστε βιβλία, πρόοδο και σημειώσεις σε όλες τις συσκευές.",
+ "Customizable Reading": "Προσαρμόσιμη ανάγνωση",
+ "Personalize every detail with adjustable fonts, layouts, themes, and advanced display settings for the perfect reading experience.": "Ρυθμίστε γραμματοσειρές, διάταξη και θέματα όπως θέλετε.",
+ "AI Read Aloud": "Ανάγνωση με AI",
+ "Enjoy hands-free reading with natural-sounding AI voices that bring your books to life.": "Ακούστε τα βιβλία σας με φυσικές φωνές AI.",
+ "AI Translations": "Μεταφράσεις με AI",
+ "Translate any text instantly with the power of Google, Azure, or DeepL—understand content in any language.": "Μεταφράστε άμεσα με Google, Azure ή DeepL.",
+ "Connect with fellow readers and get help fast in our friendly community channels.": "Συμμετέχετε στην κοινότητα για άμεση υποστήριξη.",
+ "Unlimited AI Read Aloud Hours": "Απεριόριστη ανάγνωση με AI",
+ "Listen without limits—convert as much text as you like into immersive audio.": "Απεριόριστη μετατροπή κειμένου σε ήχο.",
+ "Unlock enhanced translation capabilities with more daily usage and advanced options.": "Περισσότερες μεταφράσεις και δυνατότητες.",
+ "DeepL Pro Access": "Πρόσβαση στο DeepL Pro",
+ "Enjoy faster responses and dedicated assistance whenever you need help.": "Γρήγορη και άμεση υποστήριξη.",
+ "Daily translation quota reached. Upgrade your plan to continue using AI translations.": "Έχετε φτάσει το ημερήσιο όριο. Κάντε αναβάθμιση για περισσότερες μεταφράσεις.",
+ "Includes All Plus Plan Benefits": "Περιλαμβάνει Όλα τα Οφέλη του Plus Πλάνου",
+ "Early Feature Access": "Πρόωρη Πρόσβαση σε Χαρακτηριστικά",
+ "Be the first to explore new features, updates, and innovations before anyone else.": "Εξερευνήστε πρώτοι νέα χαρακτηριστικά, ενημερώσεις και καινοτομίες.",
+ "Advanced AI Tools": "Προηγμένα Εργαλεία AI",
+ "Harness powerful AI tools for smarter reading, translation, and content discovery.": "Αξιοποιήστε ισχυρά εργαλεία AI για εξυπνότερη ανάγνωση, μετάφραση και ανακάλυψη περιεχομένου.",
+ "Translate up to 100,000 characters daily with the most accurate translation engine available.": "Μεταφράστε έως 100.000 χαρακτήρες ημερησίως με τη πιο ακριβή μηχανή μετάφρασης.",
+ "Translate up to 500,000 characters daily with the most accurate translation engine available.": "Μεταφράστε έως 500.000 χαρακτήρες ημερησίως με τη πιο ακριβή μηχανή μετάφρασης.",
+ "Securely store and access your entire reading collection with up to 5 GB of cloud storage.": "Αποθηκεύστε και αποκτήστε πρόσβαση στη συλλογή ανάγνωσης με έως 5 GB ασφαλή cloud αποθήκευση.",
+ "Securely store and access your entire reading collection with up to 20 GB of cloud storage.": "Αποθηκεύστε και αποκτήστε πρόσβαση στη συλλογή ανάγνωσης με έως 20 GB ασφαλή cloud αποθήκευση.",
+ "Deleted cloud backup of the book: {{title}}": "Διαγράφηκε το αντίγραφο ασφαλείας του βιβλίου: {{title}}",
+ "Are you sure to delete the cloud backup of the selected book?": "Είστε σίγουροι ότι θέλετε να διαγράψετε το αντίγραφο ασφαλείας του επιλεγμένου βιβλίου;",
+ "What's New in Readest": "Τι νέο υπάρχει στο Readest",
+ "Enter book title": "Εισάγετε τίτλο βιβλίου",
+ "Subtitle": "Υπότιτλος",
+ "Enter book subtitle": "Εισάγετε υπότιτλο βιβλίου",
+ "Enter author name": "Εισάγετε όνομα συγγραφέα",
+ "Series": "Σειρά",
+ "Enter series name": "Εισάγετε όνομα σειράς",
+ "Series Index": "Αριθμός σειράς",
+ "Enter series index": "Εισάγετε αριθμό σειράς",
+ "Total in Series": "Σύνολο στη σειρά",
+ "Enter total books in series": "Εισάγετε συνολικό αριθμό βιβλίων στη σειρά",
+ "Enter publisher": "Εισάγετε εκδότη",
+ "Publication Date": "Ημερομηνία έκδοσης",
+ "Identifier": "Αναγνωριστικό",
+ "Enter book description": "Εισάγετε περιγραφή βιβλίου",
+ "Change cover image": "Αλλαγή εικόνας εξωφύλλου",
+ "Replace": "Αντικατάσταση",
+ "Unlock cover": "Ξεκλείδωμα εξωφύλλου",
+ "Lock cover": "Κλείδωμα εξωφύλλου",
+ "Auto-Retrieve Metadata": "Αυτόματη ανάκτηση μεταδεδομένων",
+ "Auto-Retrieve": "Αυτόματη ανάκτηση",
+ "Unlock all fields": "Ξεκλείδωμα όλων των πεδίων",
+ "Unlock All": "Ξεκλείδωμα όλων",
+ "Lock all fields": "Κλείδωμα όλων των πεδίων",
+ "Lock All": "Κλείδωμα όλων",
+ "Reset": "Επαναφορά",
+ "Edit Metadata": "Επεξεργασία μεταδεδομένων",
+ "Locked": "Κλειδωμένο",
+ "Select Metadata Source": "Επιλέξτε πηγή μεταδεδομένων",
+ "Keep manual input": "Διατήρηση χειροκίνητης εισαγωγής",
+ "Google Books": "Google Books",
+ "Open Library": "Open Library",
+ "Fiction, Science, History": "Μυθοπλασία, Επιστήμη, Ιστορία",
+ "Open Book in New Window": "Άνοιγμα βιβλίου σε νέο παράθυρο",
+ "Voices for {{lang}}": "Φωνές για {{lang}}",
+ "Yandex Translate": "Μετάφραση Yandex",
+ "YYYY or YYYY-MM-DD": "YYYY ή YYYY-MM-DD",
+ "Restore Purchase": "Επαναφορά αγοράς",
+ "No purchases found to restore.": "Δεν βρέθηκαν αγορές για επαναφορά.",
+ "Failed to restore purchases.": "Αποτυχία επαναφοράς αγορών.",
+ "Failed to manage subscription.": "Αποτυχία διαχείρισης συνδρομής.",
+ "Failed to load subscription plans.": "Αποτυχία φόρτωσης σχεδίων συνδρομής.",
+ "year": "έτος",
+ "Failed to create checkout session": "Αποτυχία δημιουργίας συνεδρίας πληρωμής",
+ "Storage": "Αποθήκευση",
+ "Terms of Service": "Όροι χρήσης",
+ "Privacy Policy": "Πολιτική απορρήτου",
+ "Disable Double Click": "Απενεργοποίηση διπλού κλικ",
+ "TTS not supported for this document": "Η τεχνολογία TTS δεν υποστηρίζεται για αυτό το έγγραφο.",
+ "Reset Password": "Επαναφορά κωδικού",
+ "Show Reading Progress": "Εμφάνιση προόδου ανάγνωσης",
+ "Reading Progress Style": "Στυλ προόδου ανάγνωσης",
+ "Page Number": "Αριθμός σελίδας",
+ "Percentage": "Ποσοστό",
+ "Deleted local copy of the book: {{title}}": "Διαγράφηκε το τοπικό αντίγραφο του βιβλίου: {{title}}",
+ "Failed to delete cloud backup of the book: {{title}}": "Αποτυχία διαγραφής του αντιγράφου ασφαλείας του βιβλίου: {{title}}",
+ "Failed to delete local copy of the book: {{title}}": "Αποτυχία διαγραφής της τοπικής αντιγράφου του βιβλίου: {{title}}",
+ "Are you sure to delete the local copy of the selected book?": "Είστε σίγουροι ότι θέλετε να διαγράψετε την τοπική αντιγραφή του επιλεγμένου βιβλίου;",
+ "Remove from Cloud & Device": "Αφαίρεση από το Cloud & Device",
+ "Remove from Cloud Only": "Αφαίρεση μόνο από το Cloud",
+ "Remove from Device Only": "Αφαίρεση μόνο από το Device",
+ "Disconnected": "Αποσυνδεδεμένο",
+ "KOReader Sync Settings": "Ρυθμίσεις συγχρονισμού KOReader",
+ "Sync Strategy": "Στρατηγική συγχρονισμού",
+ "Ask on conflict": "Ρώτησε σε περίπτωση σύγκρουσης",
+ "Always use latest": "Χρησιμοποίησε πάντα την τελευταία έκδοση",
+ "Send changes only": "Αποστολή μόνο αλλαγών",
+ "Receive changes only": "Λήψη μόνο αλλαγών",
+ "Checksum Method": "Μέθοδος ελέγχου",
+ "File Content (recommended)": "Περιεχόμενο αρχείου (συνιστάται)",
+ "File Name": "Όνομα αρχείου",
+ "Device Name": "Όνομα συσκευής",
+ "Connect to your KOReader Sync server.": "Συνδεθείτε στον διακομιστή συγχρονισμού KOReader.",
+ "Server URL": "Διεύθυνση URL διακομιστή",
+ "Username": "Όνομα χρήστη",
+ "Your Username": "Το όνομα χρήστη σας",
+ "Password": "Κωδικός πρόσβασης",
+ "Connect": "Σύνδεση",
+ "KOReader Sync": "Συγχρονισμός KOReader",
+ "Sync Conflict": "Σύγκρουση συγχρονισμού",
+ "Sync reading progress from \"{{deviceName}}\"?": "Συγχρονίστε την πρόοδο ανάγνωσης από το \"{{deviceName}}\";",
+ "another device": "άλλη συσκευή",
+ "Local Progress": "Τοπική πρόοδος",
+ "Remote Progress": "Απομακρυσμένη πρόοδος",
+ "Page {{page}} of {{total}} ({{percentage}}%)": "Σελίδα {{page}} από {{total}} ({{percentage}}%)",
+ "Current position": "Τρέχουσα θέση",
+ "Approximately page {{page}} of {{total}} ({{percentage}}%)": "Περίπου σελίδα {{page}} από {{total}} ({{percentage}}%)",
+ "Approximately {{percentage}}%": "Περίπου {{percentage}}%",
+ "Failed to connect": "Αποτυχία σύνδεσης",
+ "Sync Server Connected": "Ο διακομιστής συγχρονισμού είναι συνδεδεμένος",
+ "Sync as {{userDisplayName}}": "Συγχρονισμός ως {{userDisplayName}}",
+ "Custom Fonts": "Προσαρμοσμένες Γραμματοσειρές",
+ "Cancel Delete": "Ακύρωση Διαγραφής",
+ "Import Font": "Εισαγωγή Γραμματοσειράς",
+ "Delete Font": "Διαγραφή Γραμματοσειράς",
+ "Tips": "Συμβουλές",
+ "Custom fonts can be selected from the Font Face menu": "Οι προσαρμοσμένες γραμματοσειρές μπορούν να επιλεγούν από το μενού Γραμματοσειράς",
+ "Manage Custom Fonts": "Διαχείριση Προσαρμοσμένων Γραμματοσειρών",
+ "Select Files": "Επιλογή Αρχείων",
+ "Select Image": "Επιλογή Εικόνας",
+ "Select Video": "Επιλογή Βίντεο",
+ "Select Audio": "Επιλογή Ήχου",
+ "Select Fonts": "Επιλογή Γραμματοσειρών",
+ "Supported font formats: .ttf, .otf, .woff, .woff2": "Υποστηριζόμενες μορφές γραμματοσειρών: .ttf, .otf, .woff, .woff2",
+ "Push Progress": "Αποστολή προόδου",
+ "Pull Progress": "Λήψη προόδου",
+ "Previous Paragraph": "Προηγούμενη παράγραφος",
+ "Previous Sentence": "Προηγούμενη πρόταση",
+ "Pause": "Παύση",
+ "Play": "Αναπαραγωγή",
+ "Next Sentence": "Επόμενη πρόταση",
+ "Next Paragraph": "Επόμενη παράγραφος",
+ "Separate Cover Page": "Ξεχωριστή σελίδα εξωφύλλου",
+ "Resize Notebook": "Αλλαγή μεγέθους σημειωματάριου",
+ "Resize Sidebar": "Αλλαγή μεγέθους πλαϊνής γραμμής",
+ "Get Help from the Readest Community": "Λάβετε βοήθεια από την κοινότητα Readest",
+ "Remove cover image": "Αφαίρεση εικόνας εξωφύλλου",
+ "Bookshelf": "Ράφι βιβλίων",
+ "View Menu": "Προβολή μενού",
+ "Settings Menu": "Μενού ρυθμίσεων",
+ "View account details and quota": "Προβολή στοιχείων λογαριασμού και ορίου",
+ "Library Header": "Κεφαλίδα βιβλιοθήκης",
+ "Book Content": "Περιεχόμενο βιβλίου",
+ "Footer Bar": "Γραμμή υποσέλιδου",
+ "Header Bar": "Γραμμή κεφαλίδας",
+ "View Options": "Επιλογές προβολής",
+ "Book Menu": "Μενού βιβλίου",
+ "Search Options": "Επιλογές αναζήτησης",
+ "Close": "Κλείσιμο",
+ "Delete Book Options": "Επιλογές διαγραφής βιβλίου",
+ "ON": "ΕΝΕΡΓΟΠΟΙΗΣΗ",
+ "OFF": "ΑΠΕΝΕΡΓΟΠΟΙΗΣΗ",
+ "Reading Progress": "Πρόοδος ανάγνωσης",
+ "Page Margin": "Περιθώριο σελίδας",
+ "Remove Bookmark": "Αφαίρεση σελιδοδείκτη",
+ "Add Bookmark": "Προσθήκη σελιδοδείκτη",
+ "Books Content": "Περιεχόμενο βιβλίων",
+ "Jump to Location": "Μετάβαση σε τοποθεσία",
+ "Unpin Notebook": "Αποκαθήλωση σημειωματάριου",
+ "Pin Notebook": "Καθήλωση σημειωματάριου",
+ "Hide Search Bar": "Απόκρυψη γραμμής αναζήτησης",
+ "Show Search Bar": "Εμφάνιση γραμμής αναζήτησης",
+ "On {{current}} of {{total}} page": "Στη σελίδα {{current}} από {{total}}",
+ "Section Title": "Τίτλος ενότητας",
+ "Decrease": "Μείωση",
+ "Increase": "Αύξηση",
+ "Settings Panels": "Πίνακες ρυθμίσεων",
+ "Settings": "Ρυθμίσεις",
+ "Unpin Sidebar": "Αποκαθήλωση πλαϊνής γραμμής",
+ "Pin Sidebar": "Καθήλωση πλαϊνής γραμμής",
+ "Toggle Sidebar": "Εναλλαγή πλαϊνής γραμμής",
+ "Toggle Translation": "Εναλλαγή μετάφρασης",
+ "Translation Disabled": "Η μετάφραση είναι απενεργοποιημένη",
+ "Minimize": "Ελαχιστοποίηση",
+ "Maximize or Restore": "Μεγιστοποίηση ή Επαναφορά",
+ "Exit Parallel Read": "Έξοδος από την παράλληλη ανάγνωση",
+ "Enter Parallel Read": "Είσοδος στην παράλληλη ανάγνωση",
+ "Zoom Level": "Επίπεδο ζουμ",
+ "Zoom Out": "Μείωση ζουμ",
+ "Reset Zoom": "Επαναφορά ζουμ",
+ "Zoom In": "Αύξηση ζουμ",
+ "Zoom Mode": "Λειτουργία ζουμ",
+ "Single Page": "Μοναδική σελίδα",
+ "Auto Spread": "Αυτόματη εξάπλωση",
+ "Fit Page": "Προσαρμογή σελίδας",
+ "Fit Width": "Προσαρμογή πλάτους",
+ "Failed to select directory": "Αποτυχία επιλογής καταλόγου",
+ "The new data directory must be different from the current one.": "Ο νέος κατάλογος δεδομένων πρέπει να είναι διαφορετικός από τον τρέχοντα.",
+ "Migration failed: {{error}}": "Η μετανάστευση απέτυχε: {{error}}",
+ "Change Data Location": "Αλλαγή τοποθεσίας δεδομένων",
+ "Current Data Location": "Τρέχουσα τοποθεσία δεδομένων",
+ "Total size: {{size}}": "Συνολικό μέγεθος: {{size}}",
+ "Calculating file info...": "Υπολογισμός πληροφοριών αρχείου...",
+ "New Data Location": "Νέα τοποθεσία δεδομένων",
+ "Choose Different Folder": "Επιλέξτε διαφορετικό φάκελο",
+ "Choose New Folder": "Επιλέξτε νέο φάκελο",
+ "Migrating data...": "Μεταφορά δεδομένων...",
+ "Copying: {{file}}": "Αντιγραφή: {{file}}",
+ "{{current}} of {{total}} files": "{{current}} από {{total}} αρχεία",
+ "Migration completed successfully!": "Η μετανάστευση ολοκληρώθηκε με επιτυχία!",
+ "Your data has been moved to the new location. Please restart the application to complete the process.": "Τα δεδομένα σας έχουν μεταφερθεί στη νέα τοποθεσία. Παρακαλώ επανεκκινήστε την εφαρμογή για να ολοκληρώσετε τη διαδικασία.",
+ "Migration failed": "Η μετανάστευση απέτυχε",
+ "Important Notice": "Σημαντική ειδοποίηση",
+ "This will move all your app data to the new location. Make sure the destination has enough free space.": "Αυτό θα μεταφέρει όλα τα δεδομένα της εφαρμογής σας στη νέα τοποθεσία. Βεβαιωθείτε ότι ο προορισμός έχει αρκετό ελεύθερο χώρο.",
+ "Restart App": "Επανεκκίνηση εφαρμογής",
+ "Start Migration": "Έναρξη μετανάστευσης",
+ "Advanced Settings": "Προηγμένες ρυθμίσεις",
+ "File count: {{size}}": "Αριθμός αρχείων: {{size}}",
+ "Background Read Aloud": "Ανάγνωση στο παρασκήνιο",
+ "Ready to read aloud": "Έτοιμο για ανάγνωση",
+ "Read Aloud": "Ανάγνωση",
+ "Screen Brightness": "Φωτεινότητα οθόνης",
+ "Background Image": "Εικόνα φόντου",
+ "Import Image": "Εισαγωγή εικόνας",
+ "Opacity": "Αδιαφάνεια",
+ "Size": "Μέγεθος",
+ "Cover": "Εξώφυλλο",
+ "Contain": "Περιέχει",
+ "{{number}} pages left in chapter": "Μένουν {{number}} σελίδες στο κεφάλαιο",
+ "Device": "Συσκευή",
+ "E-Ink Mode": "Λειτουργία E-Ink",
+ "Highlight Colors": "Χρώματα επισήμανσης",
+ "Auto Screen Brightness": "Αυτόματη φωτεινότητα οθόνης",
+ "Pagination": "Σελιδοποίηση",
+ "Disable Double Tap": "Απενεργοποίηση διπλού ταπ",
+ "Tap to Paginate": "Ταπ για σελιδοποίηση",
+ "Click to Paginate": "Κλικ για σελιδοποίηση",
+ "Tap Both Sides": "Ταπ και στις δύο πλευρές",
+ "Click Both Sides": "Κλικ και στις δύο πλευρές",
+ "Swap Tap Sides": "Ανταλλαγή πλευρών ταπ",
+ "Swap Click Sides": "Ανταλλαγή πλευρών κλικ",
+ "Source and Translated": "Πηγή και Μεταφρασμένο",
+ "Translated Only": "Μόνο Μεταφρασμένο",
+ "Source Only": "Μόνο πηγή",
+ "TTS Text": "Κείμενο TTS",
+ "The book file is corrupted": "Το αρχείο του βιβλίου είναι κατεστραμμένο",
+ "The book file is empty": "Το αρχείο του βιβλίου είναι κενό",
+ "Failed to open the book file": "Αποτυχία ανοίγματος του αρχείου βιβλίου",
+ "On-Demand Purchase": "Αγορά κατόπιν αιτήματος",
+ "Full Customization": "Πλήρης προσαρμογή",
+ "Lifetime Plan": "Σχέδιο ζωής",
+ "One-Time Payment": "Εφάπαξ πληρωμή",
+ "Make a single payment to enjoy lifetime access to specific features on all devices. Purchase specific features or services only when you need them.": "Κάντε μια εφάπαξ πληρωμή για να απολαύσετε διαρκή πρόσβαση σε συγκεκριμένες δυνατότητες σε όλες τις συσκευές. Αγοράστε συγκεκριμένες δυνατότητες ή υπηρεσίες μόνο όταν τις χρειάζεστε.",
+ "Expand Cloud Sync Storage": "Επέκταση αποθήκευσης συγχρονισμού Cloud",
+ "Expand your cloud storage forever with a one-time purchase. Each additional purchase adds more space.": "Επεκτείνετε την αποθήκευση cloud σας για πάντα με μια εφάπαξ αγορά. Κάθε επιπλέον αγορά προσθέτει περισσότερο χώρο.",
+ "Unlock All Customization Options": "Ξεκλειδώστε όλες τις επιλογές προσαρμογής",
+ "Unlock additional themes, fonts, layout options and read aloud, translators, cloud storage services.": "Ξεκλειδώστε επιπλέον θέματα, γραμματοσειρές, επιλογές διάταξης και δυνατότητες ανάγνωσης, μεταφραστές, υπηρεσίες αποθήκευσης cloud.",
+ "Purchase Successful!": "Η αγορά ήταν επιτυχής!",
+ "lifetime": "διαρκής",
+ "Thank you for your purchase! Your payment has been processed successfully.": "Σας ευχαριστούμε για την αγορά σας! Η πληρωμή σας έχει επεξεργαστεί με επιτυχία.",
+ "Order ID:": "Αριθμός παραγγελίας:",
+ "TTS Highlighting": "Επισήμανση TTS",
+ "Style": "Στυλ",
+ "Underline": "Υπογράμμιση",
+ "Strikethrough": "Διαγραμμένο",
+ "Squiggly": "Κυματιστό",
+ "Outline": "Περίγραμμα",
+ "Save Current Color": "Αποθήκευση τρέχουσας χρώματος",
+ "Quick Colors": "Γρήγορα χρώματα",
+ "Highlighter": "Υπογραμμιστής",
+ "Save Book Cover": "Αποθήκευση εξωφύλλου βιβλίου",
+ "Auto-save last book cover": "Αυτόματη αποθήκευση τελευταίου εξωφύλλου βιβλίου",
+ "Back": "Πίσω",
+ "Confirmation email sent! Please check your old and new email addresses to confirm the change.": "Το email επιβεβαίωσης στάλθηκε! Παρακαλώ έλεγξε την παλιά και τη νέα σου διεύθυνση email για να επιβεβαιώσεις την αλλαγή.",
+ "Failed to update email": "Αποτυχία ενημέρωσης email",
+ "New Email": "Νέο email",
+ "Your new email": "Το νέο σου email",
+ "Updating email ...": "Ενημέρωση email ...",
+ "Update email": "Ενημέρωση email",
+ "Current email": "Τρέχον email",
+ "Update Email": "Ενημέρωση email",
+ "All": "Όλα",
+ "Unable to open book": "Αδύνατη η άνοιγμα του βιβλίου",
+ "Punctuation": "Στίξη",
+ "Replace Quotation Marks": "Αντικατάσταση εισαγωγικών",
+ "Enabled only in vertical layout.": "Ενεργοποιημένο μόνο σε κάθετη διάταξη.",
+ "No Conversion": "Χωρίς μετατροπή",
+ "Simplified to Traditional": "Απλοπ. → Παραδ.",
+ "Traditional to Simplified": "Παραδ. → Απλοπ.",
+ "Simplified to Traditional (Taiwan)": "Απλοπ. → Παραδ. (Ταϊβάν)",
+ "Simplified to Traditional (Hong Kong)": "Απλοπ. → Παραδ. (Χονγκ Κονγκ)",
+ "Simplified to Traditional (Taiwan), with phrases": "Απλοπ. → Παραδ. (Ταϊβάν • φράσεις)",
+ "Traditional (Taiwan) to Simplified": "Παραδ. (Ταϊβάν) → Απλοπ.",
+ "Traditional (Hong Kong) to Simplified": "Παραδ. (Χονγκ Κονγκ) → Απλοπ.",
+ "Traditional (Taiwan) to Simplified, with phrases": "Παραδ. (Ταϊβάν • φράσεις) → Απλοπ.",
+ "Convert Simplified and Traditional Chinese": "Μετατροπή Απλοπ./Παραδ. Κινέζικων",
+ "Convert Mode": "Λειτουργία μετατροπής",
+ "Failed to auto-save book cover for lock screen: {{error}}": "Αποτυχία αυτόματης αποθήκευσης εξωφύλλου βιβλίου για την οθόνη κλειδώματος: {{error}}",
+ "Download from Cloud": "Λήψη από το Cloud",
+ "Upload to Cloud": "Ανέβασμα στο Cloud",
+ "Clear Custom Fonts": "Καθαρισμός προσαρμοσμένων γραμματοσειρών",
+ "Columns": "Στήλες",
+ "OPDS Catalogs": "Κατάλογοι OPDS",
+ "Adding LAN addresses is not supported in the web app version.": "Η προσθήκη διευθύνσεων LAN δεν υποστηρίζεται στην έκδοση web της εφαρμογής.",
+ "Invalid OPDS catalog. Please check the URL.": "Μη έγκυρος κατάλογος OPDS. Ελέγξτε το URL.",
+ "Browse and download books from online catalogs": "Περιηγηθείτε και κατεβάστε βιβλία από online καταλόγους",
+ "My Catalogs": "Οι Κατάλογοί μου",
+ "Add Catalog": "Προσθήκη Καταλόγου",
+ "No catalogs yet": "Δεν υπάρχουν ακόμα κατάλογοι",
+ "Add your first OPDS catalog to start browsing books": "Προσθέστε τον πρώτο σας κατάλογο OPDS για να αρχίσετε την περιήγηση.",
+ "Add Your First Catalog": "Προσθήκη Πρώτου Καταλόγου",
+ "Browse": "Περιήγηση",
+ "Popular Catalogs": "Δημοφιλείς Κατάλογοι",
+ "Add": "Προσθήκη",
+ "Add OPDS Catalog": "Προσθήκη Καταλόγου OPDS",
+ "Catalog Name": "Όνομα Καταλόγου",
+ "My Calibre Library": "Η Βιβλιοθήκη μου στο Calibre",
+ "OPDS URL": "OPDS URL",
+ "Username (optional)": "Όνομα χρήστη (προαιρετικό)",
+ "Password (optional)": "Κωδικός πρόσβασης (προαιρετικό)",
+ "Description (optional)": "Περιγραφή (προαιρετική)",
+ "A brief description of this catalog": "Μια σύντομη περιγραφή του καταλόγου",
+ "Validating...": "Γίνεται έλεγχος...",
+ "View All": "Προβολή όλων",
+ "Forward": "Μπροστά",
+ "Home": "Αρχική",
+ "{{count}} items_one": "{{count}} στοιχείο",
+ "{{count}} items_other": "{{count}} στοιχεία",
+ "Download completed": "Η λήψη ολοκληρώθηκε",
+ "Download failed": "Η λήψη απέτυχε",
+ "Open Access": "Ανοιχτή πρόσβαση",
+ "Borrow": "Δανεισμός",
+ "Buy": "Αγορά",
+ "Subscribe": "Συνδρομή",
+ "Sample": "Δείγμα",
+ "Download": "Λήψη",
+ "Open & Read": "Άνοιγμα & Ανάγνωση",
+ "Tags": "Ετικέτες",
+ "Tag": "Ετικέτα",
+ "First": "Πρώτο",
+ "Previous": "Προηγούμενο",
+ "Next": "Επόμενο",
+ "Last": "Τελευταίο",
+ "Cannot Load Page": "Δεν είναι δυνατή η φόρτωση της σελίδας",
+ "An error occurred": "Προέκυψε σφάλμα",
+ "Online Library": "Online Βιβλιοθήκη",
+ "URL must start with http:// or https://": "Το URL πρέπει να ξεκινά με http:// ή https://",
+ "Title, Author, Tag, etc...": "Τίτλος, Συγγραφέας, Ετικέτα, κ.λπ...",
+ "Query": "Ερώτημα",
+ "Subject": "Θέμα",
+ "Enter {{terms}}": "Εισαγάγετε {{terms}}",
+ "No search results found": "Δεν βρέθηκαν αποτελέσματα αναζήτησης",
+ "Failed to load OPDS feed: {{status}} {{statusText}}": "Αποτυχία φόρτωσης ροής OPDS: {{status}} {{statusText}}",
+ "Search in {{title}}": "Αναζήτηση στο {{title}}",
+ "Manage Storage": "Διαχείριση αποθήκευσης",
+ "Failed to load files": "Αποτυχία φόρτωσης αρχείων",
+ "Deleted {{count}} file(s)_one": "Διαγράφηκε {{count}} αρχείο",
+ "Deleted {{count}} file(s)_other": "Διαγράφηκαν {{count}} αρχεία",
+ "Failed to delete {{count}} file(s)_one": "Αποτυχία διαγραφής {{count}} αρχείου",
+ "Failed to delete {{count}} file(s)_other": "Αποτυχία διαγραφής {{count}} αρχείων",
+ "Failed to delete files": "Αποτυχία διαγραφής αρχείων",
+ "Total Files": "Σύνολο αρχείων",
+ "Total Size": "Συνολικό μέγεθος",
+ "Quota": "Όριο",
+ "Used": "Χρησιμοποιήθηκε",
+ "Files": "Αρχεία",
+ "Search files...": "Αναζήτηση αρχείων...",
+ "Newest First": "Νεότερα πρώτα",
+ "Oldest First": "Παλαιότερα πρώτα",
+ "Largest First": "Μεγαλύτερα πρώτα",
+ "Smallest First": "Μικρότερα πρώτα",
+ "Name A-Z": "Όνομα A–Z",
+ "Name Z-A": "Όνομα Z–A",
+ "{{count}} selected_one": "{{count}} επιλεγμένο",
+ "{{count}} selected_other": "{{count}} επιλεγμένα",
+ "Delete Selected": "Διαγραφή επιλεγμένων",
+ "Created": "Δημιουργήθηκε",
+ "No files found": "Δεν βρέθηκαν αρχεία",
+ "No files uploaded yet": "Δεν έχουν ανέβει αρχεία ακόμη",
+ "files": "αρχεία",
+ "Page {{current}} of {{total}}": "Σελίδα {{current}} από {{total}}",
+ "Are you sure to delete {{count}} selected file(s)?_one": "Σίγουρα θέλετε να διαγράψετε {{count}} επιλεγμένο αρχείο;",
+ "Are you sure to delete {{count}} selected file(s)?_other": "Σίγουρα θέλετε να διαγράψετε {{count}} επιλεγμένα αρχεία;",
+ "Cloud Storage Usage": "Χρήση αποθήκευσης cloud",
+ "Rename Group": "Μετονομασία ομάδας",
+ "From Directory": "Από κατάλογο",
+ "Successfully imported {{count}} book(s)_one": "Επιτυχής εισαγωγή 1 βιβλίου",
+ "Successfully imported {{count}} book(s)_other": "Επιτυχής εισαγωγή {{count}} βιβλίων",
+ "Count": "Πλήθος",
+ "Start Page": "Αρχική Σελίδα",
+ "Search in OPDS Catalog...": "Αναζήτηση στον κατάλογο OPDS...",
+ "Please log in to use advanced TTS features": "Παρακαλώ συνδεθείτε για να χρησιμοποιήσετε προηγμένες λειτουργίες TTS",
+ "Word limit of 30 words exceeded.": "Υπέρβαση ορίου 30 λέξεων.",
+ "Proofread": "Διόρθωση",
+ "Current selection": "Τρέχουσα επιλογή",
+ "All occurrences in this book": "Όλες οι εμφανίσεις σε αυτό το βιβλίο",
+ "All occurrences in your library": "Όλες οι εμφανίσεις στη βιβλιοθήκη σας",
+ "Selected text:": "Επιλεγμένο κείμενο:",
+ "Replace with:": "Αντικατάσταση με:",
+ "Enter text...": "Εισαγωγή κειμένου…",
+ "Case sensitive:": "Διάκριση πεζών-κεφαλαίων:",
+ "Scope:": "Εύρος εφαρμογής:",
+ "Selection": "Επιλογή",
+ "Library": "Βιβλιοθήκη",
+ "Yes": "Ναι",
+ "No": "Όχι",
+ "Proofread Replacement Rules": "Κανόνες αντικατάστασης διόρθωσης",
+ "Selected Text Rules": "Κανόνες επιλεγμένου κειμένου",
+ "No selected text replacement rules": "Δεν υπάρχουν κανόνες αντικατάστασης για το επιλεγμένο κείμενο",
+ "Book Specific Rules": "Κανόνες για συγκεκριμένο βιβλίο",
+ "No book-level replacement rules": "Δεν υπάρχουν κανόνες αντικατάστασης σε επίπεδο βιβλίου",
+ "Disable Quick Action": "Απενεργοποίηση γρήγορης ενέργειας",
+ "Enable Quick Action on Selection": "Ενεργοποίηση γρήγορης ενέργειας κατά την επιλογή",
+ "None": "Καμία",
+ "Annotation Tools": "Εργαλεία σχολιασμού",
+ "Enable Quick Actions": "Ενεργοποίηση γρήγορων ενεργειών",
+ "Quick Action": "Γρήγορη ενέργεια",
+ "Copy to Notebook": "Αντιγραφή στο σημειωματάριο",
+ "Copy text after selection": "Αντιγραφή κειμένου μετά την επιλογή",
+ "Highlight text after selection": "Επισήμανση κειμένου μετά την επιλογή",
+ "Annotate text after selection": "Σχολιασμός κειμένου μετά την επιλογή",
+ "Search text after selection": "Αναζήτηση κειμένου μετά την επιλογή",
+ "Look up text in dictionary after selection": "Αναζήτηση κειμένου στο λεξικό μετά την επιλογή",
+ "Look up text in Wikipedia after selection": "Αναζήτηση κειμένου στη Wikipedia μετά την επιλογή",
+ "Translate text after selection": "Μετάφραση κειμένου μετά την επιλογή",
+ "Read text aloud after selection": "Ανάγνωση κειμένου μετά την επιλογή",
+ "Proofread text after selection": "Διόρθωση κειμένου μετά την επιλογή",
+ "{{activeCount}} active, {{pendingCount}} pending": "{{activeCount}} ενεργές, {{pendingCount}} σε αναμονή",
+ "{{failedCount}} failed": "{{failedCount}} απέτυχαν",
+ "Waiting...": "Αναμονή...",
+ "Failed": "Απέτυχε",
+ "Completed": "Ολοκληρώθηκε",
+ "Cancelled": "Ακυρώθηκε",
+ "Retry": "Επανάληψη",
+ "Active": "Ενεργές",
+ "Transfer Queue": "Ουρά μεταφορών",
+ "Upload All": "Ανέβασμα όλων",
+ "Download All": "Λήψη όλων",
+ "Resume Transfers": "Συνέχιση μεταφορών",
+ "Pause Transfers": "Παύση μεταφορών",
+ "Pending": "Σε αναμονή",
+ "No transfers": "Χωρίς μεταφορές",
+ "Retry All": "Επανάληψη όλων",
+ "Clear Completed": "Εκκαθάριση ολοκληρωμένων",
+ "Clear Failed": "Εκκαθάριση αποτυχημένων",
+ "Upload queued: {{title}}": "Ανέβασμα στην ουρά: {{title}}",
+ "Download queued: {{title}}": "Λήψη στην ουρά: {{title}}",
+ "Book not found in library": "Το βιβλίο δεν βρέθηκε στη βιβλιοθήκη",
+ "Unknown error": "Άγνωστο σφάλμα",
+ "Please log in to continue": "Παρακαλώ συνδεθείτε για να συνεχίσετε",
+ "Cloud File Transfers": "Μεταφορές αρχείων στο cloud",
+ "Show Search Results": "Εμφάνιση αποτελεσμάτων",
+ "Search results for '{{term}}'": "Αποτελέσματα για '{{term}}'",
+ "Close Search": "Κλείσιμο αναζήτησης",
+ "Previous Result": "Προηγούμενο αποτέλεσμα",
+ "Next Result": "Επόμενο αποτέλεσμα",
+ "Bookmarks": "Σελιδοδείκτες",
+ "Annotations": "Σχολιασμοί",
+ "Show Results": "Εμφάνιση αποτελεσμάτων",
+ "Clear search": "Εκκαθάριση αναζήτησης",
+ "Clear search history": "Εκκαθάριση ιστορικού αναζήτησης",
+ "Tap to Toggle Footer": "Πατήστε για εναλλαγή υποσέλιδου",
+ "Exported successfully": "Εξαγωγή επιτυχής",
+ "Book exported successfully.": "Το βιβλίο εξήχθη επιτυχώς.",
+ "Failed to export the book.": "Αποτυχία εξαγωγής του βιβλίου.",
+ "Export Book": "Εξαγωγή βιβλίου",
+ "Whole word:": "Ολόκληρη λέξη:",
+ "Error": "Σφάλμα",
+ "Unable to load the article. Try searching directly on {{link}}.": "Αδυναμία φόρτωσης του άρθρου. Δοκιμάστε να αναζητήσετε απευθείας στο {{link}}.",
+ "Unable to load the word. Try searching directly on {{link}}.": "Αδυναμία φόρτωσης της λέξης. Δοκιμάστε να αναζητήσετε απευθείας στο {{link}}.",
+ "Date Published": "Ημερομηνία δημοσίευσης",
+ "Only for TTS:": "Μόνο για TTS:",
+ "Uploaded": "Μεταφορτώθηκε",
+ "Downloaded": "Λήφθηκε",
+ "Deleted": "Διαγράφηκε",
+ "Note:": "Σημείωση:",
+ "Time:": "Ώρα:",
+ "Format Options": "Επιλογές μορφοποίησης",
+ "Export Date": "Ημερομηνία εξαγωγής",
+ "Chapter Titles": "Τίτλοι κεφαλαίων",
+ "Chapter Separator": "Διαχωριστικό κεφαλαίων",
+ "Highlights": "Επισημάνσεις",
+ "Note Date": "Ημερομηνία σημείωσης",
+ "Advanced": "Για προχωρημένους",
+ "Hide": "Απόκρυψη",
+ "Show": "Εμφάνιση",
+ "Use Custom Template": "Χρήση προσαρμοσμένου προτύπου",
+ "Export Template": "Πρότυπο εξαγωγής",
+ "Template Syntax:": "Σύνταξη προτύπου:",
+ "Insert value": "Εισαγωγή τιμής",
+ "Format date (locale)": "Μορφοποίηση ημερομηνίας (τοπική)",
+ "Format date (custom)": "Μορφοποίηση ημερομηνίας (προσαρμοσμένη)",
+ "Conditional": "Υπό όρους",
+ "Loop": "Βρόχος",
+ "Available Variables:": "Διαθέσιμες μεταβλητές:",
+ "Book title": "Τίτλος βιβλίου",
+ "Book author": "Συγγραφέας βιβλίου",
+ "Export date": "Ημερομηνία εξαγωγής",
+ "Array of chapters": "Πίνακας κεφαλαίων",
+ "Chapter title": "Τίτλος κεφαλαίου",
+ "Array of annotations": "Πίνακας σχολιασμών",
+ "Highlighted text": "Επισημασμένο κείμενο",
+ "Annotation note": "Σημείωση σχολιασμού",
+ "Date Format Tokens:": "Σύμβολα μορφοποίησης ημερομηνίας:",
+ "Year (4 digits)": "Έτος (4 ψηφία)",
+ "Month (01-12)": "Μήνας (01-12)",
+ "Day (01-31)": "Ημέρα (01-31)",
+ "Hour (00-23)": "Ώρα (00-23)",
+ "Minute (00-59)": "Λεπτό (00-59)",
+ "Second (00-59)": "Δευτερόλεπτο (00-59)",
+ "Show Source": "Εμφάνιση πηγής",
+ "No content to preview": "Δεν υπάρχει περιεχόμενο για προεπισκόπηση",
+ "Export": "Εξαγωγή",
+ "Set Timeout": "Ορισμός χρονικού ορίου",
+ "Select Voice": "Επιλογή φωνής",
+ "Toggle Sticky Bottom TTS Bar": "Εναλλαγή καρφιτσωμένης μπάρας TTS",
+ "Display what I'm reading on Discord": "Εμφάνιση του βιβλίου που διαβάζω στο Discord",
+ "Show on Discord": "Εμφάνιση στο Discord",
+ "Instant {{action}}": "Άμεση {{action}}",
+ "Instant {{action}} Disabled": "Άμεση {{action}} απενεργοποιημένη",
+ "Annotation": "Σημείωση",
+ "Reset Template": "Επαναφορά προτύπου",
+ "Annotation style": "Στυλ σχολίου",
+ "Annotation color": "Χρώμα σχολίου",
+ "Annotation time": "Ώρα σχολίου",
+ "AI": "AI",
+ "Are you sure you want to re-index this book?": "Είστε σίγουροι ότι θέλετε να επαναδημιουργήσετε το ευρετήριο αυτού του βιβλίου;",
+ "Enable AI in Settings": "Ενεργοποίηση AI στις ρυθμίσεις",
+ "Index This Book": "Δημιουργία ευρετηρίου για αυτό το βιβλίο",
+ "Enable AI search and chat for this book": "Ενεργοποίηση αναζήτησης AI και συνομιλίας για αυτό το βιβλίο",
+ "Start Indexing": "Έναρξη δημιουργίας ευρετηρίου",
+ "Indexing book...": "Δημιουργία ευρετηρίου βιβλίου...",
+ "Preparing...": "Προετοιμασία...",
+ "Delete this conversation?": "Διαγραφή αυτής της συνομιλίας;",
+ "No conversations yet": "Δεν υπάρχουν συνομιλίες ακόμα",
+ "Start a new chat to ask questions about this book": "Ξεκινήστε μια νέα συνομιλία για να κάνετε ερωτήσεις σχετικά με αυτό το βιβλίο",
+ "Rename": "Μετονομασία",
+ "New Chat": "Νέα συνομιλία",
+ "Chat": "Συνομιλία",
+ "Please enter a model ID": "Εισάγετε ένα αναγνωριστικό μοντέλου",
+ "Model not available or invalid": "Το μοντέλο δεν είναι διαθέσιμο ή δεν είναι έγκυρο",
+ "Failed to validate model": "Αποτυχία επικύρωσης μοντέλου",
+ "Couldn't connect to Ollama. Is it running?": "Δεν ήταν δυνατή η σύνδεση με το Ollama. Εκτελείται;",
+ "Invalid API key or connection failed": "Μη έγκυρο κλειδί API ή αποτυχία σύνδεσης",
+ "Connection failed": "Αποτυχία σύνδεσης",
+ "AI Assistant": "Βοηθός AI",
+ "Enable AI Assistant": "Ενεργοποίηση βοηθού AI",
+ "Provider": "Πάροχος",
+ "Ollama (Local)": "Ollama (Τοπικό)",
+ "AI Gateway (Cloud)": "Πύλη AI (Cloud)",
+ "Ollama Configuration": "Διαμόρφωση Ollama",
+ "Refresh Models": "Ανανέωση μοντέλων",
+ "AI Model": "Μοντέλο AI",
+ "No models detected": "Δεν εντοπίστηκαν μοντέλα",
+ "AI Gateway Configuration": "Διαμόρφωση πύλης AI",
+ "Choose from a selection of high-quality, economical AI models. You can also bring your own model by selecting \"Custom Model\" below.": "Επιλέξτε από μια συλλογή υψηλής ποιότητας, οικονομικών μοντέλων AI. Μπορείτε επίσης να χρησιμοποιήσετε το δικό σας μοντέλο επιλέγοντας \"Προσαρμοσμένο μοντέλο\" παρακάτω.",
+ "API Key": "Κλειδί API",
+ "Get Key": "Λήψη κλειδιού",
+ "Model": "Μοντέλο",
+ "Custom Model...": "Προσαρμοσμένο μοντέλο...",
+ "Custom Model ID": "Αναγνωριστικό προσαρμοσμένου μοντέλου",
+ "Validate": "Επικύρωση",
+ "Model available": "Το μοντέλο είναι διαθέσιμο",
+ "Connection": "Σύνδεση",
+ "Test Connection": "Δοκιμή σύνδεσης",
+ "Connected": "Συνδεδεμένο",
+ "Custom Colors": "Προσαρμοσμένα χρώματα",
+ "Color E-Ink Mode": "Λειτουργία έγχρωμου E-Ink",
+ "Reading Ruler": "Χάρακας ανάγνωσης",
+ "Enable Reading Ruler": "Ενεργοποίηση χάρακα ανάγνωσης",
+ "Lines to Highlight": "Γραμμές για επισήμανση",
+ "Ruler Color": "Χρώμα χάρακα",
+ "Command Palette": "Παλέτα εντολών",
+ "Search settings and actions...": "Αναζήτηση ρυθμίσεων και ενεργειών...",
+ "No results found for": "Δεν βρέθηκαν αποτελέσματα για",
+ "Type to search settings and actions": "Πληκτρολογήστε για αναζήτηση ρυθμίσεων και ενεργειών",
+ "Recent": "Πρόσφατα",
+ "navigate": "πλοήγηση",
+ "select": "επιλογή",
+ "close": "κλείσιμο",
+ "Search Settings": "Αναζήτηση ρυθμίσεων",
+ "Page Margins": "Περιθώρια σελίδας",
+ "AI Provider": "Πάροχος AI",
+ "Ollama URL": "URL Ollama",
+ "Ollama Model": "Μοντέλο Ollama",
+ "AI Gateway Model": "Μοντέλο AI Gateway",
+ "Actions": "Ενέργειες",
+ "Navigation": "Πλοήγηση",
+ "Set status for {{count}} book(s)_one": "Ορισμός κατάστασης για {{count}} βιβλίο",
+ "Set status for {{count}} book(s)_other": "Ορισμός κατάστασης για {{count}} βιβλία",
+ "Mark as Unread": "Σήμανση ως μη αναγνωσμένο",
+ "Mark as Finished": "Σήμανση ως ολοκληρωμένο",
+ "Finished": "Ολοκληρώθηκε",
+ "Unread": "Μη αναγνωσμένο",
+ "Clear Status": "Εκκαθάριση κατάστασης",
+ "Status": "Κατάσταση",
+ "Loading": "Φόρτωση...",
+ "Exit Paragraph Mode": "Έξοδος από τη λειτουργία παραγράφου",
+ "Paragraph Mode": "Λειτουργία παραγράφου",
+ "Embedding Model": "Μοντέλο ενσωμάτωσης",
+ "{{count}} book(s) synced_one": "{{count}} βιβλίο συγχρονίστηκε",
+ "{{count}} book(s) synced_other": "{{count}} βιβλία συγχρονίστηκαν",
+ "Unable to start RSVP": "Αδυναμία έναρξης RSVP",
+ "RSVP not supported for PDF": "Το RSVP δεν υποστηρίζεται για PDF",
+ "Select Chapter": "Επιλογή Κεφαλαίου",
+ "Context": "Πλαίσιο",
+ "Ready": "Έτοιμο",
+ "Chapter Progress": "Πρόοδος Κεφαλαίου",
+ "words": "λέξεις",
+ "{{time}} left": "{{time}} απομένουν",
+ "Reading progress": "Πρόοδος ανάγνωσης",
+ "Click to seek": "Κάντε κλικ για αναζήτηση",
+ "Skip back 15 words": "Επιστροφή 15 λέξεων",
+ "Back 15 words (Shift+Left)": "Πίσω 15 λέξεις (Shift+Αριστερά)",
+ "Pause (Space)": "Παύση (Διάστημα)",
+ "Play (Space)": "Αναπαραγωγή (Διάστημα)",
+ "Skip forward 15 words": "Προώθηση 15 λέξεων",
+ "Forward 15 words (Shift+Right)": "Εμπρός 15 λέξεις (Shift+Δεξιά)",
+ "Pause:": "Παύση:",
+ "Decrease speed": "Μείωση ταχύτητας",
+ "Slower (Left/Down)": "Πιο αργά (Αριστερά/Κάτω)",
+ "Current speed": "Τρέχουσα ταχύτητα",
+ "Increase speed": "Αύξηση ταχύτητας",
+ "Faster (Right/Up)": "Πιο γρήγορα (Δεξιά/Πάνω)",
+ "Start RSVP Reading": "Έναρξη ανάγνωσης RSVP",
+ "Choose where to start reading": "Επιλέξτε από πού θα ξεκινήσετε την ανάγνωση",
+ "From Chapter Start": "Από την αρχή του κεφαλαίου",
+ "Start reading from the beginning of the chapter": "Ξεκινήστε την ανάγνωση από την αρχή του κεφαλαίου",
+ "Resume": "Συνέχεια",
+ "Continue from where you left off": "Συνεχίστε από εκεί που σταματήσατε",
+ "From Current Page": "Από την τρέχουσα σελίδα",
+ "Start from where you are currently reading": "Ξεκινήστε από εκεί που διαβάζετε αυτή τη στιγμή",
+ "From Selection": "Από την επιλογή",
+ "Speed Reading Mode": "Λειτουργία ταχείας ανάγνωσης",
+ "Scroll left": "Κύλιση αριστερά",
+ "Scroll right": "Κύλιση δεξιά",
+ "Library Sync Progress": "Πρόοδος συγχρονισμού βιβλιοθήκης",
+ "Back to library": "Επιστροφή στη βιβλιοθήκη",
+ "Group by...": "Ομαδοποίηση κατά...",
+ "Export as Plain Text": "Αποστολή ως απλό κείμενο",
+ "Export as Markdown": "Αποστολή ως Markdown",
+ "Show Page Navigation Buttons": "Κουμπιά πλοήγησης",
+ "Page {{number}}": "Σελίδα {{number}}",
+ "highlight": "επισήμανση",
+ "underline": "υπογράμμιση",
+ "squiggly": "κυματιστή γραμμή",
+ "red": "κόκκινο",
+ "violet": "βιολετί",
+ "blue": "μπλε",
+ "green": "πράσινο",
+ "yellow": "κίτρινο",
+ "Select {{style}} style": "Επιλέξτε στυλ {{style}}",
+ "Select {{color}} color": "Επιλέξτε χρώμα {{color}}",
+ "Close Book": "Κλείσιμο βιβλίου",
+ "Speed Reading": "Γρήγορη Ανάγνωση",
+ "Close Speed Reading": "Κλείσιμο Γρήγορης Ανάγνωσης",
+ "Authors": "Συγγραφείς",
+ "Books": "Βιβλία",
+ "Groups": "Ομάδες",
+ "Back to TTS Location": "Επιστροφή στην τοποθεσία TTS",
+ "Metadata": "Μεταδεδομένα",
+ "Image viewer": "Πρόγραμμα προβολής εικόνων",
+ "Previous Image": "Προηγούμενη εικόνα",
+ "Next Image": "Επόμενη εικόνα",
+ "Zoomed": "Ζουμαρισμένο",
+ "Zoom level": "Επίπεδο ζουμ",
+ "Table viewer": "Πρόγραμμα προβολής πινάκων",
+ "Unable to connect to Readwise. Please check your network connection.": "Αδυναμία σύνδεσης στο Readwise. Ελέγξτε τη σύνδεση του δικτύου σας.",
+ "Invalid Readwise access token": "Μη έγκυρο διακριτικό πρόσβασης Readwise",
+ "Disconnected from Readwise": "Αποσυνδέθηκε από το Readwise",
+ "Never": "Ποτέ",
+ "Readwise Settings": "Ρυθμίσεις Readwise",
+ "Connected to Readwise": "Συνδέθηκε στο Readwise",
+ "Last synced: {{time}}": "Τελευταίος συγχρονισμός: {{time}}",
+ "Sync Enabled": "Ο συγχρονισμός ενεργοποιήθηκε",
+ "Disconnect": "Αποσύνδεση",
+ "Connect your Readwise account to sync highlights.": "Συνδέστε τον λογαριασμό σας Readwise για να συγχρονίσετε τις επισημάνσεις.",
+ "Get your access token at": "Αποκτήστε το διακριτικό πρόσβασής σας στο",
+ "Access Token": "Διακριτικό πρόσβασης",
+ "Paste your Readwise access token": "Επικολλήστε το διακριτικό πρόσβασης Readwise",
+ "Config": "Ρύθμιση παραμέτρων",
+ "Readwise Sync": "Συγχρονισμός Readwise",
+ "Push Highlights": "Προώθηση επισημάνσεων",
+ "Highlights synced to Readwise": "Οι επισημάνσεις συγχρονίστηκαν στο Readwise",
+ "Readwise sync failed: no internet connection": "Ο συγχρονισμός Readwise απέτυχε: δεν υπάρχει σύνδεση στο διαδίκτυο",
+ "Readwise sync failed: {{error}}": "Ο συγχρονισμός Readwise απέτυχε: {{error}}"
+}
diff --git a/apps/readest-app/public/locales/en/translation.json b/apps/readest-app/public/locales/en/translation.json
new file mode 100644
index 0000000000000000000000000000000000000000..8e510ec2e145ffe99b49f36267bafa832a1acbc2
--- /dev/null
+++ b/apps/readest-app/public/locales/en/translation.json
@@ -0,0 +1,27 @@
+{
+ "LXGW WenKai GB Screen": "LXGW WenKai SC",
+ "LXGW WenKai TC": "LXGW WenKai TC",
+ "Source Han Serif CN": "Source Han Serif",
+ "Huiwen-MinchoGBK": "Huiwen Mincho",
+ "KingHwa_OldSong": "KingHwa Song",
+ "Are you sure to delete {{count}} selected book(s)?_one": "Are you sure to delete {{count}} selected book?",
+ "Are you sure to delete {{count}} selected book(s)?_other": "Are you sure to delete {{count}} selected books?",
+ "Search in {{count}} Book(s)..._one": "Search in {{count}} book...",
+ "Search in {{count}} Book(s)..._other": "Search in {{count}} books...",
+ "{{count}} pages left in chapter_one": "{{count}} page left in chapter",
+ "{{count}} pages left in chapter_other": "{{count}} pages left in chapter",
+ "Deleted {{count}} file(s)_one": "Deleted {{count}} file",
+ "Deleted {{count}} file(s)_other": "Deleted {{count}} files",
+ "Failed to delete {{count}} file(s)_one": "Failed to delete {{count}} file",
+ "Failed to delete {{count}} file(s)_other": "Failed to delete {{count}} files",
+ "{{count}} selected_one": "{{count}} selected",
+ "{{count}} selected_other": "{{count}} selected",
+ "Are you sure to delete {{count}} selected file(s)?_one": "Are you sure to delete {{count}} selected file?",
+ "Are you sure to delete {{count}} selected file(s)?_other": "Are you sure to delete {{count}} selected files?",
+ "Successfully imported {{count}} book(s)_one": "Successfully imported {{count}} book",
+ "Successfully imported {{count}} book(s)_other": "Successfully imported {{count}} books",
+ "Set status for {{count}} book(s)_one": "Set status for {{count}} book",
+ "Set status for {{count}} book(s)_other": "Set status for {{count}} books",
+ "{{count}} book(s) synced_one": "{{count}} book synced",
+ "{{count}} book(s) synced_other": "{{count}} books synced"
+}
diff --git a/apps/readest-app/public/locales/es/translation.json b/apps/readest-app/public/locales/es/translation.json
new file mode 100644
index 0000000000000000000000000000000000000000..8d481a0bfe1910f84954ae1eb679b94621d823a0
--- /dev/null
+++ b/apps/readest-app/public/locales/es/translation.json
@@ -0,0 +1,1072 @@
+{
+ "(detected)": "(detectado)",
+ "About Readest": "Acerca de Readest",
+ "Add your notes here...": "Añade tus notas aquí...",
+ "Animation": "Animación",
+ "Annotate": "Anotar",
+ "Apply": "Aplicar",
+ "Auto Mode": "Modo automático",
+ "Behavior": "Comportamiento",
+ "Book": "Libro",
+ "Bookmark": "Marcador",
+ "Cancel": "Cancelar",
+ "Chapter": "Capítulo",
+ "Cherry": "Cereza",
+ "Color": "Color",
+ "Confirm": "Confirmar",
+ "Confirm Deletion": "Confirmar eliminación",
+ "Copied to notebook": "Copiado al cuaderno",
+ "Copy": "Copiar",
+ "Dark Mode": "Modo oscuro",
+ "Default": "Predeterminado",
+ "Default Font": "Fuente predeterminada",
+ "Default Font Size": "Tamaño de fuente predeterminado",
+ "Delete": "Eliminar",
+ "Delete Highlight": "Eliminar resaltado",
+ "Dictionary": "Diccionario",
+ "Download Readest": "Descargar Readest",
+ "Edit": "Editar",
+ "Excerpts": "Extractos",
+ "Failed to import book(s): {{filenames}}": "Error al importar libro(s): {{filenames}}",
+ "Fast": "Rápido",
+ "Font": "Fuente",
+ "Font & Layout": "Fuente y diseño",
+ "Font Face": "Tipo de fuente",
+ "Font Family": "Familia de fuente",
+ "Font Size": "Tamaño de fuente",
+ "Full Justification": "Justificación completa",
+ "Global Settings": "Configuración global",
+ "Go Back": "Volver",
+ "Go Forward": "Avanzar",
+ "Grass": "Hierba",
+ "Gray": "Gris",
+ "Gruvbox": "Gruvbox",
+ "Highlight": "Resaltar",
+ "Horizontal Direction": "Dirección horizontal",
+ "Hyphenation": "Guionización",
+ "Import Books": "Importar libros",
+ "Layout": "Diseño",
+ "Light Mode": "Modo claro",
+ "Loading...": "Cargando...",
+ "Logged in": "Sesión iniciada",
+ "Logged in as {{userDisplayName}}": "Sesión iniciada como {{userDisplayName}}",
+ "Match Case": "Coincidir mayúsculas y minúsculas",
+ "Match Diacritics": "Coincidir diacríticos",
+ "Match Whole Words": "Coincidir palabras completas",
+ "Maximum Number of Columns": "Número máximo de columnas",
+ "Minimum Font Size": "Tamaño de fuente mínimo",
+ "Monospace Font": "Fuente monoespaciada",
+ "More Info": "Más información",
+ "Nord": "Nord",
+ "Notebook": "Cuaderno",
+ "Notes": "Notas",
+ "Open": "Abrir",
+ "Original Text": "Texto original",
+ "Page": "Página",
+ "Paging Animation": "Animación de paginación",
+ "Paragraph": "Párrafo",
+ "Parallel Read": "Lectura paralela",
+ "Published": "Publicado",
+ "Publisher": "Editorial",
+ "KOReader Sync": "Sincronización con KOReader",
+ "KOReader Sync Settings": "Ajustes de Sincronización con KOReader",
+ "Your Username": "Tu nombre de usuario",
+ "Connect to your KOReader Sync server.": "Conéctate a tu servidor de KOReader Sync.",
+ "Server URL": "URL del Servidor",
+ "Username": "Usuario",
+ "Password": "Contraseña",
+ "Connect": "Conectar",
+ "Disconnected": "Desconectado",
+ "Sync Strategy": "Estrategia de sincronización",
+ "Ask on conflict": "Preguntar en caso de conflicto",
+ "Always use latest": "Usar siempre el más reciente",
+ "Send changes only": "Solo enviar cambios",
+ "Receive changes only": "Solo recibir cambios",
+ "Checksum Method": "Método de identificación",
+ "File Content (recommended)": "Contenido del archivo (recomendado)",
+ "File Name": "Nombre del archivo",
+ "Device Name": "Nombre del dispositivo",
+ "Reading Progress Synced": "Progreso de lectura sincronizado",
+ "Sync Conflict": "Conflicto de sincronización",
+ "Sync reading progress from \"{{deviceName}}\"?": "¿Quieres sincronizar el progreso de lectura desde el dispositivo \"{{deviceName}}\"?",
+ "Local Progress": "Progreso local",
+ "Remote Progress": "Progreso remoto",
+ "Page {{page}} of {{total}} ({{percentage}}%)": "Página {{page}} de {{total}} ({{percentage}}%)",
+ "Approximately page {{page}} of {{total}} ({{percentage}}%)": "Aproximadamente página {{page}} de {{total}} ({{percentage}}%)",
+ "Current position": "Posición actual",
+ "Approximately {{percentage}}%": "Aproximadamente {{percentage}}%",
+ "another device": "otro dispositivo",
+ "Reload Page": "Recargar página",
+ "Reveal in File Explorer": "Mostrar en el Explorador de archivos",
+ "Reveal in Finder": "Mostrar en Finder",
+ "Reveal in Folder": "Mostrar en carpeta",
+ "Sans-Serif Font": "Fuente sans-serif",
+ "Save": "Guardar",
+ "Scrolled Mode": "Modo desplazamiento",
+ "Search": "Buscar",
+ "Search Books...": "Buscar libros...",
+ "Search...": "Buscar...",
+ "Select Book": "Seleccionar libro",
+ "Select Books": "Seleccionar libros",
+ "Sepia": "Sepia",
+ "Serif Font": "Fuente serif",
+ "Show Book Details": "Mostrar detalles del libro",
+ "Sidebar": "Barra lateral",
+ "Sign In": "Iniciar sesión",
+ "Sign Out": "Cerrar sesión",
+ "Sky": "Cielo",
+ "Slow": "Lento",
+ "Solarized": "Solarizado",
+ "Speak": "Leer",
+ "Subjects": "Temas",
+ "System Fonts": "Fuentes del sistema",
+ "Theme Color": "Color del tema",
+ "Theme Mode": "Modo del tema",
+ "Translate": "Traducir",
+ "Translated Text": "Texto traducido",
+ "Unknown": "Desconocido",
+ "Untitled": "Sin título",
+ "Updated": "Actualizado",
+ "Version {{version}}": "Versión {{version}}",
+ "Vertical Direction": "Dirección vertical",
+ "Welcome to your library. You can import your books here and read them anytime.": "Bienvenido a tu biblioteca. Puedes importar tus libros aquí y leerlos en cualquier momento.",
+ "Wikipedia": "Wikipedia",
+ "Writing Mode": "Modo de escritura",
+ "Your Library": "Tu biblioteca",
+ "TTS not supported for PDF": "TTS no es compatible con PDF",
+ "Override Book Font": "Sobrescribir fuente del libro",
+ "Apply to All Books": "Aplicar a todos los libros",
+ "Apply to This Book": "Aplicar a este libro",
+ "Unable to fetch the translation. Try again later.": "No se puede obtener la traducción. Inténtalo de nuevo más tarde.",
+ "Check Update": "Comprobar actualización",
+ "Already the latest version": "Ya es la última versión",
+ "Book Details": "Detalles del libro",
+ "From Local File": "Desde archivo local",
+ "TOC": "Índice",
+ "Table of Contents": "Índice",
+ "Book uploaded: {{title}}": "Libro subido: {{title}}",
+ "Failed to upload book: {{title}}": "Error al subir libro: {{title}}",
+ "Book downloaded: {{title}}": "Libro descargado: {{title}}",
+ "Failed to download book: {{title}}": "Error al descargar libro: {{title}}",
+ "Upload Book": "Subir libro",
+ "Auto Upload Books to Cloud": "Subir libros automáticamente a la nube",
+ "Book deleted: {{title}}": "Libro eliminado: {{title}}",
+ "Failed to delete book: {{title}}": "Error al eliminar libro: {{title}}",
+ "Check Updates on Start": "Comprobar actualizaciones al iniciar",
+ "Insufficient storage quota": "Cuota de almacenamiento insuficiente",
+ "Font Weight": "Peso de la fuente",
+ "Line Spacing": "Espaciado de línea",
+ "Word Spacing": "Espaciado de palabras",
+ "Letter Spacing": "Espaciado de letras",
+ "Text Indent": "Sangría de texto",
+ "Paragraph Margin": "Margen de párrafo",
+ "Override Book Layout": "Sobrescribir diseño del libro",
+ "Untitled Group": "Grupo sin título",
+ "Group Books": "Agrupar libros",
+ "Remove From Group": "Eliminar del grupo",
+ "Create New Group": "Crear nuevo grupo",
+ "Deselect Book": "Deseleccionar libro",
+ "Download Book": "Descargar libro",
+ "Deselect Group": "Deseleccionar grupo",
+ "Select Group": "Seleccionar grupo",
+ "Keep Screen Awake": "Mantener pantalla activa",
+ "Email address": "Dirección de correo electrónico",
+ "Your Password": "Tu contraseña",
+ "Your email address": "Tu dirección de correo electrónico",
+ "Your password": "Tu contraseña",
+ "Sign in": "Iniciar sesión",
+ "Signing in...": "Iniciando sesión...",
+ "Sign in with {{provider}}": "Iniciar sesión con {{provider}}",
+ "Already have an account? Sign in": "¿Ya tienes una cuenta? Inicia sesión",
+ "Create a Password": "Crear una contraseña",
+ "Sign up": "Registrarse",
+ "Signing up...": "Registrándose...",
+ "Don't have an account? Sign up": "¿No tienes una cuenta? Regístrate",
+ "Check your email for the confirmation link": "Revisa tu correo electrónico para el enlace de confirmación",
+ "Signing in ...": "Iniciando sesión ...",
+ "Send a magic link email": "Enviar un enlace mágico por correo",
+ "Check your email for the magic link": "Revisa tu correo electrónico para el enlace mágico",
+ "Send reset password instructions": "Enviar instrucciones para restablecer la contraseña",
+ "Sending reset instructions ...": "Enviando instrucciones de restablecimiento ...",
+ "Forgot your password?": "¿Olvidaste tu contraseña?",
+ "Check your email for the password reset link": "Revisa tu correo electrónico para el enlace de restablecimiento de contraseña",
+ "New Password": "Nueva contraseña",
+ "Your new password": "Tu nueva contraseña",
+ "Update password": "Actualizar contraseña",
+ "Updating password ...": "Actualizando contraseña ...",
+ "Your password has been updated": "Tu contraseña ha sido actualizada",
+ "Phone number": "Número de teléfono",
+ "Your phone number": "Tu número de teléfono",
+ "Token": "Código de verificación",
+ "Your OTP token": "Tu código OTP",
+ "Verify token": "Verificar código",
+ "Account": "Cuenta",
+ "Failed to delete user. Please try again later.": "Error al eliminar usuario. Por favor, inténtelo de nuevo más tarde.",
+ "Community Support": "Soporte comunitario",
+ "Priority Support": "Soporte prioritario",
+ "Loading profile...": "Cargando perfil...",
+ "Delete Account": "Eliminar cuenta",
+ "Delete Your Account?": "¿Eliminar tu cuenta?",
+ "This action cannot be undone. All your data in the cloud will be permanently deleted.": "Esta acción no se puede deshacer. Todos tus datos en la nube se eliminarán permanentemente.",
+ "Delete Permanently": "Eliminar permanentemente",
+ "RTL Direction": "Dirección RTL",
+ "Maximum Column Height": "Altura máxima de columna",
+ "Maximum Column Width": "Ancho máximo de columna",
+ "Continuous Scroll": "Desplazamiento continuo",
+ "Fullscreen": "Pantalla completa",
+ "No supported files found. Supported formats: {{formats}}": "No se encontraron archivos compatibles. Formatos compatibles: {{formats}}",
+ "Drop to Import Books": "Soltar para importar libros",
+ "Custom": "Personalizado",
+ "All the world's a stage,\nAnd all the men and women merely players;\nThey have their exits and their entrances,\nAnd one man in his time plays many parts,\nHis acts being seven ages.\n\n— William Shakespeare": "Todo el mundo es un escenario,\nY todos los hombres y mujeres son meros actores;\nTienen sus salidas y sus entradas,\nY un hombre en su tiempo interpreta muchos papeles,\nSus actos son siete edades.\n\n— William Shakespeare",
+ "Custom Theme": "Tema personalizado",
+ "Theme Name": "Nombre del tema",
+ "Text Color": "Color del texto",
+ "Background Color": "Color de fondo",
+ "Preview": "Vista previa",
+ "Contrast": "Contraste",
+ "Sunset": "Atardecer",
+ "Double Border": "Doble borde",
+ "Border Color": "Color del borde",
+ "Border Frame": "Marco de borde",
+ "Show Header": "Mostrar encabezado",
+ "Show Footer": "Mostrar pie de página",
+ "Small": "Pequeño",
+ "Large": "Grande",
+ "Auto": "Automático",
+ "Language": "Idioma",
+ "No annotations to export": "No hay anotaciones para exportar",
+ "Author": "Autor",
+ "Exported from Readest": "Exportado desde Readest",
+ "Highlights & Annotations": "Resaltados y anotaciones",
+ "Note": "Nota",
+ "Copied to clipboard": "Copiado al portapapeles",
+ "Export Annotations": "Exportar anotaciones",
+ "Auto Import on File Open": "Importación automática al abrir archivo",
+ "LXGW WenKai GB Screen": "LXGW WenKai SC",
+ "LXGW WenKai TC": "LXGW WenKai TC",
+ "No chapters detected": "No se detectaron capítulos",
+ "Failed to parse the EPUB file": "Error al analizar el archivo EPUB",
+ "This book format is not supported": "Este formato de libro no es compatible",
+ "Unable to fetch the translation. Please log in first and try again.": "No se puede obtener la traducción. Por favor, inicia sesión primero e inténtalo de nuevo.",
+ "Group": "Grupo",
+ "Always on Top": "Siempre en la parte superior",
+ "No Timeout": "Sin tiempo de espera",
+ "{{value}} minute": "{{value}} minuto",
+ "{{value}} minutes": "{{value}} minutos",
+ "{{value}} hour": "{{value}} hora",
+ "{{value}} hours": "{{value}} horas",
+ "CJK Font": "Fuente CJK",
+ "Clear Search": "Limpiar búsqueda",
+ "Header & Footer": "Encabezado y pie de página",
+ "Apply also in Scrolled Mode": "Aplicar también en modo desplazamiento",
+ "A new version of Readest is available!": "¡Una nueva versión de Readest está disponible!",
+ "Readest {{newVersion}} is available (installed version {{currentVersion}}).": "Readest {{newVersion}} está disponible (versión instalada {{currentVersion}}).",
+ "Download and install now?": "Descargar e instalar ahora?",
+ "Downloading {{downloaded}} of {{contentLength}}": "Descargando {{downloaded}} de {{contentLength}}",
+ "Download finished": "Descarga finalizada",
+ "DOWNLOAD & INSTALL": "DESCARGAR E INSTALAR",
+ "Changelog": "Notas de la versión",
+ "Software Update": "Actualización de software",
+ "Title": "Título",
+ "Date Read": "Fecha de lectura",
+ "Date Added": "Fecha añadida",
+ "Format": "Formato",
+ "Ascending": "Ascendente",
+ "Descending": "Descendente",
+ "Sort by...": "Ordenar por...",
+ "Added": "Agregado",
+ "GuanKiapTsingKhai-T": "GuanKiapTsingKhai-T",
+ "Description": "Descripción",
+ "No description available": "No hay descripción disponible",
+ "List": "Lista",
+ "Grid": "Cuadrícula",
+ "(from 'As You Like It', Act II)": "(de 'Como gustéis', Acto II)",
+ "Link Color": "Color del enlace",
+ "Volume Keys for Page Flip": "Botones de volumen para pasar página",
+ "Screen": "Pantalla",
+ "Orientation": "Orientación",
+ "Portrait": "Vertical",
+ "Landscape": "Horizontal",
+ "Open Last Book on Start": "Abrir último libro al iniciar",
+ "Checking for updates...": "Comprobando actualizaciones...",
+ "Error checking for updates": "Error al comprobar actualizaciones",
+ "Details": "Detalles",
+ "File Size": "Peso del archivo",
+ "Auto Detect": "Detección automática",
+ "Next Section": "Siguiente sección",
+ "Previous Section": "Sección anterior",
+ "Next Page": "Página siguiente",
+ "Previous Page": "Página anterior",
+ "Are you sure to delete {{count}} selected book(s)?_one": "¿Seguro que quieres eliminar el libro seleccionado?",
+ "Are you sure to delete {{count}} selected book(s)?_many": "¿Seguro que quieres eliminar los {{count}} libros seleccionados?",
+ "Are you sure to delete {{count}} selected book(s)?_other": "¿Seguro que quieres eliminar los {{count}} libros seleccionados?",
+ "Are you sure to delete the selected book?": "¿Seguro que quieres eliminar el libro seleccionado?",
+ "Deselect": "Quitar",
+ "Select All": "Todo",
+ "No translation available.": "No hay traducción disponible.",
+ "Translated by {{provider}}.": "Traducido por {{provider}}.",
+ "DeepL": "DeepL",
+ "Google Translate": "Google Translate",
+ "Azure Translator": "Azure Translator",
+ "Invert Image In Dark Mode": "Invertir imagen en oscuro",
+ "Help improve Readest": "Ayuda a mejorar Readest",
+ "Sharing anonymized statistics": "Compartiendo estadísticas anónimas",
+ "Interface Language": "Idioma de la interfaz",
+ "Translation": "Traducción",
+ "Enable Translation": "Habilitar traducción",
+ "Translation Service": "Servicio de traducción",
+ "Translate To": "Traducir a",
+ "Disable Translation": "Deshabilitar traducción",
+ "Scroll": "Desplazar",
+ "Overlap Pixels": "Superponer píxeles",
+ "System Language": "Idioma del sistema",
+ "Security": "Seguridad",
+ "Allow JavaScript": "Permitir JavaScript",
+ "Enable only if you trust the file.": "Permitir solo si confías en el archivo.",
+ "Sort TOC by Page": "Ordenar TOC por página",
+ "Search in {{count}} Book(s)..._one": "Buscar en {{count}} libro...",
+ "Search in {{count}} Book(s)..._many": "Buscar en {{count}} libros...",
+ "Search in {{count}} Book(s)..._other": "Buscar en {{count}} libros...",
+ "No notes match your search": "No se encontraron notas",
+ "Search notes and excerpts...": "Buscar notas...",
+ "Sign in to Sync": "Inicia sesión para sincronizar",
+ "Synced at {{time}}": "Sincronizado a las {{time}}",
+ "Never synced": "Nunca sincronizado",
+ "Show Remaining Time": "Mostrar tiempo restante",
+ "{{time}} min left in chapter": "{{time}} min restantes en el capítulo",
+ "Override Book Color": "Sobre escribir color del libro",
+ "Login Required": "Iniciar sesión",
+ "Quota Exceeded": "Límite superado",
+ "{{percentage}}% of Daily Translation Characters Used.": "{{percentage}}% de caracteres de traducción diarios utilizados.",
+ "Translation Characters": "Caracteres de traducción",
+ "{{engine}}: {{count}} voices_one": "{{engine}}: {{count}} voz",
+ "{{engine}}: {{count}} voices_many": "{{engine}}: {{count}} voces",
+ "{{engine}}: {{count}} voices_other": "{{engine}}: {{count}} voces",
+ "Something went wrong. Don't worry, our team has been notified and we're working on a fix.": "Algo salió mal. No te preocupes, nuestro equipo ha sido notificado y estamos trabajando en una solución.",
+ "Error Details:": "Detalles del error:",
+ "Try Again": "Intentar de nuevo",
+ "Need help?": "¿Necesitas ayuda?",
+ "Contact Support": "Contactar con soporte",
+ "Code Highlighting": "Resaltado de código",
+ "Enable Highlighting": "Activar resaltado",
+ "Code Language": "Lenguaje de código",
+ "Top Margin (px)": "Margen superior (px)",
+ "Bottom Margin (px)": "Margen inferior (px)",
+ "Right Margin (px)": "Margen derecho (px)",
+ "Left Margin (px)": "Margen izquierdo (px)",
+ "Column Gap (%)": "Espacio entre columnas (%)",
+ "Always Show Status Bar": "Mostrar siempre la barra de estado",
+ "Custom Content CSS": "CSS del contenido",
+ "Enter CSS for book content styling...": "Introduce CSS para el contenido del libro...",
+ "Custom Reader UI CSS": "CSS de la interfaz",
+ "Enter CSS for reader interface styling...": "Introduce CSS para la interfaz de lectura...",
+ "Crop": "Recortar",
+ "Book Covers": "Portadas de libros",
+ "Fit": "Encajar",
+ "Reset {{settings}}": "Restablecer {{settings}}",
+ "Reset Settings": "Restablecer configuración",
+ "{{count}} pages left in chapter_one": "{{count}} página restante en el capítulo",
+ "{{count}} pages left in chapter_many": "{{count}} páginas restantes en el capítulo",
+ "{{count}} pages left in chapter_other": "{{count}} páginas restantes en el capítulo",
+ "Show Remaining Pages": "Mostrar resto",
+ "Source Han Serif CN": "Source Han Serif",
+ "Huiwen-MinchoGBK": "Huiwen Mincho",
+ "KingHwa_OldSong": "KingHwa Song",
+ "Manage Subscription": "Gestionar suscripción",
+ "Coming Soon": "Próximamente",
+ "Upgrade to {{plan}}": "Actualizar a {{plan}}",
+ "Upgrade to Plus or Pro": "Actualizar a Plus o Pro",
+ "Current Plan": "Plan actual",
+ "Plan Limits": "Límites del plan",
+ "Processing your payment...": "Procesando tu pago...",
+ "Please wait while we confirm your subscription.": "Espera mientras confirmamos tu suscripción.",
+ "Payment Processing": "Procesando pago",
+ "Payment Failed": "El pago ha fallado",
+ "We couldn't process your subscription. Please try again or contact support if the issue persists.": "No pudimos procesar tu suscripción. Inténtalo de nuevo o contacta con soporte si el problema persiste.",
+ "Back to Profile": "Volver al perfil",
+ "Subscription Successful!": "¡Suscripción exitosa!",
+ "Thank you for your subscription! Your payment has been processed successfully.": "¡Gracias por tu suscripción! Tu pago se ha procesado correctamente.",
+ "Email:": "Correo electrónico:",
+ "Plan:": "Plan:",
+ "Amount:": "Importe:",
+ "Go to Library": "Ir a la biblioteca",
+ "Need help? Contact our support team at support@readest.com": "¿Necesitas ayuda? Contacta con nuestro equipo de soporte en support@readest.com",
+ "Free Plan": "Plan gratuito",
+ "month": "mes",
+ "AI Translations (per day)": "Traducciones con IA (por día)",
+ "Plus Plan": "Plan Plus",
+ "Includes All Free Plan Benefits": "Incluye todos los beneficios del plan gratuito",
+ "Pro Plan": "Plan Pro",
+ "More AI Translations": "Más traducciones con IA",
+ "Your payment is being processed. This usually takes a few moments.": "Tu pago se está procesando. Normalmente tarda unos momentos.",
+ "Complete Your Subscription": "Completa tu suscripción",
+ "{{percentage}}% of Cloud Sync Space Used.": "{{percentage}}% del espacio de sincronización en la nube utilizado.",
+ "Cloud Sync Storage": "Almacenamiento en la nube",
+ "Disable": "Desactivar",
+ "Enable": "Activar",
+ "Upgrade to Readest Premium": "Actualizar a Readest Premium",
+ "Show Source Text": "Mostrar texto fuente",
+ "Cross-Platform Sync": "Sincronización multiplataforma",
+ "Seamlessly sync your library, progress, highlights, and notes across all your devices—never lose your place again.": "Sincroniza tu biblioteca, progreso y notas en todos tus dispositivos.",
+ "Customizable Reading": "Lectura personalizable",
+ "Personalize every detail with adjustable fonts, layouts, themes, and advanced display settings for the perfect reading experience.": "Ajusta fuentes, diseño y temas a tu gusto.",
+ "AI Read Aloud": "Lectura en voz alta con IA",
+ "Enjoy hands-free reading with natural-sounding AI voices that bring your books to life.": "Escucha tus libros con voces IA naturales.",
+ "AI Translations": "Traducciones con IA",
+ "Translate any text instantly with the power of Google, Azure, or DeepL—understand content in any language.": "Traduce textos al instante con Google, Azure o DeepL.",
+ "Connect with fellow readers and get help fast in our friendly community channels.": "Únete a la comunidad y recibe ayuda rápidamente.",
+ "Unlimited AI Read Aloud Hours": "Lectura IA ilimitada",
+ "Listen without limits—convert as much text as you like into immersive audio.": "Convierte texto en audio sin límites.",
+ "Unlock enhanced translation capabilities with more daily usage and advanced options.": "Más traducciones y funciones avanzadas.",
+ "DeepL Pro Access": "Acceso a DeepL Pro",
+ "Enjoy faster responses and dedicated assistance whenever you need help.": "Soporte rápido y prioritario.",
+ "Daily translation quota reached. Upgrade your plan to continue using AI translations.": "Has alcanzado tu límite diario. Mejora tu plan para más traducciones.",
+ "Includes All Plus Plan Benefits": "Incluye Todos los Beneficios del Plan Plus",
+ "Early Feature Access": "Acceso Anticipado a Funciones",
+ "Be the first to explore new features, updates, and innovations before anyone else.": "Explora primero nuevas funciones, actualizaciones e innovaciones antes que nadie.",
+ "Advanced AI Tools": "Herramientas de IA Avanzadas",
+ "Harness powerful AI tools for smarter reading, translation, and content discovery.": "Aprovecha herramientas de IA potentes para lectura inteligente, traducción y descubrimiento de contenido.",
+ "Translate up to 100,000 characters daily with the most accurate translation engine available.": "Traduce hasta 100,000 caracteres diarios con el motor de traducción más preciso disponible.",
+ "Translate up to 500,000 characters daily with the most accurate translation engine available.": "Traduce hasta 500,000 caracteres diarios con el motor de traducción más preciso disponible.",
+ "Securely store and access your entire reading collection with up to 5 GB of cloud storage.": "Almacena y accede de forma segura a toda tu colección de lectura con hasta 5 GB de almacenamiento en la nube.",
+ "Securely store and access your entire reading collection with up to 20 GB of cloud storage.": "Almacena y accede de forma segura a toda tu colección de lectura con hasta 20 GB de almacenamiento en la nube.",
+ "Deleted cloud backup of the book: {{title}}": "Respaldo en la nube del libro eliminado: {{title}}",
+ "Are you sure to delete the cloud backup of the selected book?": "¿Estás seguro de que deseas eliminar el respaldo en la nube del libro seleccionado?",
+ "What's New in Readest": "¿Qué hay de nuevo en Readest",
+ "Enter book title": "Ingresa el título del libro",
+ "Subtitle": "Subtítulo",
+ "Enter book subtitle": "Ingresa el subtítulo del libro",
+ "Enter author name": "Ingresa el nombre del autor",
+ "Series": "Serie",
+ "Enter series name": "Ingresa el nombre de la serie",
+ "Series Index": "Número de serie",
+ "Enter series index": "Ingresa el número de serie",
+ "Total in Series": "Total en la serie",
+ "Enter total books in series": "Ingresa el total de libros en la serie",
+ "Enter publisher": "Ingresa la editorial",
+ "Publication Date": "Fecha de publicación",
+ "Identifier": "Identificador",
+ "Enter book description": "Ingresa la descripción del libro",
+ "Change cover image": "Cambiar imagen de portada",
+ "Replace": "Reemplazar",
+ "Unlock cover": "Desbloquear portada",
+ "Lock cover": "Bloquear portada",
+ "Auto-Retrieve Metadata": "Recuperar metadatos automáticamente",
+ "Auto-Retrieve": "Recuperar automáticamente",
+ "Unlock all fields": "Desbloquear todos los campos",
+ "Unlock All": "Desbloquear todo",
+ "Lock all fields": "Bloquear todos los campos",
+ "Lock All": "Bloquear todo",
+ "Reset": "Restablecer",
+ "Edit Metadata": "Editar metadatos",
+ "Locked": "Bloqueado",
+ "Select Metadata Source": "Seleccionar fuente de metadatos",
+ "Keep manual input": "Mantener entrada manual",
+ "Google Books": "Google Books",
+ "Open Library": "Open Library",
+ "Fiction, Science, History": "Ficción, Ciencia, Historia",
+ "Open Book in New Window": "Abre el libro en una nueva ventana",
+ "Voices for {{lang}}": "Voces para {{lang}}",
+ "Yandex Translate": "Yandex Translate",
+ "YYYY or YYYY-MM-DD": "YYYY o YYYY-MM-DD",
+ "Restore Purchase": "Restaurar compra",
+ "No purchases found to restore.": "No se encontraron compras para restaurar.",
+ "Failed to restore purchases.": "Error al restaurar compras.",
+ "Failed to manage subscription.": "Error al gestionar la suscripción.",
+ "Failed to load subscription plans.": "Error al cargar los planes de suscripción.",
+ "year": "año",
+ "Failed to create checkout session": "Error al crear la sesión de pago",
+ "Storage": "Almacenamiento",
+ "Terms of Service": "Condiciones del servicio",
+ "Privacy Policy": "Política de privacidad",
+ "Disable Double Click": "Deshabilitar Doble Clic",
+ "TTS not supported for this document": "TTS no es compatible con este documento.",
+ "Reset Password": "Restablecer contraseña",
+ "Reading Progress Style": "Estilo de progreso de lectura",
+ "Percentage": "Porcentaje",
+ "Show Reading Progress": "Mostrar progreso de lectura",
+ "Page Number": "Número de página",
+ "Deleted local copy of the book: {{title}}": "Se eliminó la copia local del libro: {{title}}",
+ "Failed to delete cloud backup of the book: {{title}}": "Error al eliminar la copia de seguridad en la nube del libro: {{title}}",
+ "Failed to delete local copy of the book: {{title}}": "Error al eliminar la copia local del libro: {{title}}",
+ "Are you sure to delete the local copy of the selected book?": "¿Está seguro de que desea eliminar la copia local del libro seleccionado?",
+ "Remove from Cloud & Device": "Eliminar de la nube y del dispositivo",
+ "Remove from Cloud Only": "Eliminar solo de la nube",
+ "Remove from Device Only": "Eliminar solo del dispositivo",
+ "Failed to connect": "Error al conectar",
+ "Sync Server Connected": "Servidor de sincronización conectado",
+ "Sync as {{userDisplayName}}": "Sincronizar como {{userDisplayName}}",
+ "Custom Fonts": "Fuentes Personalizadas",
+ "Cancel Delete": "Cancelar Eliminación",
+ "Import Font": "Importar Fuente",
+ "Delete Font": "Eliminar Fuente",
+ "Tips": "Consejos",
+ "Custom fonts can be selected from the Font Face menu": "Las fuentes personalizadas se pueden seleccionar desde el menú de Tipografía",
+ "Manage Custom Fonts": "Administrar Fuentes Personalizadas",
+ "Select Files": "Seleccionar Archivos",
+ "Select Image": "Seleccionar Imagen",
+ "Select Video": "Seleccionar Video",
+ "Select Audio": "Seleccionar Audio",
+ "Select Fonts": "Seleccionar Fuentes",
+ "Supported font formats: .ttf, .otf, .woff, .woff2": "Formatos de fuente compatibles: .ttf, .otf, .woff, .woff2",
+ "Push Progress": "Empujar progreso",
+ "Pull Progress": "Tirar progreso",
+ "Previous Paragraph": "Párrafo anterior",
+ "Previous Sentence": "Oración anterior",
+ "Pause": "Pausar",
+ "Play": "Reproducir",
+ "Next Sentence": "Siguiente oración",
+ "Next Paragraph": "Siguiente párrafo",
+ "Separate Cover Page": "Portada separada",
+ "Resize Notebook": "Redimensionar cuaderno",
+ "Resize Sidebar": "Redimensionar barra lateral",
+ "Get Help from the Readest Community": "Obtén ayuda de la comunidad de Readest",
+ "Remove cover image": "Eliminar imagen de portada",
+ "Bookshelf": "Estantería",
+ "View Menu": "Menú de Vista",
+ "Settings Menu": "Menú de Configuración",
+ "View account details and quota": "Ver detalles de la cuenta y cuota",
+ "Library Header": "Encabezado de Biblioteca",
+ "Book Content": "Contenido del Libro",
+ "Footer Bar": "Barra de Pie de Página",
+ "Header Bar": "Barra de Encabezado",
+ "View Options": "Opciones de Vista",
+ "Book Menu": "Menú de Libro",
+ "Search Options": "Opciones de Búsqueda",
+ "Close": "Cerrar",
+ "Delete Book Options": "Opciones de Eliminar Libro",
+ "ON": "ENCENDIDO",
+ "OFF": "APAGADO",
+ "Reading Progress": "Progreso de Lectura",
+ "Page Margin": "Márgenes de Página",
+ "Remove Bookmark": "Eliminar Marcador",
+ "Add Bookmark": "Agregar Marcador",
+ "Books Content": "Contenido de Libros",
+ "Jump to Location": "Saltar a Ubicación",
+ "Unpin Notebook": "Desanclar Cuaderno",
+ "Pin Notebook": "Anclar Cuaderno",
+ "Hide Search Bar": "Ocultar Barra de Búsqueda",
+ "Show Search Bar": "Mostrar Barra de Búsqueda",
+ "On {{current}} of {{total}} page": "En {{current}} de {{total}} página",
+ "Section Title": "Título de Sección",
+ "Decrease": "Disminuir",
+ "Increase": "Aumentar",
+ "Settings Panels": "Paneles de Configuración",
+ "Settings": "Configuraciones",
+ "Unpin Sidebar": "Desanclar Barra Lateral",
+ "Pin Sidebar": "Anclar Barra Lateral",
+ "Toggle Sidebar": "Alternar Barra Lateral",
+ "Toggle Translation": "Alternar Traducción",
+ "Translation Disabled": "Traducción Deshabilitada",
+ "Minimize": "Minimizar",
+ "Maximize or Restore": "Maximizar o Restaurar",
+ "Exit Parallel Read": "Salir de Lectura Paralela",
+ "Enter Parallel Read": "Entrar en Lectura Paralela",
+ "Zoom Level": "Nivel de Zoom",
+ "Zoom Out": "Alejar",
+ "Reset Zoom": "Restablecer Zoom",
+ "Zoom In": "Acercar",
+ "Zoom Mode": "Modo de Zoom",
+ "Single Page": "Página Única",
+ "Auto Spread": "Distribución Automática",
+ "Fit Page": "Ajustar Página",
+ "Fit Width": "Ajustar Ancho",
+ "Failed to select directory": "Error al seleccionar el directorio",
+ "The new data directory must be different from the current one.": "El nuevo directorio de datos debe ser diferente del actual.",
+ "Migration failed: {{error}}": "La migración falló: {{error}}",
+ "Change Data Location": "Cambiar Ubicación de Datos",
+ "Current Data Location": "Ubicación Actual de Datos",
+ "Total size: {{size}}": "Tamaño total: {{size}}",
+ "Calculating file info...": "Calculando información del archivo...",
+ "New Data Location": "Nueva Ubicación de Datos",
+ "Choose Different Folder": "Elegir Carpeta Diferente",
+ "Choose New Folder": "Elegir Nueva Carpeta",
+ "Migrating data...": "Migrando datos...",
+ "Copying: {{file}}": "Copiando: {{file}}",
+ "{{current}} of {{total}} files": "{{current}} de {{total}} archivos",
+ "Migration completed successfully!": "¡Migración completada con éxito!",
+ "Your data has been moved to the new location. Please restart the application to complete the process.": "Tus datos han sido movidos a la nueva ubicación. Por favor, reinicia la aplicación para completar el proceso.",
+ "Migration failed": "La migración falló",
+ "Important Notice": "Aviso Importante",
+ "This will move all your app data to the new location. Make sure the destination has enough free space.": "Esto moverá todos los datos de tu aplicación a la nueva ubicación. Asegúrate de que el destino tenga suficiente espacio libre.",
+ "Restart App": "Reiniciar Aplicación",
+ "Start Migration": "Iniciar Migración",
+ "Advanced Settings": "Configuraciones Avanzadas",
+ "File count: {{size}}": "Número de archivos: {{size}}",
+ "Background Read Aloud": "Lectura en segundo plano",
+ "Ready to read aloud": "Listo para leer en voz alta",
+ "Read Aloud": "Leer en voz alta",
+ "Screen Brightness": "Brillo de pantalla",
+ "Background Image": "Imagen de fondo",
+ "Import Image": "Importar imagen",
+ "Opacity": "Opacidad",
+ "Size": "Tamaño",
+ "Cover": "Cubierta",
+ "Contain": "Contener",
+ "{{number}} pages left in chapter": "{{number}} páginas restantes en el capítulo",
+ "Device": "Dispositivo",
+ "E-Ink Mode": "Modo E-Ink",
+ "Highlight Colors": "Colores de resaltado",
+ "Auto Screen Brightness": "Brillo automático de pantalla",
+ "Pagination": "Paginación",
+ "Disable Double Tap": "Deshabilitar Doble Toque",
+ "Tap to Paginate": "Tocar para Paginación",
+ "Click to Paginate": "Hacer Clic para Paginación",
+ "Tap Both Sides": "Tocar Ambos Lados",
+ "Click Both Sides": "Hacer Clic en Ambos Lados",
+ "Swap Tap Sides": "Intercambiar Lados de Toque",
+ "Swap Click Sides": "Intercambiar Lados de Clic",
+ "Source and Translated": "Fuente y Traducido",
+ "Translated Only": "Solo Traducido",
+ "Source Only": "Solo Fuente",
+ "TTS Text": "TTS Texto",
+ "The book file is corrupted": "El archivo del libro está dañado",
+ "The book file is empty": "El archivo del libro está vacío",
+ "Failed to open the book file": "Error al abrir el archivo del libro",
+ "On-Demand Purchase": "Compra bajo demanda",
+ "Full Customization": "Personalización Completa",
+ "Lifetime Plan": "Plan de por vida",
+ "One-Time Payment": "Pago Único",
+ "Make a single payment to enjoy lifetime access to specific features on all devices. Purchase specific features or services only when you need them.": "Realiza un solo pago para disfrutar de acceso de por vida a funciones específicas en todos los dispositivos. Compra funciones o servicios específicos solo cuando los necesites.",
+ "Expand Cloud Sync Storage": "Expandir Almacenamiento de Sincronización en la Nube",
+ "Expand your cloud storage forever with a one-time purchase. Each additional purchase adds more space.": "Expande tu almacenamiento en la nube para siempre con una compra única. Cada compra adicional agrega más espacio.",
+ "Unlock All Customization Options": "Desbloquear Todas las Opciones de Personalización",
+ "Unlock additional themes, fonts, layout options and read aloud, translators, cloud storage services.": "Desbloquear temas adicionales, fuentes, opciones de diseño y funciones de lectura en voz alta, traductores, servicios de almacenamiento en la nube.",
+ "Purchase Successful!": "¡Compra Exitosa!",
+ "lifetime": "de por vida",
+ "Thank you for your purchase! Your payment has been processed successfully.": "¡Gracias por tu compra! Tu pago se ha procesado correctamente.",
+ "Order ID:": "ID de pedido:",
+ "TTS Highlighting": "TTS Resaltado",
+ "Style": "Estilo",
+ "Underline": "Subrayado",
+ "Strikethrough": "Tachado",
+ "Squiggly": "Ondulado",
+ "Outline": "Contorno",
+ "Save Current Color": "Guardar Color Actual",
+ "Quick Colors": "Colores Rápidos",
+ "Highlighter": "Resaltador",
+ "Save Book Cover": "Guardar Portada del Libro",
+ "Auto-save last book cover": "Guardar automáticamente la última portada del libro",
+ "Back": "Atrás",
+ "Confirmation email sent! Please check your old and new email addresses to confirm the change.": "¡Correo de confirmación enviado! Por favor, revisa tus direcciones de correo electrónico antigua y nueva para confirmar el cambio.",
+ "Failed to update email": "Error al actualizar el correo electrónico",
+ "New Email": "Nuevo correo electrónico",
+ "Your new email": "Tu nuevo correo electrónico",
+ "Updating email ...": "Actualizando correo electrónico ...",
+ "Update email": "Actualizar correo electrónico",
+ "Current email": "Correo electrónico actual",
+ "Update Email": "Actualizar correo electrónico",
+ "All": "Todos",
+ "Unable to open book": "No se puede abrir el libro",
+ "Punctuation": "Signos de puntuación",
+ "Replace Quotation Marks": "Reemplazar comillas",
+ "Enabled only in vertical layout.": "Habilitado solo en diseño vertical.",
+ "No Conversion": "Sin conversión",
+ "Simplified to Traditional": "Simpl. → Trad.",
+ "Traditional to Simplified": "Trad. → Simpl.",
+ "Simplified to Traditional (Taiwan)": "Simpl. → Trad. (Taiwan)",
+ "Simplified to Traditional (Hong Kong)": "Simpl. → Trad. (Hong Kong)",
+ "Simplified to Traditional (Taiwan), with phrases": "Simpl. → Trad. (Taiwan • frases)",
+ "Traditional (Taiwan) to Simplified": "Trad. (Taiwan) → Simpl.",
+ "Traditional (Hong Kong) to Simplified": "Trad. (Hong Kong) → Simpl.",
+ "Traditional (Taiwan) to Simplified, with phrases": "Trad. (Taiwan • frases) → Simpl.",
+ "Convert Simplified and Traditional Chinese": "Convertir chino Simpl./Trad.",
+ "Convert Mode": "Modo de conversión",
+ "Failed to auto-save book cover for lock screen: {{error}}": "Error al guardar automáticamente la portada del libro para la pantalla de bloqueo: {{error}}",
+ "Download from Cloud": "Descargar desde la nube",
+ "Upload to Cloud": "Subir a la nube",
+ "Clear Custom Fonts": "Limpiar fuentes personalizadas",
+ "Columns": "Columnas",
+ "OPDS Catalogs": "Catálogos OPDS",
+ "Adding LAN addresses is not supported in the web app version.": "La versión web no permite añadir direcciones LAN.",
+ "Invalid OPDS catalog. Please check the URL.": "Catálogo OPDS no válido. Por favor, comprueba la URL.",
+ "Browse and download books from online catalogs": "Explora y descarga libros de catálogos en línea",
+ "My Catalogs": "Mis catálogos",
+ "Add Catalog": "Añadir catálogo",
+ "No catalogs yet": "Aún no hay catálogos",
+ "Add your first OPDS catalog to start browsing books": "Añade tu primer catálogo OPDS para empezar a explorar libros.",
+ "Add Your First Catalog": "Añadir primer catálogo",
+ "Browse": "Explorar",
+ "Popular Catalogs": "Catálogos populares",
+ "Add": "Añadir",
+ "Add OPDS Catalog": "Añadir catálogo OPDS",
+ "Catalog Name": "Nombre del catálogo",
+ "My Calibre Library": "Mi biblioteca Calibre",
+ "OPDS URL": "URL OPDS",
+ "Username (optional)": "Usuario (opcional)",
+ "Password (optional)": "Contraseña (opcional)",
+ "Description (optional)": "Descripción (opcional)",
+ "A brief description of this catalog": "Una breve descripción de este catálogo",
+ "Validating...": "Validando...",
+ "View All": "Ver todo",
+ "Forward": "Adelante",
+ "Home": "Inicio",
+ "{{count}} items_one": "{{count}} elemento",
+ "{{count}} items_many": "{{count}} elementos",
+ "{{count}} items_other": "{{count}} elementos",
+ "Download completed": "Descarga completa",
+ "Download failed": "Error en la descarga",
+ "Open Access": "Acceso abierto",
+ "Borrow": "Prestar",
+ "Buy": "Comprar",
+ "Subscribe": "Suscribirse",
+ "Sample": "Muestra",
+ "Download": "Descargar",
+ "Open & Read": "Abrir y leer",
+ "Tags": "Etiquetas",
+ "Tag": "Etiqueta",
+ "First": "Primero",
+ "Previous": "Anterior",
+ "Next": "Siguiente",
+ "Last": "Último",
+ "Cannot Load Page": "No se puede cargar la página",
+ "An error occurred": "Ocurrió un error",
+ "Online Library": "Biblioteca en línea",
+ "URL must start with http:// or https://": "URL debe comenzar con http:// o https://",
+ "Title, Author, Tag, etc...": "Titulo, Autor, Etiqueta, etc...",
+ "Query": "Consulta",
+ "Subject": "Asunto",
+ "Enter {{terms}}": "Ingrese {{terms}}",
+ "No search results found": "No se encontraron resultados de búsqueda",
+ "Failed to load OPDS feed: {{status}} {{statusText}}": "Error al cargar el feed OPDS: {{status}} {{statusText}}",
+ "Search in {{title}}": "Buscar en {{title}}",
+ "Manage Storage": "Administrar almacenamiento",
+ "Failed to load files": "Error al cargar los archivos",
+ "Deleted {{count}} file(s)_one": "Se eliminó {{count}} archivo",
+ "Deleted {{count}} file(s)_many": "Se eliminaron {{count}} archivos",
+ "Deleted {{count}} file(s)_other": "Se eliminaron {{count}} archivos",
+ "Failed to delete {{count}} file(s)_one": "Error al eliminar {{count}} archivo",
+ "Failed to delete {{count}} file(s)_many": "Error al eliminar {{count}} archivos",
+ "Failed to delete {{count}} file(s)_other": "Error al eliminar {{count}} archivos",
+ "Failed to delete files": "Error al eliminar los archivos",
+ "Total Files": "Total de archivos",
+ "Total Size": "Tamaño total",
+ "Quota": "Cuota",
+ "Used": "Usado",
+ "Files": "Archivos",
+ "Search files...": "Buscar archivos...",
+ "Newest First": "Más nuevos primero",
+ "Oldest First": "Más antiguos primero",
+ "Largest First": "Más grandes primero",
+ "Smallest First": "Más pequeños primero",
+ "Name A-Z": "Nombre A–Z",
+ "Name Z-A": "Nombre Z–A",
+ "{{count}} selected_one": "{{count}} seleccionado",
+ "{{count}} selected_many": "{{count}} seleccionados",
+ "{{count}} selected_other": "{{count}} seleccionados",
+ "Delete Selected": "Eliminar seleccionados",
+ "Created": "Creado",
+ "No files found": "No se encontraron archivos",
+ "No files uploaded yet": "Aún no se han subido archivos",
+ "files": "archivos",
+ "Page {{current}} of {{total}}": "Página {{current}} de {{total}}",
+ "Are you sure to delete {{count}} selected file(s)?_one": "¿Seguro que deseas eliminar {{count}} archivo seleccionado?",
+ "Are you sure to delete {{count}} selected file(s)?_many": "¿Seguro que deseas eliminar {{count}} archivos seleccionados?",
+ "Are you sure to delete {{count}} selected file(s)?_other": "¿Seguro que deseas eliminar {{count}} archivos seleccionados?",
+ "Cloud Storage Usage": "Uso de almacenamiento en la nube",
+ "Rename Group": "Renombrar grupo",
+ "From Directory": "Desde el directorio",
+ "Successfully imported {{count}} book(s)_one": "Se importó correctamente 1 libro",
+ "Successfully imported {{count}} book(s)_many": "Se importaron correctamente {{count}} libros",
+ "Successfully imported {{count}} book(s)_other": "Se importaron correctamente {{count}} libros",
+ "Count": "Cuenta",
+ "Start Page": "Página de inicio",
+ "Search in OPDS Catalog...": "Buscar en el catálogo OPDS...",
+ "Please log in to use advanced TTS features": "Por favor, inicie sesión para usar funciones avanzadas de TTS",
+ "Word limit of 30 words exceeded.": "Se superó el límite de 30 palabras.",
+ "Proofread": "Corrección",
+ "Current selection": "Selección actual",
+ "All occurrences in this book": "Todas las apariciones en este libro",
+ "All occurrences in your library": "Todas las apariciones en tu biblioteca",
+ "Selected text:": "Texto seleccionado:",
+ "Replace with:": "Reemplazar por:",
+ "Enter text...": "Introduce texto…",
+ "Case sensitive:": "Distinguir mayúsculas y minúsculas:",
+ "Scope:": "Ámbito:",
+ "Selection": "Selección",
+ "Library": "Biblioteca",
+ "Yes": "Sí",
+ "No": "No",
+ "Proofread Replacement Rules": "Reglas de reemplazo de corrección",
+ "Selected Text Rules": "Reglas de texto seleccionado",
+ "No selected text replacement rules": "No hay reglas de reemplazo para el texto seleccionado",
+ "Book Specific Rules": "Reglas específicas del libro",
+ "No book-level replacement rules": "No hay reglas de reemplazo a nivel de libro",
+ "Disable Quick Action": "Desactivar acción rápida",
+ "Enable Quick Action on Selection": "Activar acción rápida al seleccionar",
+ "None": "Ninguna",
+ "Annotation Tools": "Herramientas de anotación",
+ "Enable Quick Actions": "Activar acciones rápidas",
+ "Quick Action": "Acción rápida",
+ "Copy to Notebook": "Copiar al cuaderno",
+ "Copy text after selection": "Copiar texto después de la selección",
+ "Highlight text after selection": "Resaltar texto después de la selección",
+ "Annotate text after selection": "Anotar texto después de la selección",
+ "Search text after selection": "Buscar texto después de la selección",
+ "Look up text in dictionary after selection": "Buscar texto en el diccionario después de la selección",
+ "Look up text in Wikipedia after selection": "Buscar texto en Wikipedia después de la selección",
+ "Translate text after selection": "Traducir texto después de la selección",
+ "Read text aloud after selection": "Leer texto en voz alta después de la selección",
+ "Proofread text after selection": "Corregir texto después de la selección",
+ "{{activeCount}} active, {{pendingCount}} pending": "{{activeCount}} activas, {{pendingCount}} pendientes",
+ "{{failedCount}} failed": "{{failedCount}} fallidas",
+ "Waiting...": "Esperando...",
+ "Failed": "Fallido",
+ "Completed": "Completado",
+ "Cancelled": "Cancelado",
+ "Retry": "Reintentar",
+ "Active": "Activas",
+ "Transfer Queue": "Cola de transferencias",
+ "Upload All": "Subir todos",
+ "Download All": "Descargar todos",
+ "Resume Transfers": "Reanudar transferencias",
+ "Pause Transfers": "Pausar transferencias",
+ "Pending": "Pendientes",
+ "No transfers": "Sin transferencias",
+ "Retry All": "Reintentar todos",
+ "Clear Completed": "Limpiar completados",
+ "Clear Failed": "Limpiar fallidos",
+ "Upload queued: {{title}}": "Subida en cola: {{title}}",
+ "Download queued: {{title}}": "Descarga en cola: {{title}}",
+ "Book not found in library": "Libro no encontrado en la biblioteca",
+ "Unknown error": "Error desconocido",
+ "Please log in to continue": "Inicia sesión para continuar",
+ "Cloud File Transfers": "Transferencias en la nube",
+ "Show Search Results": "Mostrar resultados",
+ "Search results for '{{term}}'": "Resultados para '{{term}}'",
+ "Close Search": "Cerrar búsqueda",
+ "Previous Result": "Resultado anterior",
+ "Next Result": "Resultado siguiente",
+ "Bookmarks": "Marcadores",
+ "Annotations": "Anotaciones",
+ "Show Results": "Mostrar resultados",
+ "Clear search": "Borrar búsqueda",
+ "Clear search history": "Borrar historial de búsqueda",
+ "Tap to Toggle Footer": "Toca para alternar pie de página",
+ "Exported successfully": "Exportado con éxito",
+ "Book exported successfully.": "Libro exportado con éxito.",
+ "Failed to export the book.": "Error al exportar el libro.",
+ "Export Book": "Exportar libro",
+ "Whole word:": "Palabra completa:",
+ "Error": "Error",
+ "Unable to load the article. Try searching directly on {{link}}.": "No se puede cargar el artículo. Intenta buscar directamente en {{link}}.",
+ "Unable to load the word. Try searching directly on {{link}}.": "No se puede cargar la palabra. Intenta buscar directamente en {{link}}.",
+ "Date Published": "Fecha de publicación",
+ "Only for TTS:": "Solo para TTS:",
+ "Uploaded": "Subido",
+ "Downloaded": "Descargado",
+ "Deleted": "Eliminado",
+ "Note:": "Nota:",
+ "Time:": "Hora:",
+ "Format Options": "Opciones de formato",
+ "Export Date": "Fecha de exportación",
+ "Chapter Titles": "Títulos de capítulos",
+ "Chapter Separator": "Separador de capítulos",
+ "Highlights": "Resaltados",
+ "Note Date": "Fecha de nota",
+ "Advanced": "Avanzado",
+ "Hide": "Ocultar",
+ "Show": "Mostrar",
+ "Use Custom Template": "Usar plantilla personalizada",
+ "Export Template": "Plantilla de exportación",
+ "Template Syntax:": "Sintaxis de plantilla:",
+ "Insert value": "Insertar valor",
+ "Format date (locale)": "Formatear fecha (regional)",
+ "Format date (custom)": "Formatear fecha (personalizado)",
+ "Conditional": "Condicional",
+ "Loop": "Bucle",
+ "Available Variables:": "Variables disponibles:",
+ "Book title": "Título del libro",
+ "Book author": "Autor del libro",
+ "Export date": "Fecha de exportación",
+ "Array of chapters": "Lista de capítulos",
+ "Chapter title": "Título del capítulo",
+ "Array of annotations": "Lista de anotaciones",
+ "Highlighted text": "Texto resaltado",
+ "Annotation note": "Nota de anotación",
+ "Date Format Tokens:": "Tokens de formato de fecha:",
+ "Year (4 digits)": "Año (4 dígitos)",
+ "Month (01-12)": "Mes (01-12)",
+ "Day (01-31)": "Día (01-31)",
+ "Hour (00-23)": "Hora (00-23)",
+ "Minute (00-59)": "Minuto (00-59)",
+ "Second (00-59)": "Segundo (00-59)",
+ "Show Source": "Mostrar fuente",
+ "No content to preview": "Sin contenido para previsualizar",
+ "Export": "Exportar",
+ "Set Timeout": "Establecer tiempo límite",
+ "Select Voice": "Seleccionar voz",
+ "Toggle Sticky Bottom TTS Bar": "Alternar barra TTS fija",
+ "Display what I'm reading on Discord": "Mostrar lo que estoy leyendo en Discord",
+ "Show on Discord": "Mostrar en Discord",
+ "Instant {{action}}": "{{action}} instantáneo",
+ "Instant {{action}} Disabled": "{{action}} instantáneo desactivado",
+ "Annotation": "Anotación",
+ "Reset Template": "Restablecer plantilla",
+ "Annotation style": "Estilo de anotación",
+ "Annotation color": "Color de anotación",
+ "Annotation time": "Hora de anotación",
+ "AI": "IA",
+ "Are you sure you want to re-index this book?": "¿Está seguro de que desea reindexar este libro?",
+ "Enable AI in Settings": "Habilitar IA en Configuración",
+ "Index This Book": "Indexar este libro",
+ "Enable AI search and chat for this book": "Habilitar búsqueda y chat con IA para este libro",
+ "Start Indexing": "Iniciar indexación",
+ "Indexing book...": "Indexando libro...",
+ "Preparing...": "Preparando...",
+ "Delete this conversation?": "¿Eliminar esta conversación?",
+ "No conversations yet": "Aún no hay conversaciones",
+ "Start a new chat to ask questions about this book": "Inicie un nuevo chat para hacer preguntas sobre este libro",
+ "Rename": "Renombrar",
+ "New Chat": "Nuevo chat",
+ "Chat": "Chat",
+ "Please enter a model ID": "Por favor, ingrese un ID de modelo",
+ "Model not available or invalid": "Modelo no disponible o inválido",
+ "Failed to validate model": "Error al validar el modelo",
+ "Couldn't connect to Ollama. Is it running?": "No se pudo conectar a Ollama. ¿Está ejecutándose?",
+ "Invalid API key or connection failed": "Clave API inválida o conexión fallida",
+ "Connection failed": "Conexión fallida",
+ "AI Assistant": "Asistente de IA",
+ "Enable AI Assistant": "Habilitar asistente de IA",
+ "Provider": "Proveedor",
+ "Ollama (Local)": "Ollama (Local)",
+ "AI Gateway (Cloud)": "Pasarela de IA (Nube)",
+ "Ollama Configuration": "Configuración de Ollama",
+ "Refresh Models": "Actualizar modelos",
+ "AI Model": "Modelo de IA",
+ "No models detected": "No se detectaron modelos",
+ "AI Gateway Configuration": "Configuración de pasarela de IA",
+ "Choose from a selection of high-quality, economical AI models. You can also bring your own model by selecting \"Custom Model\" below.": "Elija entre una selección de modelos de IA de alta calidad y económicos. También puede usar su propio modelo seleccionando \"Modelo personalizado\" a continuación.",
+ "API Key": "Clave API",
+ "Get Key": "Obtener clave",
+ "Model": "Modelo",
+ "Custom Model...": "Modelo personalizado...",
+ "Custom Model ID": "ID de modelo personalizado",
+ "Validate": "Validar",
+ "Model available": "Modelo disponible",
+ "Connection": "Conexión",
+ "Test Connection": "Probar conexión",
+ "Connected": "Conectado",
+ "Custom Colors": "Colores personalizados",
+ "Color E-Ink Mode": "Modo E-Ink a color",
+ "Reading Ruler": "Regla de lectura",
+ "Enable Reading Ruler": "Habilitar regla de lectura",
+ "Lines to Highlight": "Líneas a resaltar",
+ "Ruler Color": "Color de la regla",
+ "Command Palette": "Paleta de comandos",
+ "Search settings and actions...": "Buscar ajustes y acciones...",
+ "No results found for": "No se encontraron resultados para",
+ "Type to search settings and actions": "Escribe para buscar ajustes y acciones",
+ "Recent": "Reciente",
+ "navigate": "navegar",
+ "select": "seleccionar",
+ "close": "cerrar",
+ "Search Settings": "Buscar ajustes",
+ "Page Margins": "Márgenes de página",
+ "AI Provider": "Proveedor de IA",
+ "Ollama URL": "URL de Ollama",
+ "Ollama Model": "Modelo de Ollama",
+ "AI Gateway Model": "Modelo de AI Gateway",
+ "Actions": "Acciones",
+ "Navigation": "Navegación",
+ "Set status for {{count}} book(s)_one": "Establecer estado para {{count}} libro",
+ "Set status for {{count}} book(s)_other": "Establecer estado para {{count}} libros",
+ "Mark as Unread": "Marcar como no leído",
+ "Mark as Finished": "Marcar como terminado",
+ "Finished": "Terminado",
+ "Unread": "Sin leer",
+ "Clear Status": "Borrar estado",
+ "Status": "Estado",
+ "Set status for {{count}} book(s)_many": "Establecer estado para {{count}} libros",
+ "Loading": "Cargando...",
+ "Exit Paragraph Mode": "Salir del modo de párrafo",
+ "Paragraph Mode": "Modo de párrafo",
+ "Embedding Model": "Modelo de incrustación",
+ "{{count}} book(s) synced_one": "{{count}} libro sincronizado",
+ "{{count}} book(s) synced_many": "{{count}} libros sincronizados",
+ "{{count}} book(s) synced_other": "{{count}} libros sincronizados",
+ "Unable to start RSVP": "No se puede iniciar RSVP",
+ "RSVP not supported for PDF": "RSVP no es compatible con PDF",
+ "Select Chapter": "Seleccionar capítulo",
+ "Context": "Contexto",
+ "Ready": "Listo",
+ "Chapter Progress": "Progreso del capítulo",
+ "words": "palabras",
+ "{{time}} left": "faltan {{time}}",
+ "Reading progress": "Progreso de lectura",
+ "Click to seek": "Hacer clic para buscar",
+ "Skip back 15 words": "Retroceder 15 palabras",
+ "Back 15 words (Shift+Left)": "Retroceder 15 palabras (Shift+Izquierda)",
+ "Pause (Space)": "Pausa (Espacio)",
+ "Play (Space)": "Reproducir (Espacio)",
+ "Skip forward 15 words": "Adelantar 15 palabras",
+ "Forward 15 words (Shift+Right)": "Adelantar 15 palabras (Shift+Derecha)",
+ "Pause:": "Pausa:",
+ "Decrease speed": "Disminuir velocidad",
+ "Slower (Left/Down)": "Más lento (Izquierda/Abajo)",
+ "Current speed": "Velocidad actual",
+ "Increase speed": "Aumentar velocidad",
+ "Faster (Right/Up)": "Más rápido (Derecha/Arriba)",
+ "Start RSVP Reading": "Iniciar lectura RSVP",
+ "Choose where to start reading": "Elegir dónde empezar a leer",
+ "From Chapter Start": "Desde el inicio del capítulo",
+ "Start reading from the beginning of the chapter": "Empezar a leer desde el principio del capítulo",
+ "Resume": "Reanudar",
+ "Continue from where you left off": "Continuar desde donde lo dejaste",
+ "From Current Page": "Desde la página actual",
+ "Start from where you are currently reading": "Empezar desde donde estás leyendo actualmente",
+ "From Selection": "Desde la selección",
+ "Speed Reading Mode": "Modo de lectura rápida",
+ "Scroll left": "Desplazar a la izquierda",
+ "Scroll right": "Desplazar a la derecha",
+ "Library Sync Progress": "Progreso de sincronización de la biblioteca",
+ "Back to library": "Volver a la biblioteca",
+ "Group by...": "Agrupar por...",
+ "Export as Plain Text": "Exportar como texto sin formato",
+ "Export as Markdown": "Exportar como Markdown",
+ "Show Page Navigation Buttons": "Botones de navegación",
+ "Page {{number}}": "Página {{number}}",
+ "highlight": "resaltado",
+ "underline": "subrayado",
+ "squiggly": "ondulado",
+ "red": "rojo",
+ "violet": "violeta",
+ "blue": "azul",
+ "green": "verde",
+ "yellow": "amarillo",
+ "Select {{style}} style": "Seleccionar estilo {{style}}",
+ "Select {{color}} color": "Seleccionar color {{color}}",
+ "Close Book": "Cerrar libro",
+ "Speed Reading": "Lectura rápida",
+ "Close Speed Reading": "Cerrar lectura rápida",
+ "Authors": "Autores",
+ "Books": "Libros",
+ "Groups": "Grupos",
+ "Back to TTS Location": "Volver a la ubicación de TTS",
+ "Metadata": "Metadatos",
+ "Image viewer": "Visor de imágenes",
+ "Previous Image": "Imagen anterior",
+ "Next Image": "Imagen siguiente",
+ "Zoomed": "Con zoom",
+ "Zoom level": "Nivel de zoom",
+ "Table viewer": "Visor de tablas",
+ "Unable to connect to Readwise. Please check your network connection.": "No se pudo conectar a Readwise. Por favor, comprueba tu conexión a la red.",
+ "Invalid Readwise access token": "Token de acceso a Readwise no válido",
+ "Disconnected from Readwise": "Desconectado de Readwise",
+ "Never": "Nunca",
+ "Readwise Settings": "Ajustes de Readwise",
+ "Connected to Readwise": "Conectado a Readwise",
+ "Last synced: {{time}}": "Última sincronización: {{time}}",
+ "Sync Enabled": "Sincronización habilitada",
+ "Disconnect": "Desconectar",
+ "Connect your Readwise account to sync highlights.": "Conecta tu cuenta de Readwise para sincronizar los resaltados.",
+ "Get your access token at": "Obtén tu token de acceso en",
+ "Access Token": "Token de acceso",
+ "Paste your Readwise access token": "Pega tu token de acceso de Readwise",
+ "Config": "Configuración",
+ "Readwise Sync": "Sincronización con Readwise",
+ "Push Highlights": "Enviar resaltados",
+ "Highlights synced to Readwise": "Resaltados sincronizados con Readwise",
+ "Readwise sync failed: no internet connection": "Error en la sincronización con Readwise: sin conexión a internet",
+ "Readwise sync failed: {{error}}": "Error en la sincronización con Readwise: {{error}}"
+}
diff --git a/apps/readest-app/public/locales/fa/translation.json b/apps/readest-app/public/locales/fa/translation.json
new file mode 100644
index 0000000000000000000000000000000000000000..18905058b93a71ec25b952f4044c1fd199a7a577
--- /dev/null
+++ b/apps/readest-app/public/locales/fa/translation.json
@@ -0,0 +1,1060 @@
+{
+ "(detected)": "(تشخیصدادهشده)",
+ "About Readest": "دربارهی Readest",
+ "Add your notes here...": "یادداشتهای خود را اینجا اضافه کنید...",
+ "Animation": "انیمیشن",
+ "Annotate": "حاشیهنویسی",
+ "Apply": "اِعمال",
+ "Auto Mode": "حالت خودکار",
+ "Behavior": "رفتار",
+ "Book": "کتاب",
+ "Bookmark": "نشانک",
+ "Cancel": "لغو",
+ "Chapter": "فصل",
+ "Cherry": "گیلاسی",
+ "Color": "رنگ",
+ "Confirm": "تأیید",
+ "Confirm Deletion": "تأیید حذف",
+ "Copied to notebook": "به دفترچه یادداشت کپی شد",
+ "Copy": "کپی",
+ "Dark Mode": "حالت تاریک",
+ "Default": "پیشفرض",
+ "Default Font": "فونت پیشفرض",
+ "Default Font Size": "اندازه فونت پیشفرض",
+ "Delete": "حذف",
+ "Delete Highlight": "حذف هایلایت",
+ "Dictionary": "فرهنگ لغت",
+ "Download Readest": "دانلود Readest",
+ "Edit": "ویرایش",
+ "Excerpts": "گزیدهها",
+ "Failed to import book(s): {{filenames}}": "وارد کردن کتاب(ها) «{{filenames}}» ناموفق بود.",
+ "Fast": "سریع",
+ "Font": "فونت",
+ "Font & Layout": "فونت و چیدمان",
+ "Font Face": "نمای فونت",
+ "Font Family": "خانوادهی فونت",
+ "Font Size": "اندازه فونت",
+ "Full Justification": "تراز کامل",
+ "Global Settings": "تنظیمات سراسری",
+ "Go Back": "بازگشت",
+ "Go Forward": "رفتن به جلو",
+ "Grass": "چمنی",
+ "Gray": "خاکستری",
+ "Gruvbox": "Gruvbox",
+ "Highlight": "هایلایت",
+ "Horizontal Direction": "جهت افقی",
+ "Hyphenation": "تقسیمبندی کلمات",
+ "Import Books": "وارد کردن کتابها",
+ "Layout": "چیدمان",
+ "Light Mode": "حالت روشن",
+ "Loading...": "در حال بارگیری...",
+ "Logged in": "وارد شدهاید",
+ "Logged in as {{userDisplayName}}": "شما با نام «{{userDisplayName}}» وارد شدهاید",
+ "Match Case": "تطابق حروف بزرگ/کوچک",
+ "Match Diacritics": "تطابق اعراب",
+ "Match Whole Words": "تطابق کل کلمات",
+ "Maximum Number of Columns": "حداکثر تعداد ستونها",
+ "Minimum Font Size": "حداقل اندازه فونت",
+ "Monospace Font": "فونت تکفاصله (Monospace)",
+ "More Info": "اطلاعات بیشتر",
+ "Nord": "Nord",
+ "Notebook": "دفترچه یادداشت",
+ "Notes": "یادداشتها",
+ "Open": "باز کردن",
+ "Original Text": "متن اصلی",
+ "Page": "صفحه",
+ "Paging Animation": "انیمیشن ورق زدن",
+ "Paragraph": "پاراگراف",
+ "Published": "منتشر شده",
+ "Publisher": "ناشر",
+ "Reading Progress Synced": "وضعیت مطالعه همگامسازی شد",
+ "Reload Page": "بارگذاری مجدد صفحه",
+ "Reveal in File Explorer": "نمایش در کاوشگر فایل",
+ "Reveal in Finder": "نمایش در Finder",
+ "Reveal in Folder": "نمایش در پوشه",
+ "Sans-Serif Font": "فونت Sans-Serif",
+ "Save": "ذخیره",
+ "Scrolled Mode": "حالت پیمایشی",
+ "Search": "جستجو",
+ "Search Books...": "جستجوی کتابها...",
+ "Search...": "جستجو...",
+ "Select Book": "انتخاب کتاب",
+ "Select Books": "انتخاب کتابها",
+ "Sepia": "سپیا",
+ "Serif Font": "فونت Serif",
+ "Show Book Details": "نمایش جزئیات کتاب",
+ "Sidebar": "نوار کناری",
+ "Sign In": "ورود",
+ "Sign Out": "خروج",
+ "Sky": "آسمانی",
+ "Slow": "آهسته",
+ "Solarized": "آفتابی",
+ "Speak": "خواندن",
+ "Subjects": "موضوعات",
+ "System Fonts": "فونتهای سیستم",
+ "Theme Color": "رنگ تم",
+ "Theme Mode": "حالت تم",
+ "Translate": "ترجمه",
+ "Translated Text": "متن ترجمهشده",
+ "Unknown": "ناشناخته",
+ "Untitled": "بدون عنوان",
+ "Updated": "بهروزرسانی شده",
+ "Version {{version}}": "نسخهی {{version}}",
+ "Vertical Direction": "جهت عمودی",
+ "Welcome to your library. You can import your books here and read them anytime.": "به کتابخانهتان خوش آمدید. میتوانید کتابهایتان را اینجا وارد کنید و هر زمان خواستید آنها را بخوانید.",
+ "Wikipedia": "ویکیپدیا",
+ "Writing Mode": "حالت نوشتن",
+ "Your Library": "کتابخانهی شما",
+ "TTS not supported for PDF": "قابلیت تبدیل متن به گفتار برای PDF پشتیبانی نمیشود",
+ "Override Book Font": "جایگزینی فونت کتاب",
+ "Apply to All Books": "اِعمال برای همهی کتابها",
+ "Apply to This Book": "اِعمال برای این کتاب",
+ "Unable to fetch the translation. Try again later.": "نمیتوان ترجمه را دریافت کرد. بعداً دوباره تلاش کنید.",
+ "Check Update": "بررسی بهروزرسانی",
+ "Already the latest version": "آخرین نسخه نصب است.",
+ "Book Details": "جزئیات کتاب",
+ "From Local File": "از فایل محلی",
+ "TOC": "فهرست مطالب",
+ "Table of Contents": "فهرست مطالب",
+ "Book uploaded: {{title}}": "کتاب «{{title}}» آپلود شد.",
+ "Failed to upload book: {{title}}": "آپلود کتاب «{{title}}» ناموفق بود.",
+ "Book downloaded: {{title}}": "کتاب «{{title}}» دانلود شد.",
+ "Failed to download book: {{title}}": "دانلود کتاب «{{title}}» ناموفق بود.",
+ "Upload Book": "بارگذاری کتاب",
+ "Auto Upload Books to Cloud": "بارگذاری خودکار کتابها در فضای ابری",
+ "Book deleted: {{title}}": "کتاب «{{title}}» حذف شد.",
+ "Failed to delete book: {{title}}": "حذف کتاب «{{title}}» ناموفق بود.",
+ "Check Updates on Start": "بررسی بهروزرسانیها هنگام شروع",
+ "Insufficient storage quota": "سهمیهی ذخیرهسازی کافی نیست",
+ "Font Weight": "وزن فونت",
+ "Line Spacing": "فاصلهی خطوط",
+ "Word Spacing": "فاصلهی کلمات",
+ "Letter Spacing": "فاصلهی حروف",
+ "Text Indent": "تورفتگی متن",
+ "Paragraph Margin": "حاشیهی پاراگراف",
+ "Override Book Layout": "جایگزینی چیدمان کتاب",
+ "Untitled Group": "گروه بدون عنوان",
+ "Group Books": "گروهبندی کتابها",
+ "Remove From Group": "حذف از گروه",
+ "Create New Group": "ایجاد گروه جدید",
+ "Deselect Book": "لغو انتخاب کتاب",
+ "Download Book": "دانلود کتاب",
+ "Deselect Group": "لغو انتخاب گروه",
+ "Select Group": "انتخاب گروه",
+ "Keep Screen Awake": "روشن نگه داشتن صفحه",
+ "Email address": "آدرس ایمیل",
+ "Your Password": "رمز عبور شما",
+ "Your email address": "آدرس ایمیل شما",
+ "Your password": "رمز عبور شما",
+ "Sign in": "ورود",
+ "Signing in...": "در حال ورود...",
+ "Sign in with {{provider}}": "ورود با {{provider}}",
+ "Already have an account? Sign in": "اگر از قبل حساب دارید، وارد شوید",
+ "Create a Password": "ایجاد رمز عبور",
+ "Sign up": "ثبتنام",
+ "Signing up...": "در حال ثبتنام...",
+ "Don't have an account? Sign up": "حساب کاربری ندارید؟ ثبتنام کنید",
+ "Check your email for the confirmation link": "ایمیل خود را برای لینک تأیید بررسی کنید",
+ "Signing in ...": "در حال ورود ...",
+ "Send a magic link email": "ارسال لینک جادویی به ایمیل",
+ "Check your email for the magic link": "ایمیل خود را برای دریافت لینک جادویی بررسی کنید",
+ "Send reset password instructions": "ارسال دستورالعمل بازنشانی رمز عبور",
+ "Sending reset instructions ...": "در حال ارسال دستورالعمل بازنشانی...",
+ "Forgot your password?": "رمز عبور خود را فراموش کردهاید؟",
+ "Check your email for the password reset link": "ایمیل خود را برای لینک بازنشانی رمز عبور بررسی کنید",
+ "New Password": "رمز عبور جدید",
+ "Your new password": "رمز عبور جدید شما",
+ "Update password": "بهروزرسانی رمز عبور",
+ "Updating password ...": "در حال بهروزرسانی رمز عبور...",
+ "Your password has been updated": "رمز عبور شما بهروزرسانی شد",
+ "Phone number": "شماره تلفن",
+ "Your phone number": "شماره تلفن شما",
+ "Token": "توکن",
+ "Your OTP token": "کد یکبارمصرف شما",
+ "Verify token": "تأیید کد",
+ "Account": "حساب",
+ "Failed to delete user. Please try again later.": "حذف کاربر ناموفق بود. لطفاً بعداً دوباره تلاش کنید.",
+ "Community Support": "پشتیبانی جامعه",
+ "Priority Support": "پشتیبانی اولویتدار",
+ "Loading profile...": "در حال بارگذاری پروفایل...",
+ "Delete Account": "حذف حساب",
+ "Delete Your Account?": "حذف حساب کاربری؟",
+ "This action cannot be undone. All your data in the cloud will be permanently deleted.": "این عمل غیرقابل بازگشت است. تمام دادههای شما در فضای ابری بهطور دائمی حذف خواهند شد.",
+ "Delete Permanently": "حذف دائمی",
+ "RTL Direction": "جهت راستبهچپ",
+ "Maximum Column Height": "حداکثر ارتفاع ستون",
+ "Maximum Column Width": "حداکثر عرض ستون",
+ "Continuous Scroll": "پیمایش مداوم",
+ "Fullscreen": "تمامصفحه",
+ "No supported files found. Supported formats: {{formats}}": "فایل پشتیبانیشدهای یافت نشد. فرمتهای قابل پشتیبانی: {{formats}}",
+ "Drop to Import Books": "برای وارد کردن کتابها، فایل را رها کنید",
+ "Custom": "سفارشی",
+ "All the world's a stage,\nAnd all the men and women merely players;\nThey have their exits and their entrances,\nAnd one man in his time plays many parts,\nHis acts being seven ages.\n\n— William Shakespeare": "تمام دنیا صحنهای است،\nو همهی مردان و زنان تنها بازیگرانی بیش نیستند؛\nآنها ورود و خروج خود را دارند،\nو هر آدمی در طول زمان نقشهای بسیاری ایفا میکند،\nاعمال او هفت دورهاند.\n\n— ویلیام شکسپیر",
+ "Custom Theme": "تم سفارشی",
+ "Theme Name": "نام تم",
+ "Text Color": "رنگ متن",
+ "Background Color": "رنگ پسزمینه",
+ "Preview": "پیشنمایش",
+ "Contrast": "کنتراست",
+ "Sunset": "غروب",
+ "Double Border": "حاشیهی دوبل",
+ "Border Color": "رنگ حاشیه",
+ "Border Frame": "قاب حاشیه",
+ "Show Header": "نمایش سربرگ",
+ "Show Footer": "نمایش پاورقی",
+ "Small": "کوچک",
+ "Large": "بزرگ",
+ "Auto": "خودکار",
+ "Language": "زبان",
+ "No annotations to export": "هیچ حاشیهنویسیای برای خروجیگرفتن وجود ندارد",
+ "Author": "نویسنده",
+ "Exported from Readest": "خروجیگرفتهشده از Readest",
+ "Highlights & Annotations": "هایلایتها و حاشیهنویسیها",
+ "Note": "یادداشت",
+ "Copied to clipboard": "به کلیپبورد کپی شد",
+ "Export Annotations": "خروجیگرفتن از حاشیهنویسیها",
+ "Auto Import on File Open": "وارد کردن خودکار هنگام باز کردن فایل",
+ "LXGW WenKai GB Screen": "LXGW WenKai GB Screen",
+ "LXGW WenKai TC": "LXGW WenKai TC",
+ "No chapters detected": "هیچ فصلی یافت نشد",
+ "Failed to parse the EPUB file": "خطا در پردازش فایل EPUB",
+ "This book format is not supported": "این فرمت کتاب پشتیبانی نمیشود",
+ "Unable to fetch the translation. Please log in first and try again.": "نمیتوان ترجمه را دریافت کرد. لطفاً ابتدا وارد شوید و دوباره تلاش کنید.",
+ "Group": "گروه",
+ "Always on Top": "همیشه در بالاترین لایه پنجرهها",
+ "No Timeout": "بدون محدودیت زمانی",
+ "{{value}} minute": "{{value}} دقیقه",
+ "{{value}} minutes": "{{value}} دقیقه",
+ "{{value}} hour": "{{value}} ساعت",
+ "{{value}} hours": "{{value}} ساعت",
+ "CJK Font": "فونت CJK",
+ "Clear Search": "پاک کردن جستجو",
+ "Header & Footer": "سربرگ و پاورقی",
+ "Apply also in Scrolled Mode": "همچنین در حالت پیمایشی اِعمال شود",
+ "A new version of Readest is available!": "نسخهی جدیدی از Readest در دسترس است!",
+ "Readest {{newVersion}} is available (installed version {{currentVersion}}).": "نسخهی {{newVersion}} Readest در دسترس است (نسخهی نصبشده: {{currentVersion}}).",
+ "Download and install now?": "الان دانلود و نصب شود؟",
+ "Downloading {{downloaded}} of {{contentLength}}": "در حال دانلود {{downloaded}} از {{contentLength}}",
+ "Download finished": "دانلود تکمیل شد",
+ "DOWNLOAD & INSTALL": "دانلود و نصب",
+ "Changelog": "لیست تغییرات",
+ "Software Update": "بهروزرسانی نرمافزار",
+ "Title": "عنوان",
+ "Date Read": "تاریخ مطالعه",
+ "Date Added": "تاریخ اضافهشدن",
+ "Format": "نوع فرمت",
+ "Ascending": "صعودی",
+ "Descending": "نزولی",
+ "Sort by...": "مرتبسازی بر اساس...",
+ "Added": "افزوده شده",
+ "GuanKiapTsingKhai-T": "GuanKiapTsingKhai-T",
+ "Description": "توضیحات",
+ "No description available": "هیچ توضیحی موجود نیست",
+ "List": "لیست",
+ "Grid": "جدول",
+ "(from 'As You Like It', Act II)": "(از «همانطور که دوست دارید»، پردهی دوم)",
+ "Link Color": "رنگ لینک",
+ "Volume Keys for Page Flip": "استفاده از کلیدهای صدا برای ورق زدن صفحه",
+ "Screen": "صفحه",
+ "Orientation": "جهت",
+ "Portrait": "عمودی",
+ "Landscape": "افقی",
+ "Open Last Book on Start": "باز کردن آخرین کتاب هنگام شروع برنامه",
+ "Checking for updates...": "در حال بررسی بهروزرسانیها...",
+ "Error checking for updates": "خطا در بررسی بهروزرسانیها",
+ "Details": "جزئیات",
+ "File Size": "حجم فایل",
+ "Auto Detect": "تشخیص خودکار",
+ "Next Section": "بخش بعدی",
+ "Previous Section": "بخش قبلی",
+ "Next Page": "صفحهی بعد",
+ "Previous Page": "صفحهی قبل",
+ "Are you sure to delete {{count}} selected book(s)?_one": "آیا از حذف {{count}} کتاب انتخابشده مطمئن هستید؟",
+ "Are you sure to delete {{count}} selected book(s)?_other": "آیا از حذف {{count}} کتاب انتخابشده مطمئن هستید؟",
+ "Are you sure to delete the selected book?": "آیا از حذف کتاب انتخابشده مطمئن هستید؟",
+ "Deselect": "لغو انتخاب",
+ "Select All": "انتخاب همه",
+ "No translation available.": "هیچ ترجمهای در دسترس نیست.",
+ "Translated by {{provider}}.": "ترجمهشده توسط {{provider}}.",
+ "DeepL": "DeepL",
+ "Google Translate": "ترجمهی Google",
+ "Azure Translator": "مترجم Azure",
+ "Invert Image In Dark Mode": "معکوس کردن تصویر در حالت تاریک",
+ "Help improve Readest": "کمک به بهبود Readest",
+ "Sharing anonymized statistics": "اشتراکگذاری آمار ناشناس",
+ "Interface Language": "زبان برنامه",
+ "Translation": "ترجمه",
+ "Enable Translation": "فعال کردن ترجمه",
+ "Translation Service": "سرویس ترجمه",
+ "Translate To": "ترجمه به",
+ "Disable Translation": "غیرفعال کردن ترجمه",
+ "Scroll": "پیمایش",
+ "Overlap Pixels": "پیکسلهای همپوشانی",
+ "System Language": "زبان سیستم",
+ "Security": "امنیت",
+ "Allow JavaScript": "اجازهی اجرای JavaScript",
+ "Enable only if you trust the file.": "فقط در صورتی فعال کنید که به فایل اعتماد دارید.",
+ "Sort TOC by Page": "مرتبسازی فهرست مطالب بر اساس صفحه",
+ "Search in {{count}} Book(s)..._one": "جستجو در {{count}} کتاب...",
+ "Search in {{count}} Book(s)..._other": "جستجو در {{count}} کتاب...",
+ "No notes match your search": "هیچ یادداشتی با جستجوی شما مطابقت ندارد",
+ "Search notes and excerpts...": "جستجوی یادداشتها و گزیدهها...",
+ "Sign in to Sync": "برای همگامسازی وارد شوید",
+ "Synced at {{time}}": "همگامسازی شده در {{time}}",
+ "Never synced": "هرگز همگامسازی نشده",
+ "Show Remaining Time": "نمایش زمان باقیمانده",
+ "{{time}} min left in chapter": "{{time}} دقیقه تا انتهای فصل",
+ "Override Book Color": "جایگزینی رنگ کتاب",
+ "Login Required": "نیازمند ورود",
+ "Quota Exceeded": "سهمیه به پایان رسیده است",
+ "{{percentage}}% of Daily Translation Characters Used.": "{{percentage}}% از کاراکترهای ترجمهی روزانه استفاده شده است.",
+ "Translation Characters": "کاراکترهای ترجمه",
+ "{{engine}}: {{count}} voices_one": "{{engine}}: {{count}} صدا",
+ "{{engine}}: {{count}} voices_other": "{{engine}}: {{count}} صدا",
+ "Something went wrong. Don't worry, our team has been notified and we're working on a fix.": "مشکلی پیش آمد. نگران نباشید—تیم ما مطلع شد و در حال رفع مشکل است.",
+ "Error Details:": "جزئیات خطا:",
+ "Try Again": "دوباره تلاش کنید",
+ "Need help?": "به کمک نیاز دارید؟",
+ "Contact Support": "تماس با پشتیبانی",
+ "Code Highlighting": "هایلایت کد",
+ "Enable Highlighting": "فعال کردن هایلایت",
+ "Code Language": "زبان کد",
+ "Top Margin (px)": "حاشیهی بالا (px)",
+ "Bottom Margin (px)": "حاشیهی پایین (px)",
+ "Right Margin (px)": "حاشیهی راست (px)",
+ "Left Margin (px)": "حاشیهی چپ (px)",
+ "Column Gap (%)": "فاصلهی ستون (%)",
+ "Always Show Status Bar": "نمایش همیشگی نوار وضعیت",
+ "Custom Content CSS": "CSS محتوای سفارشی",
+ "Enter CSS for book content styling...": "CSS برای استایل محتوای کتاب وارد کنید...",
+ "Custom Reader UI CSS": "CSS رابط خوانندهی سفارشی",
+ "Enter CSS for reader interface styling...": "CSS برای استایل رابط خواننده وارد کنید...",
+ "Crop": "برش",
+ "Book Covers": "جلد کتابها",
+ "Fit": "متناسب",
+ "Reset {{settings}}": "بازنشانی {{settings}}",
+ "Reset Settings": "بازنشانی تنظیمات",
+ "{{count}} pages left in chapter_one": "{{count}} صفحه تا انتهای فصل",
+ "{{count}} pages left in chapter_other": "{{count}} صفحه تا انتهای فصل",
+ "Show Remaining Pages": "نمایش صفحات باقیمانده",
+ "Source Han Serif CN": "Source Han Serif CN",
+ "Huiwen-MinchoGBK": "Huiwen Mincho",
+ "KingHwa_OldSong": "KingHwa_OldSong",
+ "Manage Subscription": "مدیریت اشتراک",
+ "Coming Soon": "بهزودی",
+ "Upgrade to {{plan}}": "ارتقاء به {{plan}}",
+ "Upgrade to Plus or Pro": "ارتقاء به Plus یا Pro",
+ "Current Plan": "طرح فعلی",
+ "Plan Limits": "محدودیتهای طرح",
+ "Processing your payment...": "در حال پردازش پرداخت شما...",
+ "Please wait while we confirm your subscription.": "لطفاً تا تأیید اشتراک صبور باشید.",
+ "Payment Processing": "پردازش پرداخت",
+ "Your payment is being processed. This usually takes a few moments.": "پرداخت شما در حال پردازش است. معمولاً چند لحظه طول میکشد.",
+ "Payment Failed": "پرداخت ناموفق",
+ "We couldn't process your subscription. Please try again or contact support if the issue persists.": "نتوانستیم اشتراک شما را پردازش کنیم. لطفاً دوباره تلاش کنید یا در صورت ادامهی مشکل با پشتیبانی تماس بگیرید.",
+ "Back to Profile": "بازگشت به پروفایل",
+ "Subscription Successful!": "اشتراک با موفقیت فعال شد!",
+ "Thank you for your subscription! Your payment has been processed successfully.": "از اشتراک شما سپاسگزاریم! پرداخت شما با موفقیت انجام شد.",
+ "Email:": "ایمیل:",
+ "Plan:": "طرح:",
+ "Amount:": "مبلغ:",
+ "Go to Library": "رفتن به کتابخانه",
+ "Need help? Contact our support team at support@readest.com": "نیاز به کمک دارید؟ با تیم پشتیبانی ما به آدرس support@readest.com تماس بگیرید",
+ "Free Plan": "طرح رایگان",
+ "month": "ماه",
+ "AI Translations (per day)": "ترجمههای هوش مصنوعی (در روز)",
+ "Plus Plan": "طرح Plus",
+ "Includes All Free Plan Benefits": "شامل تمام امکانات طرح رایگان",
+ "Pro Plan": "طرح Pro",
+ "More AI Translations": "ترجمههای هوش مصنوعی بیشتر",
+ "Complete Your Subscription": "تکمیل اشتراک",
+ "{{percentage}}% of Cloud Sync Space Used.": "{{percentage}}% از فضای همگامسازی ابری استفاده شده است.",
+ "Cloud Sync Storage": "ذخیرهسازی همگامسازی ابری",
+ "Parallel Read": "خواندن موازی",
+ "Disable": "غیرفعال",
+ "Enable": "فعال",
+ "Upgrade to Readest Premium": "ارتقاء به Readest Premium",
+ "Show Source Text": "نمایش متن منبع",
+ "Cross-Platform Sync": "همگامسازی چندپلتفرمی",
+ "Seamlessly sync your library, progress, highlights, and notes across all your devices—never lose your place again.": "کتابخانه، وضعیت مطالعه، هایلایتها و یادداشتهای خود را بین همهی دستگاهها بهصورت یکپارچه همگامسازی کنید — دیگر هرگز محل مطالعهتان را از دست ندهید.",
+ "Customizable Reading": "تجربهی مطالعه شخصیسازیشده",
+ "Personalize every detail with adjustable fonts, layouts, themes, and advanced display settings for the perfect reading experience.": "همهچیز را با فونتها، چیدمانها، تِمها و تنظیمات نمایش پیشرفته قابل تغییر کنید تا تجربهی خواندنِ ایدهآل خود را بسازید.",
+ "AI Read Aloud": "خواندن صوتی با هوش مصنوعی",
+ "Enjoy hands-free reading with natural-sounding AI voices that bring your books to life.": "از خواندن بدون دخالت دست با صداهای طبیعیِ هوش مصنوعی لذت ببرید که کتابهایتان را جان میبخشند.",
+ "AI Translations": "ترجمههای هوش مصنوعی",
+ "Connect with fellow readers and get help fast in our friendly community channels.": "با دیگر خوانندگان ارتباط برقرار کنید و از کانالهای دوستانهی جامعهی ما کمک بگیرید.",
+ "Unlimited AI Read Aloud Hours": "ساعات نامحدود خواندن صوتی با هوش مصنوعی",
+ "Listen without limits—convert as much text as you like into immersive audio.": "بدون محدودیت گوش دهید — هر میزان متن را که بخواهید میتوانید به صدایی جذاب تبدیل کنید.",
+ "Unlock enhanced translation capabilities with more daily usage and advanced options.": "با استفادهی روزانهی بیشتر و گزینههای پیشرفته، قابلیتهای ترجمه را افزایش دهید.",
+ "DeepL Pro Access": "دسترسی به DeepL Pro",
+ "Enjoy faster responses and dedicated assistance whenever you need help.": "از پاسخهای سریعتر و کمک اختصاصی هر زمان که نیاز دارید برخوردار شوید.",
+ "Daily translation quota reached. Upgrade your plan to continue using AI translations.": "سهمیهی ترجمهی روزانه به پایان رسیده است. برای ادامهی استفاده از ترجمههای هوش مصنوعی، طرح خود را ارتقاء دهید.",
+ "Translate any text instantly with the power of Google, Azure, or DeepL—understand content in any language.": "هر متنی را فوراً با قدرت Google، Azure یا DeepL ترجمه کنید — محتوای هر زبانی را بفهمید.",
+ "Includes All Plus Plan Benefits": "شامل تمام مزایای طرح Plus",
+ "Early Feature Access": "دسترسی زودهنگام به ویژگیها",
+ "Be the first to explore new features, updates, and innovations before anyone else.": "اولین نفری باشید که ویژگیها، بهروزرسانیها و نوآوریهای جدید را تجربه میکنید.",
+ "Advanced AI Tools": "ابزارهای هوش مصنوعی پیشرفته",
+ "Harness powerful AI tools for smarter reading, translation, and content discovery.": "از ابزارهای قدرتمند هوش مصنوعی برای خواندن هوشمندتر، ترجمه و کشف محتوا بهره ببرید.",
+ "Translate up to 100,000 characters daily with the most accurate translation engine available.": "تا روزانه ۱۰۰٬۰۰۰ کاراکتر را با دقیقترین ابزار ترجمه، ترجمه کنید.",
+ "Translate up to 500,000 characters daily with the most accurate translation engine available.": "تا روزانه ۵۰۰٬۰۰۰ کاراکتر را با دقیقترین ابزار ترجمه، ترجمه کنید.",
+ "Securely store and access your entire reading collection with up to 5 GB of cloud storage.": "مجموعهی خواندن خود را تا ۵ گیگابایت بهصورت امن در فضای ابری ذخیره و دسترسی داشته باشید.",
+ "Securely store and access your entire reading collection with up to 20 GB of cloud storage.": "کل مجموعهی خواندن خود را تا ۲۰ گیگابایت بهصورت ایمن در فضای ابری ذخیره و دسترسی داشته باشید.",
+ "Deleted cloud backup of the book: {{title}}": "نسخهی پشتیبان ابری کتاب «{{title}}» حذف شد.",
+ "Are you sure to delete the cloud backup of the selected book?": "آیا از حذف نسخهی پشتیبان ابری کتاب انتخابشده مطمئن هستید؟",
+ "What's New in Readest": "چه چیز تازهای در Readest است",
+ "Enter book title": "عنوان کتاب را وارد کنید",
+ "Subtitle": "زیرعنوان",
+ "Enter book subtitle": "زیرعنوان کتاب را وارد کنید",
+ "Enter author name": "نام نویسنده را وارد کنید",
+ "Series": "سری",
+ "Enter series name": "نام سری را وارد کنید",
+ "Series Index": "شمارهی سری",
+ "Enter series index": "شمارهی سری را وارد کنید",
+ "Total in Series": "تعداد کل در سری",
+ "Enter total books in series": "تعداد کل کتابها در سری را وارد کنید",
+ "Enter publisher": "ناشر را وارد کنید",
+ "Publication Date": "تاریخ انتشار",
+ "Identifier": "شناسه",
+ "Enter book description": "توضیحات کتاب را وارد کنید",
+ "Change cover image": "تغییر تصویر جلد",
+ "Replace": "جایگزین",
+ "Unlock cover": "باز کردن قفل جلد",
+ "Lock cover": "قفل کردن جلد",
+ "Auto-Retrieve Metadata": "دریافت خودکار فراداده",
+ "Auto-Retrieve": "دریافت خودکار",
+ "Unlock all fields": "باز کردن قفل همهی فیلدها",
+ "Unlock All": "باز کردن قفل همه",
+ "Lock all fields": "قفل کردن همهی فیلدها",
+ "Lock All": "قفل کردن همه",
+ "Reset": "بازنشانی",
+ "Edit Metadata": "ویرایش فراداده",
+ "Locked": "قفل شده",
+ "Select Metadata Source": "انتخاب منبع فراداده",
+ "Keep manual input": "حفظ ورودی دستی",
+ "Google Books": "کتابهای گوگل",
+ "Open Library": "Open Library",
+ "Fiction, Science, History": "داستان، علم، تاریخ",
+ "Open Book in New Window": "باز کردن کتاب در پنجرهی جدید",
+ "Voices for {{lang}}": "صداها برای {{lang}}",
+ "Yandex Translate": "ترجمهی Yandex",
+ "YYYY or YYYY-MM-DD": "YYYY یا YYYY-MM-DD",
+ "Restore Purchase": "بازیابی خرید",
+ "No purchases found to restore.": "هیچ خریدی برای بازیابی یافت نشد.",
+ "Failed to restore purchases.": "بازیابی خریدها ناموفق بود.",
+ "Failed to manage subscription.": "مدیریت اشتراک ناموفق بود.",
+ "Failed to load subscription plans.": "بارگذاری طرحهای اشتراک ناموفق بود.",
+ "year": "سال",
+ "Failed to create checkout session": "ایجاد صفحهی پرداخت ناموفق بود",
+ "Storage": "ذخیرهسازی",
+ "Terms of Service": "شرایط و قوانین",
+ "Privacy Policy": "سیاست حفظ حریم خصوصی",
+ "Disable Double Click": "غیرفعال کردن کلیک دوبل",
+ "TTS not supported for this document": "قابلیت تبدیل متن به گفتار برای این سند پشتیبانی نمیشود",
+ "Reset Password": "بازنشانی رمز عبور",
+ "Show Reading Progress": "نمایش وضعیت مطالعه",
+ "Reading Progress Style": "سبک نمایش وضعیت مطالعه",
+ "Page Number": "شماره صفحه",
+ "Percentage": "درصد",
+ "Deleted local copy of the book: {{title}}": "نسخهی محلی کتاب «{{title}}» حذف شد.",
+ "Failed to delete cloud backup of the book: {{title}}": "حذف نسخهی پشتیبان ابری کتاب «{{title}}» ناموفق بود.",
+ "Failed to delete local copy of the book: {{title}}": "حذف نسخهی محلی کتاب «{{title}}» ناموفق بود.",
+ "Are you sure to delete the local copy of the selected book?": "آیا از حذف نسخهی محلی کتاب انتخابشده مطمئن هستید؟",
+ "Remove from Cloud & Device": "حذف از فضای ابری و دستگاه",
+ "Remove from Cloud Only": "حذف فقط از فضای ابری",
+ "Remove from Device Only": "حذف فقط از دستگاه",
+ "Disconnected": "قطع اتصال",
+ "KOReader Sync Settings": "تنظیمات همگامسازی KOReader",
+ "Sync Strategy": "استراتژی همگامسازی",
+ "Ask on conflict": "پرسش هنگام تداخل",
+ "Always use latest": "همیشه از آخرین استفاده شود",
+ "Send changes only": "فقط ارسال تغییرات",
+ "Receive changes only": "فقط دریافت تغییرات",
+ "Checksum Method": "روش Checksum",
+ "File Content (recommended)": "محتوای فایل (توصیهشده)",
+ "File Name": "نام فایل",
+ "Device Name": "نام دستگاه",
+ "Connect to your KOReader Sync server.": "به سرور همگامسازی KOReader خود متصل شوید.",
+ "Server URL": "آدرس سرور",
+ "Username": "نام کاربری",
+ "Your Username": "نام کاربری شما",
+ "Password": "رمز عبور",
+ "Connect": "اتصال",
+ "KOReader Sync": "همگامسازی KOReader",
+ "Sync Conflict": "تداخل همگامسازی",
+ "Sync reading progress from \"{{deviceName}}\"?": "همگامسازی وضعیت مطالعه از «{{deviceName}}»؟",
+ "another device": "دستگاه دیگر",
+ "Local Progress": "وضعیت مطالعه محلی",
+ "Remote Progress": "وضعیت مطالعه از راه دور",
+ "Page {{page}} of {{total}} ({{percentage}}%)": "صفحهی {{page}} از {{total}} ({{percentage}}%)",
+ "Current position": "موقعیت فعلی",
+ "Approximately page {{page}} of {{total}} ({{percentage}}%)": "تقریباً صفحهی {{page}} از {{total}} ({{percentage}}%)",
+ "Approximately {{percentage}}%": "تقریباً {{percentage}}%",
+ "Failed to connect": "اتصال برقرار نشد",
+ "Sync Server Connected": "سرور همگامسازی متصل شد",
+ "Sync as {{userDisplayName}}": "همگامسازی بهعنوان {{userDisplayName}}",
+ "Custom Fonts": "فونتهای سفارشی",
+ "Cancel Delete": "لغو حذف",
+ "Import Font": "وارد کردن فونت",
+ "Delete Font": "حذف فونت",
+ "Tips": "نکات",
+ "Custom fonts can be selected from the Font Face menu": "فونتهای سفارشی را میتوان از منوی انتخاب فونت برگزید",
+ "Manage Custom Fonts": "مدیریت فونتهای سفارشی",
+ "Select Files": "انتخاب فایلها",
+ "Select Image": "انتخاب تصویر",
+ "Select Video": "انتخاب ویدیو",
+ "Select Audio": "انتخاب صوت",
+ "Select Fonts": "انتخاب فونتها",
+ "Supported font formats: .ttf, .otf, .woff, .woff2": "فرمتهای فونت پشتیبانیشده: .ttf, .otf, .woff, .woff2",
+ "Push Progress": "ارسال وضعیت مطالعه",
+ "Pull Progress": "دریافت وضعیت مطالعه",
+ "Previous Paragraph": "پاراگراف قبلی",
+ "Previous Sentence": "جملهی قبلی",
+ "Pause": "توقف",
+ "Play": "پخش",
+ "Next Sentence": "جملهی بعدی",
+ "Next Paragraph": "پاراگراف بعدی",
+ "Separate Cover Page": "جدا کردن صفحهی جلد",
+ "Resize Notebook": "تغییر اندازه دفترچه یادداشت",
+ "Resize Sidebar": "تغییر اندازه نوار کناری",
+ "Get Help from the Readest Community": "دریافت کمک از جامعهی Readest",
+ "Remove cover image": "حذف تصویر جلد",
+ "Bookshelf": "قفسهی کتاب",
+ "View Menu": "نمایش منو",
+ "Settings Menu": "منوی تنظیمات",
+ "View account details and quota": "مشاهدهی جزئیات حساب و وضعیت سهمیه",
+ "Library Header": "سربرگ کتابخانه",
+ "Book Content": "محتوای کتاب",
+ "Footer Bar": "نوار پاورقی",
+ "Header Bar": "نوار سربرگ",
+ "View Options": "گزینههای نمایش",
+ "Book Menu": "منوی کتاب",
+ "Search Options": "گزینههای جستجو",
+ "Close": "بستن",
+ "Delete Book Options": "گزینههای حذف کتاب",
+ "ON": "روشن",
+ "OFF": "خاموش",
+ "Reading Progress": "وضعیت مطالعه",
+ "Page Margin": "حاشیه صفحه",
+ "Remove Bookmark": "حذف نشانک",
+ "Add Bookmark": "افزودن نشانک",
+ "Books Content": "محتوای کتابها",
+ "Jump to Location": "پرش به مکان",
+ "Unpin Notebook": "برداشتن سنجاق دفترچه یادداشت",
+ "Pin Notebook": "سنجاق کردن دفترچه یادداشت",
+ "Hide Search Bar": "پنهان کردن نوار جستجو",
+ "Show Search Bar": "نمایش نوار جستجو",
+ "On {{current}} of {{total}} page": "در صفحهی {{current}} از {{total}}",
+ "Section Title": "عنوان بخش",
+ "Decrease": "کاهش",
+ "Increase": "افزایش",
+ "Settings Panels": "پنلهای تنظیمات",
+ "Settings": "تنظیمات",
+ "Unpin Sidebar": "برداشتن سنجاق نوار کناری",
+ "Pin Sidebar": "سنجاق کردن نوار کناری",
+ "Toggle Sidebar": "تغییر وضعیت نوار کناری",
+ "Toggle Translation": "تغییر وضعیت ترجمه",
+ "Translation Disabled": "ترجمه غیرفعال است",
+ "Minimize": "کوچک کردن",
+ "Maximize or Restore": "بزرگ کردن یا بازگردانی",
+ "Exit Parallel Read": "خروج از خواندن موازی",
+ "Enter Parallel Read": "ورود به خواندن موازی",
+ "Zoom Level": "اندازه بزرگنمایی",
+ "Zoom Out": "کوچکنمایی",
+ "Reset Zoom": "بازنشانی بزرگنمایی",
+ "Zoom In": "بزرگنمایی",
+ "Zoom Mode": "حالت بزرگنمایی",
+ "Single Page": "تکصفحهای",
+ "Auto Spread": "گسترش خودکار",
+ "Fit Page": "تناسب صفحه",
+ "Fit Width": "تناسب با عرض",
+ "Failed to select directory": "انتخاب مسیر ناموفق بود",
+ "The new data directory must be different from the current one.": "مسیر دادهی جدید باید با مسیر فعلی متفاوت باشد.",
+ "Migration failed: {{error}}": "انتقال ناموفق بود: {{error}}",
+ "Change Data Location": "تغییر محل دادهها",
+ "Current Data Location": "محل فعلی دادهها",
+ "Total size: {{size}}": "حجم کل: {{size}}",
+ "Calculating file info...": "در حال محاسبهی اطلاعات فایل...",
+ "New Data Location": "محل جدید دادهها",
+ "Choose Different Folder": "انتخاب پوشهی دیگر",
+ "Choose New Folder": "انتخاب پوشهی جدید",
+ "Migrating data...": "در حال انتقال دادهها...",
+ "Copying: {{file}}": "در حال کپیکردن: {{file}}",
+ "{{current}} of {{total}} files": "{{current}} از {{total}} فایلها",
+ "Migration completed successfully!": "انتقال با موفقیت انجام شد!",
+ "Your data has been moved to the new location. Please restart the application to complete the process.": "دادههای شما به محل جدید منتقل شدند. لطفاً برای تکمیل فرایند، برنامه را مجدداً راهاندازی کنید.",
+ "Migration failed": "انتقال ناموفق بود",
+ "Important Notice": "اطلاعیهی مهم",
+ "This will move all your app data to the new location. Make sure the destination has enough free space.": "این کار، همهی دادههای برنامه را به محل جدید منتقل خواهد کرد. مطمئن شوید که در مقصد، فضای کافی وجود دارد.",
+ "Restart App": "راهاندازی مجدد برنامه",
+ "Start Migration": "شروع انتقال",
+ "Advanced Settings": "تنظیمات پیشرفته",
+ "File count: {{size}}": "تعداد فایلها: {{size}}",
+ "Background Read Aloud": "خواندن با صدای بلند در پسزمینه",
+ "Ready to read aloud": "آماده برای خواندن با صدای بلند",
+ "Read Aloud": "خواندن با صدای بلند",
+ "Screen Brightness": "روشنایی صفحه",
+ "Background Image": "تصویر پسزمینه",
+ "Import Image": "وارد کردن تصویر",
+ "Opacity": "شفافیت",
+ "Size": "اندازه",
+ "Cover": "جلد",
+ "Contain": "شامل",
+ "{{number}} pages left in chapter": "{{number}} صفحه تا انتهای فصل",
+ "Device": "دستگاه",
+ "E-Ink Mode": "حالت E-Ink",
+ "Highlight Colors": "رنگهای هایلایت",
+ "Auto Screen Brightness": "روشنایی خودکار صفحه",
+ "Pagination": "صفحهبندی",
+ "Disable Double Tap": "غیرفعال کردن کلیک دوبل",
+ "Tap to Paginate": "ضربه برای صفحهبندی",
+ "Click to Paginate": "کلیک برای صفحهبندی",
+ "Tap Both Sides": "ضربه هر دو طرف",
+ "Click Both Sides": "کلیک هر دو طرف",
+ "Swap Tap Sides": "جابجایی طرفهای ضربه",
+ "Swap Click Sides": "جابجایی طرفهای کلیک",
+ "Source and Translated": "منبع و ترجمه شده",
+ "Translated Only": "فقط ترجمه شده",
+ "Source Only": "فقط منبع",
+ "TTS Text": "متن TTS",
+ "The book file is corrupted": "فایل کتاب خراب است",
+ "The book file is empty": "فایل کتاب خالی است",
+ "Failed to open the book file": "خطا در باز کردن فایل کتاب",
+ "On-Demand Purchase": "خرید سفارشی",
+ "Full Customization": "سفارشیسازی کامل",
+ "Lifetime Plan": "طرح مادامالعمر",
+ "One-Time Payment": "پرداخت یکباره",
+ "Make a single payment to enjoy lifetime access to specific features on all devices. Purchase specific features or services only when you need them.": "یک پرداخت یکباره انجام دهید تا بهصورت مادامالعمر به ویژگیهای خاص در تمام دستگاهها دسترسی پیدا کنید. فقط زمانی که به ویژگیها یا خدمات خاصی نیاز دارید، آنها را خریداری کنید.",
+ "Expand Cloud Sync Storage": "گسترش فضای همگامسازی ابری",
+ "Expand your cloud storage forever with a one-time purchase. Each additional purchase adds more space.": "فضای ابری خود را بهصورت دائمی با یک خرید یکباره گسترش دهید. هر خرید اضافی فضای بیشتری اضافه میکند.",
+ "Unlock All Customization Options": "باز کردن تمام گزینههای سفارشیسازی",
+ "Unlock additional themes, fonts, layout options and read aloud, translators, cloud storage services.": "باز کردن تمها، فونتها، گزینههای چیدمان و خواندن با صدای بلند، مترجمها، خدمات ذخیرهسازی ابری اضافی.",
+ "Purchase Successful!": "خرید با موفقیت انجام شد!",
+ "lifetime": "مادامالعمر",
+ "Thank you for your purchase! Your payment has been processed successfully.": "از خرید شما متشکریم! پرداخت شما با موفقیت انجام شد.",
+ "Order ID:": "شناسه سفارش:",
+ "TTS Highlighting": "هایلایت TTS",
+ "Style": "سبک",
+ "Underline": "خط زیرین",
+ "Strikethrough": "خطخورده",
+ "Squiggly": "خطموجدار",
+ "Outline": "خطکشی",
+ "Save Current Color": "ذخیره رنگ فعلی",
+ "Quick Colors": "رنگهای سریع",
+ "Highlighter": "ماژیک هایلایت",
+ "Save Book Cover": "ذخیره جلد کتاب",
+ "Auto-save last book cover": "ذخیره خودکار آخرین جلد کتاب",
+ "Back": "بازگشت",
+ "Confirmation email sent! Please check your old and new email addresses to confirm the change.": "ایمیل تأیید ارسال شد! لطفاً ایمیل قدیمی و جدید خود را بررسی کنید تا تغییر را تأیید نمایید.",
+ "Failed to update email": "بهروزرسانی ایمیل ناموفق بود",
+ "New Email": "ایمیل جدید",
+ "Your new email": "ایمیل جدید شما",
+ "Updating email ...": "در حال بهروزرسانی ایمیل ...",
+ "Update email": "بهروزرسانی ایمیل",
+ "Current email": "ایمیل فعلی",
+ "Update Email": "بهروزرسانی ایمیل",
+ "All": "همه",
+ "Unable to open book": "قادر به باز کردن کتاب نیست",
+ "Punctuation": "علامت نگارشی",
+ "Replace Quotation Marks": "جایگزینی علامت نقل قول",
+ "Enabled only in vertical layout.": "فقط در طرح عمودی فعال است.",
+ "No Conversion": "بدون تبدیل",
+ "Simplified to Traditional": "ساده → سنتی",
+ "Traditional to Simplified": "سنتی → ساده",
+ "Simplified to Traditional (Taiwan)": "ساده → سنتی (تایوان)",
+ "Simplified to Traditional (Hong Kong)": "ساده → سنتی (هنگکنگ)",
+ "Simplified to Traditional (Taiwan), with phrases": "ساده → سنتی (تایوان • عبارات)",
+ "Traditional (Taiwan) to Simplified": "سنتی (تایوان) → ساده",
+ "Traditional (Hong Kong) to Simplified": "سنتی (هنگکنگ) → ساده",
+ "Traditional (Taiwan) to Simplified, with phrases": "سنتی (تایوان • عبارات) → ساده",
+ "Convert Simplified and Traditional Chinese": "تبدیل چینی ساده/سنتی",
+ "Convert Mode": "حالت تبدیل",
+ "Failed to auto-save book cover for lock screen: {{error}}": "ذخیرهی خودکار جلد کتاب برای صفحهی قفل ناموفق بود: {{error}}",
+ "Download from Cloud": "دانلود از فضای ابری",
+ "Upload to Cloud": "آپلود به فضای ابری",
+ "Clear Custom Fonts": "پاککردن فونتهای سفارشی",
+ "Columns": "ستونها",
+ "OPDS Catalogs": "فهرستهای OPDS",
+ "Adding LAN addresses is not supported in the web app version.": "افزودن آدرسهای LAN در نسخه وب پشتیبانی نمیشود.",
+ "Invalid OPDS catalog. Please check the URL.": "فهرست OPDS نامعتبر است. لطفاً آدرس را بررسی کنید.",
+ "Browse and download books from online catalogs": "مرور و دانلود کتابها از فهرستهای آنلاین",
+ "My Catalogs": "فهرستهای من",
+ "Add Catalog": "افزودن فهرست",
+ "No catalogs yet": "هنوز فهرستی وجود ندارد",
+ "Add your first OPDS catalog to start browsing books": "برای شروع مرور کتابها، اولین فهرست OPDS خود را اضافه کنید.",
+ "Add Your First Catalog": "افزودن اولین فهرست",
+ "Browse": "مرور",
+ "Popular Catalogs": "فهرستهای محبوب",
+ "Add": "افزودن",
+ "Add OPDS Catalog": "افزودن فهرست OPDS",
+ "Catalog Name": "نام فهرست",
+ "My Calibre Library": "کتابخانه Calibre من",
+ "OPDS URL": "آدرس OPDS",
+ "Username (optional)": "نام کاربری (اختیاری)",
+ "Password (optional)": "رمز عبور (اختیاری)",
+ "Description (optional)": "توضیحات (اختیاری)",
+ "A brief description of this catalog": "توضیح کوتاهی درباره این فهرست",
+ "Validating...": "در حال بررسی...",
+ "View All": "مشاهده همه",
+ "Forward": "بعدی",
+ "Home": "خانه",
+ "{{count}} items_one": "{{count}} مورد",
+ "{{count}} items_other": "{{count}} مورد",
+ "Download completed": "دانلود کامل شد",
+ "Download failed": "دانلود ناموفق بود",
+ "Open Access": "دسترسی آزاد",
+ "Borrow": "امانت گرفتن",
+ "Buy": "خرید",
+ "Subscribe": "اشتراک",
+ "Sample": "نمونه",
+ "Download": "دانلود",
+ "Open & Read": "باز کردن و خواندن",
+ "Tags": "برچسبها",
+ "Tag": "برچسب",
+ "First": "اولین",
+ "Previous": "قبلی",
+ "Next": "بعدی",
+ "Last": "آخرین",
+ "Cannot Load Page": "بارگذاری صفحه امکانپذیر نیست",
+ "An error occurred": "خطایی رخ داد",
+ "Online Library": "کتابخانه آنلاین",
+ "URL must start with http:// or https://": "آدرس باید با http:// یا https:// شروع شود",
+ "Title, Author, Tag, etc...": "عنوان، نویسنده، برچسب و غیره...",
+ "Query": "پرسوجو",
+ "Subject": "موضوع",
+ "Enter {{terms}}": "وارد کردن {{terms}}",
+ "No search results found": "هیچ نتیجهای یافت نشد",
+ "Failed to load OPDS feed: {{status}} {{statusText}}": "بارگذاری فید OPDS ناموفق بود: {{status}} {{statusText}}",
+ "Search in {{title}}": "جستجو در {{title}}",
+ "Manage Storage": "مدیریت فضای ذخیرهسازی",
+ "Failed to load files": "بارگیری فایلها ناموفق بود",
+ "Deleted {{count}} file(s)_one": "{{count}} فایل حذف شد",
+ "Deleted {{count}} file(s)_other": "{{count}} فایل حذف شدند",
+ "Failed to delete {{count}} file(s)_one": "حذف {{count}} فایل ناموفق بود",
+ "Failed to delete {{count}} file(s)_other": "حذف {{count}} فایل ناموفق بود",
+ "Failed to delete files": "حذف فایلها ناموفق بود",
+ "Total Files": "کل فایلها",
+ "Total Size": "اندازه کل",
+ "Quota": "سهمیه",
+ "Used": "استفادهشده",
+ "Files": "فایلها",
+ "Search files...": "جستجوی فایلها...",
+ "Newest First": "جدیدترینها",
+ "Oldest First": "قدیمیترینها",
+ "Largest First": "بزرگترینها",
+ "Smallest First": "کوچکترینها",
+ "Name A-Z": "نام A–Z",
+ "Name Z-A": "نام Z–A",
+ "{{count}} selected_one": "{{count}} مورد انتخاب شد",
+ "{{count}} selected_other": "{{count}} مورد انتخاب شدند",
+ "Delete Selected": "حذف موارد انتخابشده",
+ "Created": "ایجاد شده",
+ "No files found": "هیچ فایلی پیدا نشد",
+ "No files uploaded yet": "هنوز فایلی بارگذاری نشده است",
+ "files": "فایلها",
+ "Page {{current}} of {{total}}": "صفحه {{current}} از {{total}}",
+ "Are you sure to delete {{count}} selected file(s)?_one": "آیا از حذف {{count}} فایل انتخابشده مطمئن هستید؟",
+ "Are you sure to delete {{count}} selected file(s)?_other": "آیا از حذف {{count}} فایل انتخابشده مطمئن هستید؟",
+ "Cloud Storage Usage": "استفاده از فضای ذخیرهسازی ابری",
+ "Rename Group": "تغییر نام گروه",
+ "From Directory": "از مسیر",
+ "Successfully imported {{count}} book(s)_one": "با موفقیت 1 کتاب وارد شد",
+ "Successfully imported {{count}} book(s)_other": "با موفقیت {{count}} کتاب وارد شد",
+ "Count": "تعداد",
+ "Start Page": "صفحه شروع",
+ "Search in OPDS Catalog...": "جستجو در فهرست OPDS...",
+ "Please log in to use advanced TTS features": "لطفاً برای استفاده از ویژگیهای پیشرفته TTS وارد شوید.",
+ "Word limit of 30 words exceeded.": "محدودیت ۳۰ واژهای تجاوز شد.",
+ "Proofread": "بازبینی",
+ "Current selection": "انتخاب فعلی",
+ "All occurrences in this book": "همه موارد در این کتاب",
+ "All occurrences in your library": "همه موارد در کتابخانه شما",
+ "Selected text:": "متن انتخابشده:",
+ "Replace with:": "جایگزین با:",
+ "Enter text...": "متن را وارد کنید…",
+ "Case sensitive:": "حساس به حروف بزرگ و کوچک:",
+ "Scope:": "دامنه:",
+ "Selection": "انتخاب",
+ "Library": "کتابخانه",
+ "Yes": "بله",
+ "No": "خیر",
+ "Proofread Replacement Rules": "قوانین جایگزینی بازبینی",
+ "Selected Text Rules": "قوانین متن انتخابشده",
+ "No selected text replacement rules": "هیچ قانون جایگزینی برای متن انتخابشده وجود ندارد",
+ "Book Specific Rules": "قوانین مخصوص کتاب",
+ "No book-level replacement rules": "هیچ قانون جایگزینی در سطح کتاب وجود ندارد",
+ "Disable Quick Action": "غیرفعالسازی اقدام سریع",
+ "Enable Quick Action on Selection": "فعالسازی اقدام سریع هنگام انتخاب",
+ "None": "هیچکدام",
+ "Annotation Tools": "ابزارهای یادداشتگذاری",
+ "Enable Quick Actions": "فعالسازی اقدامات سریع",
+ "Quick Action": "اقدام سریع",
+ "Copy to Notebook": "کپی به دفترچه",
+ "Copy text after selection": "کپی متن پس از انتخاب",
+ "Highlight text after selection": "برجستهسازی متن پس از انتخاب",
+ "Annotate text after selection": "یادداشتگذاری متن پس از انتخاب",
+ "Search text after selection": "جستجوی متن پس از انتخاب",
+ "Look up text in dictionary after selection": "جستجوی متن در فرهنگ لغت پس از انتخاب",
+ "Look up text in Wikipedia after selection": "جستجوی متن در ویکیپدیا پس از انتخاب",
+ "Translate text after selection": "ترجمه متن پس از انتخاب",
+ "Read text aloud after selection": "خواندن متن با صدای بلند پس از انتخاب",
+ "Proofread text after selection": "بازبینی متن پس از انتخاب",
+ "{{activeCount}} active, {{pendingCount}} pending": "{{activeCount}} فعال، {{pendingCount}} در انتظار",
+ "{{failedCount}} failed": "{{failedCount}} ناموفق",
+ "Waiting...": "در انتظار...",
+ "Failed": "ناموفق",
+ "Completed": "تکمیل شده",
+ "Cancelled": "لغو شده",
+ "Retry": "تلاش مجدد",
+ "Active": "فعال",
+ "Transfer Queue": "صف انتقال",
+ "Upload All": "بارگذاری همه",
+ "Download All": "دانلود همه",
+ "Resume Transfers": "ادامه انتقالها",
+ "Pause Transfers": "توقف انتقالها",
+ "Pending": "در انتظار",
+ "No transfers": "بدون انتقال",
+ "Retry All": "تلاش مجدد همه",
+ "Clear Completed": "پاک کردن تکمیل شدهها",
+ "Clear Failed": "پاک کردن ناموفقها",
+ "Upload queued: {{title}}": "بارگذاری در صف: {{title}}",
+ "Download queued: {{title}}": "دانلود در صف: {{title}}",
+ "Book not found in library": "کتاب در کتابخانه یافت نشد",
+ "Unknown error": "خطای ناشناخته",
+ "Please log in to continue": "لطفاً برای ادامه وارد شوید",
+ "Cloud File Transfers": "انتقال فایلهای ابری",
+ "Show Search Results": "نمایش نتایج جستجو",
+ "Search results for '{{term}}'": "نتایج برای «{{term}}»",
+ "Close Search": "بستن جستجو",
+ "Previous Result": "نتیجه قبلی",
+ "Next Result": "نتیجه بعدی",
+ "Bookmarks": "نشانکها",
+ "Annotations": "یادداشتها",
+ "Show Results": "نمایش نتایج",
+ "Clear search": "پاک کردن جستجو",
+ "Clear search history": "پاک کردن تاریخچه جستجو",
+ "Tap to Toggle Footer": "برای تغییر پاورقی ضربه بزنید",
+ "Exported successfully": "صادرات موفق",
+ "Book exported successfully.": "کتاب با موفقیت صادر شد.",
+ "Failed to export the book.": "صادر کردن کتاب ناموفق بود.",
+ "Export Book": "صادر کردن کتاب",
+ "Whole word:": "کلمه کامل:",
+ "Error": "خطا",
+ "Unable to load the article. Try searching directly on {{link}}.": "بارگذاری مقاله امکانپذیر نیست. سعی کنید مستقیماً در {{link}} جستجو کنید.",
+ "Unable to load the word. Try searching directly on {{link}}.": "بارگذاری کلمه امکانپذیر نیست. سعی کنید مستقیماً در {{link}} جستجو کنید.",
+ "Date Published": "تاریخ انتشار",
+ "Only for TTS:": "فقط برای TTS:",
+ "Uploaded": "بارگذاری شد",
+ "Downloaded": "دانلود شد",
+ "Deleted": "حذف شد",
+ "Note:": "یادداشت:",
+ "Time:": "زمان:",
+ "Format Options": "گزینههای قالب",
+ "Export Date": "تاریخ خروجی",
+ "Chapter Titles": "عناوین فصل",
+ "Chapter Separator": "جداکننده فصل",
+ "Highlights": "برجستهها",
+ "Note Date": "تاریخ یادداشت",
+ "Advanced": "پیشرفته",
+ "Hide": "پنهان کردن",
+ "Show": "نمایش",
+ "Use Custom Template": "استفاده از الگوی سفارشی",
+ "Export Template": "الگوی خروجی",
+ "Template Syntax:": "نحو الگو:",
+ "Insert value": "درج مقدار",
+ "Format date (locale)": "قالببندی تاریخ (محلی)",
+ "Format date (custom)": "قالببندی تاریخ (سفارشی)",
+ "Conditional": "شرطی",
+ "Loop": "حلقه",
+ "Available Variables:": "متغیرهای موجود:",
+ "Book title": "عنوان کتاب",
+ "Book author": "نویسنده کتاب",
+ "Export date": "تاریخ خروجی",
+ "Array of chapters": "آرایه فصلها",
+ "Chapter title": "عنوان فصل",
+ "Array of annotations": "آرایه یادداشتها",
+ "Highlighted text": "متن برجستهشده",
+ "Annotation note": "یادداشت حاشیه",
+ "Date Format Tokens:": "نشانههای قالب تاریخ:",
+ "Year (4 digits)": "سال (۴ رقم)",
+ "Month (01-12)": "ماه (۰۱-۱۲)",
+ "Day (01-31)": "روز (۰۱-۳۱)",
+ "Hour (00-23)": "ساعت (۰۰-۲۳)",
+ "Minute (00-59)": "دقیقه (۰۰-۵۹)",
+ "Second (00-59)": "ثانیه (۰۰-۵۹)",
+ "Show Source": "نمایش منبع",
+ "No content to preview": "محتوایی برای پیشنمایش وجود ندارد",
+ "Export": "خروجی",
+ "Set Timeout": "تنظیم مهلت زمانی",
+ "Select Voice": "انتخاب صدا",
+ "Toggle Sticky Bottom TTS Bar": "تغییر نوار TTS ثابت",
+ "Display what I'm reading on Discord": "نمایش کتاب در حال خواندن در Discord",
+ "Show on Discord": "نمایش در Discord",
+ "Instant {{action}}": "{{action}} فوری",
+ "Instant {{action}} Disabled": "{{action}} فوری غیرفعال شد",
+ "Annotation": "یادداشت",
+ "Reset Template": "بازنشانی قالب",
+ "Annotation style": "سبک یادداشت",
+ "Annotation color": "رنگ یادداشت",
+ "Annotation time": "زمان یادداشت",
+ "AI": "هوش مصنوعی",
+ "Are you sure you want to re-index this book?": "آیا مطمئن هستید که میخواهید این کتاب را دوباره فهرست کنید؟",
+ "Enable AI in Settings": "فعال کردن هوش مصنوعی در تنظیمات",
+ "Index This Book": "فهرست کردن این کتاب",
+ "Enable AI search and chat for this book": "فعال کردن جستجو و گفتگوی هوش مصنوعی برای این کتاب",
+ "Start Indexing": "شروع فهرستبندی",
+ "Indexing book...": "در حال فهرستبندی کتاب...",
+ "Preparing...": "در حال آمادهسازی...",
+ "Delete this conversation?": "این مکالمه حذف شود؟",
+ "No conversations yet": "هنوز مکالمهای وجود ندارد",
+ "Start a new chat to ask questions about this book": "یک گفتگوی جدید برای پرسیدن سؤال درباره این کتاب شروع کنید",
+ "Rename": "تغییر نام",
+ "New Chat": "گفتگوی جدید",
+ "Chat": "گفتگو",
+ "Please enter a model ID": "لطفاً شناسه مدل را وارد کنید",
+ "Model not available or invalid": "مدل در دسترس نیست یا نامعتبر است",
+ "Failed to validate model": "اعتبارسنجی مدل ناموفق بود",
+ "Couldn't connect to Ollama. Is it running?": "اتصال به Ollama ممکن نشد. آیا در حال اجرا است؟",
+ "Invalid API key or connection failed": "کلید API نامعتبر است یا اتصال ناموفق بود",
+ "Connection failed": "اتصال ناموفق بود",
+ "AI Assistant": "دستیار هوش مصنوعی",
+ "Enable AI Assistant": "فعال کردن دستیار هوش مصنوعی",
+ "Provider": "ارائهدهنده",
+ "Ollama (Local)": "Ollama (محلی)",
+ "AI Gateway (Cloud)": "دروازه هوش مصنوعی (ابری)",
+ "Ollama Configuration": "پیکربندی Ollama",
+ "Refresh Models": "بازخوانی مدلها",
+ "AI Model": "مدل هوش مصنوعی",
+ "No models detected": "هیچ مدلی شناسایی نشد",
+ "AI Gateway Configuration": "پیکربندی دروازه هوش مصنوعی",
+ "Choose from a selection of high-quality, economical AI models. You can also bring your own model by selecting \"Custom Model\" below.": "از میان مجموعهای از مدلهای هوش مصنوعی با کیفیت و اقتصادی انتخاب کنید. همچنین میتوانید با انتخاب \"مدل سفارشی\" در زیر، مدل خود را استفاده کنید.",
+ "API Key": "کلید API",
+ "Get Key": "دریافت کلید",
+ "Model": "مدل",
+ "Custom Model...": "مدل سفارشی...",
+ "Custom Model ID": "شناسه مدل سفارشی",
+ "Validate": "اعتبارسنجی",
+ "Model available": "مدل در دسترس است",
+ "Connection": "اتصال",
+ "Test Connection": "تست اتصال",
+ "Connected": "متصل",
+ "Custom Colors": "رنگهای سفارشی",
+ "Color E-Ink Mode": "حالت جوهر الکترونیک رنگی",
+ "Reading Ruler": "خطکش مطالعه",
+ "Enable Reading Ruler": "فعالسازی خطکش مطالعه",
+ "Lines to Highlight": "خطوط برای تمایز",
+ "Ruler Color": "رنگ خطکش",
+ "Command Palette": "پالت فرمان",
+ "Search settings and actions...": "جستجوی تنظیمات و عملیات...",
+ "No results found for": "نتیجهای برای این مورد یافت نشد",
+ "Type to search settings and actions": "برای جستجوی تنظیمات و عملیات تایپ کنید",
+ "Recent": "اخیر",
+ "navigate": "ناوبری",
+ "select": "انتخاب",
+ "close": "بستن",
+ "Search Settings": "جستجوی تنظیمات",
+ "Page Margins": "حاشیههای صفحه",
+ "AI Provider": "ارائه دهنده هوش مصنوعی",
+ "Ollama URL": "آدرس Ollama",
+ "Ollama Model": "مدل Ollama",
+ "AI Gateway Model": "مدل AI Gateway",
+ "Actions": "عملیات",
+ "Navigation": "ناوبری",
+ "Set status for {{count}} book(s)_one": "تعیین وضعیت برای {{count}} کتاب",
+ "Set status for {{count}} book(s)_other": "تعیین وضعیت برای {{count}} کتاب",
+ "Mark as Unread": "علامتگذاری بهعنوان خواندهنشده",
+ "Mark as Finished": "علامتگذاری بهعنوان تمامشده",
+ "Finished": "تمامشده",
+ "Unread": "خواندهنشده",
+ "Clear Status": "پاک کردن وضعیت",
+ "Status": "وضعیت",
+ "Loading": "در حال بارگذاری...",
+ "Exit Paragraph Mode": "خروج از حالت بند",
+ "Paragraph Mode": "حالت بند",
+ "Embedding Model": "مدل جاسازی",
+ "{{count}} book(s) synced_one": "{{count}} کتاب همگام شد",
+ "{{count}} book(s) synced_other": "{{count}} کتاب همگام شدند",
+ "Unable to start RSVP": "قادر به شروع RSVP نیست",
+ "RSVP not supported for PDF": "RSVP برای PDF پشتیبانی نمیشود",
+ "Select Chapter": "انتخاب فصل",
+ "Context": "زمینه",
+ "Ready": "آماده",
+ "Chapter Progress": "پیشرفت فصل",
+ "words": "کلمات",
+ "{{time}} left": "{{time}} باقیمانده",
+ "Reading progress": "پیشرفت مطالعه",
+ "Click to seek": "برای جستجو کلیک کنید",
+ "Skip back 15 words": "۱۵ کلمه به عقب",
+ "Back 15 words (Shift+Left)": "۱۵ کلمه به عقب (Shift+Left)",
+ "Pause (Space)": "توقف (Space)",
+ "Play (Space)": "پخش (Space)",
+ "Skip forward 15 words": "۱۵ کلمه به جلو",
+ "Forward 15 words (Shift+Right)": "۱۵ کلمه به جلو (Shift+Right)",
+ "Pause:": "توقف:",
+ "Decrease speed": "کاهش سرعت",
+ "Slower (Left/Down)": "کندتر (Left/Down)",
+ "Current speed": "سرعت فعلی",
+ "Increase speed": "افزایش سرعت",
+ "Faster (Right/Up)": "سریعتر (Right/Up)",
+ "Start RSVP Reading": "شروع مطالعه RSVP",
+ "Choose where to start reading": "انتخاب کنید از کجا مطالعه شروع شود",
+ "From Chapter Start": "از ابتدای فصل",
+ "Start reading from the beginning of the chapter": "شروع مطالعه از ابتدای فصل",
+ "Resume": "ادامه",
+ "Continue from where you left off": "ادامه از جایی که متوقف شدید",
+ "From Current Page": "از صفحه فعلی",
+ "Start from where you are currently reading": "شروع از جایی که در حال مطالعه هستید",
+ "From Selection": "از انتخاب",
+ "Speed Reading Mode": "حالت مطالعه سریع",
+ "Scroll left": "اسکرول به چپ",
+ "Scroll right": "اسکرول به راست",
+ "Library Sync Progress": "پیشرفت همگامسازی کتابخانه",
+ "Back to library": "بازگشت به کتابخانه",
+ "Group by...": "گروهبندی بر اساس...",
+ "Export as Plain Text": "خروجی به صورت متن ساده",
+ "Export as Markdown": "خروجی به صورت Markdown",
+ "Show Page Navigation Buttons": "دکمههای ناوبری",
+ "Page {{number}}": "صفحه {{number}}",
+ "highlight": "هایلایت",
+ "underline": "زیرخط",
+ "squiggly": "موجدار",
+ "red": "قرمز",
+ "violet": "بنفش",
+ "blue": "آبی",
+ "green": "سبز",
+ "yellow": "زرد",
+ "Select {{style}} style": "انتخاب سبک {{style}}",
+ "Select {{color}} color": "انتخاب رنگ {{color}}",
+ "Close Book": "بستن کتاب",
+ "Speed Reading": "تندخوانی",
+ "Close Speed Reading": "بستن تندخوانی",
+ "Authors": "نویسندگان",
+ "Books": "کتابها",
+ "Groups": "گروهها",
+ "Back to TTS Location": "بازگشت به مکان TTS",
+ "Metadata": "فراداده",
+ "Image viewer": "نمایشگر تصویر",
+ "Previous Image": "تصویر قبلی",
+ "Next Image": "تصویر بعدی",
+ "Zoomed": "بزرگنمایی شده",
+ "Zoom level": "سطح بزرگنمایی",
+ "Table viewer": "نمایشگر جدول",
+ "Unable to connect to Readwise. Please check your network connection.": "اتصال به Readwise امکانپذیر نیست. لطفاً اتصال شبکه خود را بررسی کنید.",
+ "Invalid Readwise access token": "توکن دسترسی Readwise نامعتبر است",
+ "Disconnected from Readwise": "اتصال از Readwise قطع شد",
+ "Never": "هرگز",
+ "Readwise Settings": "تنظیمات Readwise",
+ "Connected to Readwise": "به Readwise متصل شد",
+ "Last synced: {{time}}": "آخرین همگامسازی: {{time}}",
+ "Sync Enabled": "همگامسازی فعال شد",
+ "Disconnect": "قطع اتصال",
+ "Connect your Readwise account to sync highlights.": "برای همگامسازی هایلایتها، حساب Readwise خود را متصل کنید.",
+ "Get your access token at": "توکن دسترسی خود را از اینجا دریافت کنید:",
+ "Access Token": "توکن دسترسی",
+ "Paste your Readwise access token": "توکن دسترسی Readwise خود را جایگذاری کنید",
+ "Config": "پیکربندی",
+ "Readwise Sync": "همگامسازی Readwise",
+ "Push Highlights": "ارسال هایلایتها",
+ "Highlights synced to Readwise": "هایلایتها با Readwise همگامسازی شدند",
+ "Readwise sync failed: no internet connection": "همگامسازی Readwise ناموفق بود: اتصال اینترنت برقرار نیست",
+ "Readwise sync failed: {{error}}": "همگامسازی Readwise ناموفق بود: {{error}}"
+}
diff --git a/apps/readest-app/public/locales/fr/translation.json b/apps/readest-app/public/locales/fr/translation.json
new file mode 100644
index 0000000000000000000000000000000000000000..0163e92186b60298c4b8e72424e196232e219c62
--- /dev/null
+++ b/apps/readest-app/public/locales/fr/translation.json
@@ -0,0 +1,1072 @@
+{
+ "(detected)": "(détecté)",
+ "About Readest": "À propos de Readest",
+ "Add your notes here...": "Ajoutez vos notes ici...",
+ "Animation": "Animation",
+ "Annotate": "Annoter",
+ "Apply": "Appliquer",
+ "Auto Mode": "Mode automatique",
+ "Behavior": "Comportement",
+ "Book": "Livre",
+ "Bookmark": "Signet",
+ "Cancel": "Annuler",
+ "Chapter": "Chapitre",
+ "Cherry": "Cerise",
+ "Color": "Couleur",
+ "Confirm": "Confirmer",
+ "Confirm Deletion": "Confirmer la suppression",
+ "Copied to notebook": "Copié dans le carnet de notes",
+ "Copy": "Copier",
+ "Dark Mode": "Mode sombre",
+ "Default": "Par défaut",
+ "Default Font": "Police par défaut",
+ "Default Font Size": "Taille de police par défaut",
+ "Delete": "Supprimer",
+ "Delete Highlight": "Supprimer le surlignage",
+ "Dictionary": "Dictionnaire",
+ "Download Readest": "Télécharger Readest",
+ "Edit": "Modifier",
+ "Excerpts": "Extraits",
+ "Failed to import book(s): {{filenames}}": "Échec de l'importation du/des livre(s) : {{filenames}}",
+ "Fast": "Rapide",
+ "Font": "Police",
+ "Font & Layout": "Police et mise en page",
+ "Font Face": "Style de police",
+ "Font Family": "Famille de police",
+ "Font Size": "Taille de police",
+ "Full Justification": "Justification complète",
+ "Global Settings": "Paramètres globaux",
+ "Go Back": "Retour",
+ "Go Forward": "Avancer",
+ "Grass": "Herbe",
+ "Gray": "Gris",
+ "Gruvbox": "Gruvbox",
+ "Highlight": "Surligner",
+ "Horizontal Direction": "Direction horizontale",
+ "Hyphenation": "Césure",
+ "Import Books": "Importer des livres",
+ "Layout": "Mise en page",
+ "Light Mode": "Mode clair",
+ "Loading...": "Chargement...",
+ "Logged in": "Connecté",
+ "Logged in as {{userDisplayName}}": "Connecté en tant que {{userDisplayName}}",
+ "Match Case": "Respecter la casse",
+ "Match Diacritics": "Respecter les accents",
+ "Match Whole Words": "Mots entiers",
+ "Maximum Number of Columns": "Nombre maximal de colonnes",
+ "Minimum Font Size": "Taille minimale de police",
+ "Monospace Font": "Police monospace",
+ "More Info": "Plus d'informations",
+ "Nord": "Nord",
+ "Notebook": "Carnet de notes",
+ "Notes": "Notes",
+ "Open": "Ouvrir",
+ "Original Text": "Texte original",
+ "Page": "Page",
+ "Paging Animation": "Animation de page",
+ "Paragraph": "Paragraphe",
+ "Parallel Read": "Lecture parallèle",
+ "Published": "Publié",
+ "Publisher": "Éditeur",
+ "Reading Progress Synced": "Progression de lecture synchronisée",
+ "Reload Page": "Recharger la page",
+ "Reveal in File Explorer": "Afficher dans l'explorateur de fichiers",
+ "Reveal in Finder": "Afficher dans le Finder",
+ "Reveal in Folder": "Afficher dans le dossier",
+ "Sans-Serif Font": "Police sans empattement",
+ "Save": "Enregistrer",
+ "Scrolled Mode": "Mode défilement",
+ "Search": "Rechercher",
+ "Search Books...": "Rechercher des livres...",
+ "Search...": "Rechercher...",
+ "Select Book": "Sélectionner un livre",
+ "Select Books": "Sélectionner des livres",
+ "Sepia": "Sépia",
+ "Serif Font": "Police avec empattement",
+ "Show Book Details": "Afficher les détails du livre",
+ "Sidebar": "Barre latérale",
+ "Sign In": "Se connecter",
+ "Sign Out": "Se déconnecter",
+ "Sky": "Ciel",
+ "Slow": "Lent",
+ "Solarized": "Solarisé",
+ "Speak": "Lire",
+ "Subjects": "Sujets",
+ "System Fonts": "Polices système",
+ "Theme Color": "Couleur du thème",
+ "Theme Mode": "Mode du thème",
+ "Translate": "Traduire",
+ "Translated Text": "Texte traduit",
+ "Unknown": "Inconnu",
+ "Untitled": "Sans titre",
+ "Updated": "Mis à jour",
+ "Version {{version}}": "Version {{version}}",
+ "Vertical Direction": "Direction verticale",
+ "Welcome to your library. You can import your books here and read them anytime.": "Bienvenue dans votre bibliothèque. Vous pouvez importer vos livres ici et les lire à tout moment.",
+ "Wikipedia": "Wikipédia",
+ "Writing Mode": "Mode écriture",
+ "Your Library": "Votre bibliothèque",
+ "TTS not supported for PDF": "La synthèse vocale n'est pas prise en charge pour les fichiers PDF",
+ "Override Book Font": "Remplacer la police du livre",
+ "Apply to All Books": "Appliquer à tous les livres",
+ "Apply to This Book": "Appliquer à ce livre",
+ "Unable to fetch the translation. Try again later.": "Impossible de récupérer la traduction. Réessayez plus tard.",
+ "Check Update": "Vérifier la mise à jour",
+ "Already the latest version": "Déjà la dernière version",
+ "Book Details": "Détails du livre",
+ "From Local File": "Depuis un fichier local",
+ "TOC": "Table des matières",
+ "Table of Contents": "Table des matières",
+ "Book uploaded: {{title}}": "Livre téléchargé : {{title}}",
+ "Failed to upload book: {{title}}": "Échec du téléchargement du livre : {{title}}",
+ "Book downloaded: {{title}}": "Livre téléchargé : {{title}}",
+ "Failed to download book: {{title}}": "Échec du téléchargement du livre : {{title}}",
+ "Upload Book": "Télécharger un livre",
+ "Auto Upload Books to Cloud": "Télécharger automatiquement les livres dans le cloud",
+ "Book deleted: {{title}}": "Livre supprimé : {{title}}",
+ "Failed to delete book: {{title}}": "Échec de la suppression du livre : {{title}}",
+ "Check Updates on Start": "Vérifier les mises à jour au démarrage",
+ "Insufficient storage quota": "Quota de stockage insuffisant",
+ "Font Weight": "Poids de la police",
+ "Line Spacing": "Interligne",
+ "Word Spacing": "Espacement des mots",
+ "Letter Spacing": "Espacement des lettres",
+ "Text Indent": "Retrait du texte",
+ "Paragraph Margin": "Marge de paragraphe",
+ "Override Book Layout": "Remplacer la mise en page du livre",
+ "Untitled Group": "Groupe sans titre",
+ "Group Books": "Regrouper les livres",
+ "Remove From Group": "Retirer du groupe",
+ "Create New Group": "Créer un nouveau groupe",
+ "Deselect Book": "Désélectionner le livre",
+ "Download Book": "Télécharger le livre",
+ "Deselect Group": "Désélectionner le groupe",
+ "Select Group": "Sélectionner le groupe",
+ "Keep Screen Awake": "Maintenir l'écran allumé",
+ "Email address": "Adresse e-mail",
+ "Your Password": "Votre mot de passe",
+ "Your email address": "Votre adresse e-mail",
+ "Your password": "Votre mot de passe",
+ "Sign in": "Se connecter",
+ "Signing in...": "Connexion en cours...",
+ "Sign in with {{provider}}": "Se connecter avec {{provider}}",
+ "Already have an account? Sign in": "Vous avez déjà un compte ? Connectez-vous",
+ "Create a Password": "Créer un mot de passe",
+ "Sign up": "S'inscrire",
+ "Signing up...": "Inscription en cours...",
+ "Check your email for the confirmation link": "Vérifiez votre e-mail pour le lien de confirmation",
+ "Signing in ...": "Connexion en cours ...",
+ "Send a magic link email": "Envoyer un e-mail avec un lien magique",
+ "Check your email for the magic link": "Vérifiez votre e-mail pour le lien magique",
+ "Send reset password instructions": "Envoyer les instructions de réinitialisation du mot de passe",
+ "Sending reset instructions ...": "Envoi des instructions de réinitialisation ...",
+ "Forgot your password?": "Mot de passe oublié ?",
+ "Check your email for the password reset link": "Vérifiez votre e-mail pour le lien de réinitialisation du mot de passe",
+ "New Password": "Nouveau mot de passe",
+ "Your new password": "Votre nouveau mot de passe",
+ "Update password": "Mettre à jour le mot de passe",
+ "Updating password ...": "Mise à jour du mot de passe ...",
+ "Your password has been updated": "Votre mot de passe a été mis à jour",
+ "Phone number": "Numéro de téléphone",
+ "Your phone number": "Votre numéro de téléphone",
+ "Token": "Code de vérification",
+ "Your OTP token": "Votre code OTP",
+ "Verify token": "Vérifier le code",
+ "Account": "Compte",
+ "Failed to delete user. Please try again later.": "Échec de la suppression de l'utilisateur. Veuillez réessayer plus tard.",
+ "Community Support": "Support communautaire",
+ "Priority Support": "Support prioritaire",
+ "Loading profile...": "Chargement du profil...",
+ "Delete Account": "Supprimer le compte",
+ "Delete Your Account?": "Supprimer votre compte ?",
+ "This action cannot be undone. All your data in the cloud will be permanently deleted.": "Cette action est irréversible. Toutes vos données dans le cloud seront définitivement supprimées.",
+ "Delete Permanently": "Supprimer définitivement",
+ "RTL Direction": "Direction RTL",
+ "Maximum Column Height": "Hauteur maximale de colonne",
+ "Maximum Column Width": "Largeur maximale de colonne",
+ "Continuous Scroll": "Défilement continu",
+ "Fullscreen": "Plein écran",
+ "No supported files found. Supported formats: {{formats}}": "Aucun fichier pris en charge trouvé. Formats pris en charge : {{formats}}",
+ "Drop to Import Books": "Déposez pour importer des livres",
+ "Custom": "Personnalisé",
+ "All the world's a stage,\nAnd all the men and women merely players;\nThey have their exits and their entrances,\nAnd one man in his time plays many parts,\nHis acts being seven ages.\n\n— William Shakespeare": "Le monde entier est un théâtre,\nEt tous les hommes et les femmes ne sont que des acteurs ;\nIls ont leurs sorties et leurs entrées,\nEt un homme, dans sa vie, joue de nombreux rôles,\nSes actes étant sept âges.\n\n— William Shakespeare",
+ "Custom Theme": "Thème personnalisé",
+ "Theme Name": "Nom du thème",
+ "Text Color": "Couleur du texte",
+ "Background Color": "Couleur de fond",
+ "Preview": "Aperçu",
+ "Contrast": "Contraste",
+ "Sunset": "Coucher de soleil",
+ "Double Border": "Double bordure",
+ "Border Color": "Couleur de la bordure",
+ "Border Frame": "Cadre de bordure",
+ "Show Header": "Afficher l'en-tête",
+ "Show Footer": "Afficher le pied de page",
+ "Small": "Petit",
+ "Large": "Grand",
+ "Auto": "Automatique",
+ "Language": "Langue",
+ "No annotations to export": "Aucune annotation à exporter",
+ "Author": "Auteur",
+ "Exported from Readest": "Exporté depuis Readest",
+ "Highlights & Annotations": "Surlignages et annotations",
+ "Note": "Note",
+ "Copied to clipboard": "Copié dans le presse-papiers",
+ "Export Annotations": "Exporter les annotations",
+ "Auto Import on File Open": "Importation automatique à l'ouverture du fichier",
+ "LXGW WenKai GB Screen": "LXGW WenKai SC",
+ "LXGW WenKai TC": "LXGW WenKai TC",
+ "No chapters detected": "Aucun chapitre détecté",
+ "Failed to parse the EPUB file": "Échec de l'analyse du fichier EPUB",
+ "This book format is not supported": "Ce format de livre n'est pas pris en charge",
+ "Unable to fetch the translation. Please log in first and try again.": "Impossible de récupérer la traduction. Veuillez d'abord vous connecter et réessayer.",
+ "Group": "Groupe",
+ "Always on Top": "Toujours au-dessus",
+ "No Timeout": "Aucun délai d'attente",
+ "{{value}} minute": "{{value}} minute",
+ "{{value}} minutes": "{{value}} minutes",
+ "{{value}} hour": "{{value}} heure",
+ "{{value}} hours": "{{value}} heures",
+ "CJK Font": "Police CJK",
+ "Clear Search": "Effacer la recherche",
+ "Header & Footer": "En-tête et pied de page",
+ "Apply also in Scrolled Mode": "Appliquer également en mode défilement",
+ "A new version of Readest is available!": "Avis de mise à jour",
+ "Readest {{newVersion}} is available (installed version {{currentVersion}}).": "Readest {{newVersion}} est disponible (version installée {{currentVersion}}).",
+ "Download and install now?": "Télécharger et installer maintenant ?",
+ "Downloading {{downloaded}} of {{contentLength}}": "Téléchargement {{downloaded}} sur {{contentLength}}",
+ "Download finished": "Téléchargement terminé",
+ "DOWNLOAD & INSTALL": "TÉLÉCHARGER ET INSTALLER",
+ "Changelog": "Journal des modifications",
+ "Software Update": "Mise à jour logicielle",
+ "Title": "Titre",
+ "Date Read": "Date de lecture",
+ "Date Added": "Date ajoutée",
+ "Format": "Format",
+ "Ascending": "Ascendant",
+ "Descending": "Descendant",
+ "Sort by...": "Trier par...",
+ "Added": "Ajouté",
+ "GuanKiapTsingKhai-T": "GuanKiapTsingKhai-T",
+ "Description": "Description",
+ "No description available": "Aucune description disponible",
+ "List": "Liste",
+ "Grid": "Grille",
+ "(from 'As You Like It', Act II)": "(de 'Comme il vous plaira', Acte II)",
+ "Link Color": "Couleur du lien",
+ "Volume Keys for Page Flip": "Boutons volume pour tourner la page",
+ "Screen": "Écran",
+ "Orientation": "Orientation",
+ "Portrait": "Portrait",
+ "Landscape": "Paysage",
+ "Open Last Book on Start": "Ouvrir le dernier livre au démarrage",
+ "Checking for updates...": "Vérification des mises à jour...",
+ "Error checking for updates": "Erreur lors de la vérification des mises à jour",
+ "Details": "Détails",
+ "File Size": "Taille du fichier",
+ "Auto Detect": "Détection automatique",
+ "Next Section": "Section suivante",
+ "Previous Section": "Section précédente",
+ "Next Page": "Page suivante",
+ "Previous Page": "Page précédente",
+ "Are you sure to delete {{count}} selected book(s)?_one": "Supprimer le livre sélectionné ?",
+ "Are you sure to delete {{count}} selected book(s)?_many": "Supprimer les {{count}} livres sélectionnés ?",
+ "Are you sure to delete {{count}} selected book(s)?_other": "Supprimer les {{count}} livres sélectionnés ?",
+ "Are you sure to delete the selected book?": "Supprimer le livre sélectionné ?",
+ "Deselect": "Annuler",
+ "Select All": "Tous",
+ "No translation available.": "Aucune traduction disponible.",
+ "Translated by {{provider}}.": "Traduit par {{provider}}.",
+ "DeepL": "DeepL",
+ "Google Translate": "Google Traduction",
+ "Azure Translator": "Traducteur Azure",
+ "Invert Image In Dark Mode": "Inverser l'image en mode sombre",
+ "Help improve Readest": "Contribuer à améliorer Readest",
+ "Sharing anonymized statistics": "Partage de statistiques anonymisées",
+ "Interface Language": "Langue de l'interface",
+ "Translation": "Traduction",
+ "Enable Translation": "Activer la traduction",
+ "Translation Service": "Service de traduction",
+ "Translate To": "Traduire vers",
+ "Disable Translation": " désactiver la traduction",
+ "Scroll": "Défilement",
+ "Overlap Pixels": "Pixels de chevauchement",
+ "System Language": "Langue du système",
+ "Security": "Sécurité",
+ "Allow JavaScript": "Autoriser JavaScript",
+ "Enable only if you trust the file.": "Activer uniquement si vous faites confiance au fichier.",
+ "Sort TOC by Page": "Tris la table des matières par page",
+ "Search in {{count}} Book(s)..._one": "Rechercher dans {{count}} Livre...",
+ "Search in {{count}} Book(s)..._many": "Rechercher dans {{count}} Livres...",
+ "Search in {{count}} Book(s)..._other": "Rechercher dans {{count}} Livres...",
+ "No notes match your search": "Aucune note trouvée",
+ "Search notes and excerpts...": "Rechercher des notes...",
+ "Sign in to Sync": "Connectez-vous pour synchroniser",
+ "Synced at {{time}}": "Synchronisé à {{time}}",
+ "Never synced": "Jamais synchronisé",
+ "Show Remaining Time": "Afficher le temps restant",
+ "{{time}} min left in chapter": "{{time}} min restant dans le chapitre",
+ "Override Book Color": "Remplacer la couleur du livre",
+ "Login Required": "Connexion requise",
+ "Quota Exceeded": "Quota dépassé",
+ "{{percentage}}% of Daily Translation Characters Used.": "{{percentage}}% des caractères de traduction quotidiens utilisés.",
+ "Translation Characters": "Caractères de traduction",
+ "{{engine}}: {{count}} voices_one": "{{engine}} : {{count}} voix",
+ "{{engine}}: {{count}} voices_many": "{{engine}} : {{count}} voix",
+ "{{engine}}: {{count}} voices_other": "{{engine}} : {{count}} voix",
+ "Something went wrong. Don't worry, our team has been notified and we're working on a fix.": "Quelque chose s'est mal passé. Ne vous inquiétez pas, notre équipe a été informée et nous travaillons sur une solution.",
+ "Error Details:": "Erreur :",
+ "Try Again": "Réessayer",
+ "Need help?": "Besoin d'aide ?",
+ "Contact Support": "Contacter le support",
+ "Code Highlighting": "Coloration syntaxique",
+ "Enable Highlighting": "Activer la coloration syntaxique",
+ "Code Language": "Langage de programmation",
+ "Top Margin (px)": "Marge supérieure (px)",
+ "Bottom Margin (px)": "Marge inférieure (px)",
+ "Right Margin (px)": "Marge droite (px)",
+ "Left Margin (px)": "Marge gauche (px)",
+ "Column Gap (%)": "Espacement des colonnes (%)",
+ "Always Show Status Bar": "Afficher toujours la barre d'état",
+ "Custom Content CSS": "CSS du contenu",
+ "Enter CSS for book content styling...": "Saisissez le CSS pour le contenu du livre...",
+ "Custom Reader UI CSS": "CSS de l’interface",
+ "Enter CSS for reader interface styling...": "Saisissez le CSS pour l’interface de lecture...",
+ "Crop": "Rogner",
+ "Book Covers": "Couvertures de livres",
+ "Fit": "Adapter",
+ "Reset {{settings}}": "Réinitialiser {{settings}}",
+ "Reset Settings": "Réinitialiser les paramètres",
+ "{{count}} pages left in chapter_one": "{{count}} page restant dans le chapitre",
+ "{{count}} pages left in chapter_many": "{{count}} pages restantes dans le chapitre",
+ "{{count}} pages left in chapter_other": "{{count}} pages restantes dans le chapitre",
+ "Show Remaining Pages": "Voir restantes",
+ "Source Han Serif CN": "Source Han Serif",
+ "Huiwen-MinchoGBK": "Huiwen Mincho",
+ "KingHwa_OldSong": "KingHwa Song",
+ "Manage Subscription": "Gérer l’abonnement",
+ "Coming Soon": "Bientôt disponible",
+ "Upgrade to {{plan}}": "Passer à {{plan}}",
+ "Upgrade to Plus or Pro": "Passer à Plus ou Pro",
+ "Current Plan": "Abonnement actuel",
+ "Plan Limits": "Limites de l’abonnement",
+ "Processing your payment...": "Traitement de votre paiement...",
+ "Please wait while we confirm your subscription.": "Veuillez patienter pendant la confirmation de votre abonnement.",
+ "Payment Processing": "Traitement du paiement",
+ "Your payment is being processed. This usually takes a few moments.": "Votre paiement est en cours de traitement. Cela prend généralement quelques instants.",
+ "Payment Failed": "Le paiement a échoué",
+ "We couldn't process your subscription. Please try again or contact support if the issue persists.": "Nous n’avons pas pu traiter votre abonnement. Veuillez réessayer ou contacter le support si le problème persiste.",
+ "Back to Profile": "Retour au profil",
+ "Subscription Successful!": "Abonnement réussi !",
+ "Thank you for your subscription! Your payment has been processed successfully.": "Merci pour votre abonnement ! Votre paiement a été traité avec succès.",
+ "Email:": "E-mail :",
+ "Plan:": "Abonnement :",
+ "Amount:": "Montant :",
+ "Go to Library": "Aller à la bibliothèque",
+ "Need help? Contact our support team at support@readest.com": "Besoin d’aide ? Contactez notre équipe à support@readest.com",
+ "Free Plan": "Abonnement gratuit",
+ "month": "mois",
+ "AI Translations (per day)": "Traductions IA (par jour)",
+ "Plus Plan": "Abonnement Plus",
+ "Includes All Free Plan Benefits": "Inclut tous les avantages de l’abonnement gratuit",
+ "Pro Plan": "Abonnement Pro",
+ "More AI Translations": "Plus de traductions IA",
+ "Complete Your Subscription": "Complétez votre abonnement",
+ "{{percentage}}% of Cloud Sync Space Used.": "{{percentage}}% de l’espace de synchronisation cloud utilisé.",
+ "Cloud Sync Storage": "Stockage de synchronisation cloud",
+ "Disable": "Désactiver",
+ "Enable": "Activer",
+ "Upgrade to Readest Premium": "Passer à Readest Premium",
+ "Show Source Text": "Afficher le texte source",
+ "Cross-Platform Sync": "Synchronisation multiplateforme",
+ "Seamlessly sync your library, progress, highlights, and notes across all your devices—never lose your place again.": "Synchronisez bibliothèque, progrès et notes sur tous vos appareils.",
+ "Customizable Reading": "Lecture personnalisable",
+ "Personalize every detail with adjustable fonts, layouts, themes, and advanced display settings for the perfect reading experience.": "Ajustez polices, thèmes et mise en page à votre goût.",
+ "AI Read Aloud": "Lecture vocale IA",
+ "Enjoy hands-free reading with natural-sounding AI voices that bring your books to life.": "Écoutez vos livres avec des voix naturelles IA.",
+ "AI Translations": "Traductions IA",
+ "Translate any text instantly with the power of Google, Azure, or DeepL—understand content in any language.": "Traduisez instantanément avec Google, Azure ou DeepL.",
+ "Connect with fellow readers and get help fast in our friendly community channels.": "Rejoignez la communauté et recevez de l’aide rapidement.",
+ "Unlimited AI Read Aloud Hours": "Lecture IA illimitée",
+ "Listen without limits—convert as much text as you like into immersive audio.": "Convertissez le texte en audio sans limite.",
+ "Unlock enhanced translation capabilities with more daily usage and advanced options.": "Plus de traductions et d’options avancées.",
+ "DeepL Pro Access": "Accès DeepL Pro",
+ "Enjoy faster responses and dedicated assistance whenever you need help.": "Support prioritaire et réponses rapides.",
+ "Daily translation quota reached. Upgrade your plan to continue using AI translations.": "Limite quotidienne atteinte. Passez à un plan supérieur pour continuer.",
+ "Includes All Plus Plan Benefits": "Inclut Tous les Avantages du Plan Plus",
+ "Early Feature Access": "Accès Anticipé aux Fonctionnalités",
+ "Be the first to explore new features, updates, and innovations before anyone else.": "Explorez en premier les nouvelles fonctionnalités, mises à jour et innovations.",
+ "Advanced AI Tools": "Outils IA Avancés",
+ "Harness powerful AI tools for smarter reading, translation, and content discovery.": "Exploitez des outils IA puissants pour une lecture intelligente, traduction et découverte de contenu.",
+ "Translate up to 100,000 characters daily with the most accurate translation engine available.": "Traduisez jusqu'à 100 000 caractères par jour avec le moteur de traduction le plus précis.",
+ "Translate up to 500,000 characters daily with the most accurate translation engine available.": "Traduisez jusqu'à 500 000 caractères par jour avec le moteur de traduction le plus précis.",
+ "Securely store and access your entire reading collection with up to 5 GB of cloud storage.": "Stockez et accédez en sécurité à votre collection de lecture avec jusqu'à 5 GB de stockage cloud.",
+ "Securely store and access your entire reading collection with up to 20 GB of cloud storage.": "Stockez et accédez en sécurité à votre collection de lecture avec jusqu'à 20 GB de stockage cloud.",
+ "Deleted cloud backup of the book: {{title}}": "Suppression de la sauvegarde cloud du livre : {{title}}",
+ "Are you sure to delete the cloud backup of the selected book?": "Êtes-vous sûr de vouloir supprimer la sauvegarde cloud du livre sélectionné ?",
+ "Don't have an account? Sign up": "Vous n'avez pas de compte ? Inscrivez-vous",
+ "What's New in Readest": "Quoi de neuf dans Readest",
+ "Enter book title": "Saisir le titre du livre",
+ "Subtitle": "Sous-titre",
+ "Enter book subtitle": "Saisir le sous-titre du livre",
+ "Enter author name": "Saisir le nom de l'auteur",
+ "Series": "Série",
+ "Enter series name": "Saisir le nom de la série",
+ "Series Index": "Numéro de série",
+ "Enter series index": "Saisir le numéro de série",
+ "Total in Series": "Total dans la série",
+ "Enter total books in series": "Saisir le nombre total de livres dans la série",
+ "Enter publisher": "Saisir l'éditeur",
+ "Publication Date": "Date de publication",
+ "Identifier": "Identifiant",
+ "Enter book description": "Saisir la description du livre",
+ "Change cover image": "Changer l'image de couverture",
+ "Replace": "Remplacer",
+ "Unlock cover": "Déverrouiller la couverture",
+ "Lock cover": "Verrouiller la couverture",
+ "Auto-Retrieve Metadata": "Récupérer les métadonnées automatiquement",
+ "Auto-Retrieve": "Récupération automatique",
+ "Unlock all fields": "Déverrouiller tous les champs",
+ "Unlock All": "Tout déverrouiller",
+ "Lock all fields": "Verrouiller tous les champs",
+ "Lock All": "Tout verrouiller",
+ "Reset": "Réinitialiser",
+ "Edit Metadata": "Modifier les métadonnées",
+ "Locked": "Verrouillé",
+ "Select Metadata Source": "Sélectionner la source des métadonnées",
+ "Keep manual input": "Conserver la saisie manuelle",
+ "Google Books": "Google Books",
+ "Open Library": "Open Library",
+ "Fiction, Science, History": "Fiction, Science, Histoire",
+ "Open Book in New Window": "Ouvrir dans une nouvelle fenêtre",
+ "Voices for {{lang}}": "Voix pour {{lang}}",
+ "Yandex Translate": "Yandex Traduction",
+ "YYYY or YYYY-MM-DD": "YYYY ou YYYY-MM-DD",
+ "Restore Purchase": "Restaurer l'achat",
+ "No purchases found to restore.": "Aucun achat trouvé à restaurer.",
+ "Failed to restore purchases.": "Échec de la restauration des achats.",
+ "Failed to manage subscription.": "Échec de la gestion de l'abonnement.",
+ "Failed to load subscription plans.": "Échec du chargement des plans d'abonnement.",
+ "year": "année",
+ "Failed to create checkout session": "Échec de la création de la session de paiement",
+ "Storage": "Stockage",
+ "Terms of Service": "Conditions d'utilisation",
+ "Privacy Policy": "Politique de confidentialité",
+ "Disable Double Click": "Désactiver le double-clic",
+ "TTS not supported for this document": "TTS non pris en charge pour ce document",
+ "Reset Password": "Nouveau mot de passe",
+ "Show Reading Progress": "Afficher la progression",
+ "Reading Progress Style": "Style de progression",
+ "Page Number": "Numéro de page",
+ "Percentage": "Pourcentage",
+ "Deleted local copy of the book: {{title}}": "Suppression de la copie locale du livre : {{title}}",
+ "Failed to delete cloud backup of the book: {{title}}": "Échec de la suppression de la sauvegarde cloud du livre : {{title}}",
+ "Failed to delete local copy of the book: {{title}}": "Échec de la suppression de la copie locale du livre : {{title}}",
+ "Are you sure to delete the local copy of the selected book?": "Êtes-vous sûr de vouloir supprimer la copie locale du livre sélectionné ?",
+ "Remove from Cloud & Device": "Supprimer du Cloud & de l'appareil",
+ "Remove from Cloud Only": "Supprimer uniquement du Cloud",
+ "Remove from Device Only": "Supprimer uniquement de l'appareil",
+ "Disconnected": "Déconnecté",
+ "KOReader Sync Settings": "Paramètres de synchronisation KOReader",
+ "Sync Strategy": "Stratégie de synchronisation",
+ "Ask on conflict": "Demander en cas de conflit",
+ "Always use latest": "Toujours utiliser la dernière version",
+ "Send changes only": "Envoyer uniquement les modifications",
+ "Receive changes only": "Recevoir uniquement les modifications",
+ "Checksum Method": "Méthode de somme de contrôle",
+ "File Content (recommended)": "Contenu du fichier (recommandé)",
+ "File Name": "Nom du fichier",
+ "Device Name": "Nom de l'appareil",
+ "Connect to your KOReader Sync server.": "Connectez-vous à votre serveur de synchronisation KOReader.",
+ "Server URL": "URL du serveur",
+ "Username": "Nom d'utilisateur",
+ "Your Username": "Votre nom d'utilisateur",
+ "Password": "Mot de passe",
+ "Connect": "Connecter",
+ "KOReader Sync": "Synchronisation KOReader",
+ "Sync Conflict": "Conflit de synchronisation",
+ "Sync reading progress from \"{{deviceName}}\"?": "Synchroniser la progression de lecture depuis \"{{deviceName}}\"?",
+ "another device": "un autre appareil",
+ "Local Progress": "Progression locale",
+ "Remote Progress": "Progression distante",
+ "Page {{page}} of {{total}} ({{percentage}}%)": "Page {{page}} sur {{total}} ({{percentage}}%)",
+ "Current position": "Position actuelle",
+ "Approximately page {{page}} of {{total}} ({{percentage}}%)": "Environ page {{page}} sur {{total}} ({{percentage}}%)",
+ "Approximately {{percentage}}%": "Environ {{percentage}}%",
+ "Failed to connect": "Échec de la connexion",
+ "Sync Server Connected": "Serveur de synchronisation connecté",
+ "Sync as {{userDisplayName}}": "Synchroniser en tant que {{userDisplayName}}",
+ "Custom Fonts": "Polices Personnalisées",
+ "Cancel Delete": "Annuler la Suppression",
+ "Import Font": "Importer une Police",
+ "Delete Font": "Supprimer la Police",
+ "Tips": "Conseils",
+ "Custom fonts can be selected from the Font Face menu": "Les polices personnalisées peuvent être sélectionnées depuis le menu Police",
+ "Manage Custom Fonts": "Gérer les Polices Personnalisées",
+ "Select Files": "Sélectionner des Fichiers",
+ "Select Image": "Sélectionner une Image",
+ "Select Video": "Sélectionner une Vidéo",
+ "Select Audio": "Sélectionner un Audio",
+ "Select Fonts": "Sélectionner des Polices",
+ "Supported font formats: .ttf, .otf, .woff, .woff2": "Formats de police pris en charge : .ttf, .otf, .woff, .woff2",
+ "Push Progress": "Pousser la Progression",
+ "Pull Progress": "Tirer la Progression",
+ "Previous Paragraph": "Paragraphe précédent",
+ "Previous Sentence": "Phrase précédente",
+ "Pause": "Pause",
+ "Play": "Lecture",
+ "Next Sentence": "Phrase suivante",
+ "Next Paragraph": "Paragraphe suivant",
+ "Separate Cover Page": "Page de couverture séparée",
+ "Resize Notebook": "Redimensionner le Carnet",
+ "Resize Sidebar": "Redimensionner la Barre Latérale",
+ "Get Help from the Readest Community": "Obtenir de l'aide de la communauté Readest",
+ "Remove cover image": "Supprimer l'image de couverture",
+ "Bookshelf": "Étagère à livres",
+ "View Menu": "Menu d'affichage",
+ "Settings Menu": "Menu des paramètres",
+ "View account details and quota": "Voir les détails du compte et le quota",
+ "Library Header": "En-tête de la bibliothèque",
+ "Book Content": "Contenu du livre",
+ "Footer Bar": "Barre de pied de page",
+ "Header Bar": "Barre d'en-tête",
+ "View Options": "Options d'affichage",
+ "Book Menu": "Menu du livre",
+ "Search Options": "Options de recherche",
+ "Close": "Fermer",
+ "Delete Book Options": "Options de suppression du livre",
+ "ON": "ACTIVER",
+ "OFF": "DÉSACTIVER",
+ "Reading Progress": "Progression de lecture",
+ "Page Margin": "Marge de page",
+ "Remove Bookmark": "Supprimer le Marque-page",
+ "Add Bookmark": "Ajouter un Marque-page",
+ "Books Content": "Contenu des Livres",
+ "Jump to Location": "Aller à l'Emplacement",
+ "Unpin Notebook": "Détacher le Carnet",
+ "Pin Notebook": "Épingler le Carnet",
+ "Hide Search Bar": "Masquer la Barre de Recherche",
+ "Show Search Bar": "Afficher la Barre de Recherche",
+ "On {{current}} of {{total}} page": "Sur {{current}} de {{total}} page",
+ "Section Title": "Titre de Section",
+ "Decrease": "Diminuer",
+ "Increase": "Augmenter",
+ "Settings Panels": "Panneaux de Configuration",
+ "Settings": "Paramètres",
+ "Unpin Sidebar": "Détacher la Barre Latérale",
+ "Pin Sidebar": "Épingler la Barre Latérale",
+ "Toggle Sidebar": "Alternar la Barre Latérale",
+ "Toggle Translation": "Alternar Traduction",
+ "Translation Disabled": "Traduction Désactivée",
+ "Minimize": "Minimiser",
+ "Maximize or Restore": "Maximiser ou Restaurer",
+ "Exit Parallel Read": "Quitter la Lecture Parallèle",
+ "Enter Parallel Read": "Entrer dans la Lecture Parallèle",
+ "Zoom Level": "Zoom",
+ "Zoom Out": "Réduire le Zoom",
+ "Reset Zoom": "Réinitialiser le Zoom",
+ "Zoom In": "Agrandir le Zoom",
+ "Zoom Mode": "Mode Zoom",
+ "Single Page": "Page Unique",
+ "Auto Spread": "Répartition Automatique",
+ "Fit Page": "Ajuster la Page",
+ "Fit Width": "Ajuster la Largeur",
+ "Failed to select directory": "Échec de la sélection du répertoire",
+ "The new data directory must be different from the current one.": "Le nouveau répertoire de données doit être différent de l'actuel.",
+ "Migration failed: {{error}}": "La migration a échoué : {{error}}",
+ "Change Data Location": "Changer l'Emplacement des Données",
+ "Current Data Location": "Emplacement Actuel des Données",
+ "Total size: {{size}}": "Taille totale : {{size}}",
+ "Calculating file info...": "Calcul des informations sur le fichier...",
+ "New Data Location": "Nouvel Emplacement des Données",
+ "Choose Different Folder": "Choisir un Dossier Différent",
+ "Choose New Folder": "Choisir un Nouveau Dossier",
+ "Migrating data...": "Migration des données...",
+ "Copying: {{file}}": "Copie : {{file}}",
+ "{{current}} of {{total}} files": "{{current}} sur {{total}} fichiers",
+ "Migration completed successfully!": "Migration terminée avec succès !",
+ "Your data has been moved to the new location. Please restart the application to complete the process.": "Vos données ont été déplacées vers le nouvel emplacement. Veuillez redémarrer l'application pour terminer le processus.",
+ "Migration failed": "La migration a échoué",
+ "Important Notice": "Avis Important",
+ "This will move all your app data to the new location. Make sure the destination has enough free space.": "Cela déplacera toutes vos données d'application vers le nouvel emplacement. Assurez-vous que la destination dispose de suffisamment d'espace libre.",
+ "Restart App": "Redémarrer l'Application",
+ "Start Migration": "Démarrer la Migration",
+ "Advanced Settings": "Paramètres Avancés",
+ "File count: {{size}}": "Nombre de fichiers : {{size}}",
+ "Background Read Aloud": "Lecture Vocale en Arrière-Plan",
+ "Ready to read aloud": "Prêt à lire à haute voix",
+ "Read Aloud": "Lire à haute voix",
+ "Screen Brightness": "Luminosité de l'Écran",
+ "Background Image": "Image de Fond",
+ "Import Image": "Importer une Image",
+ "Opacity": "Opacité",
+ "Size": "Taille",
+ "Cover": "Couverture",
+ "Contain": "Contenir",
+ "{{number}} pages left in chapter": "{{number}} pages restantes dans le chapitre",
+ "Device": "Appareil",
+ "E-Ink Mode": "Mode E-Ink",
+ "Highlight Colors": "Couleurs de Surlignage",
+ "Auto Screen Brightness": "Luminosité Automatique de l'Écran",
+ "Pagination": "Pagination",
+ "Disable Double Tap": "Désactiver le Double Tap",
+ "Tap to Paginate": "Tapoter pour Paginater",
+ "Click to Paginate": "Cliquer pour Paginater",
+ "Tap Both Sides": "Tapoter des Deux Côtés",
+ "Click Both Sides": "Cliquer des Deux Côtés",
+ "Swap Tap Sides": "Échanger les Côtés de Tap",
+ "Swap Click Sides": "Échanger les Côtés de Clic",
+ "Source and Translated": "Source et Traduit",
+ "Translated Only": "Traduit Seulement",
+ "Source Only": "Source Seulement",
+ "TTS Text": "TTS Texte",
+ "The book file is corrupted": "Le fichier du livre est corrompu",
+ "The book file is empty": "Le fichier du livre est vide",
+ "Failed to open the book file": "Échec de l'ouverture du fichier du livre",
+ "On-Demand Purchase": "Achat à la Demande",
+ "Full Customization": "Personnalisation Complète",
+ "Lifetime Plan": "Plan de Vie",
+ "One-Time Payment": "Paiement Unique",
+ "Make a single payment to enjoy lifetime access to specific features on all devices. Purchase specific features or services only when you need them.": "Effectuez un paiement unique pour profiter d'un accès à vie à des fonctionnalités spécifiques sur tous les appareils. Achetez des fonctionnalités ou des services spécifiques uniquement lorsque vous en avez besoin.",
+ "Expand Cloud Sync Storage": "Étendre le Stockage de Synchronisation Cloud",
+ "Expand your cloud storage forever with a one-time purchase. Each additional purchase adds more space.": "Étendez votre stockage cloud pour toujours avec un achat unique. Chaque achat supplémentaire ajoute plus d'espace.",
+ "Unlock All Customization Options": "Débloquer Toutes les Options de Personnalisation",
+ "Unlock additional themes, fonts, layout options and read aloud, translators, cloud storage services.": "Débloquer des thèmes supplémentaires, des polices, des options de mise en page et des fonctions de lecture à haute voix, des traducteurs, des services de stockage cloud.",
+ "Purchase Successful!": "Achat Réussi!",
+ "lifetime": "à vie",
+ "Thank you for your purchase! Your payment has been processed successfully.": "Merci pour votre achat ! Votre paiement a été traité avec succès.",
+ "Order ID:": "ID de commande :",
+ "TTS Highlighting": "Surbrillance TTS",
+ "Style": "Style",
+ "Underline": "Souligner",
+ "Strikethrough": "Barré",
+ "Squiggly": "Ondulé",
+ "Outline": "Contour",
+ "Save Current Color": "Enregistrer la Couleur Actuelle",
+ "Quick Colors": "Couleurs Rapides",
+ "Highlighter": "Surligneur",
+ "Save Book Cover": "Enregistrer la Couverture du Livre",
+ "Auto-save last book cover": "Enregistrer automatiquement la dernière couverture du livre",
+ "Back": "Retour",
+ "Confirmation email sent! Please check your old and new email addresses to confirm the change.": "E-mail de confirmation envoyé ! Veuillez vérifier vos anciennes et nouvelles adresses e-mail pour confirmer le changement.",
+ "Failed to update email": "Échec de la mise à jour de l’e-mail",
+ "New Email": "Nouvel e-mail",
+ "Your new email": "Votre nouvel e-mail",
+ "Updating email ...": "Mise à jour de l’e-mail ...",
+ "Update email": "Mettre à jour l’e-mail",
+ "Current email": "E-mail actuel",
+ "Update Email": "Mettre à jour l’e-mail",
+ "All": "Tous",
+ "Unable to open book": "Impossible d'ouvrir le livre",
+ "Punctuation": "Ponctuation",
+ "Replace Quotation Marks": "Remplacer les guillemets",
+ "Enabled only in vertical layout.": "Activé uniquement en disposition verticale.",
+ "No Conversion": "Pas de conversion",
+ "Simplified to Traditional": "Simp. → Trad.",
+ "Traditional to Simplified": "Trad. → Simp.",
+ "Simplified to Traditional (Taiwan)": "Simp. → Trad. (Taïwan)",
+ "Simplified to Traditional (Hong Kong)": "Simp. → Trad. (Hong Kong)",
+ "Simplified to Traditional (Taiwan), with phrases": "Simp. → Trad. (Taïwan • phrases)",
+ "Traditional (Taiwan) to Simplified": "Trad. (Taïwan) → Simp.",
+ "Traditional (Hong Kong) to Simplified": "Trad. (Hong Kong) → Simp.",
+ "Traditional (Taiwan) to Simplified, with phrases": "Trad. (Taïwan • phrases) → Simp.",
+ "Convert Simplified and Traditional Chinese": "Convertir chinois simp./trad.",
+ "Convert Mode": "Mode de conversion",
+ "Failed to auto-save book cover for lock screen: {{error}}": "Échec de l'enregistrement automatique de la couverture du livre pour l'écran de verrouillage : {{error}}",
+ "Download from Cloud": "Télécharger depuis le Cloud",
+ "Upload to Cloud": "Téléverser vers le Cloud",
+ "Clear Custom Fonts": "Effacer les Polices Personnalisées",
+ "Columns": "Colonnes",
+ "OPDS Catalogs": "Catalogues OPDS",
+ "Adding LAN addresses is not supported in the web app version.": "L’ajout d’adresses LAN n’est pas pris en charge dans la version web.",
+ "Invalid OPDS catalog. Please check the URL.": "Catalogue OPDS invalide. Veuillez vérifier l’URL.",
+ "Browse and download books from online catalogs": "Parcourez et téléchargez des livres depuis des catalogues en ligne",
+ "My Catalogs": "Mes catalogues",
+ "Add Catalog": "Ajouter un catalogue",
+ "No catalogs yet": "Aucun catalogue pour le moment",
+ "Add your first OPDS catalog to start browsing books": "Ajoutez votre premier catalogue OPDS pour commencer à parcourir des livres.",
+ "Add Your First Catalog": "Ajouter votre premier catalogue",
+ "Browse": "Parcourir",
+ "Popular Catalogs": "Catalogues populaires",
+ "Add": "Ajouter",
+ "Add OPDS Catalog": "Ajouter un catalogue OPDS",
+ "Catalog Name": "Nom du catalogue",
+ "My Calibre Library": "Ma bibliothèque Calibre",
+ "OPDS URL": "URL OPDS",
+ "Username (optional)": "Nom d’utilisateur (optionnel)",
+ "Password (optional)": "Mot de passe (optionnel)",
+ "Description (optional)": "Description (optionnelle)",
+ "A brief description of this catalog": "Brève description de ce catalogue",
+ "Validating...": "Validation...",
+ "View All": "Tout afficher",
+ "Forward": "Suivant",
+ "Home": "Accueil",
+ "{{count}} items_one": "{{count}} élément",
+ "{{count}} items_many": "{{count}} éléments",
+ "{{count}} items_other": "{{count}} éléments",
+ "Download completed": "Téléchargement terminé",
+ "Download failed": "Échec du téléchargement",
+ "Open Access": "Accès libre",
+ "Borrow": "Emprunter",
+ "Buy": "Acheter",
+ "Subscribe": "S’abonner",
+ "Sample": "Extrait",
+ "Download": "Télécharger",
+ "Open & Read": "Ouvrir et lire",
+ "Tags": "Tags",
+ "Tag": "Tag",
+ "First": "Premier",
+ "Previous": "Précédent",
+ "Next": "Suivant",
+ "Last": "Dernier",
+ "Cannot Load Page": "Impossible de charger la page",
+ "An error occurred": "Une erreur est survenue",
+ "Online Library": "Bibliothèque en ligne",
+ "URL must start with http:// or https://": "URL doit commencer par http:// ou https://",
+ "Title, Author, Tag, etc...": "Titre, Auteur, Tag, etc...",
+ "Query": "Requête",
+ "Subject": "Sujet",
+ "Enter {{terms}}": "Entrez {{terms}}",
+ "No search results found": "Aucun résultat trouvé",
+ "Failed to load OPDS feed: {{status}} {{statusText}}": "Échec du chargement du flux OPDS : {{status}} {{statusText}}",
+ "Search in {{title}}": "Rechercher dans {{title}}",
+ "Manage Storage": "Gérer le stockage",
+ "Failed to load files": "Échec du chargement des fichiers",
+ "Deleted {{count}} file(s)_one": "{{count}} fichier supprimé",
+ "Deleted {{count}} file(s)_many": "{{count}} fichiers supprimés",
+ "Deleted {{count}} file(s)_other": "{{count}} fichiers supprimés",
+ "Failed to delete {{count}} file(s)_one": "Échec de la suppression de {{count}} fichier",
+ "Failed to delete {{count}} file(s)_many": "Échec de la suppression de {{count}} fichiers",
+ "Failed to delete {{count}} file(s)_other": "Échec de la suppression de {{count}} fichiers",
+ "Failed to delete files": "Échec de la suppression des fichiers",
+ "Total Files": "Nombre total de fichiers",
+ "Total Size": "Taille totale",
+ "Quota": "Quota",
+ "Used": "Utilisé",
+ "Files": "Fichiers",
+ "Search files...": "Rechercher des fichiers...",
+ "Newest First": "Les plus récents",
+ "Oldest First": "Les plus anciens",
+ "Largest First": "Les plus volumineux",
+ "Smallest First": "Les moins volumineux",
+ "Name A-Z": "Nom A-Z",
+ "Name Z-A": "Nom Z-A",
+ "{{count}} selected_one": "{{count}} sélectionné",
+ "{{count}} selected_many": "{{count}} sélectionnés",
+ "{{count}} selected_other": "{{count}} sélectionnés",
+ "Delete Selected": "Supprimer la sélection",
+ "Created": "Créé",
+ "No files found": "Aucun fichier trouvé",
+ "No files uploaded yet": "Aucun fichier téléchargé pour le moment",
+ "files": "fichiers",
+ "Page {{current}} of {{total}}": "Page {{current}} sur {{total}}",
+ "Are you sure to delete {{count}} selected file(s)?_one": "Voulez-vous vraiment supprimer {{count}} fichier sélectionné ?",
+ "Are you sure to delete {{count}} selected file(s)?_many": "Voulez-vous vraiment supprimer {{count}} fichiers sélectionnés ?",
+ "Are you sure to delete {{count}} selected file(s)?_other": "Voulez-vous vraiment supprimer {{count}} fichiers sélectionnés ?",
+ "Cloud Storage Usage": "Utilisation du stockage cloud",
+ "Rename Group": "Renommer le groupe",
+ "From Directory": "Depuis le répertoire",
+ "Successfully imported {{count}} book(s)_one": "Importation réussie de 1 livre",
+ "Successfully imported {{count}} book(s)_many": "Importation réussie de {{count}} livres",
+ "Successfully imported {{count}} book(s)_other": "Importation réussie de {{count}} livres",
+ "Count": "Nombre",
+ "Start Page": "Page de départ",
+ "Search in OPDS Catalog...": "Rechercher dans le catalogue OPDS...",
+ "Please log in to use advanced TTS features": "Veuillez vous connecter pour utiliser les fonctionnalités avancées de TTS",
+ "Word limit of 30 words exceeded.": "La limite de 30 mots a été dépassée.",
+ "Proofread": "Correction",
+ "Current selection": "Sélection actuelle",
+ "All occurrences in this book": "Toutes les occurrences dans ce livre",
+ "All occurrences in your library": "Toutes les occurrences dans votre bibliothèque",
+ "Selected text:": "Texte sélectionné :",
+ "Replace with:": "Remplacer par :",
+ "Enter text...": "Saisir du texte…",
+ "Case sensitive:": "Respecter la casse :",
+ "Scope:": "Portée :",
+ "Selection": "Sélection",
+ "Library": "Bibliothèque",
+ "Yes": "Oui",
+ "No": "Non",
+ "Proofread Replacement Rules": "Règles de remplacement de correction",
+ "Selected Text Rules": "Règles du texte sélectionné",
+ "No selected text replacement rules": "Aucune règle de remplacement pour le texte sélectionné",
+ "Book Specific Rules": "Règles spécifiques au livre",
+ "No book-level replacement rules": "Aucune règle de remplacement au niveau du livre",
+ "Disable Quick Action": "Désactiver l’action rapide",
+ "Enable Quick Action on Selection": "Activer l’action rapide lors de la sélection",
+ "None": "Aucune",
+ "Annotation Tools": "Outils d’annotation",
+ "Enable Quick Actions": "Activer les actions rapides",
+ "Quick Action": "Action rapide",
+ "Copy to Notebook": "Copier dans le carnet",
+ "Copy text after selection": "Copier le texte après la sélection",
+ "Highlight text after selection": "Mettre en surbrillance le texte après la sélection",
+ "Annotate text after selection": "Annoter le texte après la sélection",
+ "Search text after selection": "Rechercher le texte après la sélection",
+ "Look up text in dictionary after selection": "Chercher le texte dans le dictionnaire après la sélection",
+ "Look up text in Wikipedia after selection": "Chercher le texte dans Wikipédia après la sélection",
+ "Translate text after selection": "Traduire le texte après la sélection",
+ "Read text aloud after selection": "Lire le texte à haute voix après la sélection",
+ "Proofread text after selection": "Relire le texte après la sélection",
+ "{{activeCount}} active, {{pendingCount}} pending": "{{activeCount}} actifs, {{pendingCount}} en attente",
+ "{{failedCount}} failed": "{{failedCount}} échoués",
+ "Waiting...": "En attente...",
+ "Failed": "Échoué",
+ "Completed": "Terminé",
+ "Cancelled": "Annulé",
+ "Retry": "Réessayer",
+ "Active": "Actifs",
+ "Transfer Queue": "File de transfert",
+ "Upload All": "Tout téléverser",
+ "Download All": "Tout télécharger",
+ "Resume Transfers": "Reprendre les transferts",
+ "Pause Transfers": "Suspendre les transferts",
+ "Pending": "En attente",
+ "No transfers": "Aucun transfert",
+ "Retry All": "Tout réessayer",
+ "Clear Completed": "Effacer les terminés",
+ "Clear Failed": "Effacer les échoués",
+ "Upload queued: {{title}}": "Téléversement en file: {{title}}",
+ "Download queued: {{title}}": "Téléchargement en file: {{title}}",
+ "Book not found in library": "Livre non trouvé dans la bibliothèque",
+ "Unknown error": "Erreur inconnue",
+ "Please log in to continue": "Veuillez vous connecter pour continuer",
+ "Cloud File Transfers": "Transferts de fichiers cloud",
+ "Show Search Results": "Afficher les résultats",
+ "Search results for '{{term}}'": "Résultats pour « {{term}} »",
+ "Close Search": "Fermer la recherche",
+ "Previous Result": "Résultat précédent",
+ "Next Result": "Résultat suivant",
+ "Bookmarks": "Signets",
+ "Annotations": "Annotations",
+ "Show Results": "Afficher les résultats",
+ "Clear search": "Effacer la recherche",
+ "Clear search history": "Effacer l'historique de recherche",
+ "Tap to Toggle Footer": "Appuyez pour afficher/masquer le pied de page",
+ "Exported successfully": "Exporté avec succès",
+ "Book exported successfully.": "Livre exporté avec succès.",
+ "Failed to export the book.": "Échec de l'exportation du livre.",
+ "Export Book": "Exporter le livre",
+ "Whole word:": "Mot entier :",
+ "Error": "Erreur",
+ "Unable to load the article. Try searching directly on {{link}}.": "Impossible de charger l'article. Essayez de rechercher directement sur {{link}}.",
+ "Unable to load the word. Try searching directly on {{link}}.": "Impossible de charger le mot. Essayez de rechercher directement sur {{link}}.",
+ "Date Published": "Date de publication",
+ "Only for TTS:": "Uniquement pour TTS :",
+ "Uploaded": "Téléversé",
+ "Downloaded": "Téléchargé",
+ "Deleted": "Supprimé",
+ "Note:": "Note :",
+ "Time:": "Heure :",
+ "Format Options": "Options de format",
+ "Export Date": "Date d'export",
+ "Chapter Titles": "Titres de chapitres",
+ "Chapter Separator": "Séparateur de chapitres",
+ "Highlights": "Surlignages",
+ "Note Date": "Date de note",
+ "Advanced": "Avancé",
+ "Hide": "Masquer",
+ "Show": "Afficher",
+ "Use Custom Template": "Utiliser un modèle personnalisé",
+ "Export Template": "Modèle d'export",
+ "Template Syntax:": "Syntaxe du modèle :",
+ "Insert value": "Insérer une valeur",
+ "Format date (locale)": "Formater la date (locale)",
+ "Format date (custom)": "Formater la date (personnalisé)",
+ "Conditional": "Conditionnel",
+ "Loop": "Boucle",
+ "Available Variables:": "Variables disponibles :",
+ "Book title": "Titre du livre",
+ "Book author": "Auteur du livre",
+ "Export date": "Date d'export",
+ "Array of chapters": "Liste de chapitres",
+ "Chapter title": "Titre du chapitre",
+ "Array of annotations": "Liste d'annotations",
+ "Highlighted text": "Texte surligné",
+ "Annotation note": "Note d'annotation",
+ "Date Format Tokens:": "Jetons de format de date :",
+ "Year (4 digits)": "Année (4 chiffres)",
+ "Month (01-12)": "Mois (01-12)",
+ "Day (01-31)": "Jour (01-31)",
+ "Hour (00-23)": "Heure (00-23)",
+ "Minute (00-59)": "Minute (00-59)",
+ "Second (00-59)": "Seconde (00-59)",
+ "Show Source": "Afficher la source",
+ "No content to preview": "Aucun contenu à prévisualiser",
+ "Export": "Exporter",
+ "Set Timeout": "Définir le délai",
+ "Select Voice": "Sélectionner la voix",
+ "Toggle Sticky Bottom TTS Bar": "Basculer la barre TTS fixée",
+ "Display what I'm reading on Discord": "Afficher ce que je lis sur Discord",
+ "Show on Discord": "Afficher sur Discord",
+ "Instant {{action}}": "{{action}} instantané",
+ "Instant {{action}} Disabled": "{{action}} instantané désactivé",
+ "Annotation": "Annotation",
+ "Reset Template": "Réinitialiser le modèle",
+ "Annotation style": "Style d'annotation",
+ "Annotation color": "Couleur d'annotation",
+ "Annotation time": "Heure d'annotation",
+ "AI": "IA",
+ "Are you sure you want to re-index this book?": "Voulez-vous vraiment réindexer ce livre ?",
+ "Enable AI in Settings": "Activer l'IA dans les paramètres",
+ "Index This Book": "Indexer ce livre",
+ "Enable AI search and chat for this book": "Activer la recherche IA et le chat pour ce livre",
+ "Start Indexing": "Démarrer l'indexation",
+ "Indexing book...": "Indexation du livre...",
+ "Preparing...": "Préparation...",
+ "Delete this conversation?": "Supprimer cette conversation ?",
+ "No conversations yet": "Pas encore de conversations",
+ "Start a new chat to ask questions about this book": "Démarrez une nouvelle conversation pour poser des questions sur ce livre",
+ "Rename": "Renommer",
+ "New Chat": "Nouvelle conversation",
+ "Chat": "Chat",
+ "Please enter a model ID": "Veuillez entrer un ID de modèle",
+ "Model not available or invalid": "Modèle non disponible ou invalide",
+ "Failed to validate model": "Échec de la validation du modèle",
+ "Couldn't connect to Ollama. Is it running?": "Impossible de se connecter à Ollama. Est-il en cours d'exécution ?",
+ "Invalid API key or connection failed": "Clé API invalide ou échec de connexion",
+ "Connection failed": "Échec de connexion",
+ "AI Assistant": "Assistant IA",
+ "Enable AI Assistant": "Activer l'assistant IA",
+ "Provider": "Fournisseur",
+ "Ollama (Local)": "Ollama (Local)",
+ "AI Gateway (Cloud)": "Passerelle IA (Cloud)",
+ "Ollama Configuration": "Configuration Ollama",
+ "Refresh Models": "Actualiser les modèles",
+ "AI Model": "Modèle IA",
+ "No models detected": "Aucun modèle détecté",
+ "AI Gateway Configuration": "Configuration de la passerelle IA",
+ "Choose from a selection of high-quality, economical AI models. You can also bring your own model by selecting \"Custom Model\" below.": "Choisissez parmi une sélection de modèles IA de haute qualité et économiques. Vous pouvez également utiliser votre propre modèle en sélectionnant \"Modèle personnalisé\" ci-dessous.",
+ "API Key": "Clé API",
+ "Get Key": "Obtenir la clé",
+ "Model": "Modèle",
+ "Custom Model...": "Modèle personnalisé...",
+ "Custom Model ID": "ID du modèle personnalisé",
+ "Validate": "Valider",
+ "Model available": "Modèle disponible",
+ "Connection": "Connexion",
+ "Test Connection": "Tester la connexion",
+ "Connected": "Connecté",
+ "Custom Colors": "Couleurs personnalisées",
+ "Color E-Ink Mode": "Mode E-Ink couleur",
+ "Reading Ruler": "Règle de lecture",
+ "Enable Reading Ruler": "Activer la règle de lecture",
+ "Lines to Highlight": "Lignes à mettre en évidence",
+ "Ruler Color": "Couleur de la règle",
+ "Command Palette": "Palette de commandes",
+ "Search settings and actions...": "Rechercher des paramètres et des actions...",
+ "No results found for": "Aucun résultat trouvé pour",
+ "Type to search settings and actions": "Saisissez pour rechercher des paramètres et des actions",
+ "Recent": "Récent",
+ "navigate": "naviguer",
+ "select": "sélectionner",
+ "close": "fermer",
+ "Search Settings": "Rechercher dans les paramètres",
+ "Page Margins": "Marges de page",
+ "AI Provider": "Fournisseur d'IA",
+ "Ollama URL": "URL Ollama",
+ "Ollama Model": "Modèle Ollama",
+ "AI Gateway Model": "Modèle AI Gateway",
+ "Actions": "Actions",
+ "Navigation": "Navigation",
+ "Set status for {{count}} book(s)_one": "Définir le statut pour {{count}} livre",
+ "Set status for {{count}} book(s)_other": "Définir le statut pour {{count}} livres",
+ "Mark as Unread": "Marquer comme non lu",
+ "Mark as Finished": "Marquer comme terminé",
+ "Finished": "Terminé",
+ "Unread": "Non lu",
+ "Clear Status": "Effacer le statut",
+ "Status": "Statut",
+ "Set status for {{count}} book(s)_many": "Définir le statut pour {{count}} livres",
+ "Loading": "Chargement...",
+ "Exit Paragraph Mode": "Quitter le mode paragraphe",
+ "Paragraph Mode": "Mode paragraphe",
+ "Embedding Model": "Modèle d'incorporation",
+ "{{count}} book(s) synced_one": "{{count}} livre synchronisé",
+ "{{count}} book(s) synced_many": "{{count}} livres synchronisés",
+ "{{count}} book(s) synced_other": "{{count}} livres synchronisés",
+ "Unable to start RSVP": "Impossible de démarrer RSVP",
+ "RSVP not supported for PDF": "RSVP non pris en charge pour PDF",
+ "Select Chapter": "Sélectionner le chapitre",
+ "Context": "Contexte",
+ "Ready": "Prêt",
+ "Chapter Progress": "Progression du chapitre",
+ "words": "mots",
+ "{{time}} left": "{{time}} restant",
+ "Reading progress": "Progression de la lecture",
+ "Click to seek": "Cliquer pour chercher",
+ "Skip back 15 words": "Reculer de 15 mots",
+ "Back 15 words (Shift+Left)": "Reculer de 15 mots (Shift+Left)",
+ "Pause (Space)": "Pause (Espace)",
+ "Play (Space)": "Lecture (Espace)",
+ "Skip forward 15 words": "Avancer de 15 mots",
+ "Forward 15 words (Shift+Right)": "Avancer de 15 mots (Shift+Right)",
+ "Pause:": "Pause :",
+ "Decrease speed": "Diminuer la vitesse",
+ "Slower (Left/Down)": "Plus lent (Gauche/Bas)",
+ "Current speed": "Vitesse actuelle",
+ "Increase speed": "Augmenter la vitesse",
+ "Faster (Right/Up)": "Plus rapide (Droite/Haut)",
+ "Start RSVP Reading": "Démarrer la lecture RSVP",
+ "Choose where to start reading": "Choisir où commencer la lecture",
+ "From Chapter Start": "Depuis le début du chapitre",
+ "Start reading from the beginning of the chapter": "Commencer la lecture au début du chapitre",
+ "Resume": "Reprendre",
+ "Continue from where you left off": "Continuer là où vous vous êtes arrêté",
+ "From Current Page": "Depuis la page actuelle",
+ "Start from where you are currently reading": "Commencer là où vous lisez actuellement",
+ "From Selection": "Depuis la sélection",
+ "Speed Reading Mode": "Mode lecture rapide",
+ "Scroll left": "Défiler vers la gauche",
+ "Scroll right": "Défiler vers la droite",
+ "Library Sync Progress": "Progression de la synchronisation de la bibliothèque",
+ "Back to library": "Retour à la bibliothèque",
+ "Group by...": "Grouper par...",
+ "Export as Plain Text": "Exporter en texte brut",
+ "Export as Markdown": "Exporter en Markdown",
+ "Show Page Navigation Buttons": "Boutons de navigation",
+ "Page {{number}}": "Page {{number}}",
+ "highlight": "surlignage",
+ "underline": "soulignage",
+ "squiggly": "ondulé",
+ "red": "rouge",
+ "violet": "violet",
+ "blue": "bleu",
+ "green": "vert",
+ "yellow": "jaune",
+ "Select {{style}} style": "Sélectionner le style {{style}}",
+ "Select {{color}} color": "Sélectionner la couleur {{color}}",
+ "Close Book": "Fermer le livre",
+ "Speed Reading": "Lecture rapide",
+ "Close Speed Reading": "Fermer la lecture rapide",
+ "Authors": "Auteurs",
+ "Books": "Livres",
+ "Groups": "Groupes",
+ "Back to TTS Location": "Retour à l'emplacement TTS",
+ "Metadata": "Métadonnées",
+ "Image viewer": "Visionneuse d'images",
+ "Previous Image": "Image précédente",
+ "Next Image": "Image suivante",
+ "Zoomed": "Zoomé",
+ "Zoom level": "Niveau de zoom",
+ "Table viewer": "Visionneuse de tableaux",
+ "Unable to connect to Readwise. Please check your network connection.": "Impossible de se connecter à Readwise. Veuillez vérifier votre connexion réseau.",
+ "Invalid Readwise access token": "Jeton d'accès Readwise invalide",
+ "Disconnected from Readwise": "Déconnecté de Readwise",
+ "Never": "Jamais",
+ "Readwise Settings": "Paramètres Readwise",
+ "Connected to Readwise": "Connecté à Readwise",
+ "Last synced: {{time}}": "Dernière synchronisation : {{time}}",
+ "Sync Enabled": "Synchronisation activée",
+ "Disconnect": "Déconnecter",
+ "Connect your Readwise account to sync highlights.": "Connectez votre compte Readwise pour synchroniser les surlignages.",
+ "Get your access token at": "Obtenez votre jeton d'accès sur",
+ "Access Token": "Jeton d'accès",
+ "Paste your Readwise access token": "Collez votre jeton d'accès Readwise",
+ "Config": "Configuration",
+ "Readwise Sync": "Synchronisation Readwise",
+ "Push Highlights": "Pousser les surlignages",
+ "Highlights synced to Readwise": "Surlignages synchronisés avec Readwise",
+ "Readwise sync failed: no internet connection": "Échec de la synchronisation Readwise : pas de connexion internet",
+ "Readwise sync failed: {{error}}": "Échec de la synchronisation Readwise : {{error}}"
+}
diff --git a/apps/readest-app/public/locales/he/translation.json b/apps/readest-app/public/locales/he/translation.json
new file mode 100644
index 0000000000000000000000000000000000000000..2f6e202a4971f0bd84fd15267627ed4d78e174db
--- /dev/null
+++ b/apps/readest-app/public/locales/he/translation.json
@@ -0,0 +1,1072 @@
+{
+ "Email address": "כתובת אימייל",
+ "Your Password": "הסיסמה שלך",
+ "Your email address": "כתובת האימייל שלך",
+ "Your password": "הסיסמה שלך",
+ "Sign in": "התחברות",
+ "Signing in...": "מתחבר...",
+ "Sign in with {{provider}}": "התחבר באמצעות {{provider}}",
+ "Already have an account? Sign in": "כבר יש לך חשבון? התחבר",
+ "Create a Password": "צור סיסמה",
+ "Sign up": "הרשמה",
+ "Signing up...": "נרשם...",
+ "Don't have an account? Sign up": "אין לך חשבון? הרשם",
+ "Check your email for the confirmation link": "בדוק את האימייל שלך עבור קישור האישור",
+ "Signing in ...": "מתחבר...",
+ "Send a magic link email": "שלח אימייל עם קישור קסם",
+ "Check your email for the magic link": "בדוק את האימייל שלך עבור קישור הקסם",
+ "Send reset password instructions": "שלח הוראות לאיפוס סיסמה",
+ "Sending reset instructions ...": "שולח הוראות לאיפוס...",
+ "Forgot your password?": "שכחת את הסיסמה?",
+ "Check your email for the password reset link": "בדוק את האימייל שלך עבור הקישור לאיפוס הסיסמה",
+ "Phone number": "מספר טלפון",
+ "Your phone number": "מספר הטלפון שלך",
+ "Token": "אסימון (Token)",
+ "Your OTP token": "אסימון ה-OTP שלך",
+ "Verify token": "אמת אסימון",
+ "Go Back": "חזור",
+ "New Password": "סיסמה חדשה",
+ "Your new password": "הסיסמה החדשה שלך",
+ "Update password": "עדכן סיסמה",
+ "Updating password ...": "מעדכן סיסמה...",
+ "Your password has been updated": "הסיסמה שלך עודכנה",
+ "Back": "חזור",
+ "Confirmation email sent! Please check your old and new email addresses to confirm the change.": "אימייל אישור נשלח! אנא בדוק את כתובות האימייל הישנה והחדשה שלך כדי לאשר את השינוי.",
+ "Failed to update email": "עדכון האימייל נכשל",
+ "New Email": "אימייל חדש",
+ "Your new email": "כתובת האימייל החדשה שלך",
+ "Updating email ...": "מעדכן אימייל...",
+ "Update email": "עדכן אימייל",
+ "Current email": "אימייל נוכחי",
+ "Something went wrong. Don't worry, our team has been notified and we're working on a fix.": "משהו השתבש. אל דאגה, הצוות שלנו קיבל הודעה ואנחנו עובדים על תיקון.",
+ "Error Details:": "פרטי שגיאה:",
+ "Try Again": "נסה שוב",
+ "Your Library": "הספרייה שלך",
+ "Need help?": "צריך עזרה?",
+ "Contact Support": "צור קשר עם התמיכה",
+ "Show Book Details": "הצג פרטי ספר",
+ "Upload Book": "העלה ספר",
+ "Download Book": "הורד ספר",
+ "Bookshelf": "מדף ספרים",
+ "Import Books": "ייבוא ספרים",
+ "Confirm Deletion": "אשר מחיקה",
+ "Are you sure to delete {{count}} selected book(s)?_one": "האם אתה בטוח שברצונך למחוק ספר אחד שנבחר?",
+ "Are you sure to delete {{count}} selected book(s)?_two": "האם אתה בטוח שברצונך למחוק {{count}} ספרים שנבחרו?",
+ "Are you sure to delete {{count}} selected book(s)?_other": "האם אתה בטוח שברצונך למחוק {{count}} ספרים שנבחרו?",
+ "Deselect Book": "בטל בחירת ספר",
+ "Select Book": "בחר ספר",
+ "Group Books": "קבץ ספרים",
+ "Mark as Finished": "סמן כסיים",
+ "Mark as Unread": "סמן כלא נקרא",
+ "Clear Status": "נקה סטטוס",
+ "Delete": "מחק",
+ "Deselect Group": "בטל בחירת קבוצה",
+ "Select Group": "בחר קבוצה",
+ "Series": "סדרה",
+ "Author": "מחבר",
+ "Group": "קבוצה",
+ "Back to library": "חזור לספרייה",
+ "Untitled Group": "קבוצה ללא שם",
+ "Remove From Group": "הסר מקבוצה",
+ "Create New Group": "צור קבוצה חדשה",
+ "Rename Group": "שנה שם קבוצה",
+ "Save": "שמור",
+ "All": "הכל",
+ "Cancel": "ביטול",
+ "Confirm": "אישור",
+ "Scroll left": "גלול שמאלה",
+ "Scroll right": "גלול ימינה",
+ "From Local File": "מקובץ מקומי",
+ "From Directory": "מתיקייה",
+ "Online Library": "ספרייה מקוונת",
+ "OPDS Catalogs": "קטלוגי OPDS",
+ "Search in {{count}} Book(s)..._one": "חפש בספר אחד...",
+ "Search in {{count}} Book(s)..._two": "חפש ב-{{count}} ספרים...",
+ "Search in {{count}} Book(s)..._other": "חפש ב-{{count}} ספרים...",
+ "Search Books...": "חפש ספרים...",
+ "Clear Search": "נקה חיפוש",
+ "Select Books": "בחר ספרים",
+ "Deselect": "בטל בחירה",
+ "Select All": "בחר הכל",
+ "View Menu": "תפריט תצוגה",
+ "Settings Menu": "תפריט הגדרות",
+ "Failed to select directory": "בחירת התיקייה נכשלה",
+ "The new data directory must be different from the current one.": "תיקיית הנתונים החדשה חייבת להיות שונה מהנוכחית.",
+ "Migration failed: {{error}}": "ההעברה נכשלה: {{error}}",
+ "Change Data Location": "שנה מיקום נתונים",
+ "Current Data Location": "מיקום נתונים נוכחי",
+ "Loading...": "טוען...",
+ "File count: {{size}}": "מספר קבצים: {{size}}",
+ "Total size: {{size}}": "גודל כולל: {{size}}",
+ "Calculating file info...": "מחשב פרטי קבצים...",
+ "New Data Location": "מיקום נתונים חדש",
+ "Choose New Folder": "בחר תיקייה חדשה",
+ "Choose Different Folder": "בחר תיקייה שונה",
+ "Migrating data...": "מעביר נתונים...",
+ "Copying: {{file}}": "מעתיק: {{file}}",
+ "{{current}} of {{total}} files": "{{current}} מתוך {{total}} קבצים",
+ "Migration completed successfully!": "ההעברה הושלמה בהצלחה!",
+ "Your data has been moved to the new location. Please restart the application to complete the process.": "הנתונים שלך הועברו למיקום החדש. אנא הפעל מחדש את האפליקציה כדי להשלים את התהליך.",
+ "Migration failed": "ההעברה נכשלה",
+ "Important Notice": "הודעה חשובה",
+ "This will move all your app data to the new location. Make sure the destination has enough free space.": "פעולה זו תעביר את כל נתוני האפליקציה למיקום החדש. ודא שבמקור יש מספיק שטח פנוי.",
+ "Close": "סגור",
+ "Restart App": "הפעל מחדש אפליקציה",
+ "Start Migration": "התחל העברה",
+ "Finished": "הסתיים",
+ "Unread": "לא נקרא",
+ "Open": "פתח",
+ "Status": "סטטוס",
+ "Details": "פרטים",
+ "Set status for {{count}} book(s)_one": "קבע סטטוס עבור ספר אחד",
+ "Set status for {{count}} book(s)_two": "קבע סטטוס עבור {{count}} ספרים",
+ "Set status for {{count}} book(s)_other": "קבע סטטוס עבור {{count}} ספרים",
+ "Dark Mode": "מצב כהה",
+ "Light Mode": "מצב בהיר",
+ "Auto Mode": "מצב אוטומטי",
+ "Logged in as {{userDisplayName}}": "מחובר כ-{{userDisplayName}}",
+ "Logged in": "מחובר",
+ "View account details and quota": "צפה בפרטי חשבון ומכסה",
+ "Cloud File Transfers": "העברות קבצים בענן",
+ "{{activeCount}} active, {{pendingCount}} pending": "{{activeCount}} פעילים, {{pendingCount}} בהמתנה",
+ "{{failedCount}} failed": "{{failedCount}} נכשלו",
+ "Synced at {{time}}": "סונכרן ב-{{time}}",
+ "Never synced": "מעולם לא סונכרן",
+ "Account": "חשבון",
+ "Sign In": "התחבר",
+ "Auto Upload Books to Cloud": "העלאת ספרים אוטומטית לענן",
+ "Auto Import on File Open": "ייבוא אוטומטי בעת פתיחת קובץ",
+ "Open Last Book on Start": "פתח ספר אחרון בהפעלה",
+ "Check Updates on Start": "בדוק עדכונים בהפעלה",
+ "Open Book in New Window": "פתח ספר בחלון חדש",
+ "Fullscreen": "מסך מלא",
+ "Always on Top": "תמיד למעלה",
+ "Always Show Status Bar": "תמיד הצג שורת סטטוס",
+ "Keep Screen Awake": "השאר מסך פעיל",
+ "Background Read Aloud": "הקראה ברקע",
+ "Reload Page": "טען דף מחדש",
+ "Settings": "הגדרות",
+ "Advanced Settings": "הגדרות מתקדמות",
+ "Save Book Cover": "שמור כריכת ספר",
+ "Auto-save last book cover": "שמירה אוטומטית של כריכת הספר האחרון",
+ "Upgrade to Readest Premium": "שדרג ל-Readest Premium",
+ "Download Readest": "הורד את Readest",
+ "About Readest": "אודות Readest",
+ "Help improve Readest": "עזור לשפר את Readest",
+ "Sharing anonymized statistics": "שיתוף סטטיסטיקה אנונימית",
+ "Uploaded": "הועלה",
+ "Downloaded": "הורד",
+ "Deleted": "נמחק",
+ "Waiting...": "ממתין...",
+ "Failed": "נכשל",
+ "Completed": "הושלם",
+ "Cancelled": "בוטל",
+ "Retry": "נסה שוב",
+ "Active": "פעיל",
+ "Transfer Queue": "תור העברות",
+ "Upload All": "העלה הכל",
+ "Download All": "הורד הכל",
+ "Resume Transfers": "חדש העברות",
+ "Pause Transfers": "השהה העברות",
+ "Pending": "בהמתנה",
+ "No transfers": "אין העברות",
+ "Retry All": "נסה הכל שוב",
+ "Clear Completed": "נקה הושלמו",
+ "Clear Failed": "נקה נכשלו",
+ "List": "רשימה",
+ "Grid": "רשת",
+ "Crop": "חיתוך",
+ "Fit": "התאמה",
+ "Authors": "מחברים",
+ "Books": "ספרים",
+ "Groups": "קבוצות",
+ "Title": "כותרת",
+ "Format": "פורמט",
+ "Date Read": "תאריך קריאה",
+ "Date Added": "תאריך הוספה",
+ "Date Published": "תאריך פרסום",
+ "Ascending": "סדר עולה",
+ "Descending": "סדר יורד",
+ "Columns": "עמודות",
+ "Auto": "אוטומטי",
+ "Book Covers": "כריכות ספרים",
+ "Group by...": "קבץ לפי...",
+ "Sort by...": "מיין לפי...",
+ "{{count}} book(s) synced_one": "סונכרן ספר אחד",
+ "{{count}} book(s) synced_two": "סונכרנו {{count}} ספרים",
+ "{{count}} book(s) synced_other": "סונכרנו {{count}} ספרים",
+ "No supported files found. Supported formats: {{formats}}": "לא נמצאו קבצים נתמכים. פורמטים נתמכים: {{formats}}",
+ "No chapters detected": "לא זוהו פרקים",
+ "Failed to parse the EPUB file": "ניתוח קובץ ה-EPUB נכשל",
+ "This book format is not supported": "פורמט ספר זה אינו נתמך",
+ "Failed to open the book file": "פתיחת קובץ הספר נכשלה",
+ "The book file is empty": "קובץ הספר ריק",
+ "The book file is corrupted": "קובץ הספר פגום",
+ "Failed to import book(s): {{filenames}}": "ייבוא הספר(ים) נכשל: {{filenames}}",
+ "Successfully imported {{count}} book(s)_one": "ספר אחד יובא בהצלחה",
+ "Successfully imported {{count}} book(s)_two": "{{count}} ספרים יובאו בהצלחה",
+ "Successfully imported {{count}} book(s)_other": "{{count}} ספרים יובאו בהצלחה",
+ "Upload queued: {{title}}": "העלאה בתור: {{title}}",
+ "Book downloaded: {{title}}": "ספר הורד: {{title}}",
+ "Failed to download book: {{title}}": "הורדת הספר נכשלה: {{title}}",
+ "Download queued: {{title}}": "הורדה בתור: {{title}}",
+ "Book deleted: {{title}}": "ספר נמחק: {{title}}",
+ "Deleted cloud backup of the book: {{title}}": "גיבוי הענן של הספר נמחק: {{title}}",
+ "Deleted local copy of the book: {{title}}": "העותק המקומי של הספר נמחק: {{title}}",
+ "Failed to delete book: {{title}}": "מחיקת הספר נכשלה: {{title}}",
+ "Failed to delete cloud backup of the book: {{title}}": "מחיקת גיבוי הענן של הספר נכשלה: {{title}}",
+ "Failed to delete local copy of the book: {{title}}": "מחיקת העעותק המקומי של הספר נכשלה: {{title}}",
+ "Library Header": "כותרת הספרייה",
+ "Library Sync Progress": "התקדמות סנכרון הספרייה",
+ "Welcome to your library. You can import your books here and read them anytime.": "ברוכים הבאים לספרייה שלכם. כאן תוכלו לייבא את הספרים שלכם ולקרוא אותם בכל עת.",
+ "URL must start with http:// or https://": "הכתובת חייבת להתחיל ב-http:// או https://",
+ "Adding LAN addresses is not supported in the web app version.": "הוספת כתובות LAN אינה נתמכת בגרסת אפליקציית האינטרנט.",
+ "Invalid OPDS catalog. Please check the URL.": "קטלוג OPDS לא תקין. אנא בדוק את הכתובת.",
+ "Browse and download books from online catalogs": "דפדף והורד ספרים מקטלוגים מקוונים",
+ "My Catalogs": "הקטלוגים שלי",
+ "Add Catalog": "הוסף קטלוג",
+ "No catalogs yet": "אין קטלוגים עדיין",
+ "Add your first OPDS catalog to start browsing books": "הוסף את קטלוג ה-OPDS הראשון שלך כדי להתחיל לדפדף בספרים",
+ "Add Your First Catalog": "הוסף את הקטלוג הראשון שלך",
+ "Username": "שם משתמש",
+ "Browse": "דפדפוף",
+ "Popular Catalogs": "קטלוגים פופולריים",
+ "Add": "הוסף",
+ "Add OPDS Catalog": "הוסף קטלוג OPDS",
+ "Catalog Name": "שם הקטלוג",
+ "My Calibre Library": "ספריית ה-Calibre שלי",
+ "OPDS URL": "כתובת OPDS",
+ "Username (optional)": "שם משתמש (אופציונלי)",
+ "Password (optional)": "סיסמה (אופציונלי)",
+ "Password": "סיסמה",
+ "Description (optional)": "תיאור (אופציונלי)",
+ "A brief description of this catalog": "תיאור קצר של קטלוג זה",
+ "Validating...": "מאמת...",
+ "View All": "הצג הכל",
+ "First": "ראשון",
+ "Previous": "הקודם",
+ "Next": "הבא",
+ "Last": "אחרון",
+ "Forward": "קדימה",
+ "Home": "בית",
+ "Search in OPDS Catalog...": "חפש בקטלוג OPDS...",
+ "Untitled": "ללא שם",
+ "{{count}} items_one": "פריט אחד",
+ "{{count}} items_two": "{{count}} פריטים",
+ "{{count}} items_other": "{{count}} פריטים",
+ "Open Access": "גישה פתוחה",
+ "Download completed": "ההורדה הושלמה",
+ "Download failed": "ההורדה נכשלה",
+ "Borrow": "שאל",
+ "Buy": "קנה",
+ "Subscribe": "הירשם כמנוי",
+ "Sample": "דגימה",
+ "Download": "הורדה",
+ "Open & Read": "פתח וקרא",
+ "Publisher": "מוציא לאור",
+ "Published": "פורסם",
+ "Language": "שפה",
+ "Identifier": "מזהה",
+ "Tags": "תגיות",
+ "Tag": "תגית",
+ "Title, Author, Tag, etc...": "כותרת, מחבר, תגית, וכו'...",
+ "Query": "שאילתה",
+ "Subject": "נושא",
+ "Count": "מספר",
+ "Start Page": "דף התחלה",
+ "Search": "חיפוש",
+ "Enter {{terms}}": "הזן {{terms}}",
+ "No search results found": "לא נמצאו תוצאות חיפוש",
+ "Failed to load OPDS feed: {{status}} {{statusText}}": "טעינת פיד ה-OPDS נכשלה: {{status}} {{statusText}}",
+ "Search in {{title}}": "חפש ב-{{title}}",
+ "Cannot Load Page": "לא ניתן לטעון את הדף",
+ "An error occurred": "אירעה שגיאה",
+ "Copy": "העתק",
+ "Copy text after selection": "העתק טקסט לאחר הבחירה",
+ "Highlight": "הדגש",
+ "Highlight text after selection": "הדגש טקסט לאחר הבחירה",
+ "Annotate": "הוסף הערה",
+ "Annotate text after selection": "הוסף הערה לטקסט לאחר הבחירה",
+ "Search text after selection": "חפש טקסט לאחר הבחירה",
+ "Dictionary": "מילון",
+ "Look up text in dictionary after selection": "חפש טקסט במילון לאחר הבחירה",
+ "Wikipedia": "ויקיפדיה",
+ "Look up text in Wikipedia after selection": "חפש טקסט בוויקיפדיה לאחר הבחירה",
+ "Translate": "תרגם",
+ "Translate text after selection": "תרגם טקסט לאחר הבחירה",
+ "Speak": "הקרא",
+ "Read text aloud after selection": "הקרא טקסט בקול לאחר הבחירה",
+ "Proofread": "הגהה",
+ "Proofread text after selection": "בצע הגהה לטקסט לאחר הבחירה",
+ "Copied to notebook": "הועתק למחברת",
+ "Word limit of 30 words exceeded.": "חרגת ממכסת 30 המילים.",
+ "No annotations to export": "אין הערות לייצוא",
+ "Exported successfully": "יוצא בהצלחה",
+ "Copied to clipboard": "הועתק ללוח",
+ "Delete Highlight": "מחק הדגשה",
+ "Exported from Readest": "יוצא מ-Readest",
+ "Highlights & Annotations": "הדגשות והערות",
+ "Note:": "הערה:",
+ "Time:": "זמן:",
+ "Note": "הערה",
+ "Export Annotations": "ייצא הערות",
+ "Format Options": "אפשרויות פורמט",
+ "Export Date": "תאריך ייצוא",
+ "Chapter Titles": "כותרות פרקים",
+ "Chapter Separator": "מפריד פרקים",
+ "Highlights": "הדגשות",
+ "Notes": "הערות",
+ "Note Date": "תאריך הערה",
+ "Advanced": "מתקדם",
+ "Hide": "הסתר",
+ "Show": "הצג",
+ "Use Custom Template": "השתמש בתבנית מותאמת אישית",
+ "Export Template": "תבנית ייצוא",
+ "Reset Template": "אפס תבנית",
+ "Template Syntax:": "תחביר תבנית:",
+ "Insert value": "הכנס ערך",
+ "Format date (locale)": "פרמט תאריך (מקומי)",
+ "Format date (custom)": "פרמט תאריך (מותאם)",
+ "Conditional": "תנאי",
+ "Loop": "לולאה",
+ "Available Variables:": "משתנים זמינים:",
+ "Book title": "כותרת הספר",
+ "Book author": "מחבר הספר",
+ "Export date": "תאריך ייצוא",
+ "Array of chapters": "מערך פרקים",
+ "Chapter title": "כותרת הפרק",
+ "Array of annotations": "מערך הערות",
+ "Highlighted text": "טקסט מודגש",
+ "Annotation note": "הערת הערה",
+ "Annotation style": "סגנון הערה",
+ "Annotation color": "צבע הערה",
+ "Annotation time": "זמן הערה",
+ "Date Format Tokens:": "סימני פורמט תאריך:",
+ "Year (4 digits)": "שנה (4 ספרות)",
+ "Month (01-12)": "חודש (01-12)",
+ "Day (01-31)": "יום (01-31)",
+ "Hour (00-23)": "שעה (00-23)",
+ "Minute (00-59)": "דקה (00-59)",
+ "Second (00-59)": "שנייה (00-59)",
+ "Preview": "תצוגה מקדימה",
+ "Show Source": "הצג מקור",
+ "No content to preview": "אין תוכן לתצוגה מקדימה",
+ "Export as Plain Text": "ייצא כטקסט פשוט",
+ "Export as Markdown": "ייצא כ-Markdown",
+ "Export": "ייצוא",
+ "highlight": "הדגשה",
+ "underline": "קו תחתון",
+ "squiggly": "קו גלי",
+ "red": "אדום",
+ "violet": "סגול",
+ "blue": "כחול",
+ "green": "ירוק",
+ "yellow": "צהוב",
+ "Select {{style}} style": "בחר סגנון {{style}}",
+ "Select {{color}} color": "בחר צבע {{color}}",
+ "Current selection": "הבחירה הנוכחית",
+ "All occurrences in this book": "כל המופעים בספר זה",
+ "All occurrences in your library": "כל המופעים בספרייה שלך",
+ "Selected text:": "טקסט שנבחר:",
+ "Replace with:": "החלף ב:",
+ "Enter text...": "הזן טקסט...",
+ "Apply": "החל",
+ "Case sensitive:": "תלוי רישיות (Case sensitive):",
+ "Whole word:": "מילה שלמה:",
+ "Only for TTS:": "רק עבור TTS:",
+ "Scope:": "טווח:",
+ "Instant {{action}} Disabled": "{{action}} מיידי מושבת",
+ "Annotation": "הערה",
+ "Instant {{action}}": "{{action}} מיידי",
+ "Login Required": "נדרשת התחבורות",
+ "Quota Exceeded": "חרגת מהמכסה",
+ "Unable to fetch the translation. Please log in first and try again.": "לא ניתן לקבל את התרגום. אנא התחבר תחילה ונסה שוב.",
+ "Unable to fetch the translation. Try again later.": "לא ניתן לקבל את התרגום. נסה שוב מאוחר יותר.",
+ "Original Text": "טקסט מקורי",
+ "Auto Detect": "זיהוי אוטומטי",
+ "(detected)": "(זוהה)",
+ "Translated Text": "טקסט מתורגם",
+ "System Language": "שפת המערכת",
+ "No translation available.": "אין תרגום זמין.",
+ "Translated by {{provider}}.": "תורגם על ידי {{provider}}.",
+ "Error": "שגיאה",
+ "Unable to load the article. Try searching directly on {{link}}.": "לא ניתן לטעון את המאמר. נסה לחפש ישירות ב-{{link}}.",
+ "Unable to load the word. Try searching directly on {{link}}.": "לא ניתן לטעון את המילה. נסה לחפש ישירות ב-{{link}}.",
+ "Remove Bookmark": "הסר סימנייה",
+ "Add Bookmark": "הוסף סימנייה",
+ "Books Content": "תוכן ספרים",
+ "Book Content": "תוכן ספר",
+ "Screen Brightness": "בהירות מסך",
+ "Color": "צבע",
+ "Previous Section": "סעיף קודם",
+ "Next Section": "סעיף הבא",
+ "Previous Page": "דף קודם",
+ "Next Page": "דף הבא",
+ "Go Forward": "התקדם",
+ "Reading Progress": "התקדמות קריאה",
+ "Jump to Location": "קפוץ למיקום",
+ "Font Size": "גודל גופן",
+ "Page Margin": "שולי דף",
+ "Small": "קטן",
+ "Large": "גדול",
+ "Line Spacing": "מרווח בין שורות",
+ "Footer Bar": "שורת תחתונה",
+ "Table of Contents": "תוכן עניינים",
+ "Font & Layout": "גופן ופריסה",
+ "Header Bar": "שורת כותרת",
+ "Disable Quick Action": "השבת פעולה מהירה",
+ "Enable Quick Action on Selection": "הפעל פעולה מהירה בעת בחירה",
+ "View Options": "אפשרויות תצוגה",
+ "Close Book": "סגור ספר",
+ "Sync Conflict": "קונפליקט סנכרון",
+ "Sync reading progress from \"{{deviceName}}\"?": "האם לסנכרן התקדמות קריאה מ-{{deviceName}}?",
+ "another device": "מכשיר אחר",
+ "Local Progress": "התקדמות מקומית",
+ "Remote Progress": "התקדמות מרחוק",
+ "Failed to connect": "החיבור נכשל",
+ "Disconnected": "מנותק",
+ "KOReader Sync Settings": "הגדרות סנכרון KOReader",
+ "Sync as {{userDisplayName}}": "סנכרן כ-{{userDisplayName}}",
+ "Sync Server Connected": "שרת הסנכרון מחובר",
+ "Sync Strategy": "אסטרטגיית סנכרון",
+ "Ask on conflict": "שאל בעת קונפליקט",
+ "Always use latest": "תמיד השתמש בהכי חדש",
+ "Send changes only": "שלח שינויים בלבד",
+ "Receive changes only": "קבל שינויים בלבד",
+ "Checksum Method": "שיטת סיכום ביקורת (Checksum)",
+ "File Content (recommended)": "תוכן קובץ (מומלץ)",
+ "File Name": "שם קובץ",
+ "Device Name": "שם מכשיר",
+ "Connect to your KOReader Sync server.": "התחבר לשרת סנכרון KOReader שלך.",
+ "Server URL": "כתובת שרת",
+ "Your Username": "שם המשתמש שלך",
+ "Connect": "התחבר",
+ "Are you sure you want to re-index this book?": "האם אתה בטוח שברצונך לאנדקס מחדש ספר זה?",
+ "Enable AI in Settings": "הפעל AI בהגדרות",
+ "Index This Book": "אנדקס ספר זה",
+ "Enable AI search and chat for this book": "הפעל חיפוש וצ'אט AI עבור ספר זה",
+ "Start Indexing": "התחל אינדוקס",
+ "Indexing book...": "מאנדקס ספר...",
+ "Preparing...": "מכין...",
+ "Notebook": "מחברת",
+ "Unpin Notebook": "בטל נעילת מחברת",
+ "Pin Notebook": "נעל מחברת",
+ "Hide Search Bar": "הסתר שורת חיפוש",
+ "Show Search Bar": "הצג שורת חיפוש",
+ "Resize Notebook": "שנה גודל מחברת",
+ "No notes match your search": "אין הערות התואמות לחיפוש שלך",
+ "Excerpts": "קטעים (Excerpts)",
+ "AI": "AI",
+ "Add your notes here...": "הוסף את ההערות שלך כאן...",
+ "Search notes and excerpts...": "חפש הערות וקטעים...",
+ "Page {{number}}": "דף {{number}}",
+ "Previous Paragraph": "פסקה קודמת",
+ "Loading": "טוען",
+ "Next Paragraph": "פסקה הבאה",
+ "Exit Paragraph Mode": "צא ממצב פסקה",
+ "{{time}} min left in chapter": "נותרו {{time}} דקות בפרק",
+ "{{number}} pages left in chapter": "נותרו {{number}} דפים בפרק",
+ "{{count}} pages left in chapter_one": "נותר דף אחד בפרק",
+ "{{count}} pages left in chapter_two": "נותרו {{count}} דפים בפרק",
+ "{{count}} pages left in chapter_other": "נותרו {{count}} דפים בפרק",
+ "On {{current}} of {{total}} page": "בדף {{current}} מתוך {{total}}",
+ "Selection": "בחירה",
+ "Book": "ספר",
+ "Library": "ספרייה",
+ "Yes": "כן",
+ "No": "לא",
+ "Edit": "ערוך",
+ "Proofread Replacement Rules": "כללי החלפת הגהה",
+ "Selected Text Rules": "כללי טקסט שנבחר",
+ "No selected text replacement rules": "אין כללי החלפת טקסט שנבחר",
+ "Book Specific Rules": "כללים ספציפיים לספר",
+ "No book-level replacement rules": "אין כללי החלפה ברמת הספר",
+ "Unable to open book": "לא ניתן לפתוח את הספר",
+ "Unable to start RSVP": "לא ניתן להתחיל RSVP",
+ "RSVP not supported for PDF": "RSVP אינו נתמך עבור PDF",
+ "Select Chapter": "בחר פרק",
+ "Speed Reading": "קריאה מהירה",
+ "Close Speed Reading": "סגור קריאה מהירה",
+ "Context": "הקשר",
+ "Ready": "מוכן",
+ "Chapter Progress": "התקדמות הפרק",
+ "words": "מילים",
+ "{{time}} left": "נותרו {{time}}",
+ "Reading progress": "התקדמות קריאה",
+ "Click to seek": "לחץ לחיפוש",
+ "Skip back 15 words": "קפוץ 15 מילים אחורה",
+ "Back 15 words (Shift+Left)": "15 מילים אחורה (Shift+Left)",
+ "Pause": "השהה",
+ "Play": "נגן",
+ "Pause (Space)": "השהה (רווח)",
+ "Play (Space)": "נגן (רווח)",
+ "Skip forward 15 words": "קפוץ 15 מילים קדימה",
+ "Forward 15 words (Shift+Right)": "15 מילים קדימה (Shift+Right)",
+ "Pause:": "השהה:",
+ "Decrease speed": "הפחת מהירות",
+ "Slower (Left/Down)": "איטי יותר (חץ שמאלה/למטה)",
+ "Current speed": "מהירות נוכחית",
+ "Increase speed": "הגבר מהירות",
+ "Faster (Right/Up)": "מהיר יותר (חץ ימינה/למעלה)",
+ "Start RSVP Reading": "התחל קריאת RSVP",
+ "Choose where to start reading": "בחר היכן להתחיל לקרוא",
+ "From Chapter Start": "מתחילת הפרק",
+ "Start reading from the beginning of the chapter": "התחל לקרוא מתחילת הפרק",
+ "Resume": "המשך",
+ "Continue from where you left off": "המשך מאיפה שהפסקת",
+ "From Current Page": "מהדף הנוכחי",
+ "Start from where you are currently reading": "התחל מאיפה שאתה קורא כרגע",
+ "From Selection": "מהבחירה",
+ "Section Title": "כותרת הסעיף",
+ "More Info": "מידע נוסף",
+ "Parallel Read": "קריאה מקבילה",
+ "Disable": "השבת",
+ "Enable": "הפעל",
+ "Exit Parallel Read": "צא מקריאה מקבילה",
+ "Enter Parallel Read": "היכנס לקריאה מקבילה",
+ "KOReader Sync": "סנכרון KOReader",
+ "Push Progress": "דחף התקדמות",
+ "Pull Progress": "משוך התקדמות",
+ "Show on Discord": "הצג ב-Discord",
+ "Display what I'm reading on Discord": "הצג מה אני קורא ב-Discord",
+ "Sort TOC by Page": "מיין תוכן עניינים לפי דף",
+ "Bookmarks": "סימניות",
+ "Annotations": "הערות",
+ "Delete this conversation?": "למחוק שיחה זו?",
+ "No conversations yet": "אין שיחות עדיין",
+ "Start a new chat to ask questions about this book": "התחל צ'אט חדש כדי לשאול שאלות על ספר זה",
+ "Rename": "שנה שם",
+ "New Chat": "צ'אט חדש",
+ "Show Results": "הצג תוצאות",
+ "Go to Library": "עבור לספרייה",
+ "Book Menu": "תפריט ספר",
+ "Unpin Sidebar": "בטל נעילת סרגל צד",
+ "Pin Sidebar": "נעל סרגל צד",
+ "Search...": "חיפוש...",
+ "Clear search": "נקה חיפוש",
+ "Search Options": "אפשרויות חיפוש",
+ "Clear search history": "נקה היסטוריית חיפוש",
+ "Chapter": "פרק",
+ "Match Case": "התאמת רישיות (Match Case)",
+ "Match Whole Words": "התאמת מילים שלמות",
+ "Match Diacritics": "התאמת סימני דיאקריטיקה",
+ "Search results for '{{term}}'": "תוצאות חיפוש עבור '{{term}}'",
+ "Previous Result": "תוצאה קודמת",
+ "Next Result": "תוצאה הבאה",
+ "Show Search Results": "הצג תוצאות חיפוש",
+ "Close Search": "סגור חיפוש",
+ "Sidebar": "סרגל צד",
+ "Resize Sidebar": "שנה גודל סרגל צד",
+ "TOC": "תוכן עניינים",
+ "Bookmark": "סימנייה",
+ "Chat": "צ'אט",
+ "Toggle Sidebar": "הצג/הסתר סרגל צד",
+ "Toggle Translation": "הצג/הסתר תרגום",
+ "Disable Translation": "השבת תרגום",
+ "Enable Translation": "הפעל תרגום",
+ "Translation Disabled": "התרגום מושבת",
+ "Previous Sentence": "משפט קודם",
+ "Next Sentence": "משפט הבא",
+ "Read Aloud": "הקרא בקול",
+ "Ready to read aloud": "מוכן להקראה בקול",
+ "Please log in to use advanced TTS features": "אנא התחבר כדי להשתמש בתכונות TTS מתקדמות",
+ "TTS not supported for PDF": "TTS אינו נתמך עבור PDF",
+ "TTS not supported for this document": "TTS אינו נתמך עבור מסמך זה",
+ "Back to TTS Location": "חזור למיקום ה-TTS",
+ "No Timeout": "ללא הגבלת זמן",
+ "{{value}} minute": "דקה {{value}}",
+ "{{value}} minutes": "{{value}} דקות",
+ "{{value}} hour": "שעה {{value}}",
+ "{{value}} hours": "{{value}} שעות",
+ "Voices for {{lang}}": "קולות עבור {{lang}}",
+ "Slow": "איטי",
+ "Fast": "מהיר",
+ "Set Timeout": "הגדר הגבלת זמן",
+ "Select Voice": "בחר קול",
+ "{{engine}}: {{count}} voices_one": "{{engine}}: קול אחד",
+ "{{engine}}: {{count}} voices_two": "{{engine}}: {{count}} קולות",
+ "{{engine}}: {{count}} voices_other": "{{engine}}: {{count}} קולות",
+ "Toggle Sticky Bottom TTS Bar": "הצג/הסתר שורת TTS תחתונה קבועה",
+ "Zoom Level": "רמת זום",
+ "Zoom Out": "הקטן",
+ "Reset Zoom": "אפס זום",
+ "Zoom In": "הגדל",
+ "Zoom Mode": "מצב זום",
+ "Single Page": "דף יחיד",
+ "Auto Spread": "פריסה אוטומטית",
+ "Fit Page": "התאם לדף",
+ "Fit Width": "התאם לרוחב",
+ "Separate Cover Page": "דף כריכה נפרד",
+ "Scrolled Mode": "מצב גלילה",
+ "Paragraph Mode": "מצב פסקה",
+ "Speed Reading Mode": "מצב קריאה מהירה",
+ "Sign in to Sync": "התחבר לסנכרון",
+ "Invert Image In Dark Mode": "הפוך צבעי תמונה במצב כהה",
+ "Failed to auto-save book cover for lock screen: {{error}}": "שמירה אוטומטית של כריכת הספר למסך הנעילה נכשלה: {{error}}",
+ "Reading Progress Synced": "התקדמות הקריאה סונכרנה",
+ "Page {{page}} of {{total}} ({{percentage}}%)": "דף {{page}} מתוך {{total}} ({{percentage}}%)",
+ "Current position": "מיקום נוכחי",
+ "Approximately page {{page}} of {{total}} ({{percentage}}%)": "בערך דף {{page}} מתוך {{total}} ({{percentage}}%)",
+ "Approximately {{percentage}}%": "בערך {{percentage}}%",
+ "Delete Your Account?": "למחוק את החשבון שלך?",
+ "This action cannot be undone. All your data in the cloud will be permanently deleted.": "פעולה זו אינה ניתנת לביטול. כל הנתונים שלך בענן יימחקו לצמיתות.",
+ "Delete Permanently": "מחק לצמיתות",
+ "Restore Purchase": "שחזר רכישה",
+ "Manage Subscription": "נהל מנוי",
+ "Manage Storage": "נהל אחסון",
+ "Reset Password": "אפס סיסמה",
+ "Update Email": "עדכן אימייל",
+ "Sign Out": "התנתק",
+ "Delete Account": "מחק חשבון",
+ "Upgrade to {{plan}}": "שדרג ל-{{plan}}",
+ "Complete Your Subscription": "השלם את המנוי שלך",
+ "Coming Soon": "בקרוב",
+ "Upgrade to Plus or Pro": "שדרג ל-Plus או Pro",
+ "Current Plan": "תוכנית נוכחית",
+ "On-Demand Purchase": "רכישה לפי דרישה",
+ "Plan Limits": "מגבלות תוכנית",
+ "Full Customization": "התאמה אישית מלאה",
+ "Failed to load files": "טעינת הקבצים נכשלה",
+ "Deleted {{count}} file(s)_one": "קובץ אחד נמחק",
+ "Deleted {{count}} file(s)_two": "{{count}} קבצים נמחקו",
+ "Deleted {{count}} file(s)_other": "{{count}} קבצים נמחקו",
+ "Failed to delete {{count}} file(s)_one": "מחיקת קובץ אחד נכשלה",
+ "Failed to delete {{count}} file(s)_two": "מחיקת {{count}} קבצים נכשלה",
+ "Failed to delete {{count}} file(s)_other": "מחיקת {{count}} קבצים נכשלה",
+ "Failed to delete files": "מחיקת הקבצים נכשלה",
+ "Cloud Storage Usage": "שימוש באחסון ענן",
+ "Total Files": "סך הכל קבצים",
+ "Total Size": "גודל כולל",
+ "Quota": "מכסה",
+ "Used": "בשימוש",
+ "Files": "קבצים",
+ "Search files...": "חפש קבצים...",
+ "Newest First": "החדש ביותר קודם",
+ "Oldest First": "הישן ביותר קודם",
+ "Largest First": "הגדול ביותר קודם",
+ "Smallest First": "הקטן ביותר קודם",
+ "Name A-Z": "שם א-ת",
+ "Name Z-A": "שם ת-א",
+ "{{count}} selected_one": "פריט אחד נבחר",
+ "{{count}} selected_two": "{{count}} פריטים נבחרו",
+ "{{count}} selected_other": "{{count}} פריטים נבחרו",
+ "Delete Selected": "מחק נבחרים",
+ "Size": "גודל",
+ "Created": "נוצר",
+ "No files found": "לא נמצאו קבצים",
+ "No files uploaded yet": "לא הועלו קבצים עדיין",
+ "files": "קבצים",
+ "Page {{current}} of {{total}}": "דף {{current}} מתוך {{total}}",
+ "Are you sure to delete {{count}} selected file(s)?_one": "האם אתה בטוח שברצונך למחוק קובץ אחד שנבחר?",
+ "Are you sure to delete {{count}} selected file(s)?_two": "האם אתה בטוח שברצונך למחוק {{count}} קבצים שנבחרו?",
+ "Are you sure to delete {{count}} selected file(s)?_other": "האם אתה בטוח שברצונך למחוק {{count}} קבצים שנבחרו?",
+ "Failed to create checkout session": "יצירת מסע הקופה נכשלה",
+ "No purchases found to restore.": "לא נמצאו רכישות לשחזור.",
+ "Failed to restore purchases.": "שחזור הרכישות נכשל.",
+ "Failed to manage subscription.": "ניהול המנוי נכשל.",
+ "Failed to delete user. Please try again later.": "מחיקת המשתמש נכשלה. אנא נסה שוב מאוחר יותר.",
+ "Loading profile...": "טוען פרופיל...",
+ "Processing your payment...": "מעבד את התשלום שלך...",
+ "Please wait while we confirm your subscription.": "אנא המתן בזמן שאנו מאשרים את המנוי שלך.",
+ "Payment Processing": "עיבוד תשלום",
+ "Your payment is being processed. This usually takes a few moments.": "התשלום שלך מעובד. זה בדרך כלל לוקח כמה רגעים.",
+ "Payment Failed": "התשלום נכשל",
+ "We couldn't process your subscription. Please try again or contact support if the issue persists.": "לא הצלחנו לעבד את המנוי שלך. אנא נסה שוב או צור קשר עם התמיכה אם הבעיה נמשכת.",
+ "Back to Profile": "חזור לפרופיל",
+ "Purchase Successful!": "הרכישה הצליחה!",
+ "Subscription Successful!": "המנוי הצליח!",
+ "Thank you for your purchase! Your payment has been processed successfully.": "תודה על הרכישה! התשלום שלך עובד בהצלחה.",
+ "Thank you for your subscription! Your payment has been processed successfully.": "תודה על המנוי! התשלום שלך עובד בהצלחה.",
+ "Email:": "אימייל:",
+ "Plan:": "תוכנית:",
+ "Amount:": "סכום:",
+ "Order ID:": "מזהה הזמנה:",
+ "Need help? Contact our support team at support@readest.com": "צריך עזרה? צור קשר עם צוות התמיכה שלנו בכתובת support@readest.com",
+ "Lifetime Plan": "תוכנית לכל החיים",
+ "lifetime": "לכל החיים",
+ "One-Time Payment": "תשלום חד-פעמי",
+ "Make a single payment to enjoy lifetime access to specific features on all devices. Purchase specific features or services only when you need them.": "בצע תשלום אחד כדי ליהנות מגישה לכל החיים לתכונות ספציפיות בכל המכשירים. רכוש תכונות או שירותים ספציפיים רק כשאתה צריך אותם.",
+ "Expand Cloud Sync Storage": "הרחב את נפח אחסון סנכרון הענן",
+ "Expand your cloud storage forever with a one-time purchase. Each additional purchase adds more space.": "הרחב את אחסון הענן שלך לתמיד ברכישה חד-פעמית. כל רכישה נוספת מוסיפה עוד מקום.",
+ "Unlock All Customization Options": "פתח את כל אפשרויות ההתאמה האישית",
+ "Unlock additional themes, fonts, layout options and read aloud, translators, cloud storage services.": "פתח ערכות נושא נוספות, גופנים, אפשרויות פריסה והקראה בקול, מתרגמים ושירותי אחסון ענן.",
+ "Free Plan": "תוכנית חינמית",
+ "month": "חודש",
+ "year": "שנה",
+ "Cross-Platform Sync": "סנכרון בין פלטפורמות",
+ "Seamlessly sync your library, progress, highlights, and notes across all your devices—never lose your place again.": "סנכרן בצורה חלקה את הספרייה, ההתקדמות, ההדגשות וההערות שלך בכל המכשירים שלך - לעולם אל תאבד את המקום שלך שוב.",
+ "Customizable Reading": "קריאה מותאמת אישית",
+ "Personalize every detail with adjustable fonts, layouts, themes, and advanced display settings for the perfect reading experience.": "התאם אישית כל פרט עם גופנים מתכווננים, פריסות, ערכות נושא והגדרות תצוגה מתקדמות לחוויית קריאה מושלמת.",
+ "AI Read Aloud": "הקראה בקול של AI",
+ "Enjoy hands-free reading with natural-sounding AI voices that bring your books to life.": "תהנה מקריאה ללא ידיים עם קולות AI בעלי צליל טבעי שמפיחים חיים בספרים שלך.",
+ "AI Translations": "תרגומי AI",
+ "Translate any text instantly with the power of Google, Azure, or DeepL—understand content in any language.": "תרגם כל טקסט באופן מיידי עם הכוח של Google, Azure או DeepL - הבן תוכן בכל שפה.",
+ "Community Support": "תמיכת קהילה",
+ "Connect with fellow readers and get help fast in our friendly community channels.": "התחבר לקוראים עמיתים וקבל עזרה מהירה בערוצי הקהילה הידידותיים שלנו.",
+ "Cloud Sync Storage": "נפח אחסון סנכרון ענן",
+ "AI Translations (per day)": "תרגומי AI (ליום)",
+ "Plus Plan": "תוכנית Plus",
+ "Includes All Free Plan Benefits": "כולל את כל יתרונות התוכנית החינמית",
+ "Unlimited AI Read Aloud Hours": "שעות הקראה בקול של AI ללא הגבלה",
+ "Listen without limits—convert as much text as you like into immersive audio.": "האזן ללא הגבלה - המר כמה טקסט שתרצה לאודיו סוחף.",
+ "More AI Translations": "יותר תרגומי AI",
+ "Unlock enhanced translation capabilities with more daily usage and advanced options.": "פתח יכולות תרגום משופרות עם שימוש יומי רב יותר ואפשרויות מתקדמות.",
+ "DeepL Pro Access": "גישה ל-DeepL Pro",
+ "Translate up to 100,000 characters daily with the most accurate translation engine available.": "תרגם עד 100,000 תווים ביום עם מנוע התרגום המדויק ביותר שיש.",
+ "Securely store and access your entire reading collection with up to 5 GB of cloud storage.": "אחסן וגש בצורה מאובטחת לכל אוסף הקריאה שלך עם עד 5 ג'יגה-בייט של אחסון ענן.",
+ "Priority Support": "תמיכה בעדיפות",
+ "Enjoy faster responses and dedicated assistance whenever you need help.": "תהנה מתגובות מהירות יותר וסיוע ייעודי בכל פעם שאתה צריך עזרה.",
+ "Pro Plan": "תוכנית Pro",
+ "Includes All Plus Plan Benefits": "כולל את כל יתרונות תוכנית ה-Plus",
+ "Early Feature Access": "גישה מוקדמת לתכונות",
+ "Be the first to explore new features, updates, and innovations before anyone else.": "היה הראשון לחקור תכונות חדשות, עדכונים וחדשנות לפני כולם.",
+ "Advanced AI Tools": "כלי AI מתקדמים",
+ "Harness powerful AI tools for smarter reading, translation, and content discovery.": "רתום כלי AI עוצמתיים לקריאה, תרגום וגילוי תוכן חכמים יותר.",
+ "Translate up to 500,000 characters daily with the most accurate translation engine available.": "תרגם עד 500,000 תווים ביום עם מנוע התרגום המדויק ביותר שיש.",
+ "Securely store and access your entire reading collection with up to 20 GB of cloud storage.": "אחסן וגש בצורה מאובטחת לכל אוסף הקריאה שלך עם עד 20 ג'יגה-בייט של אחסון ענן.",
+ "Version {{version}}": "גרסה {{version}}",
+ "Check Update": "בדוק עדכון",
+ "Already the latest version": "כבר בגרסה האחרונה",
+ "Checking for updates...": "בודק עדכונים...",
+ "Error checking for updates": "שגיאה בבדיקת עדכונים",
+ "Command Palette": "לוח פקודות",
+ "Search settings and actions...": "חפש הגדרות ופעולות...",
+ "No results found for": "לא נמצאו תוצאות עבור",
+ "Type to search settings and actions": "הקלד כדי לחפש הגדרות ופעולות",
+ "Recent": "אחרונים",
+ "navigate": "ניווט",
+ "select": "בחירה",
+ "close": "סגירה",
+ "Drop to Import Books": "שחרר כאן לייבוא ספרים",
+ "Terms of Service": "תנאי שימוש",
+ "Privacy Policy": "מדיניות פרטיות",
+ "ON": "פעיל",
+ "OFF": "כבוי",
+ "Enter book title": "הזן כותרת ספר",
+ "Subtitle": "כותרת משנה",
+ "Enter book subtitle": "הזן כותרת משנה לספר",
+ "Enter author name": "הזן שם מחבר",
+ "Enter series name": "הזן שם סדרה",
+ "Series Index": "אינדקס סדרה",
+ "Enter series index": "הזן אינדקס סדרה",
+ "Total in Series": "סה\"כ בסדרה",
+ "Enter total books in series": "הזן סך הכל ספרים בסדרה",
+ "Enter publisher": "הזן מוציא לאור",
+ "Publication Date": "תאריך פרסום",
+ "YYYY or YYYY-MM-DD": "YYYY או YYYY-MM-DD",
+ "Subjects": "נושאים",
+ "Fiction, Science, History": "פרוזה, מדע, היסטוריה",
+ "Description": "תיאור",
+ "Enter book description": "הזן תיאור ספר",
+ "Change cover image": "שנה תמונת כריכה",
+ "Replace": "החלף",
+ "Remove cover image": "הסר תמונת כריכה",
+ "Unlock cover": "בטל נעילת כריכה",
+ "Lock cover": "נעל כריכה",
+ "Auto-Retrieve Metadata": "אחזר מטא-נתונים אוטומטית",
+ "Auto-Retrieve": "אחזור אוטומטי",
+ "Unlock all fields": "בטל נעילת כל השדות",
+ "Unlock All": "בטל נעילת הכל",
+ "Lock all fields": "נעל את כל השדות",
+ "Lock All": "נעל הכל",
+ "Reset": "איפוס",
+ "Are you sure to delete the selected book?": "האם אתה בטוח שברצונך למחוק את הספר הנבחר?",
+ "Are you sure to delete the cloud backup of the selected book?": "האם אתה בטוח שברצונך למחוק את גיבוי הענן של הספר הנבחר?",
+ "Are you sure to delete the local copy of the selected book?": "האם אתה בטוח שברצונך למחוק את העותק המקומי של הספר הנבחר?",
+ "Book exported successfully.": "הספר יוצא בהצלחה.",
+ "Failed to export the book.": "ייצוא הספר נכשל.",
+ "Edit Metadata": "ערוך מטא-נתונים",
+ "Book Details": "פרטי ספר",
+ "Unknown": "לא ידוע",
+ "Delete Book Options": "אפשרויות מחיקת ספר",
+ "Remove from Cloud & Device": "הסר מהענן ומהמכשיר",
+ "Remove from Cloud Only": "הסר מהענן בלבד",
+ "Remove from Device Only": "הסר מהמכשיר בלבד",
+ "Download from Cloud": "הורד מהענן",
+ "Upload to Cloud": "העלה לענן",
+ "Export Book": "ייצא ספר",
+ "Updated": "עודכן",
+ "Added": "נוסף",
+ "File Size": "גודל קובץ",
+ "No description available": "אין תיאור זמין",
+ "Locked": "נעול",
+ "Select Metadata Source": "בחר מקור מטא-נתונים",
+ "Keep manual input": "השאר קלט ידני",
+ "Please enter a model ID": "אנא הזן מזהה מודל",
+ "Model not available or invalid": "המודל אינו זמין או לא תקין",
+ "Failed to validate model": "אימות המודל נכשל",
+ "Couldn't connect to Ollama. Is it running?": "לא ניתן להתחבר ל-Ollama. האם הוא פועל?",
+ "Invalid API key or connection failed": "מפתח API לא תקין או שהחיבור נכשל",
+ "Connection failed": "החיבור נכשל",
+ "AI Assistant": "עוזר AI",
+ "Enable AI Assistant": "הפעל עוזר AI",
+ "Provider": "ספק",
+ "Ollama (Local)": "Ollama (מקומי)",
+ "AI Gateway (Cloud)": "AI Gateway (ענן)",
+ "Ollama Configuration": "תצורת Ollama",
+ "Refresh Models": "רענן מודלים",
+ "AI Model": "מודל AI",
+ "Embedding Model": "מודל Embedding",
+ "No models detected": "לא זוהו מודלים",
+ "AI Gateway Configuration": "תצורת AI Gateway",
+ "Choose from a selection of high-quality, economical AI models. You can also bring your own model by selecting \"Custom Model\" below.": "בחר מתוך מבחר מודלי AI איכותיים וחסכוניים. אתה יכול גם להביא מודל משלך על ידי בחירה ב-\"Custom Model\" למטה.",
+ "API Key": "מפתח API",
+ "Get Key": "קבל מפתח",
+ "Model": "מודל",
+ "Custom Model...": "מודל מותאם אישית...",
+ "Custom Model ID": "מזהה מודל מותאם אישית",
+ "Validate": "אמת",
+ "Model available": "מודל זמין",
+ "Connection": "חיבור",
+ "Test Connection": "בדוק חיבור",
+ "Connected": "מחובר",
+ "Background Image": "תמונת רקע",
+ "Import Image": "ייבוא תמונה",
+ "Opacity": "אטימות",
+ "Cover": "כריכה",
+ "Contain": "הכלה (Contain)",
+ "Code Highlighting": "הדגשת קוד",
+ "Enable Highlighting": "הפעל הדגשה",
+ "Code Language": "שפת קוד",
+ "Highlight Colors": "צבעי הדגשה",
+ "Custom Colors": "צבעים מותאמים אישית",
+ "Reading Ruler": "סרגל קריאה",
+ "Enable Reading Ruler": "הפעל סרגל קריאה",
+ "Lines to Highlight": "שורות להדגשה",
+ "Ruler Color": "צבע סרגל",
+ "Theme Color": "צבע ערכת נושא",
+ "Custom": "מותאם אישית",
+ "All the world's a stage,\nAnd all the men and women merely players;\nThey have their exits and their entrances,\nAnd one man in his time plays many parts,\nHis acts being seven ages.\n\n— William Shakespeare": "כל העולם במה,\nוכל הגברים והנשים רק שחקנים הם;\nיש להם את היציאות והכניסות שלהם,\nואדם אחד בזמנו משחק תפקידים רבים,\nמעשיו הם שבעה גילאים.\n\n— ויליאם שייקספיר",
+ "(from 'As You Like It', Act II)": "(מתוך 'כטוב בעיניכם', מערכה שנייה)",
+ "Custom Theme": "ערכת נושא מותאמת אישית",
+ "Theme Name": "שם ערכת הנושא",
+ "Text Color": "צבע טקסט",
+ "Background Color": "צבע רקע",
+ "Link Color": "צבע קישור",
+ "Theme Mode": "מצב ערכת נושא",
+ "TTS Highlighting": "הדגשת TTS",
+ "Style": "סגנון",
+ "Highlighter": "מרקר",
+ "Underline": "קו תחתון",
+ "Strikethrough": "קו חוצה",
+ "Squiggly": "קו גלי",
+ "Outline": "מתאר (Outline)",
+ "Save Current Color": "שמור צבע נוכחי",
+ "Quick Colors": "צבעים מהירים",
+ "Override Book Color": "דרוס צבע ספר",
+ "None": "ללא",
+ "Scroll": "גלילה",
+ "Continuous Scroll": "גלילה רציפה",
+ "Overlap Pixels": "פיקסלים לחפיפה",
+ "Pagination": "עימוד (Pagination)",
+ "Tap to Paginate": "הקש לעימוד",
+ "Click to Paginate": "לחץ לעימוד",
+ "Tap Both Sides": "הקש בשני הצדדים",
+ "Click Both Sides": "לחץ בשני הצדדים",
+ "Swap Tap Sides": "החלף צדדי הקשה",
+ "Swap Click Sides": "החלף צדדי לחיצה",
+ "Disable Double Tap": "השבת הקשה כפולה",
+ "Disable Double Click": "השבת לחיצה כפולה",
+ "Volume Keys for Page Flip": "מקשי עוצמת קול לדפדוף",
+ "Show Page Navigation Buttons": "הצג כפתורי ניווט בעמוד",
+ "Annotation Tools": "כלי הערות",
+ "Enable Quick Actions": "הפעל פעולות מהירות",
+ "Quick Action": "פעולה מהירה",
+ "Copy to Notebook": "העתק למחברת",
+ "Animation": "אנימציה",
+ "Paging Animation": "אנימציית דפדוף",
+ "Device": "מכשיר",
+ "E-Ink Mode": "מצב E-Ink",
+ "Color E-Ink Mode": "מצב E-Ink צבעוני",
+ "Auto Screen Brightness": "בהירות מסך אוטומטית",
+ "Security": "אבטחה",
+ "Allow JavaScript": "אפשר JavaScript",
+ "Enable only if you trust the file.": "הפעל רק אם אתה בוטח בקובץ.",
+ "Font": "גופן",
+ "Custom Fonts": "גופנים מותאמים אישית",
+ "Cancel Delete": "בטל מחיקה",
+ "Delete Font": "מחק גופן",
+ "Import Font": "ייבוא גופן",
+ "Tips": "טיפים",
+ "Supported font formats: .ttf, .otf, .woff, .woff2": "פורמטי גופנים נתמכים: .ttf, .otf, .woff, .woff2",
+ "Custom fonts can be selected from the Font Face menu": "ניתן לבחור גופנים מותאמים אישית מתפריט סוגי הגופן",
+ "Global Settings": "הגדרות גלובליות",
+ "Apply to All Books": "החל על כל הספרים",
+ "Apply to This Book": "החל על ספר זה",
+ "Reset Settings": "אפס הגדרות",
+ "Clear Custom Fonts": "נקה גופנים מותאמים אישית",
+ "Manage Custom Fonts": "נהל גופנים מותאמים אישית",
+ "System Fonts": "גופני מערכת",
+ "Serif Font": "גופן סריף",
+ "Sans-Serif Font": "גופן סנס-סריף",
+ "Override Book Font": "דרוס גופן ספר",
+ "Default Font Size": "גודל גופן ברירת מחדל",
+ "Minimum Font Size": "גודל גופן מינימלי",
+ "Font Weight": "עובי גופן",
+ "Font Family": "משפחת גופנים",
+ "Default Font": "גופן ברירת מחדל",
+ "CJK Font": "גופן CJK (סינית/יפנית/קוריאנית)",
+ "Font Face": "סוג גופן (Font Face)",
+ "Monospace Font": "גופן ברוחב קבוע (Monospace)",
+ "Source and Translated": "מקור ומתורגם",
+ "Translated Only": "מתורגם בלבד",
+ "Source Only": "מקור בלבד",
+ "No Conversion": "ללא המרה",
+ "Simplified to Traditional": "מסינית מופשטת למסורתית",
+ "Traditional to Simplified": "מסינית מסורתית למופשטת",
+ "Simplified to Traditional (Taiwan)": "מסינית מופשטת למסורתית (טאיוואן)",
+ "Simplified to Traditional (Hong Kong)": "מסינית מופשטת למסורתית (הונג קונג)",
+ "Simplified to Traditional (Taiwan), with phrases": "מסינית מופשטת למסורתית (טאיוואן), עם ביטויים",
+ "Traditional (Taiwan) to Simplified": "מסינית מסורתית (טאיוואן) למופשטת",
+ "Traditional (Hong Kong) to Simplified": "מסינית מסורתית (הונג קונג) למופשטת",
+ "Traditional (Taiwan) to Simplified, with phrases": "מסינית מסורתית (טאיוואן) למופשטת, עם ביטויים",
+ "Interface Language": "שפת ממשק",
+ "Translation": "תרגום",
+ "Show Source Text": "הצג טקסט מקור",
+ "TTS Text": "טקסט להקראה (TTS)",
+ "Translation Service": "שירות תרגום",
+ "Translate To": "תרגם ל-",
+ "Punctuation": "פיסוק",
+ "Replace Quotation Marks": "החלף גרשיים",
+ "Enabled only in vertical layout.": "פעיל רק בפריסה אנכית.",
+ "Convert Simplified and Traditional Chinese": "המר סינית מופשטת ומסורתית",
+ "Convert Mode": "מצב המרה",
+ "Override Book Layout": "דרוס פריסת ספר",
+ "Writing Mode": "מצב כתיבה",
+ "Default": "ברירת מחדל",
+ "Horizontal Direction": "כיוון אופקי",
+ "Vertical Direction": "כיוון אנכי",
+ "RTL Direction": "כיוון מימין לשמאל (RTL)",
+ "Border Frame": "מסגרת",
+ "Double Border": "מסגרת כפולה",
+ "Border Color": "צבע מסגרת",
+ "Paragraph": "פסקה",
+ "Paragraph Margin": "שולי פסקה",
+ "Word Spacing": "מרווח בין מילים",
+ "Letter Spacing": "מרווח בין אותיות",
+ "Text Indent": "הזחת טקסט",
+ "Full Justification": "יישור לשני הצדדים",
+ "Hyphenation": "מיקוף (Hyphenation)",
+ "Page": "דף",
+ "Top Margin (px)": "שוליים עליונים (פיקסלים)",
+ "Bottom Margin (px)": "שוליים תחתונים (פיקסלים)",
+ "Left Margin (px)": "שוליים שמאליים (פיקסלים)",
+ "Right Margin (px)": "שוליים ימניים (פיקסלים)",
+ "Column Gap (%)": "רווח בין עמודות (%)",
+ "Maximum Number of Columns": "מספר עמודות מקסימלי",
+ "Maximum Column Height": "גובה עמודה מקסימלי",
+ "Maximum Column Width": "רוחב עמודה מקסימלי",
+ "Apply also in Scrolled Mode": "החל גם במצב גלילה",
+ "Header & Footer": "כותרת עליונה ותחתונה",
+ "Show Header": "הצג כותרת עליונה",
+ "Show Footer": "הצג כותרת תחתונה",
+ "Show Remaining Time": "הצג זמן נותר",
+ "Show Remaining Pages": "הצג דפים נותרים",
+ "Show Reading Progress": "הצג התקדמות קריאה",
+ "Reading Progress Style": "סגנון התקדמות קריאה",
+ "Page Number": "מספר דף",
+ "Percentage": "אחוזים",
+ "Tap to Toggle Footer": "הקש להצגת/הסתרת כותרת תחתונה",
+ "Screen": "מסך",
+ "Orientation": "כיוון מסך (Orientation)",
+ "Portrait": "לאורך (Portrait)",
+ "Landscape": "לרוחב (Landscape)",
+ "Custom Content CSS": "CSS מותאם אישית לתוכן",
+ "Enter CSS for book content styling...": "הזן CSS לעיצוב תוכן הספר...",
+ "Custom Reader UI CSS": "CSS מותאם אישית לממשק הקורא",
+ "Enter CSS for reader interface styling...": "הזן CSS לעיצוב ממשק הקורא...",
+ "Decrease": "הקטן",
+ "Increase": "הגדל",
+ "Layout": "פריסה",
+ "Behavior": "התנהגות",
+ "Search Settings": "חפש הגדרות",
+ "Reset {{settings}}": "אפס {{settings}}",
+ "Settings Panels": "לוחות הגדרות",
+ "Get Help from the Readest Community": "קבל עזרה מקהילת Readest",
+ "A new version of Readest is available!": "גרסה חדנה של Readest זמינה!",
+ "Readest {{newVersion}} is available (installed version {{currentVersion}}).": "Readest {{newVersion}} זמינה (הגרסה המותקנת היא {{currentVersion}}).",
+ "Download and install now?": "להוריד ולהתקין עכשיו?",
+ "Downloading {{downloaded}} of {{contentLength}}": "מוריד {{downloaded}} מתוך {{contentLength}}",
+ "Download finished": "ההורדה הסתיימה",
+ "DOWNLOAD & INSTALL": "הורד והתקן",
+ "Changelog": "יומן שינויים",
+ "Software Update": "עדכון תוכנה",
+ "What's New in Readest": "מה חדש ב-Readest",
+ "Minimize": "מזער",
+ "Maximize or Restore": "הגדל או שחזר",
+ "Failed to load subscription plans.": "טעינת תוכניות המנוי נכנלה.",
+ "Select Files": "בחר קבצים",
+ "Select Image": "בחר תמונה",
+ "Select Video": "בחר וידאו",
+ "Select Audio": "בחר אודיו",
+ "Select Fonts": "בחר גופנים",
+ "Storage": "אחסון",
+ "{{percentage}}% of Cloud Sync Space Used.": "{{percentage}}% משטח האחסון בענן בשימוש.",
+ "Translation Characters": "תווי תרגום",
+ "{{percentage}}% of Daily Translation Characters Used.": "{{percentage}}% מתווי התרגום היומיים בשימוש.",
+ "Daily translation quota reached. Upgrade your plan to continue using AI translations.": "מכסת התרגום היומית הושגה. שדרג את התוכנית שלך כדי להמשיך להשתמש בתרגומי AI.",
+ "Page Margins": "שולי עמוד",
+ "AI Provider": "ספק AI",
+ "Ollama URL": "כתובת Ollama",
+ "Ollama Model": "מודל Ollama",
+ "AI Gateway Model": "מודל AI Gateway",
+ "Actions": "פעולות",
+ "Navigation": "ניווט",
+ "LXGW WenKai GB Screen": "LXGW WenKai GB Screen",
+ "LXGW WenKai TC": "LXGW WenKai TC",
+ "GuanKiapTsingKhai-T": "GuanKiapTsingKhai-T",
+ "Source Han Serif CN": "Source Han Serif CN",
+ "Huiwen-MinchoGBK": "Huiwen-MinchoGBK",
+ "KingHwa_OldSong": "KingHwa_OldSong",
+ "Google Books": "Google Books",
+ "Open Library": "Open Library",
+ "Book not found in library": "הספר לא נמצא בספרייה",
+ "Book uploaded: {{title}}": "הספר הועלה: {{title}}",
+ "Unknown error": "שגיאה לא ידועה",
+ "Please log in to continue": "אנא התחבר כדי להמשיך",
+ "Insufficient storage quota": "מכסת אחסון לא מספקת",
+ "Failed to upload book: {{title}}": "העלאת הספר נכשלה: {{title}}",
+ "Azure Translator": "מתרגם Azure",
+ "DeepL": "DeepL",
+ "Google Translate": "Google Translate",
+ "Yandex Translate": "Yandex Translate",
+ "Gray": "אפור",
+ "Sepia": "ספיה",
+ "Grass": "ירוק דשא",
+ "Cherry": "דובדבן",
+ "Sky": "שמיים",
+ "Solarized": "סולאריזד",
+ "Gruvbox": "גרובבוקס",
+ "Nord": "נורד",
+ "Contrast": "ניגודיות",
+ "Sunset": "שקיעה",
+ "Reveal in Finder": "הצג ב-Finder",
+ "Reveal in File Explorer": "הצג בסייר הקבצים",
+ "Reveal in Folder": "הצג בתיקייה",
+ "Metadata": "מטא-נתונים",
+ "Image viewer": "מציג תמונות",
+ "Previous Image": "תמונה הקודמת",
+ "Next Image": "תמונה הבאה",
+ "Zoomed": "בזום",
+ "Zoom level": "רמת זום",
+ "Table viewer": "מציג טבלאות",
+ "Unable to connect to Readwise. Please check your network connection.": "לא ניתן להתחבר ל-Readwise. אנא בדוק את חיבור הרשת שלך.",
+ "Invalid Readwise access token": "אסימون גישה של Readwise לא חוקי",
+ "Disconnected from Readwise": "נותק מ-Readwise",
+ "Never": "לעולם לא",
+ "Readwise Settings": "הגדרות Readwise",
+ "Connected to Readwise": "מחובר ל-Readwise",
+ "Last synced: {{time}}": "סונכרן לאחרונה: {{time}}",
+ "Sync Enabled": "סנכרון מופעל",
+ "Disconnect": "נתק",
+ "Connect your Readwise account to sync highlights.": "חבר את חשבון Readwise שלך כדי לסנכרן את ההדגשות.",
+ "Get your access token at": "קבל את אסימון הגישה שלך ב-",
+ "Access Token": "אסימון גישה",
+ "Paste your Readwise access token": "הדבק את אסימון הגישה של Readwise שלך",
+ "Config": "תצורה",
+ "Readwise Sync": "סנכרון Readwise",
+ "Push Highlights": "שלח הדגשות",
+ "Highlights synced to Readwise": "ההדגשות סונכרנו ל-Readwise",
+ "Readwise sync failed: no internet connection": "סנכרון Readwise נכשל: אין חיבור לאינטרנט",
+ "Readwise sync failed: {{error}}": "סנכרון Readwise נכשל: {{error}}"
+}
diff --git a/apps/readest-app/public/locales/hi/translation.json b/apps/readest-app/public/locales/hi/translation.json
new file mode 100644
index 0000000000000000000000000000000000000000..01795854d9c2d94d960630601292072b3288f557
--- /dev/null
+++ b/apps/readest-app/public/locales/hi/translation.json
@@ -0,0 +1,1060 @@
+{
+ "(detected)": "(पता लगाया)",
+ "About Readest": "Readest के बारे में",
+ "Add your notes here...": "अपनी टिप्पणियां यहां जोड़ें...",
+ "Animation": "एनीमेशन",
+ "Annotate": "टिप्पणी",
+ "Apply": "लागू करें",
+ "Auto Mode": "स्वचालित मोड",
+ "Behavior": "व्यवहार",
+ "Book": "पुस्तक",
+ "Bookmark": "बुकमार्क",
+ "Cancel": "रद्द करें",
+ "Chapter": "अध्याय",
+ "Cherry": "चेरी",
+ "Color": "रंग",
+ "Confirm": "पुष्टि करें",
+ "Confirm Deletion": "हटाने की पुष्टि करें",
+ "Copied to notebook": "नोटबुक में कॉपी किया गया",
+ "Copy": "कॉपी",
+ "Dark Mode": "डार्क मोड",
+ "Default": "डिफ़ॉल्ट",
+ "Default Font": "डिफ़ॉल्ट फ़ॉन्ट",
+ "Default Font Size": "डिफ़ॉल्ट फ़ॉन्ट साइज़",
+ "Delete": "हटाएं",
+ "Delete Highlight": "हाइलाइट हटाएं",
+ "Dictionary": "शब्दकोश",
+ "Download Readest": "Readest डाउनलोड करें",
+ "Edit": "संपादित करें",
+ "Excerpts": "अंश",
+ "Failed to import book(s): {{filenames}}": "पुस्तक(ें) आयात करने में विफल: {{filenames}}",
+ "Fast": "तेज़",
+ "Font": "फ़ॉन्ट",
+ "Font & Layout": "फ़ॉन्ट और लेआउट",
+ "Font Face": "फ़ॉन्ट फेस",
+ "Font Family": "फ़ॉन्ट परिवार",
+ "Font Size": "फ़ॉन्ट साइज़",
+ "Full Justification": "पूर्ण जस्टिफिकेशन",
+ "Global Settings": "वैश्विक सेटिंग्स",
+ "Go Back": "वापस जाएं",
+ "Go Forward": "आगे जाएं",
+ "Grass": "घास",
+ "Gray": "ग्रे",
+ "Gruvbox": "ग्रूवबॉक्स",
+ "Highlight": "हाइलाइट",
+ "Horizontal Direction": "क्षैतिज दिशा",
+ "Hyphenation": "हाइफ़नेशन",
+ "Import Books": "पुस्तकें आयात करें",
+ "Layout": "लेआउट",
+ "Light Mode": "लाइट मोड",
+ "Loading...": "लोड हो रहा है...",
+ "Logged in": "लॉग इन किया",
+ "Logged in as {{userDisplayName}}": "{{userDisplayName}} के रूप में लॉग इन किया",
+ "Match Case": "केस मैच करें",
+ "Match Diacritics": "डायाक्रिटिक्स मैच करें",
+ "Match Whole Words": "पूरे शब्द मैच करें",
+ "Maximum Number of Columns": "कॉलम की अधिकतम संख्या",
+ "Minimum Font Size": "न्यूनतम फ़ॉन्ट साइज़",
+ "Monospace Font": "मोनोस्पेस फ़ॉन्ट",
+ "More Info": "अधिक जानकारी",
+ "Nord": "नॉर्ड",
+ "Notebook": "नोटबुक",
+ "Notes": "नोट्स",
+ "Open": "खोलें",
+ "Original Text": "मूल पाठ",
+ "Page": "पृष्ठ",
+ "Paging Animation": "पेजिंग एनीमेशन",
+ "Paragraph": "पैराग्राफ",
+ "Parallel Read": "समानांतर पढ़ें",
+ "Published": "प्रकाशित",
+ "Publisher": "प्रकाशक",
+ "Reading Progress Synced": "पढ़ने की प्रगति सिंक की गई",
+ "Reload Page": "पृष्ठ रीलोड करें",
+ "Reveal in File Explorer": "फ़ाइल एक्सप्लोरर में दिखाएं",
+ "Reveal in Finder": "फाइंडर में दिखाएं",
+ "Reveal in Folder": "फ़ोल्डर में दिखाएं",
+ "Sans-Serif Font": "सैन्स-सेरिफ फ़ॉन्ट",
+ "Save": "सहेजें",
+ "Scrolled Mode": "स्क्रॉल मोड",
+ "Search": "खोजें",
+ "Search Books...": "पुस्तकें खोजें...",
+ "Search...": "खोजें...",
+ "Select Book": "पुस्तक चुनें",
+ "Select Books": "पुस्तकें चुनें",
+ "Sepia": "सेपिया",
+ "Serif Font": "सेरिफ फ़ॉन्ट",
+ "Show Book Details": "पुस्तक विवरण दिखाएं",
+ "Sidebar": "साइडबार",
+ "Sign In": "साइन इन करें",
+ "Sign Out": "साइन आउट करें",
+ "Sky": "आकाश",
+ "Slow": "धीमा",
+ "Solarized": "सोलराइज्ड",
+ "Speak": "बोलें",
+ "Subjects": "विषय",
+ "System Fonts": "सिस्टम फ़ॉन्ट्स",
+ "Theme Color": "थीम रंग",
+ "Theme Mode": "थीम मोड",
+ "Translate": "अनुवाद करें",
+ "Translated Text": "अनुवादित पाठ",
+ "Unknown": "अज्ञात",
+ "Untitled": "शीर्षकहीन",
+ "Updated": "अपडेट किया गया",
+ "Version {{version}}": "संस्करण {{version}}",
+ "Vertical Direction": "ऊर्ध्वाधर दिशा",
+ "Welcome to your library. You can import your books here and read them anytime.": "आपकी लाइब्रेरी में आपका स्वागत है। आप यहां अपनी पुस्तकें आयात कर सकते हैं और कभी भी पढ़ सकते हैं।",
+ "Wikipedia": "विकिपीडिया",
+ "Writing Mode": "लेखन मोड",
+ "Your Library": "आपकी लाइब्रेरी",
+ "TTS not supported for PDF": "PDF के लिए TTS समर्थित नहीं है",
+ "Override Book Font": "पुस्तक फ़ॉन्ट ओवरराइड करें",
+ "Apply to All Books": "सभी पुस्तकों पर लागू करें",
+ "Apply to This Book": "इस पुस्तक पर लागू करें",
+ "Unable to fetch the translation. Try again later.": "अनुवाद प्राप्त करने में असमर्थ। बाद में पुनः प्रयास करें।",
+ "Check Update": "अपडेट जांचें",
+ "Already the latest version": "पहले से ही नवीनतम संस्करण",
+ "Book Details": "पुस्तक विवरण",
+ "From Local File": "स्थानीय फ़ाइल से",
+ "TOC": "सामग्री",
+ "Table of Contents": "सामग्री",
+ "Book uploaded: {{title}}": "पुस्तक अपलोड की गई: {{title}}",
+ "Failed to upload book: {{title}}": "पुस्तक अपलोड करने में विफल: {{title}}",
+ "Book downloaded: {{title}}": "पुस्तक डाउनलोड की गई: {{title}}",
+ "Failed to download book: {{title}}": "पुस्तक डाउनलोड करने में विफल: {{title}}",
+ "Upload Book": "पुस्तक अपलोड करें",
+ "Auto Upload Books to Cloud": "पुस्तकें बादल में स्वचालित रूप से अपलोड करें",
+ "Book deleted: {{title}}": "पुस्तक हटाई गई: {{title}}",
+ "Failed to delete book: {{title}}": "पुस्तक हटाने में विफल: {{title}}",
+ "Check Updates on Start": "शुरू में अपडेट जांचें",
+ "Insufficient storage quota": "अपर्याप्त स्टोरेज कोटा",
+ "Font Weight": "फ़ॉन्ट वजन",
+ "Line Spacing": "लाइन स्पेसिंग",
+ "Word Spacing": "शब्द स्पेसिंग",
+ "Letter Spacing": "अक्षर स्पेसिंग",
+ "Text Indent": "टेक्स्ट इंडेंट",
+ "Paragraph Margin": "पैराग्राफ मार्जिन",
+ "Override Book Layout": "पुस्तक लेआउट ओवरराइड करें",
+ "Untitled Group": "अभिनामित समूह",
+ "Group Books": "समूह पुस्तकें",
+ "Remove From Group": "समूह से हटाएं",
+ "Create New Group": "नया समूह बनाएं",
+ "Deselect Book": "पुस्तक का चयन रद्द करें",
+ "Download Book": "पुस्तक डाउनलोड करें",
+ "Deselect Group": "समूह का चयन रद्द करें",
+ "Select Group": "समूह चुनें",
+ "Keep Screen Awake": "स्क्रीन जागरूक रखें",
+ "Email address": "ईमेल पता",
+ "Your Password": "आपका पासवर्ड",
+ "Your email address": "आपका ईमेल पता",
+ "Your password": "आपका पासवर्ड",
+ "Sign in": "साइन इन करें",
+ "Signing in...": "साइन इन हो रहा है...",
+ "Sign in with {{provider}}": "{{provider}} के साथ साइन इन करें",
+ "Already have an account? Sign in": "पहले से ही एक खाता है? साइन इन करें",
+ "Create a Password": "पासवर्ड बनाएं",
+ "Sign up": "साइन अप करें",
+ "Signing up...": "साइन अप हो रहा है...",
+ "Don't have an account? Sign up": "कोई खाता नहीं है? साइन अप करें",
+ "Check your email for the confirmation link": "पुष्टि लिंक के लिए अपना ईमेल जांचें",
+ "Signing in ...": "साइन इन हो रहा है ...",
+ "Send a magic link email": "जादू लिंक ईमेल भेजें",
+ "Check your email for the magic link": "जादू लिंक के लिए अपना ईमेल जांचें",
+ "Send reset password instructions": "पासवर्ड रीसेट निर्देश भेजें",
+ "Sending reset instructions ...": "रीसेट निर्देश भेजे जा रहे हैं ...",
+ "Forgot your password?": "पासवर्ड भूल गए?",
+ "Check your email for the password reset link": "पासवर्ड रीसेट लिंक के लिए अपना ईमेल जांचें",
+ "New Password": "नया पासवर्ड",
+ "Your new password": "आपका नया पासवर्ड",
+ "Update password": "पासवर्ड अपडेट करें",
+ "Updating password ...": "पासवर्ड अपडेट किया जा रहा है ...",
+ "Your password has been updated": "आपका पासवर्ड अपडेट कर दिया गया है",
+ "Phone number": "फोन नंबर",
+ "Your phone number": "आपका फोन नंबर",
+ "Token": "टोकन",
+ "Your OTP token": "आपका ओटीपी टोकन",
+ "Verify token": "टोकन सत्यापित करें",
+ "Account": "खाता",
+ "Failed to delete user. Please try again later.": "उपयोगकर्ता को हटाने में विफल। कृपया बाद में पुनः प्रयास करें।",
+ "Community Support": "सामुदायिक सहायता",
+ "Priority Support": "प्राथमिकता सहायता",
+ "Loading profile...": "प्रोफ़ाइल लोड हो रहा है...",
+ "Delete Account": "खाता हटाएं",
+ "Delete Your Account?": "अपना खाता हटाएं?",
+ "This action cannot be undone. All your data in the cloud will be permanently deleted.": "यह क्रिया पूर्ववत नहीं की जा सकती। क्लाउड में आपका सभी डेटा स्थायी रूप से हटा दिया जाएगा।",
+ "Delete Permanently": "स्थायी रूप से हटाएं",
+ "RTL Direction": "RTL दिशा",
+ "Maximum Column Height": "कॉलम की अधिकतम ऊँचाई",
+ "Maximum Column Width": "कॉलम की अधिकतम चौड़ाई",
+ "Continuous Scroll": "निरंतर स्क्रॉल",
+ "Fullscreen": "पूर्णस्क्रीन",
+ "No supported files found. Supported formats: {{formats}}": "कोई समर्थित फ़ाइलें नहीं मिलीं। समर्थित प्रारूप: {{formats}}",
+ "Drop to Import Books": "पुस्तकें आयात करने के लिए छोड़ें",
+ "Custom": "कस्टम",
+ "All the world's a stage,\nAnd all the men and women merely players;\nThey have their exits and their entrances,\nAnd one man in his time plays many parts,\nHis acts being seven ages.\n\n— William Shakespeare": "पूरी दुनिया एक स्टेज है,\nऔर सभी आदमी और महिलाएँ केवल अभिनेता हैं;\nउनके निकास और प्रवेश होते हैं,\nऔर एक आदमी अपने समय में कई भूमिकाएँ निभाता है,\nउसके कार्य सात युग होते हैं।\n\n— विलियम शेक्सपियर",
+ "Custom Theme": "कस्टम थीम",
+ "Theme Name": "थीम का नाम",
+ "Text Color": "टेक्स्ट रंग",
+ "Background Color": "पृष्ठभूमि रंग",
+ "Preview": "पूर्वावलोकन",
+ "Contrast": "विरोधाभास",
+ "Sunset": "सनसेट",
+ "Double Border": "डबल बॉर्डर",
+ "Border Color": "बॉर्डर रंग",
+ "Border Frame": "बॉर्डर फ्रेम",
+ "Show Header": "हेडर दिखाएं",
+ "Show Footer": "फ़ुटर दिखाएं",
+ "Small": "छोटा",
+ "Large": "बड़ा",
+ "Auto": "स्वचालित",
+ "Language": "भाषा",
+ "No annotations to export": "निर्यात करने के लिए कोई टिप्पणियाँ नहीं हैं",
+ "Author": "लेखक",
+ "Exported from Readest": "Readest से निर्यात किया गया",
+ "Highlights & Annotations": "हाइलाइट और टिप्पणियाँ",
+ "Note": "टिप्पणी",
+ "Copied to clipboard": "क्लिपबोर्ड पर कॉपी किया गया",
+ "Export Annotations": "टिप्पणियाँ निर्यात करें",
+ "Auto Import on File Open": "फ़ाइल खोलने पर स्वचालित आयात",
+ "LXGW WenKai GB Screen": "LXGW WenKai SC",
+ "LXGW WenKai TC": "LXGW WenKai TC",
+ "No chapters detected": "कोई अध्याय नहीं मिला।",
+ "Failed to parse the EPUB file": "EPUB फ़ाइल को पार्स करने में विफल।",
+ "This book format is not supported": "यह पुस्तक प्रारूप समर्थित नहीं है।",
+ "Unable to fetch the translation. Please log in first and try again.": "अनुवाद प्राप्त करने में असमर्थ। कृपया पहले लॉग इन करें और पुनः प्रयास करें।",
+ "Group": "समूह",
+ "Always on Top": "सर्वोच्च पर हमेशा",
+ "No Timeout": "कोई समय समाप्त नहीं",
+ "{{value}} minute": "{{value}} मिनट",
+ "{{value}} minutes": "{{value}} मिनट",
+ "{{value}} hour": "{{value}} घंटा",
+ "{{value}} hours": "{{value}} घंटे",
+ "CJK Font": "CJK फ़ॉन्ट",
+ "Clear Search": "खोज साफ करें",
+ "Header & Footer": "हेडर और फ़ुटर",
+ "Apply also in Scrolled Mode": "स्क्रॉल मोड में भी लागू करें",
+ "A new version of Readest is available!": "Readest का एक नया संस्करण उपलब्ध है!",
+ "Readest {{newVersion}} is available (installed version {{currentVersion}}).": "Readest {{newVersion}} उपलब्ध है (स्थापित संस्करण {{currentVersion}})।",
+ "Download and install now?": "अब डाउनलोड और इंस्टॉल करें?",
+ "Downloading {{downloaded}} of {{contentLength}}": "डाउनलोड कर रहा है {{downloaded}} का {{contentLength}}",
+ "Download finished": "डाउनलोड पूरा हुआ",
+ "DOWNLOAD & INSTALL": "डाउनलोड और इंस्टॉल करें",
+ "Changelog": "चेंजलॉग",
+ "Software Update": "सॉफ़्टवेयर अपडेट",
+ "Title": "शीर्षक",
+ "Date Read": "पढ़ने की तारीख",
+ "Date Added": "जोड़ा गया दिनांक",
+ "Format": "फॉर्मेट",
+ "Ascending": "आरोही",
+ "Descending": "अवरोही",
+ "Sort by...": "द्वारा क्रमबद्ध करें...",
+ "Added": "जोड़ा गया",
+ "GuanKiapTsingKhai-T": "GuanKiapTsingKhai-T",
+ "Description": "विवरण",
+ "No description available": "कोई विवरण उपलब्ध नहीं है",
+ "List": "सूची",
+ "Grid": "ग्रिड",
+ "(from 'As You Like It', Act II)": "('जैसा आप इसे पसंद करते हैं', अधिनियम II)",
+ "Link Color": "लिंक रंग",
+ "Volume Keys for Page Flip": "पृष्ठ फ़्लिप के लिए वॉल्यूम कुंजियाँ",
+ "Screen": "स्क्रीन",
+ "Orientation": "अवयव",
+ "Portrait": "पोर्ट्रेट",
+ "Landscape": "लैंडस्केप",
+ "Open Last Book on Start": "शुरू में अंतिम पुस्तक खोलें",
+ "Checking for updates...": "अपडेट की जांच कर रहा है...",
+ "Error checking for updates": "अपडेट की जांच करते समय त्रुटि",
+ "Details": "विवरण",
+ "File Size": "फ़ाइल आकार",
+ "Auto Detect": "स्वचालित पहचान",
+ "Next Section": "अगला अनुभाग",
+ "Previous Section": "पिछला अनुभाग",
+ "Next Page": "अगला पृष्ठ",
+ "Previous Page": "पिछला पृष्ठ",
+ "Are you sure to delete {{count}} selected book(s)?_one": "क्या आप चयनित पुस्तक हटाना चाहते हैं?",
+ "Are you sure to delete {{count}} selected book(s)?_other": "क्या आप चयनित {{count}} पुस्तकें हटाना चाहते हैं?",
+ "Are you sure to delete the selected book?": "क्या आप चयनित पुस्तक हटाना चाहते हैं?",
+ "Deselect": "रद्द करें",
+ "Select All": "सब चुनें",
+ "No translation available.": "कोई अनुवाद उपलब्ध नहीं है।",
+ "Translated by {{provider}}.": "{{provider}} द्वारा अनुवादित।",
+ "DeepL": "डीपएल",
+ "Google Translate": "गूगल अनुवाद",
+ "Azure Translator": "एज़्योर अनुवादक",
+ "Invert Image In Dark Mode": "अंधेरे में छवि को उलटें",
+ "Help improve Readest": "Readest में सुधार करने में मदद करें",
+ "Sharing anonymized statistics": "सांख्यिकी साझा करना",
+ "Interface Language": "इंटरफ़ेस भाषा",
+ "Translation": "अनुवाद",
+ "Enable Translation": "अनुवाद सक्षम करें",
+ "Translation Service": "अनुवाद सेवा",
+ "Translate To": "अनुवाद करें",
+ "Disable Translation": "अनुवाद अक्षम करें",
+ "Scroll": "स्क्रॉल",
+ "Overlap Pixels": "ओवरलैप पिक्सेल",
+ "System Language": "सिस्टम भाषा",
+ "Security": "सुरक्षा",
+ "Allow JavaScript": "जावास्क्रिप्ट की अनुमति दें",
+ "Enable only if you trust the file.": "केवल तभी सक्षम करें जब आप फ़ाइल पर भरोसा करते हों।",
+ "Sort TOC by Page": "सामग्री को पृष्ठ द्वारा क्रमबद्ध करें",
+ "Search in {{count}} Book(s)..._one": "{{count}} पुस्तक में खोजें...",
+ "Search in {{count}} Book(s)..._other": "{{count}} पुस्तकों में खोजें...",
+ "No notes match your search": "कोई नोट्स नहीं मिले",
+ "Search notes and excerpts...": "नोट्स खोजें...",
+ "Sign in to Sync": "सिंक करने के लिए साइन इन करें",
+ "Synced at {{time}}": "{{time}} पर सिंक किया गया",
+ "Never synced": "कभी सिंक नहीं किया गया",
+ "Show Remaining Time": "शेष समय दिखाएं",
+ "{{time}} min left in chapter": "{{time}} मिनट शेष अध्याय में",
+ "Override Book Color": "पुस्तक रंग ओवरराइड करें",
+ "Login Required": "लॉगिन ज़रूरी",
+ "Quota Exceeded": "सीमा पार",
+ "{{percentage}}% of Daily Translation Characters Used.": "{{percentage}}% दैनिक अनुवाद वर्णों का उपयोग किया गया है।",
+ "Translation Characters": "अनुवाद वर्ण",
+ "{{engine}}: {{count}} voices_one": "{{engine}}: {{count}} आवाज़",
+ "{{engine}}: {{count}} voices_other": "{{engine}}: {{count}} आवाज़ें",
+ "Something went wrong. Don't worry, our team has been notified and we're working on a fix.": "कुछ गलत हो गया। चिंता न करें, हमारी टीम को सूचित कर दिया गया है और हम एक समाधान पर काम कर रहे हैं।",
+ "Error Details:": "त्रुटि विवरण:",
+ "Try Again": "फिर से प्रयास करें",
+ "Need help?": "मदद चाहिए?",
+ "Contact Support": "सहायता से संपर्क करें",
+ "Code Highlighting": "कोड हाइलाइटिंग",
+ "Enable Highlighting": "हाइलाइटिंग सक्षम करें",
+ "Code Language": "कोड भाषा",
+ "Top Margin (px)": "ऊपरी हाशिया (px)",
+ "Bottom Margin (px)": "निचला हाशिया (px)",
+ "Right Margin (px)": "दायां हाशिया (px)",
+ "Left Margin (px)": "बायां हाशिया (px)",
+ "Column Gap (%)": "स्तंभों के बीच की दूरी (%)",
+ "Always Show Status Bar": "स्थिति पट्टी हमेशा दिखाएं",
+ "Custom Content CSS": "सामग्री का CSS",
+ "Enter CSS for book content styling...": "पुस्तक सामग्री के लिए CSS दर्ज करें...",
+ "Custom Reader UI CSS": "इंटरफ़ेस का CSS",
+ "Enter CSS for reader interface styling...": "रीडर इंटरफ़ेस के लिए CSS दर्ज करें...",
+ "Crop": "काटें",
+ "Book Covers": "पुस्तक कवर",
+ "Fit": "फिट",
+ "Reset {{settings}}": "रीसेट {{settings}}",
+ "Reset Settings": "सेटिंग्स रीसेट करें",
+ "{{count}} pages left in chapter_one": "इस अध्याय में {{count}} पृष्ठ शेष हैं",
+ "{{count}} pages left in chapter_other": "इस अध्याय में {{count}} पृष्ठ शेष हैं",
+ "Show Remaining Pages": "शेष पृष्ठ दिखाएँ",
+ "Source Han Serif CN": "Source Han Serif",
+ "Huiwen-MinchoGBK": "Huiwen Mincho",
+ "KingHwa_OldSong": "KingHwa Song",
+ "Manage Subscription": "सदस्यता प्रबंधित करें",
+ "Coming Soon": "जल्द आ रहा है",
+ "Upgrade to {{plan}}": "{{plan}} में अपग्रेड करें",
+ "Upgrade to Plus or Pro": "Plus या Pro में अपग्रेड करें",
+ "Current Plan": "वर्तमान योजना",
+ "Plan Limits": "योजना की सीमाएँ",
+ "Processing your payment...": "आपका भुगतान संसाधित हो रहा है...",
+ "Please wait while we confirm your subscription.": "कृपया प्रतीक्षा करें, हम आपकी सदस्यता की पुष्टि कर रहे हैं।",
+ "Payment Processing": "भुगतान संसाधित हो रहा है",
+ "Your payment is being processed. This usually takes a few moments.": "आपका भुगतान संसाधित हो रहा है। इसमें कुछ क्षण लग सकते हैं।",
+ "Payment Failed": "भुगतान विफल",
+ "We couldn't process your subscription. Please try again or contact support if the issue persists.": "हम आपकी सदस्यता संसाधित नहीं कर सके। कृपया पुनः प्रयास करें या समस्या बने रहने पर सहायता से संपर्क करें।",
+ "Back to Profile": "प्रोफ़ाइल पर वापस जाएँ",
+ "Subscription Successful!": "सदस्यता सफल हुई!",
+ "Thank you for your subscription! Your payment has been processed successfully.": "आपकी सदस्यता के लिए धन्यवाद! आपका भुगतान सफलतापूर्वक संसाधित हो गया है।",
+ "Email:": "ईमेल:",
+ "Plan:": "योजना:",
+ "Amount:": "राशि:",
+ "Go to Library": "लाइब्रेरी पर जाएँ",
+ "Need help? Contact our support team at support@readest.com": "मदद चाहिए? हमारी सहायता टीम से संपर्क करें: support@readest.com",
+ "Free Plan": "मुफ्त योजना",
+ "month": "महीना",
+ "AI Translations (per day)": "AI अनुवाद (प्रतिदिन)",
+ "Plus Plan": "Plus योजना",
+ "Includes All Free Plan Benefits": "सभी मुफ्त योजना के लाभ शामिल हैं",
+ "Pro Plan": "Pro योजना",
+ "More AI Translations": "और अधिक AI अनुवाद",
+ "Complete Your Subscription": "अपनी सदस्यता पूरी करें",
+ "{{percentage}}% of Cloud Sync Space Used.": "{{percentage}}% क्लाउड सिंक स्पेस का उपयोग किया गया है।",
+ "Cloud Sync Storage": "क्लाउड सिंक स्टोरेज",
+ "Disable": "अक्षम करें",
+ "Enable": "सक्षम करें",
+ "Upgrade to Readest Premium": "Readest प्रीमियम में अपग्रेड करें",
+ "Show Source Text": "मूल पाठ दिखाएं",
+ "Cross-Platform Sync": "क्रॉस-प्लेटफ़ॉर्म सिंक",
+ "Seamlessly sync your library, progress, highlights, and notes across all your devices—never lose your place again.": "सभी डिवाइस पर लाइब्रेरी, प्रगति और नोट सिंक करें।",
+ "Customizable Reading": "अनुकूलन योग्य पढ़ाई",
+ "Personalize every detail with adjustable fonts, layouts, themes, and advanced display settings for the perfect reading experience.": "फॉन्ट, लेआउट और थीम अपनी पसंद से बदलें।",
+ "AI Read Aloud": "एआई वाचन",
+ "Enjoy hands-free reading with natural-sounding AI voices that bring your books to life.": "प्राकृतिक एआई आवाज़ों में किताबें सुनें।",
+ "AI Translations": "एआई अनुवाद",
+ "Translate any text instantly with the power of Google, Azure, or DeepL—understand content in any language.": "Google, Azure या DeepL से तुरंत अनुवाद करें।",
+ "Connect with fellow readers and get help fast in our friendly community channels.": "समुदाय से जुड़ें और सहायता पाएं।",
+ "Unlimited AI Read Aloud Hours": "असीमित एआई वाचन",
+ "Listen without limits—convert as much text as you like into immersive audio.": "जितना चाहें उतना ऑडियो में सुनें।",
+ "Unlock enhanced translation capabilities with more daily usage and advanced options.": "अधिक अनुवाद और उन्नत विकल्प पाएं।",
+ "DeepL Pro Access": "DeepL प्रो एक्सेस",
+ "Enjoy faster responses and dedicated assistance whenever you need help.": "प्राथमिक सहायता पाएं।",
+ "Daily translation quota reached. Upgrade your plan to continue using AI translations.": "दैनिक सीमा पूरी हुई। योजना बढ़ाएं।",
+ "Includes All Plus Plan Benefits": "सभी प्लस प्लान लाभ शामिल",
+ "Early Feature Access": "नई सुविधाओं की पहले पहुंच",
+ "Be the first to explore new features, updates, and innovations before anyone else.": "नई सुविधाएं, अपडेट और नवाचार सबसे पहले देखें।",
+ "Advanced AI Tools": "उन्नत AI उपकरण",
+ "Harness powerful AI tools for smarter reading, translation, and content discovery.": "स्मार्ट पढ़ने, अनुवाद और कंटेंट खोजने के लिए शक्तिशाली AI उपकरण का उपयोग करें।",
+ "Translate up to 100,000 characters daily with the most accurate translation engine available.": "सबसे सटीक अनुवाद इंजन के साथ दैनिक 1 लाख तक अक्षर अनुवाद करें।",
+ "Translate up to 500,000 characters daily with the most accurate translation engine available.": "सबसे सटीक अनुवाद इंजन के साथ दैनिक 5 लाख तक अक्षर अनुवाद करें।",
+ "Securely store and access your entire reading collection with up to 5 GB of cloud storage.": "5 GB सुरक्षित क्लाउड स्टोरेज के साथ अपना संपूर्ण पठन संग्रह संग्रहीत करें।",
+ "Securely store and access your entire reading collection with up to 20 GB of cloud storage.": "20 GB सुरक्षित क्लाउड स्टोरेज के साथ अपना संपूर्ण पठन संग्रह संग्रहीत करें।",
+ "Deleted cloud backup of the book: {{title}}": "पुस्तक का क्लाउड बैकअप हटाया गया: {{title}}",
+ "Are you sure to delete the cloud backup of the selected book?": "क्या आप सुनिश्चित हैं कि आप चयनित पुस्तक का क्लाउड बैकअप हटाना चाहते हैं?",
+ "What's New in Readest": "Readest में नया क्या है",
+ "Enter book title": "पुस्तक का शीर्षक दर्ज करें",
+ "Subtitle": "उपशीर्षक",
+ "Enter book subtitle": "पुस्तक का उपशीर्षक दर्ज करें",
+ "Enter author name": "लेखक का नाम दर्ज करें",
+ "Series": "श्रृंखला",
+ "Enter series name": "श्रृंखला का नाम दर्ज करें",
+ "Series Index": "श्रृंखला संख्या",
+ "Enter series index": "श्रृंखला संख्या दर्ज करें",
+ "Total in Series": "श्रृंखला में कुल",
+ "Enter total books in series": "श्रृंखला में कुल पुस्तकों की संख्या दर्ज करें",
+ "Enter publisher": "प्रकाशक का नाम दर्ज करें",
+ "Publication Date": "प्रकाशन दिनांक",
+ "Identifier": "पहचानकर्ता",
+ "Enter book description": "पुस्तक का विवरण दर्ज करें",
+ "Change cover image": "कवर इमेज बदलें",
+ "Replace": "बदलें",
+ "Unlock cover": "कवर अनलॉक करें",
+ "Lock cover": "कवर लॉक करें",
+ "Auto-Retrieve Metadata": "मेटाडेटा स्वचालित रूप से प्राप्त करें",
+ "Auto-Retrieve": "स्वचालित प्राप्ति",
+ "Unlock all fields": "सभी फील्ड अनलॉक करें",
+ "Unlock All": "सभी अनलॉक करें",
+ "Lock all fields": "सभी फील्ड लॉक करें",
+ "Lock All": "सभी लॉक करें",
+ "Reset": "रीसेट",
+ "Edit Metadata": "मेटाडेटा संपादित करें",
+ "Locked": "लॉक है",
+ "Select Metadata Source": "मेटाडेटा स्रोत चुनें",
+ "Keep manual input": "मैन्युअल इनपुट रखें",
+ "Google Books": "गूगल बुक्स",
+ "Open Library": "ओपन लाइब्रेरी",
+ "Fiction, Science, History": "काल्पनिक, विज्ञान, इतिहास",
+ "Open Book in New Window": "नई विंडो में पुस्तक खोलें",
+ "Voices for {{lang}}": "{{lang}} के लिए आवाज़ें",
+ "Yandex Translate": "यांडेक्स अनुवाद",
+ "YYYY or YYYY-MM-DD": "YYYY या YYYY-MM-DD",
+ "Restore Purchase": "खरीदारी पुनर्स्थापित करें",
+ "No purchases found to restore.": "पुनर्स्थापित करने के लिए कोई खरीदारी नहीं मिली।",
+ "Failed to restore purchases.": "खरीदारी पुनर्स्थापित करने में विफल।",
+ "Failed to manage subscription.": "सदस्यता प्रबंधित करने में विफल।",
+ "Failed to load subscription plans.": "सदस्यता योजनाएँ लोड करने में विफल।",
+ "year": "वर्ष",
+ "Failed to create checkout session": "चेकआउट सत्र बनाने में विफल",
+ "Storage": "भंडारण",
+ "Terms of Service": "सेवा की शर्तें",
+ "Privacy Policy": "गोपनीयता नीति",
+ "Disable Double Click": "डबल क्लिक अक्षम करें",
+ "TTS not supported for this document": "TTS इस दस्तावेज़ के लिए समर्थित नहीं है",
+ "Reset Password": "पासवर्ड रीसेट करें",
+ "Show Reading Progress": "पढ़ने की प्रगति दिखाएं",
+ "Reading Progress Style": "पढ़ने की प्रगति शैली",
+ "Page Number": "पृष्ठ संख्या",
+ "Percentage": "प्रतिशत",
+ "Deleted local copy of the book: {{title}}": "पुस्तक की स्थानीय प्रति हटाई गई: {{title}}",
+ "Failed to delete cloud backup of the book: {{title}}": "पुस्तक का क्लाउड बैकअप हटाने में विफल: {{title}}",
+ "Failed to delete local copy of the book: {{title}}": "पुस्तक की स्थानीय प्रति हटाने में विफल: {{title}}",
+ "Are you sure to delete the local copy of the selected book?": "क्या आप सुनिश्चित हैं कि आप चयनित पुस्तक की स्थानीय प्रति हटाना चाहते हैं?",
+ "Remove from Cloud & Device": "क्लाउड और डिवाइस से हटाएँ",
+ "Remove from Cloud Only": "केवल क्लाउड से हटाएँ",
+ "Remove from Device Only": "केवल डिवाइस से हटाएँ",
+ "Disconnected": "अविचलित",
+ "KOReader Sync Settings": "KOReader सिंक सेटिंग्स",
+ "Sync Strategy": "सिंक रणनीति",
+ "Ask on conflict": "संघर्ष पर पूछें",
+ "Always use latest": "हमेशा नवीनतम का उपयोग करें",
+ "Send changes only": "केवल परिवर्तन भेजें",
+ "Receive changes only": "केवल परिवर्तन प्राप्त करें",
+ "Checksum Method": "चेकसम विधि",
+ "File Content (recommended)": "फाइल सामग्री (अनुशंसित)",
+ "File Name": "फाइल नाम",
+ "Device Name": "डिवाइस नाम",
+ "Connect to your KOReader Sync server.": "अपने KOReader सिंक सर्वर से कनेक्ट करें।",
+ "Server URL": "सर्वर यूआरएल",
+ "Username": "उपयोगकर्ता नाम",
+ "Your Username": "आपका उपयोगकर्ता नाम",
+ "Password": "पासवर्ड",
+ "Connect": "कनेक्ट करें",
+ "KOReader Sync": "KOReader सिंक",
+ "Sync Conflict": "सिंक संघर्ष",
+ "Sync reading progress from \"{{deviceName}}\"?": "क्या आप \"{{deviceName}}\" से पढ़ने की प्रगति को सिंक करना चाहते हैं?",
+ "another device": "दूसरा डिवाइस",
+ "Local Progress": "स्थानीय प्रगति",
+ "Remote Progress": "दूरस्थ प्रगति",
+ "Page {{page}} of {{total}} ({{percentage}}%)": "पृष्ठ {{page}} कुल {{total}} ({{percentage}}%)",
+ "Current position": "वर्तमान स्थिति",
+ "Approximately page {{page}} of {{total}} ({{percentage}}%)": "लगभग पृष्ठ {{page}} कुल {{total}} ({{percentage}}%)",
+ "Approximately {{percentage}}%": "लगभग {{percentage}}%",
+ "Failed to connect": "कनेक्ट करने में विफल",
+ "Sync Server Connected": "सिंक सर्वर कनेक्टेड",
+ "Sync as {{userDisplayName}}": "सिंक के रूप में {{userDisplayName}}",
+ "Custom Fonts": "कस्टम फ़ॉन्ट",
+ "Cancel Delete": "डिलीट रद्द करें",
+ "Import Font": "फ़ॉन्ट आयात करें",
+ "Delete Font": "फ़ॉन्ट डिलीट करें",
+ "Tips": "सुझाव",
+ "Custom fonts can be selected from the Font Face menu": "कस्टम फ़ॉन्ट को फ़ॉन्ट फेस मेनू से चुना जा सकता है",
+ "Manage Custom Fonts": "कस्टम फ़ॉन्ट प्रबंधन",
+ "Select Files": "फ़ाइलें चुनें",
+ "Select Image": "छवि चुनें",
+ "Select Video": "वीडियो चुनें",
+ "Select Audio": "ऑडियो चुनें",
+ "Select Fonts": "फ़ॉन्ट चुनें",
+ "Supported font formats: .ttf, .otf, .woff, .woff2": "समर्थित फ़ॉन्ट प्रारूप: .ttf, .otf, .woff, .woff2",
+ "Push Progress": "पुश प्रगति",
+ "Pull Progress": "पुल प्रगति",
+ "Previous Paragraph": "पिछला पैराग्राफ",
+ "Previous Sentence": "पिछला वाक्य",
+ "Pause": "रोकें",
+ "Play": "चलाएं",
+ "Next Sentence": "अगला वाक्य",
+ "Next Paragraph": "अगला पैराग्राफ",
+ "Separate Cover Page": "अलग कवर पृष्ठ",
+ "Resize Notebook": "नोटबुक का आकार बदलें",
+ "Resize Sidebar": "साइडबार का आकार बदलें",
+ "Get Help from the Readest Community": "Readest समुदाय से मदद लें",
+ "Remove cover image": "कवर इमेज हटाएं",
+ "Bookshelf": "पुस्तक शेल्फ",
+ "View Menu": "मेनू देखें",
+ "Settings Menu": "सेटिंग्स मेनू",
+ "View account details and quota": "खाता विवरण और कोटा देखें",
+ "Library Header": "पुस्तकालय शीर्षक",
+ "Book Content": "पुस्तक की सामग्री",
+ "Footer Bar": "फुटर बार",
+ "Header Bar": "हेडर बार",
+ "View Options": "देखने के विकल्प",
+ "Book Menu": "पुस्तक मेनू",
+ "Search Options": "खोज विकल्प",
+ "Close": "बंद करें",
+ "Delete Book Options": "पुस्तक हटाने के विकल्प",
+ "ON": "चालू",
+ "OFF": "बंद",
+ "Reading Progress": "पढ़ने की प्रगति",
+ "Page Margin": "पृष्ठ का मार्जिन",
+ "Remove Bookmark": "मार्कर हटाएं",
+ "Add Bookmark": "मार्कर जोड़ें",
+ "Books Content": "पुस्तकों की सामग्री",
+ "Jump to Location": "स्थान पर जाएं",
+ "Unpin Notebook": "नोटबुक अनपिन करें",
+ "Pin Notebook": "नोटबुक पिन करें",
+ "Hide Search Bar": "खोज बार छिपाएं",
+ "Show Search Bar": "खोज बार दिखाएं",
+ "On {{current}} of {{total}} page": "पृष्ठ {{current}} कुल {{total}} पर",
+ "Section Title": "अनुभाग शीर्षक",
+ "Decrease": "कम करें",
+ "Increase": "बढ़ाएं",
+ "Settings Panels": "सेटिंग्स पैनल",
+ "Settings": "सेटिंग्स",
+ "Unpin Sidebar": "साइडबार अनपिन करें",
+ "Pin Sidebar": "साइडबार पिन करें",
+ "Toggle Sidebar": "साइडबार टॉगल करें",
+ "Toggle Translation": "अनुवाद टॉगल करें",
+ "Translation Disabled": "अनुवाद अक्षम",
+ "Minimize": "न्यूनतम करें",
+ "Maximize or Restore": "अधिकतम या पुनर्स्थापित करें",
+ "Exit Parallel Read": "पैरालल रीड से बाहर निकलें",
+ "Enter Parallel Read": "पैरालल रीड में प्रवेश करें",
+ "Zoom Level": "ज़ूम स्तर",
+ "Zoom Out": "ज़ूम आउट",
+ "Reset Zoom": "ज़ूम रीसेट करें",
+ "Zoom In": "ज़ूम इन",
+ "Zoom Mode": "ज़ूम मोड",
+ "Single Page": "एकल पृष्ठ",
+ "Auto Spread": "स्वचालित फैलाव",
+ "Fit Page": "पृष्ठ में फिट करें",
+ "Fit Width": "चौड़ाई में फिट करें",
+ "Failed to select directory": "निर्देशिका का चयन करने में विफल",
+ "The new data directory must be different from the current one.": "नया डेटा निर्देशिका वर्तमान से भिन्न होना चाहिए।",
+ "Migration failed: {{error}}": "माइग्रेशन विफल: {{error}}",
+ "Change Data Location": "डेटा स्थान बदलें",
+ "Current Data Location": "वर्तमान डेटा स्थान",
+ "Total size: {{size}}": "कुल आकार: {{size}}",
+ "Calculating file info...": "फ़ाइल जानकारी की गणना कर रहे हैं...",
+ "New Data Location": "नया डेटा स्थान",
+ "Choose Different Folder": "विभिन्न फ़ोल्डर चुनें",
+ "Choose New Folder": "नया फ़ोल्डर चुनें",
+ "Migrating data...": "डेटा माइग्रेट कर रहे हैं...",
+ "Copying: {{file}}": "कॉपी कर रहे हैं: {{file}}",
+ "{{current}} of {{total}} files": "{{current}} में से {{total}} फ़ाइलें",
+ "Migration completed successfully!": "माइग्रेशन सफलतापूर्वक पूरा हुआ!",
+ "Your data has been moved to the new location. Please restart the application to complete the process.": "आपका डेटा नए स्थान पर स्थानांतरित कर दिया गया है। कृपया प्रक्रिया को पूरा करने के लिए एप्लिकेशन को पुनरारंभ करें।",
+ "Migration failed": "माइग्रेशन विफल",
+ "Important Notice": "महत्वपूर्ण सूचना",
+ "This will move all your app data to the new location. Make sure the destination has enough free space.": "यह आपके सभी ऐप डेटा को नए स्थान पर स्थानांतरित कर देगा। सुनिश्चित करें कि गंतव्य में पर्याप्त खाली स्थान है।",
+ "Restart App": "एप्लिकेशन पुनरारंभ करें",
+ "Start Migration": "माइग्रेशन प्रारंभ करें",
+ "Advanced Settings": "उन्नत सेटिंग्स",
+ "File count: {{size}}": "फ़ाइलों की संख्या: {{size}}",
+ "Background Read Aloud": "पृष्ठभूमि में वाचन",
+ "Ready to read aloud": "उच्च स्वर में पढ़ने के लिए तैयार",
+ "Read Aloud": "उच्च स्वर में पढ़ें",
+ "Screen Brightness": "स्क्रीन ब्राइटनेस",
+ "Background Image": "पृष्ठभूमि छवि",
+ "Import Image": "छवि आयात करें",
+ "Opacity": "अस्पष्टता",
+ "Size": "आकार",
+ "Cover": "कवर",
+ "Contain": "समाहित करें",
+ "{{number}} pages left in chapter": "इस अध्याय में {{number}} पृष्ठ शेष हैं",
+ "Device": "डिवाइस",
+ "E-Ink Mode": "ई-इंक मोड",
+ "Highlight Colors": "हाइलाइट रंग",
+ "Auto Screen Brightness": "स्वचालित स्क्रीन ब्राइटनेस",
+ "Pagination": "पृष्ठांकन",
+ "Disable Double Tap": "डबल टैप अक्षम करें",
+ "Tap to Paginate": "पृष्ठांकन के लिए टैप करें",
+ "Click to Paginate": "पृष्ठांकन के लिए क्लिक करें",
+ "Tap Both Sides": "दोनों पक्षों पर टैप करें",
+ "Click Both Sides": "दोनों पक्षों पर क्लिक करें",
+ "Swap Tap Sides": "स्वैप टैप साइड्स",
+ "Swap Click Sides": "स्वैप क्लिक साइड्स",
+ "Source and Translated": "स्रोत और अनुवादित",
+ "Translated Only": "केवल अनुवादित",
+ "Source Only": "केवल स्रोत",
+ "TTS Text": "TTS टेक्स्ट",
+ "The book file is corrupted": "पुस्तक फ़ाइल भ्रष्ट है।",
+ "The book file is empty": "पुस्तक फ़ाइल खाली है।",
+ "Failed to open the book file": "पुस्तक फ़ाइल खोलने में विफल।",
+ "On-Demand Purchase": "आवश्यकता के अनुसार खरीदारी",
+ "Full Customization": "पूर्ण अनुकूलन",
+ "Lifetime Plan": "जीवनकाल योजना",
+ "One-Time Payment": "एक बार का भुगतान",
+ "Make a single payment to enjoy lifetime access to specific features on all devices. Purchase specific features or services only when you need them.": "सभी उपकरणों पर विशिष्ट सुविधाओं तक जीवनकाल पहुंच का आनंद लेने के लिए एक बार का भुगतान करें। जब आपको उनकी आवश्यकता हो, तो केवल विशिष्ट सुविधाओं या सेवाओं को खरीदें।",
+ "Expand Cloud Sync Storage": "क्लाउड सिंक स्टोरेज का विस्तार करें",
+ "Expand your cloud storage forever with a one-time purchase. Each additional purchase adds more space.": "एक बार के खरीदारी के साथ अपने क्लाउड स्टोरेज का विस्तार करें। प्रत्येक अतिरिक्त खरीदारी अधिक स्थान जोड़ती है।",
+ "Unlock All Customization Options": "सभी अनुकूलन विकल्प अनलॉक करें",
+ "Unlock additional themes, fonts, layout options and read aloud, translators, cloud storage services.": "अतिरिक्त थीम, फ़ॉन्ट, लेआउट विकल्प और पढ़ने के लिए, अनुवादक, क्लाउड स्टोरेज सेवाएँ अनलॉक करें।",
+ "Purchase Successful!": "खरीदारी सफल!",
+ "lifetime": "जीवनकाल",
+ "Thank you for your purchase! Your payment has been processed successfully.": "आपकी खरीदारी के लिए धन्यवाद! आपका भुगतान सफलतापूर्वक संसाधित हो गया है।",
+ "Order ID:": "ऑर्डर आईडी:",
+ "TTS Highlighting": "TTS हाइलाइटिंग",
+ "Style": "शैली",
+ "Underline": "रेखांकित",
+ "Strikethrough": "रेखांकित करें",
+ "Squiggly": "स्क्विगली",
+ "Outline": "आउटलाइन",
+ "Save Current Color": "वर्तमान रंग सहेजें",
+ "Quick Colors": "त्वरित रंग",
+ "Highlighter": "हाइलाइटर",
+ "Save Book Cover": "बुक कवर सहेजें",
+ "Auto-save last book cover": "अंतिम पुस्तक कवर को स्वचालित रूप से सहेजें",
+ "Back": "वापस",
+ "Confirmation email sent! Please check your old and new email addresses to confirm the change.": "पुष्टिकरण ईमेल भेज दिया गया है! कृपया परिवर्तन की पुष्टि करने के लिए अपना पुराना और नया ईमेल पता जांचें।",
+ "Failed to update email": "ईमेल अपडेट करने में विफल",
+ "New Email": "नया ईमेल",
+ "Your new email": "आपका नया ईमेल",
+ "Updating email ...": "ईमेल अपडेट किया जा रहा है ...",
+ "Update email": "ईमेल अपडेट करें",
+ "Current email": "वर्तमान ईमेल",
+ "Update Email": "ईमेल अपडेट करें",
+ "All": "सभी",
+ "Unable to open book": "पुस्तक खोलने में असमर्थ",
+ "Punctuation": "विराम चिह्न",
+ "Replace Quotation Marks": "उद्धरण चिह्न बदलें",
+ "Enabled only in vertical layout.": "केवल ऊर्ध्वाधर लेआउट में सक्षम।",
+ "No Conversion": "कोई रूपांतरण नहीं",
+ "Simplified to Traditional": "सरलीकृत → पारंपरिक",
+ "Traditional to Simplified": "पारंपरिक → सरलीकृत",
+ "Simplified to Traditional (Taiwan)": "सरलीकृत → पारंपरिक (ताइवान)",
+ "Simplified to Traditional (Hong Kong)": "सरलीकृत → पारंपरिक (हांगकांग)",
+ "Simplified to Traditional (Taiwan), with phrases": "सरलीकृत → पारंपरिक (ताइवान • वाक्यांश)",
+ "Traditional (Taiwan) to Simplified": "पारंपरिक (ताइवान) → सरलीकृत",
+ "Traditional (Hong Kong) to Simplified": "पारंपरिक (हांगकांग) → सरलीकृत",
+ "Traditional (Taiwan) to Simplified, with phrases": "पारंपरिक (ताइवान • वाक्यांश) → सरलीकृत",
+ "Convert Simplified and Traditional Chinese": "सरलीकृत/पारंपरिक चीनी रूपांतरण",
+ "Convert Mode": "रूपांतरण मोड",
+ "Failed to auto-save book cover for lock screen: {{error}}": "लॉक स्क्रीन के लिए पुस्तक कवर स्वचालित रूप से सहेजने में विफल: {{error}}",
+ "Download from Cloud": "क्लाउड से डाउनलोड करें",
+ "Upload to Cloud": "क्लाउड पर अपलोड करें",
+ "Clear Custom Fonts": "कस्टम फ़ॉन्ट साफ़ करें",
+ "Columns": "कॉलम",
+ "OPDS Catalogs": "OPDS कैटलॉग",
+ "Adding LAN addresses is not supported in the web app version.": "वेब ऐप संस्करण में LAN पता जोड़ना समर्थित नहीं है।",
+ "Invalid OPDS catalog. Please check the URL.": "अमान्य OPDS कैटलॉग। कृपया URL जांचें।",
+ "Browse and download books from online catalogs": "ऑनलाइन कैटलॉग से किताबें ब्राउज़ और डाउनलोड करें",
+ "My Catalogs": "मेरे कैटलॉग",
+ "Add Catalog": "कैटलॉग जोड़ें",
+ "No catalogs yet": "अभी कोई कैटलॉग नहीं",
+ "Add your first OPDS catalog to start browsing books": "किताबें ब्राउज़ करने के लिए अपना पहला OPDS कैटलॉग जोड़ें",
+ "Add Your First Catalog": "अपना पहला कैटलॉग जोड़ें",
+ "Browse": "ब्राउज़",
+ "Popular Catalogs": "लोकप्रिय कैटलॉग",
+ "Add": "जोड़ें",
+ "Add OPDS Catalog": "OPDS कैटलॉग जोड़ें",
+ "Catalog Name": "कैटलॉग नाम",
+ "My Calibre Library": "मेरी Calibre लाइब्रेरी",
+ "OPDS URL": "OPDS URL",
+ "Username (optional)": "यूज़रनेम (वैकल्पिक)",
+ "Password (optional)": "पासवर्ड (वैकल्पिक)",
+ "Description (optional)": "विवरण (वैकल्पिक)",
+ "A brief description of this catalog": "इस कैटलॉग का संक्षिप्त विवरण",
+ "Validating...": "मान्य किया जा रहा है...",
+ "View All": "सभी देखें",
+ "Forward": "आगे",
+ "Home": "होम",
+ "{{count}} items_one": "{{count}} आइटम",
+ "{{count}} items_other": "{{count}} आइटम",
+ "Download completed": "डाउनलोड पूरा हुआ",
+ "Download failed": "डाउनलोड विफल हुआ",
+ "Open Access": "ओपन एक्सेस",
+ "Borrow": "उधार लें",
+ "Buy": "खरीदें",
+ "Subscribe": "सदस्यता लें",
+ "Sample": "नमूना",
+ "Download": "डाउनलोड",
+ "Open & Read": "खोलें और पढ़ें",
+ "Tags": "टैग",
+ "Tag": "टैग",
+ "First": "पहला",
+ "Previous": "पिछला",
+ "Next": "अगला",
+ "Last": "अंतिम",
+ "Cannot Load Page": "पृष्ठ लोड नहीं किया जा सका",
+ "An error occurred": "एक त्रुटि हुई",
+ "Online Library": "ऑनलाइन लाइब्रेरी",
+ "URL must start with http:// or https://": "URL http:// या https:// से शुरू होना चाहिए",
+ "Title, Author, Tag, etc...": "शीर्षक, लेखक, टैग, आदि...",
+ "Query": "प्रश्न",
+ "Subject": "विषय",
+ "Enter {{terms}}": "{{terms}} दर्ज करें",
+ "No search results found": "कोई खोज परिणाम नहीं मिला",
+ "Failed to load OPDS feed: {{status}} {{statusText}}": "OPDS फ़ीड लोड करने में विफल: {{status}} {{statusText}}",
+ "Search in {{title}}": "{{title}} में खोजें",
+ "Manage Storage": "स्टोरेज प्रबंधित करें",
+ "Failed to load files": "फ़ाइलें लोड करने में विफल",
+ "Deleted {{count}} file(s)_one": "{{count}} फ़ाइल हटाई गई",
+ "Deleted {{count}} file(s)_other": "{{count}} फ़ाइलें हटाई गईं",
+ "Failed to delete {{count}} file(s)_one": "{{count}} फ़ाइल हटाने में विफल",
+ "Failed to delete {{count}} file(s)_other": "{{count}} फ़ाइलें हटाने में विफल",
+ "Failed to delete files": "फ़ाइलें हटाने में विफल",
+ "Total Files": "कुल फ़ाइलें",
+ "Total Size": "कुल आकार",
+ "Quota": "कोटा",
+ "Used": "उपयोग किया गया",
+ "Files": "फ़ाइलें",
+ "Search files...": "फ़ाइलें खोजें...",
+ "Newest First": "नवीनतम पहले",
+ "Oldest First": "सबसे पुराने पहले",
+ "Largest First": "सबसे बड़ी पहले",
+ "Smallest First": "सबसे छोटी पहले",
+ "Name A-Z": "नाम A-Z",
+ "Name Z-A": "नाम Z-A",
+ "{{count}} selected_one": "{{count}} चयनित",
+ "{{count}} selected_other": "{{count}} चयनित",
+ "Delete Selected": "चयनित हटाएँ",
+ "Created": "बनाई गई",
+ "No files found": "कोई फ़ाइल नहीं मिली",
+ "No files uploaded yet": "अभी तक कोई फ़ाइल अपलोड नहीं की गई",
+ "files": "फ़ाइलें",
+ "Page {{current}} of {{total}}": "पृष्ठ {{current}} / {{total}}",
+ "Are you sure to delete {{count}} selected file(s)?_one": "क्या आप वाकई {{count}} चयनित फ़ाइल हटाना चाहते हैं?",
+ "Are you sure to delete {{count}} selected file(s)?_other": "क्या आप वाकई {{count}} चयनित फ़ाइलें हटाना चाहते हैं?",
+ "Cloud Storage Usage": "क्लाउड स्टोरेज उपयोग",
+ "Rename Group": "समूह का नाम बदलें",
+ "From Directory": "निर्देशिका से",
+ "Successfully imported {{count}} book(s)_one": "सफलतापूर्वक 1 पुस्तक आयात की गई",
+ "Successfully imported {{count}} book(s)_other": "सफलतापूर्वक {{count}} पुस्तकों का आयात किया गया",
+ "Count": "गणना",
+ "Start Page": "प्रारंभ पृष्ठ",
+ "Search in OPDS Catalog...": "OPDS कैटलॉग में खोजें...",
+ "Please log in to use advanced TTS features": "उन्नत TTS सुविधाओं का उपयोग करने के लिए कृपया लॉग इन करें।",
+ "Word limit of 30 words exceeded.": "30 शब्दों की सीमा पार हो गई है।",
+ "Proofread": "प्रूफ़रीड",
+ "Current selection": "वर्तमान चयन",
+ "All occurrences in this book": "इस पुस्तक में सभी स्थान",
+ "All occurrences in your library": "आपकी लाइब्रेरी में सभी स्थान",
+ "Selected text:": "चयनित पाठ:",
+ "Replace with:": "से बदलें:",
+ "Enter text...": "पाठ दर्ज करें…",
+ "Case sensitive:": "अक्षर संवेदनशील:",
+ "Scope:": "क्षेत्र:",
+ "Selection": "चयन",
+ "Library": "लाइब्रेरी",
+ "Yes": "हाँ",
+ "No": "नहीं",
+ "Proofread Replacement Rules": "प्रूफ़रीड प्रतिस्थापन नियम",
+ "Selected Text Rules": "चयनित पाठ के नियम",
+ "No selected text replacement rules": "चयनित पाठ के लिए कोई प्रतिस्थापन नियम नहीं हैं",
+ "Book Specific Rules": "पुस्तक-विशिष्ट नियम",
+ "No book-level replacement rules": "पुस्तक स्तर पर कोई प्रतिस्थापन नियम नहीं हैं",
+ "Disable Quick Action": "त्वरित क्रिया अक्षम करें",
+ "Enable Quick Action on Selection": "चयन पर त्वरित क्रिया सक्षम करें",
+ "None": "कोई नहीं",
+ "Annotation Tools": "टिप्पणी उपकरण",
+ "Enable Quick Actions": "त्वरित क्रियाएँ सक्षम करें",
+ "Quick Action": "त्वरित क्रिया",
+ "Copy to Notebook": "नोटबुक में कॉपी करें",
+ "Copy text after selection": "पाठ कॉपी करें चयन के बाद",
+ "Highlight text after selection": "चयन के बाद पाठ हाइलाइट करें",
+ "Annotate text after selection": "चयन के बाद पाठ पर टिप्पणी करें",
+ "Search text after selection": "चयन के बाद पाठ खोजें",
+ "Look up text in dictionary after selection": "चयन के बाद शब्दकोश में पाठ देखें",
+ "Look up text in Wikipedia after selection": "चयन के बाद विकिपीडिया में पाठ देखें",
+ "Translate text after selection": "चयन के बाद पाठ का अनुवाद करें",
+ "Read text aloud after selection": "चयन के बाद पाठ को जोर से पढ़ें",
+ "Proofread text after selection": "चयन के बाद पाठ को प्रूफरीड करें",
+ "{{activeCount}} active, {{pendingCount}} pending": "{{activeCount}} सक्रिय, {{pendingCount}} लंबित",
+ "{{failedCount}} failed": "{{failedCount}} विफल",
+ "Waiting...": "प्रतीक्षा कर रहे हैं...",
+ "Failed": "विफल",
+ "Completed": "पूर्ण",
+ "Cancelled": "रद्द",
+ "Retry": "पुनः प्रयास करें",
+ "Active": "सक्रिय",
+ "Transfer Queue": "स्थानांतरण कतार",
+ "Upload All": "सभी अपलोड करें",
+ "Download All": "सभी डाउनलोड करें",
+ "Resume Transfers": "स्थानांतरण जारी रखें",
+ "Pause Transfers": "स्थानांतरण रोकें",
+ "Pending": "लंबित",
+ "No transfers": "कोई स्थानांतरण नहीं",
+ "Retry All": "सभी पुनः प्रयास करें",
+ "Clear Completed": "पूर्ण साफ़ करें",
+ "Clear Failed": "विफल साफ़ करें",
+ "Upload queued: {{title}}": "अपलोड कतार में: {{title}}",
+ "Download queued: {{title}}": "डाउनलोड कतार में: {{title}}",
+ "Book not found in library": "पुस्तकालय में पुस्तक नहीं मिली",
+ "Unknown error": "अज्ञात त्रुटि",
+ "Please log in to continue": "जारी रखने के लिए लॉगिन करें",
+ "Cloud File Transfers": "क्लाउड फ़ाइल स्थानांतरण",
+ "Show Search Results": "खोज परिणाम दिखाएं",
+ "Search results for '{{term}}'": "'{{term}}' के परिणाम",
+ "Close Search": "खोज बंद करें",
+ "Previous Result": "पिछला परिणाम",
+ "Next Result": "अगला परिणाम",
+ "Bookmarks": "बुकमार्क",
+ "Annotations": "टिप्पणियाँ",
+ "Show Results": "परिणाम दिखाएं",
+ "Clear search": "खोज साफ़ करें",
+ "Clear search history": "खोज इतिहास साफ़ करें",
+ "Tap to Toggle Footer": "फुटर टॉगल करने के लिए टैप करें",
+ "Exported successfully": "सफलतापूर्वक निर्यात किया गया",
+ "Book exported successfully.": "पुस्तक सफलतापूर्वक निर्यात की गई।",
+ "Failed to export the book.": "पुस्तक निर्यात करने में विफल।",
+ "Export Book": "पुस्तक निर्यात करें",
+ "Whole word:": "पूरा शब्द:",
+ "Error": "त्रुटि",
+ "Unable to load the article. Try searching directly on {{link}}.": "लेख लोड करने में असमर्थ। सीधे {{link}} पर खोजने का प्रयास करें।",
+ "Unable to load the word. Try searching directly on {{link}}.": "शब्द लोड करने में असमर्थ। सीधे {{link}} पर खोजने का प्रयास करें।",
+ "Date Published": "प्रकाशन तिथि",
+ "Only for TTS:": "केवल TTS के लिए:",
+ "Uploaded": "अपलोड किया गया",
+ "Downloaded": "डाउनलोड किया गया",
+ "Deleted": "हटाया गया",
+ "Note:": "नोट:",
+ "Time:": "समय:",
+ "Format Options": "प्रारूप विकल्प",
+ "Export Date": "निर्यात तिथि",
+ "Chapter Titles": "अध्याय शीर्षक",
+ "Chapter Separator": "अध्याय विभाजक",
+ "Highlights": "हाइलाइट्स",
+ "Note Date": "नोट तिथि",
+ "Advanced": "उन्नत",
+ "Hide": "छिपाएं",
+ "Show": "दिखाएं",
+ "Use Custom Template": "कस्टम टेम्पलेट उपयोग करें",
+ "Export Template": "निर्यात टेम्पलेट",
+ "Template Syntax:": "टेम्पलेट सिंटैक्स:",
+ "Insert value": "मान डालें",
+ "Format date (locale)": "तिथि फ़ॉर्मेट करें (स्थानीय)",
+ "Format date (custom)": "तिथि फ़ॉर्मेट करें (कस्टम)",
+ "Conditional": "सशर्त",
+ "Loop": "लूप",
+ "Available Variables:": "उपलब्ध चर:",
+ "Book title": "पुस्तक शीर्षक",
+ "Book author": "पुस्तक लेखक",
+ "Export date": "निर्यात तिथि",
+ "Array of chapters": "अध्यायों की सूची",
+ "Chapter title": "अध्याय शीर्षक",
+ "Array of annotations": "एनोटेशन की सूची",
+ "Highlighted text": "हाइलाइट किया गया पाठ",
+ "Annotation note": "एनोटेशन नोट",
+ "Date Format Tokens:": "तिथि प्रारूप टोकन:",
+ "Year (4 digits)": "वर्ष (4 अंक)",
+ "Month (01-12)": "माह (01-12)",
+ "Day (01-31)": "दिन (01-31)",
+ "Hour (00-23)": "घंटा (00-23)",
+ "Minute (00-59)": "मिनट (00-59)",
+ "Second (00-59)": "सेकंड (00-59)",
+ "Show Source": "स्रोत दिखाएं",
+ "No content to preview": "पूर्वावलोकन के लिए कोई सामग्री नहीं",
+ "Export": "निर्यात करें",
+ "Set Timeout": "टाइमआउट सेट करें",
+ "Select Voice": "आवाज़ चुनें",
+ "Toggle Sticky Bottom TTS Bar": "स्थिर TTS बार टॉगल करें",
+ "Display what I'm reading on Discord": "Discord पर पढ़ रही किताब दिखाएं",
+ "Show on Discord": "Discord पर दिखाएं",
+ "Instant {{action}}": "तत्काल {{action}}",
+ "Instant {{action}} Disabled": "तत्काल {{action}} अक्षम",
+ "Annotation": "टिप्पणी",
+ "Reset Template": "टेम्पलेट रीसेट करें",
+ "Annotation style": "एनोटेशन शैली",
+ "Annotation color": "एनोटेशन रंग",
+ "Annotation time": "एनोटेशन समय",
+ "AI": "AI",
+ "Are you sure you want to re-index this book?": "क्या आप वाकई इस पुस्तक को फिर से इंडेक्स करना चाहते हैं?",
+ "Enable AI in Settings": "सेटिंग्स में AI सक्षम करें",
+ "Index This Book": "इस पुस्तक को इंडेक्स करें",
+ "Enable AI search and chat for this book": "इस पुस्तक के लिए AI खोज और चैट सक्षम करें",
+ "Start Indexing": "इंडेक्सिंग शुरू करें",
+ "Indexing book...": "पुस्तक इंडेक्स हो रही है...",
+ "Preparing...": "तैयारी हो रही है...",
+ "Delete this conversation?": "इस वार्तालाप को हटाएं?",
+ "No conversations yet": "अभी तक कोई वार्तालाप नहीं",
+ "Start a new chat to ask questions about this book": "इस पुस्तक के बारे में प्रश्न पूछने के लिए नई चैट शुरू करें",
+ "Rename": "नाम बदलें",
+ "New Chat": "नई चैट",
+ "Chat": "चैट",
+ "Please enter a model ID": "कृपया मॉडल ID दर्ज करें",
+ "Model not available or invalid": "मॉडल उपलब्ध नहीं या अमान्य है",
+ "Failed to validate model": "मॉडल सत्यापित करने में विफल",
+ "Couldn't connect to Ollama. Is it running?": "Ollama से कनेक्ट नहीं हो सका। क्या यह चल रहा है?",
+ "Invalid API key or connection failed": "अमान्य API कुंजी या कनेक्शन विफल",
+ "Connection failed": "कनेक्शन विफल",
+ "AI Assistant": "AI सहायक",
+ "Enable AI Assistant": "AI सहायक सक्षम करें",
+ "Provider": "प्रदाता",
+ "Ollama (Local)": "Ollama (स्थानीय)",
+ "AI Gateway (Cloud)": "AI गेटवे (क्लाउड)",
+ "Ollama Configuration": "Ollama कॉन्फ़िगरेशन",
+ "Refresh Models": "मॉडल रीफ्रेश करें",
+ "AI Model": "AI मॉडल",
+ "No models detected": "कोई मॉडल नहीं मिला",
+ "AI Gateway Configuration": "AI गेटवे कॉन्फ़िगरेशन",
+ "Choose from a selection of high-quality, economical AI models. You can also bring your own model by selecting \"Custom Model\" below.": "उच्च-गुणवत्ता, किफायती AI मॉडल के चयन में से चुनें। आप नीचे \"कस्टम मॉडल\" का चयन करके अपना मॉडल भी उपयोग कर सकते हैं।",
+ "API Key": "API कुंजी",
+ "Get Key": "कुंजी प्राप्त करें",
+ "Model": "मॉडल",
+ "Custom Model...": "कस्टम मॉडल...",
+ "Custom Model ID": "कस्टम मॉडल ID",
+ "Validate": "सत्यापित करें",
+ "Model available": "मॉडल उपलब्ध",
+ "Connection": "कनेक्शन",
+ "Test Connection": "कनेक्शन परीक्षण",
+ "Connected": "कनेक्टेड",
+ "Custom Colors": "कस्टम रंग",
+ "Color E-Ink Mode": "कलर ई-इंक मोड",
+ "Reading Ruler": "पठन रूलर",
+ "Enable Reading Ruler": "पठन रूलर सक्षम करें",
+ "Lines to Highlight": "हाइलाइट करने के लिए पंक्तियाँ",
+ "Ruler Color": "रूलर का रंग",
+ "Command Palette": "कमांड पैलेट",
+ "Search settings and actions...": "सेटिंग और क्रियाएं खोजें...",
+ "No results found for": "के लिए कोई परिणाम नहीं मिला",
+ "Type to search settings and actions": "सेटिंग और क्रियाएं खोजने के लिए टाइप करें",
+ "Recent": "हालिया",
+ "navigate": "नेविगेट",
+ "select": "चुनें",
+ "close": "बंद करें",
+ "Search Settings": "सेटिंग खोजें",
+ "Page Margins": "पेज मार्जिन",
+ "AI Provider": "AI प्रदाता",
+ "Ollama URL": "Ollama URL",
+ "Ollama Model": "Ollama मॉडल",
+ "AI Gateway Model": "AI गेटवे मॉडल",
+ "Actions": "क्रियाएं",
+ "Navigation": "नेविगेशन",
+ "Set status for {{count}} book(s)_one": "{{count}} किताब की स्थिति सेट करें",
+ "Set status for {{count}} book(s)_other": "{{count}} किताबों की स्थिति सेट करें",
+ "Mark as Unread": "अपठित के रूप में चिह्नित करें",
+ "Mark as Finished": "समाप्त के रूप में चिह्नित करें",
+ "Finished": "समाप्त",
+ "Unread": "अपठित",
+ "Clear Status": "स्थिति साफ़ करें",
+ "Status": "स्थिति",
+ "Loading": "लोड हो रहा है...",
+ "Exit Paragraph Mode": "पैराग्राफ मोड से बाहर निकलें",
+ "Paragraph Mode": "पैराग्राफ मोड",
+ "Embedding Model": "एंबेडिंग मॉडल",
+ "{{count}} book(s) synced_one": "{{count}} पुस्तक सिंक की गई",
+ "{{count}} book(s) synced_other": "{{count}} पुस्तकें सिंक की गईं",
+ "Unable to start RSVP": "RSVP शुरू करने में असमर्थ",
+ "RSVP not supported for PDF": "PDF के लिए RSVP समर्थित नहीं है",
+ "Select Chapter": "अध्याय चुनें",
+ "Context": "संदर्भ",
+ "Ready": "तैयार",
+ "Chapter Progress": "अध्याय प्रगति",
+ "words": "शब्द",
+ "{{time}} left": "{{time}} शेष",
+ "Reading progress": "पठन प्रगति",
+ "Click to seek": "सीक करने के लिए क्लिक करें",
+ "Skip back 15 words": "15 शब्द पीछे",
+ "Back 15 words (Shift+Left)": "15 शब्द पीछे (Shift+Left)",
+ "Pause (Space)": "विराम (Space)",
+ "Play (Space)": "चलाएं (Space)",
+ "Skip forward 15 words": "15 शब्द आगे",
+ "Forward 15 words (Shift+Right)": "15 शब्द आगे (Shift+Right)",
+ "Pause:": "विराम:",
+ "Decrease speed": "गति कम करें",
+ "Slower (Left/Down)": "धीमी (Left/Down)",
+ "Current speed": "वर्तमान गति",
+ "Increase speed": "गति बढ़ाएं",
+ "Faster (Right/Up)": "तेज़ (Right/Up)",
+ "Start RSVP Reading": "RSVP पठन शुरू करें",
+ "Choose where to start reading": "चुनें कि कहाँ से पढ़ना शुरू करना है",
+ "From Chapter Start": "अध्याय के आरंभ से",
+ "Start reading from the beginning of the chapter": "अध्याय की शुरुआत से पढ़ना शुरू करें",
+ "Resume": "फिर से शुरू करें",
+ "Continue from where you left off": "वहीं से जारी रखें जहाँ आपने छोड़ा था",
+ "From Current Page": "वर्तमान पृष्ठ से",
+ "Start from where you are currently reading": "जहाँ आप अभी पढ़ रहे हैं वहीं से शुरू करें",
+ "From Selection": "चयन से",
+ "Speed Reading Mode": "त्वरित पठन मोड",
+ "Scroll left": "बाएं स्क्रॉल करें",
+ "Scroll right": "दाएं स्क्रॉल करें",
+ "Library Sync Progress": "पुस्तकालय सिंक प्रगति",
+ "Back to library": "लाइब्रेरी पर वापस जाएं",
+ "Group by...": "इसके द्वारा समूहबद्ध करें...",
+ "Export as Plain Text": "प्लेन टेक्स्ट के रूप में एक्सपोर्ट करें",
+ "Export as Markdown": "Markdown के रूप में एक्सपोर्ट करें",
+ "Show Page Navigation Buttons": "नेविगेशन बटन",
+ "Page {{number}}": "पृष्ठ {{number}}",
+ "highlight": "हाइलाइट",
+ "underline": "अंडरलाइन",
+ "squiggly": "टेढ़ी-मेढ़ी रेखा",
+ "red": "लाल",
+ "violet": "बैंगनी",
+ "blue": "नीला",
+ "green": "हरा",
+ "yellow": "पीला",
+ "Select {{style}} style": "{{style}} शैली चुनें",
+ "Select {{color}} color": "{{color}} रंग चुनें",
+ "Close Book": "किताब बंद करें",
+ "Speed Reading": "तीव्र पठन",
+ "Close Speed Reading": "तीव्र पठन बंद करें",
+ "Authors": "लेखक",
+ "Books": "पुस्तकें",
+ "Groups": "समूह",
+ "Back to TTS Location": "टीटीएस स्थान पर वापस जाएं",
+ "Metadata": "मेटाडाटा",
+ "Image viewer": "छवि दर्शक",
+ "Previous Image": "पिछली छवि",
+ "Next Image": "अगली छवि",
+ "Zoomed": "ज़ूम किया गया",
+ "Zoom level": "ज़ूम स्तर",
+ "Table viewer": "तालिका दर्शक",
+ "Unable to connect to Readwise. Please check your network connection.": "Readwise से कनेक्ट करने में असमर्थ। कृपया अपना नेटवर्क कनेक्शन जांचें।",
+ "Invalid Readwise access token": "अमान्य Readwise एक्सेस टोकन",
+ "Disconnected from Readwise": "Readwise से डिस्कनेक्ट हो गया",
+ "Never": "कभी नहीं",
+ "Readwise Settings": "Readwise सेटिंग्स",
+ "Connected to Readwise": "Readwise से जुड़ा हुआ",
+ "Last synced: {{time}}": "पिछला सिंक: {{time}}",
+ "Sync Enabled": "सिंक सक्षम",
+ "Disconnect": "डिस्कनेक्ट करें",
+ "Connect your Readwise account to sync highlights.": "हाइलाइट्स सिंक करने के लिए अपना Readwise खाता कनेक्ट करें।",
+ "Get your access token at": "अपना एक्सेस टोकन यहाँ प्राप्त करें",
+ "Access Token": "एक्सेस टोकन",
+ "Paste your Readwise access token": "अपना Readwise एक्सेस टोकन पेस्ट करें",
+ "Config": "कॉन्फिग",
+ "Readwise Sync": "Readwise सिंक",
+ "Push Highlights": "हाइलाइट्स भेजें",
+ "Highlights synced to Readwise": "हाइलाइट्स Readwise में सिंक हो गए",
+ "Readwise sync failed: no internet connection": "Readwise सिंक विफल रहा: कोई इंटरनेट कनेक्शन नहीं",
+ "Readwise sync failed: {{error}}": "Readwise सिंक विफल रहा: {{error}}"
+}
diff --git a/apps/readest-app/public/locales/id/translation.json b/apps/readest-app/public/locales/id/translation.json
new file mode 100644
index 0000000000000000000000000000000000000000..2f1d997b49a9670a524a6d5676298fe39cc4c9e8
--- /dev/null
+++ b/apps/readest-app/public/locales/id/translation.json
@@ -0,0 +1,1048 @@
+{
+ "(detected)": "(terdeteksi)",
+ "About Readest": "Tentang Readest",
+ "Add your notes here...": "Tambahkan catatan Anda di sini...",
+ "Animation": "Animasi",
+ "Annotate": "Anotasi",
+ "Apply": "Terapkan",
+ "Auto Mode": "Mode Otomatis",
+ "Behavior": "Perilaku",
+ "Book": "Buku",
+ "Bookmark": "Penanda",
+ "Cancel": "Batal",
+ "Chapter": "Bab",
+ "Cherry": "Ceri",
+ "Color": "Warna",
+ "Confirm": "Konfirmasi",
+ "Confirm Deletion": "Konfirmasi Penghapusan",
+ "Copied to notebook": "Disalin ke buku catatan",
+ "Copy": "Salin",
+ "Dark Mode": "Mode Gelap",
+ "Default": "Default",
+ "Default Font": "Font Default",
+ "Default Font Size": "Ukuran Font Default",
+ "Delete": "Hapus",
+ "Delete Highlight": "Hapus Sorotan",
+ "Dictionary": "Kamus",
+ "Download Readest": "Unduh Readest",
+ "Edit": "Edit",
+ "Excerpts": "Kutipan",
+ "Failed to import book(s): {{filenames}}": "Gagal mengimpor buku: {{filenames}}",
+ "Fast": "Cepat",
+ "Font": "Font",
+ "Font & Layout": "Font & Tata Letak",
+ "Font Face": "Jenis Font",
+ "Font Family": "Keluarga Font",
+ "Font Size": "Ukuran Font",
+ "Full Justification": "Rata Penuh",
+ "Global Settings": "Pengaturan Global",
+ "Go Back": "Kembali",
+ "Go Forward": "Maju",
+ "Grass": "Rumput",
+ "Gray": "Abu-abu",
+ "Gruvbox": "Gruvbox",
+ "Highlight": "Sorot",
+ "Horizontal Direction": "Arah Horizontal",
+ "Hyphenation": "Pemenggalan Kata",
+ "Import Books": "Impor Buku",
+ "Layout": "Tata Letak",
+ "Light Mode": "Mode Terang",
+ "Loading...": "Memuat...",
+ "Logged in": "Sudah Masuk",
+ "Logged in as {{userDisplayName}}": "Masuk sebagai {{userDisplayName}}",
+ "Match Case": "Cocokkan Huruf Besar/Kecil",
+ "Match Diacritics": "Cocokkan Diakritik",
+ "Match Whole Words": "Cocokkan Kata Utuh",
+ "Maximum Number of Columns": "Jumlah Kolom Maksimum",
+ "Minimum Font Size": "Ukuran Font Minimum",
+ "Monospace Font": "Font Monospace",
+ "More Info": "Info Lebih Lanjut",
+ "Nord": "Nord",
+ "Notebook": "Buku Catatan",
+ "Notes": "Catatan",
+ "Open": "Buka",
+ "Original Text": "Teks Asli",
+ "Page": "Halaman",
+ "Paging Animation": "Animasi Halaman",
+ "Paragraph": "Paragraf",
+ "Parallel Read": "Baca Paralel",
+ "Published": "Diterbitkan",
+ "Publisher": "Penerbit",
+ "Reading Progress Synced": "Progres membaca disinkronkan",
+ "Reload Page": "Muat Ulang Halaman",
+ "Reveal in File Explorer": "Tampilkan di File Explorer",
+ "Reveal in Finder": "Tampilkan di Finder",
+ "Reveal in Folder": "Tampilkan di Folder",
+ "Sans-Serif Font": "Font Sans-Serif",
+ "Save": "Simpan",
+ "Scrolled Mode": "Mode Gulir",
+ "Search": "Cari",
+ "Search Books...": "Cari buku...",
+ "Search...": "Cari...",
+ "Select Book": "Pilih Buku",
+ "Select Books": "Pilih buku",
+ "Sepia": "Sepia",
+ "Serif Font": "Font Serif",
+ "Show Book Details": "Tampilkan Detail Buku",
+ "Sidebar": "Bilah Samping",
+ "Sign In": "Masuk",
+ "Sign Out": "Keluar",
+ "Sky": "Langit",
+ "Slow": "Lambat",
+ "Solarized": "Solarized",
+ "Speak": "Bicara",
+ "Subjects": "Subjek",
+ "System Fonts": "Font Sistem",
+ "Theme Color": "Warna Tema",
+ "Theme Mode": "Mode Tema",
+ "Translate": "Terjemahkan",
+ "Translated Text": "Teks Terjemahan",
+ "Unknown": "Tidak Diketahui",
+ "Untitled": "Tanpa Judul",
+ "Updated": "Diperbarui",
+ "Version {{version}}": "Versi {{version}}",
+ "Vertical Direction": "Arah Vertikal",
+ "Welcome to your library. You can import your books here and read them anytime.": "Selamat datang di perpustakaan Anda. Anda dapat mengimpor buku-buku Anda di sini dan membacanya kapan saja.",
+ "Wikipedia": "Wikipedia",
+ "Writing Mode": "Mode Menulis",
+ "Your Library": "Perpustakaan Anda",
+ "TTS not supported for PDF": "TTS tidak didukung untuk PDF",
+ "Override Book Font": "Ganti Font Buku",
+ "Apply to All Books": "Terapkan ke semua buku",
+ "Apply to This Book": "Terapkan ke buku ini",
+ "Unable to fetch the translation. Try again later.": "Tidak dapat mengambil terjemahan. Coba lagi nanti.",
+ "Check Update": "Periksa pembaruan",
+ "Already the latest version": "Sudah versi terbaru",
+ "Book Details": "Detail Buku",
+ "From Local File": "Dari file lokal",
+ "TOC": "Daftar Isi",
+ "Table of Contents": "Daftar Isi",
+ "Book uploaded: {{title}}": "Buku diunggah: {{title}}",
+ "Failed to upload book: {{title}}": "Gagal mengunggah buku: {{title}}",
+ "Book downloaded: {{title}}": "Buku diunduh: {{title}}",
+ "Failed to download book: {{title}}": "Gagal mengunduh buku: {{title}}",
+ "Upload Book": "Unggah Buku",
+ "Auto Upload Books to Cloud": "Unggah Buku Otomatis ke Cloud",
+ "Book deleted: {{title}}": "Buku dihapus: {{title}}",
+ "Failed to delete book: {{title}}": "Gagal menghapus buku: {{title}}",
+ "Check Updates on Start": "Periksa Pembaruan saat Memulai",
+ "Insufficient storage quota": "Kuota penyimpanan tidak mencukupi",
+ "Font Weight": "Berat Font",
+ "Line Spacing": "Spasi Baris",
+ "Word Spacing": "Spasi Kata",
+ "Letter Spacing": "Spasi Huruf",
+ "Text Indent": "Indentasi Teks",
+ "Paragraph Margin": "Margin Paragraf",
+ "Override Book Layout": "Ganti Tata Letak Buku",
+ "Untitled Group": "Grup Tanpa Judul",
+ "Group Books": "Grupkan Buku",
+ "Remove From Group": "Hapus dari Grup",
+ "Create New Group": "Buat Grup Baru",
+ "Deselect Book": "Batalkan Pilihan Buku",
+ "Download Book": "Unduh Buku",
+ "Deselect Group": "Batalkan Pilihan Grup",
+ "Select Group": "Pilih Grup",
+ "Keep Screen Awake": "Biarkan Layar Tetap Hidup",
+ "Email address": "Alamat email",
+ "Your Password": "Kata sandi Anda",
+ "Your email address": "Alamat email Anda",
+ "Your password": "Kata sandi Anda",
+ "Sign in": "Masuk",
+ "Signing in...": "Sedang masuk...",
+ "Sign in with {{provider}}": "Masuk dengan {{provider}}",
+ "Already have an account? Sign in": "Sudah punya akun? Masuk",
+ "Create a Password": "Buat kata sandi",
+ "Sign up": "Daftar",
+ "Signing up...": "Sedang mendaftar...",
+ "Don't have an account? Sign up": "Belum punya akun? Daftar",
+ "Check your email for the confirmation link": "Periksa email Anda untuk tautan konfirmasi",
+ "Signing in ...": "Sedang masuk ...",
+ "Send a magic link email": "Kirim email tautan ajaib",
+ "Check your email for the magic link": "Periksa email Anda untuk tautan ajaib",
+ "Send reset password instructions": "Kirim instruksi reset kata sandi",
+ "Sending reset instructions ...": "Mengirim instruksi reset ...",
+ "Forgot your password?": "Lupa kata sandi Anda?",
+ "Check your email for the password reset link": "Periksa email Anda untuk tautan reset kata sandi",
+ "New Password": "Kata sandi baru",
+ "Your new password": "Kata sandi baru Anda",
+ "Update password": "Perbarui kata sandi",
+ "Updating password ...": "Memperbarui kata sandi ...",
+ "Your password has been updated": "Kata sandi Anda telah diperbarui",
+ "Phone number": "Nomor telepon",
+ "Your phone number": "Nomor telepon Anda",
+ "Token": "Token",
+ "Your OTP token": "Token OTP Anda",
+ "Verify token": "Verifikasi token",
+ "Account": "Akun",
+ "Failed to delete user. Please try again later.": "Gagal menghapus pengguna. Silakan coba lagi nanti.",
+ "Community Support": "Dukungan Komunitas",
+ "Priority Support": "Dukungan Prioritas",
+ "Loading profile...": "Memuat profil...",
+ "Delete Account": "Hapus Akun",
+ "Delete Your Account?": "Hapus Akun Anda?",
+ "This action cannot be undone. All your data in the cloud will be permanently deleted.": "Tindakan ini tidak dapat dibatalkan. Semua data Anda di cloud akan dihapus secara permanen.",
+ "Delete Permanently": "Hapus Secara Permanen",
+ "RTL Direction": "Arah RTL",
+ "Maximum Column Height": "Tinggi Kolom Maksimum",
+ "Maximum Column Width": "Lebar Kolom Maksimum",
+ "Continuous Scroll": "Gulir Terus",
+ "Fullscreen": "Layar Penuh",
+ "No supported files found. Supported formats: {{formats}}": "Tidak ada file yang didukung ditemukan. Format yang didukung: {{formats}}",
+ "Drop to Import Books": "Jatuhkan untuk Mengimpor Buku",
+ "Custom": "Kustom",
+ "All the world's a stage,\nAnd all the men and women merely players;\nThey have their exits and their entrances,\nAnd one man in his time plays many parts,\nHis acts being seven ages.\n\n— William Shakespeare": "Seluruh dunia adalah panggung,\nDan semua pria dan wanita hanyalah pemain;\nMereka memiliki keluar dan masuk mereka,\nDan seorang pria dalam hidupnya memainkan banyak peran,\nTindakannya ada tujuh zaman.\n\n— William Shakespeare",
+ "Custom Theme": "Tema Kustom",
+ "Theme Name": "Nama Tema",
+ "Text Color": "Warna Teks",
+ "Background Color": "Warna Latar Belakang",
+ "Preview": "Pratinjau",
+ "Contrast": "Kontras",
+ "Sunset": "Senja",
+ "Double Border": "Garis Ganda",
+ "Border Color": "Warna Garis",
+ "Border Frame": "Bingkai Garis",
+ "Show Header": "Tampilkan Header",
+ "Show Footer": "Tampilkan Footer",
+ "Small": "Kecil",
+ "Large": "Besar",
+ "Auto": "Otomatis",
+ "Language": "Bahasa",
+ "No annotations to export": "Tidak ada anotasi yang diekspor",
+ "Author": "Penulis",
+ "Exported from Readest": "Diekspor dari Readest",
+ "Highlights & Annotations": "Sorotan & Anotasi",
+ "Note": "Catatan",
+ "Copied to clipboard": "Disalin ke papan klip",
+ "Export Annotations": "Ekspor Anotasi",
+ "Auto Import on File Open": "Impor Otomatis saat File Dibuka",
+ "LXGW WenKai GB Screen": "LXGW WenKai SC",
+ "LXGW WenKai TC": "LXGW WenKai TC",
+ "No chapters detected": "Tidak ada bab yang terdeteksi",
+ "Failed to parse the EPUB file": "Gagal mengurai file EPUB",
+ "This book format is not supported": "Format buku ini tidak didukung",
+ "Unable to fetch the translation. Please log in first and try again.": "Tidak dapat mengambil terjemahan. Silakan masuk terlebih dahulu dan coba lagi.",
+ "Group": "Grup",
+ "Always on Top": "Selalu di Atas",
+ "No Timeout": "Tidak Ada Waktu Habis",
+ "{{value}} minute": "{{value}} menit",
+ "{{value}} minutes": "{{value}} menit",
+ "{{value}} hour": "{{value}} jam",
+ "{{value}} hours": "{{value}} jam",
+ "CJK Font": "Font CJK",
+ "Clear Search": "Hapus Pencarian",
+ "Header & Footer": "Header & Footer",
+ "Apply also in Scrolled Mode": "Terapkan juga di Mode Gulir",
+ "A new version of Readest is available!": "Versi baru Readest Tersedia!",
+ "Readest {{newVersion}} is available (installed version {{currentVersion}}).": "Readest {{newVersion}} tersedia (versi terinstal {{currentVersion}}).",
+ "Download and install now?": "Unduh dan instal sekarang?",
+ "Downloading {{downloaded}} of {{contentLength}}": "Mengunduh {{downloaded}} dari {{contentLength}}",
+ "Download finished": "Unduhan selesai",
+ "DOWNLOAD & INSTALL": "UNDUH & INSTAL",
+ "Changelog": "Catatan Perubahan",
+ "Software Update": "Pembaruan Perangkat Lunak",
+ "Title": "Judul",
+ "Date Read": "Tanggal Dibaca",
+ "Date Added": "Tanggal Ditambahkan",
+ "Format": "Format",
+ "Ascending": "Naik",
+ "Descending": "Turun",
+ "Sort by...": "Urutkan berdasarkan...",
+ "Added": "Ditambahkan",
+ "GuanKiapTsingKhai-T": "GuanKiapTsingKhai-T",
+ "Description": "Deskripsi",
+ "No description available": "Tidak ada deskripsi yang tersedia",
+ "List": "Daftar",
+ "Grid": "Jala",
+ "(from 'As You Like It', Act II)": "(dari 'Seperti yang Anda Inginkan', Bab II)",
+ "Link Color": "Warna Tautan",
+ "Volume Keys for Page Flip": "Volume Keys untuk Pembalikan Halaman",
+ "Screen": "Screen",
+ "Orientation": "Orientasi",
+ "Portrait": "Potret",
+ "Landscape": "Lanskap",
+ "Open Last Book on Start": "Buka Buku Terakhir saat Memulai",
+ "Checking for updates...": "Memeriksa pembaruan...",
+ "Error checking for updates": "Kesalahan saat memeriksa pembaruan",
+ "Details": "Detail",
+ "File Size": "Ukuran File",
+ "Auto Detect": "Deteksi Otomatis",
+ "Next Section": "Bagian Selanjutnya",
+ "Previous Section": "Bagian Sebelumnya",
+ "Next Page": "Halaman Berikutnya",
+ "Previous Page": "Halaman Sebelumnya",
+ "Are you sure to delete {{count}} selected book(s)?_other": "Apakah Anda yakin ingin menghapus {{count}} buku yang dipilih?",
+ "Are you sure to delete the selected book?": "Apakah Anda yakin ingin menghapus buku yang dipilih?",
+ "Deselect": "Batal",
+ "Select All": "Pilih Semua",
+ "No translation available.": "Tidak ada terjemahan yang tersedia.",
+ "Translated by {{provider}}.": "Terjemahan oleh {{provider}}.",
+ "DeepL": "DeepL",
+ "Google Translate": "Google Translate",
+ "Azure Translator": "Azure Translator",
+ "Invert Image In Dark Mode": "Inversi Gambar di Gelap",
+ "Help improve Readest": "Bantu tingkatkan Readest",
+ "Sharing anonymized statistics": "Berbagi statistik anonim",
+ "Interface Language": "Bahasa Antarmuka",
+ "Translation": "Terjemahan",
+ "Enable Translation": "Aktifkan Terjemahan",
+ "Translation Service": "Layanan Terjemahan",
+ "Translate To": "Terjemahkan Ke",
+ "Disable Translation": "Nonaktifkan Terjemahan",
+ "Scroll": "Scroll",
+ "Overlap Pixels": "Overlap Piksel",
+ "System Language": "Bahasa Sistem",
+ "Security": "Keamanan",
+ "Allow JavaScript": "Izinkan JavaScript",
+ "Enable only if you trust the file.": "Aktifkan hanya jika Anda mempercayai file tersebut.",
+ "Sort TOC by Page": "Urutkan TOC berdasarkan Halaman",
+ "Search in {{count}} Book(s)..._other": "Cari di {{count}} Buku...",
+ "No notes match your search": "Tidak ada catatan ditemukan",
+ "Search notes and excerpts...": "Cari catatan...",
+ "Sign in to Sync": "Masuk untuk Sinkronisasi",
+ "Synced at {{time}}": "Disinkronkan pada {{time}}",
+ "Never synced": "Belum pernah disinkronkan",
+ "Show Remaining Time": "Perlihatkan Waktu Tersisa",
+ "{{time}} min left in chapter": "{{time}} menit tersisa di bab",
+ "Override Book Color": "Ubah Warna Buku",
+ "Login Required": "Perlu masuk",
+ "Quota Exceeded": "Kuota terlampaui",
+ "{{percentage}}% of Daily Translation Characters Used.": "{{percentage}}% dari Karakter Terjemahan Harian Digunakan.",
+ "Translation Characters": "Karakter Terjemahan",
+ "{{engine}}: {{count}} voices_other": "{{engine}}: {{count}} suara",
+ "Something went wrong. Don't worry, our team has been notified and we're working on a fix.": "Terjadi kesalahan. Jangan khawatir, tim kami telah diberitahu dan kami sedang bekerja untuk memperbaikinya.",
+ "Error Details:": "Rincian Kesalahan:",
+ "Try Again": "Coba Lagi",
+ "Need help?": "Butuh bantuan?",
+ "Contact Support": "Hubungi Dukungan",
+ "Code Highlighting": "Penyorotan Kode",
+ "Enable Highlighting": "Aktifkan Penyorotan",
+ "Code Language": "Bahasa Kode",
+ "Top Margin (px)": "Margin Atas (px)",
+ "Bottom Margin (px)": "Margin Bawah (px)",
+ "Right Margin (px)": "Margin Kanan (px)",
+ "Left Margin (px)": "Margin Kiri (px)",
+ "Column Gap (%)": "Jarak Antar Kolom (%)",
+ "Always Show Status Bar": "Selalu Tampilkan Bilah Status",
+ "Custom Content CSS": "CSS konten",
+ "Enter CSS for book content styling...": "Masukkan CSS untuk gaya konten buku...",
+ "Custom Reader UI CSS": "CSS antarmuka",
+ "Enter CSS for reader interface styling...": "Masukkan CSS untuk gaya antarmuka pembaca...",
+ "Crop": "Potong",
+ "Book Covers": "Sampul Buku",
+ "Fit": "Pas",
+ "Reset {{settings}}": "Atur Ulang {{settings}}",
+ "Reset Settings": "Atur Ulang Pengaturan",
+ "{{count}} pages left in chapter_other": "{{count}} halaman tersisa di bab ini",
+ "Show Remaining Pages": "Tampilkan halaman tersisa",
+ "Source Han Serif CN": "Source Han Serif",
+ "Huiwen-MinchoGBK": "Huiwen Mincho",
+ "KingHwa_OldSong": "KingHwa Song",
+ "Manage Subscription": "Kelola Langganan",
+ "Coming Soon": "Segera Hadir",
+ "Upgrade to {{plan}}": "Tingkatkan ke {{plan}}",
+ "Upgrade to Plus or Pro": "Tingkatkan ke Plus atau Pro",
+ "Current Plan": "Paket Saat Ini",
+ "Plan Limits": "Batas Paket",
+ "Processing your payment...": "Memproses pembayaran Anda...",
+ "Please wait while we confirm your subscription.": "Mohon tunggu saat kami mengonfirmasi langganan Anda.",
+ "Payment Processing": "Memproses Pembayaran",
+ "Your payment is being processed. This usually takes a few moments.": "Pembayaran Anda sedang diproses. Ini biasanya memerlukan beberapa saat.",
+ "Payment Failed": "Pembayaran Gagal",
+ "We couldn't process your subscription. Please try again or contact support if the issue persists.": "Kami tidak dapat memproses langganan Anda. Silakan coba lagi atau hubungi dukungan jika masalah berlanjut.",
+ "Back to Profile": "Kembali ke Profil",
+ "Subscription Successful!": "Langganan Berhasil!",
+ "Thank you for your subscription! Your payment has been processed successfully.": "Terima kasih atas langganan Anda! Pembayaran Anda telah berhasil diproses.",
+ "Email:": "Email:",
+ "Plan:": "Paket:",
+ "Amount:": "Jumlah:",
+ "Go to Library": "Pergi ke Perpustakaan",
+ "Need help? Contact our support team at support@readest.com": "Perlu bantuan? Hubungi tim dukungan kami di support@readest.com",
+ "Free Plan": "Paket Gratis",
+ "month": "bulan",
+ "AI Translations (per day)": "Terjemahan AI (per hari)",
+ "Plus Plan": "Paket Plus",
+ "Includes All Free Plan Benefits": "Termasuk Semua Manfaat Paket Gratis",
+ "Pro Plan": "Paket Pro",
+ "More AI Translations": "Lebih Banyak Terjemahan AI",
+ "Complete Your Subscription": "Selesaikan Langganan Anda",
+ "{{percentage}}% of Cloud Sync Space Used.": "{{percentage}}% ruang sinkronisasi cloud terpakai",
+ "Cloud Sync Storage": "Penyimpanan Sinkronisasi Cloud",
+ "Disable": "Nonaktifkan",
+ "Enable": "Aktifkan",
+ "Upgrade to Readest Premium": "Tingkatkan ke Readest Premium",
+ "Show Source Text": "Perlihatkan Teks Sumber",
+ "Cross-Platform Sync": "Sinkronisasi Lintas Platform",
+ "Seamlessly sync your library, progress, highlights, and notes across all your devices—never lose your place again.": "Sinkronkan pustaka, kemajuan, dan catatan di semua perangkat Anda.",
+ "Customizable Reading": "Membaca yang Dapat Disesuaikan",
+ "Personalize every detail with adjustable fonts, layouts, themes, and advanced display settings for the perfect reading experience.": "Atur font, tata letak, dan tema sesuai keinginan.",
+ "AI Read Aloud": "Pembacaan AI",
+ "Enjoy hands-free reading with natural-sounding AI voices that bring your books to life.": "Dengarkan buku dengan suara AI alami.",
+ "AI Translations": "Terjemahan AI",
+ "Connect with fellow readers and get help fast in our friendly community channels.": "Terhubung dengan komunitas dan dapatkan bantuan cepat.",
+ "Unlimited AI Read Aloud Hours": "Waktu Baca AI Tanpa Batas",
+ "Listen without limits—convert as much text as you like into immersive audio.": "Dengarkan sebanyak yang Anda mau tanpa batas.",
+ "Unlock enhanced translation capabilities with more daily usage and advanced options.": "Dapatkan lebih banyak kuota dan fitur terjemahan lanjutan.",
+ "DeepL Pro Access": "Akses DeepL Pro",
+ "Enjoy faster responses and dedicated assistance whenever you need help.": "Nikmati dukungan prioritas kapan saja.",
+ "Daily translation quota reached. Upgrade your plan to continue using AI translations.": "Kuota harian habis. Tingkatkan paket Anda untuk lanjut.",
+ "Translate any text instantly with the power of Google, Azure, or DeepL—understand content in any language.": "Terjemahkan teks apa pun secara instan dengan kekuatan Google, Azure, atau DeepL—pahami konten dalam bahasa apa pun.",
+ "Includes All Plus Plan Benefits": "Termasuk Semua Manfaat Paket Plus",
+ "Early Feature Access": "Akses Fitur Lebih Awal",
+ "Be the first to explore new features, updates, and innovations before anyone else.": "Jadi yang pertama menjelajahi fitur baru, pembaruan, dan inovasi.",
+ "Advanced AI Tools": "Alat AI Canggih",
+ "Harness powerful AI tools for smarter reading, translation, and content discovery.": "Manfaatkan alat AI canggih untuk membaca cerdas, terjemahan, dan penemuan konten.",
+ "Translate up to 100,000 characters daily with the most accurate translation engine available.": "Terjemahkan hingga 100.000 karakter harian dengan mesin terjemahan paling akurat.",
+ "Translate up to 500,000 characters daily with the most accurate translation engine available.": "Terjemahkan hingga 500.000 karakter harian dengan mesin terjemahan paling akurat.",
+ "Securely store and access your entire reading collection with up to 5 GB of cloud storage.": "Simpan dan akses koleksi bacaan lengkap dengan aman menggunakan penyimpanan cloud 5 GB.",
+ "Securely store and access your entire reading collection with up to 20 GB of cloud storage.": "Simpan dan akses koleksi bacaan lengkap dengan aman menggunakan penyimpanan cloud 20 GB.",
+ "Deleted cloud backup of the book: {{title}}": "Cadangan cloud buku dihapus: {{title}}",
+ "Are you sure to delete the cloud backup of the selected book?": "Apakah Anda yakin ingin menghapus cadangan cloud dari buku yang dipilih?",
+ "What's New in Readest": "Yang Baru di Readest",
+ "Enter book title": "Masukkan judul buku",
+ "Subtitle": "Subjudul",
+ "Enter book subtitle": "Masukkan subjudul buku",
+ "Enter author name": "Masukkan nama penulis",
+ "Series": "Seri",
+ "Enter series name": "Masukkan nama seri",
+ "Series Index": "Nomor seri",
+ "Enter series index": "Masukkan nomor seri",
+ "Total in Series": "Total dalam seri",
+ "Enter total books in series": "Masukkan total buku dalam seri",
+ "Enter publisher": "Masukkan penerbit",
+ "Publication Date": "Tanggal terbit",
+ "Identifier": "Pengidentifikasi",
+ "Enter book description": "Masukkan deskripsi buku",
+ "Change cover image": "Ubah gambar sampul",
+ "Replace": "Ganti",
+ "Unlock cover": "Buka kunci sampul",
+ "Lock cover": "Kunci sampul",
+ "Auto-Retrieve Metadata": "Ambil metadata otomatis",
+ "Auto-Retrieve": "Ambil otomatis",
+ "Unlock all fields": "Buka kunci semua field",
+ "Unlock All": "Buka semua",
+ "Lock all fields": "Kunci semua field",
+ "Lock All": "Kunci semua",
+ "Reset": "Reset",
+ "Edit Metadata": "Edit metadata",
+ "Locked": "Terkunci",
+ "Select Metadata Source": "Pilih sumber metadata",
+ "Keep manual input": "Pertahankan input manual",
+ "Google Books": "Google Books",
+ "Open Library": "Open Library",
+ "Fiction, Science, History": "Fiksi, Sains, Sejarah",
+ "Open Book in New Window": "Buka Buku di Jendela Baru",
+ "Voices for {{lang}}": "Suara untuk {{lang}}",
+ "Yandex Translate": "Yandex Translate",
+ "YYYY or YYYY-MM-DD": "YYYY atau YYYY-MM-DD",
+ "Restore Purchase": "Pulihkan Pembelian",
+ "No purchases found to restore.": "Tidak ada pembelian yang ditemukan untuk dipulihkan.",
+ "Failed to restore purchases.": "Gagal memulihkan pembelian.",
+ "Failed to manage subscription.": "Gagal mengelola langganan.",
+ "Failed to load subscription plans.": "Gagal memuat rencana langganan.",
+ "year": "tahun",
+ "Failed to create checkout session": "Gagal membuat sesi checkout",
+ "Storage": "Penyimpanan",
+ "Terms of Service": "Ketentuan Layanan",
+ "Privacy Policy": "Kebijakan Privasi",
+ "Disable Double Click": "Nonaktifkan Klik Ganda",
+ "TTS not supported for this document": "TTS tidak didukung untuk dokumen ini",
+ "Reset Password": "Reset Kata Sandi",
+ "Show Reading Progress": "Perlihatkan Progres Membaca",
+ "Reading Progress Style": "Gaya Progres Membaca",
+ "Page Number": "Nomor Halaman",
+ "Percentage": "Persentase",
+ "Deleted local copy of the book: {{title}}": "Salinan lokal buku dihapus: {{title}}",
+ "Failed to delete cloud backup of the book: {{title}}": "Gagal menghapus cadangan cloud buku: {{title}}",
+ "Failed to delete local copy of the book: {{title}}": "Gagal menghapus salinan lokal buku: {{title}}",
+ "Are you sure to delete the local copy of the selected book?": "Apakah Anda yakin ingin menghapus salinan lokal buku yang dipilih?",
+ "Remove from Cloud & Device": "Hapus dari Cloud & Perangkat",
+ "Remove from Cloud Only": "Hapus dari Cloud Saja",
+ "Remove from Device Only": "Hapus dari Perangkat Saja",
+ "Disconnected": "Terputus",
+ "KOReader Sync Settings": "Pengaturan Sinkronisasi KOReader",
+ "Sync Strategy": "Strategi Sinkronisasi",
+ "Ask on conflict": "Tanya saat terjadi konflik",
+ "Always use latest": "Selalu gunakan yang terbaru",
+ "Send changes only": "Kirim perubahan saja",
+ "Receive changes only": "Terima perubahan saja",
+ "Checksum Method": "Metode Checksum",
+ "File Content (recommended)": "Konten File (disarankan)",
+ "File Name": "Nama File",
+ "Device Name": "Nama Perangkat",
+ "Connect to your KOReader Sync server.": "Hubungkan ke server Sinkronisasi KOReader Anda.",
+ "Server URL": "URL Server",
+ "Username": "Nama Pengguna",
+ "Your Username": "Nama Pengguna Anda",
+ "Password": "Kata Sandi",
+ "Connect": "Hubungkan",
+ "KOReader Sync": "Sinkronisasi KOReader",
+ "Sync Conflict": "Konflik Sinkronisasi",
+ "Sync reading progress from \"{{deviceName}}\"?": "Sinkronkan progres membaca dari \"{{deviceName}}\"?",
+ "another device": "perangkat lain",
+ "Local Progress": "Progres Lokal",
+ "Remote Progress": "Progres Jarak Jauh",
+ "Page {{page}} of {{total}} ({{percentage}}%)": "Halaman {{page}} dari {{total}} ({{percentage}}%)",
+ "Current position": "Posisi Saat Ini",
+ "Approximately page {{page}} of {{total}} ({{percentage}}%)": "Sekitar halaman {{page}} dari {{total}} ({{percentage}}%)",
+ "Approximately {{percentage}}%": "Sekitar {{percentage}}%",
+ "Failed to connect": "Gagal terhubung",
+ "Sync Server Connected": "Server sinkronisasi terhubung",
+ "Sync as {{userDisplayName}}": "Sinkronkan sebagai {{userDisplayName}}",
+ "Custom Fonts": "Font Kustom",
+ "Cancel Delete": "Batal Hapus",
+ "Import Font": "Impor Font",
+ "Delete Font": "Hapus Font",
+ "Tips": "Tips",
+ "Custom fonts can be selected from the Font Face menu": "Font kustom dapat dipilih dari menu Font Face",
+ "Manage Custom Fonts": "Kelola Font Kustom",
+ "Select Files": "Pilih File",
+ "Select Image": "Pilih Gambar",
+ "Select Video": "Pilih Video",
+ "Select Audio": "Pilih Audio",
+ "Select Fonts": "Pilih Font",
+ "Supported font formats: .ttf, .otf, .woff, .woff2": "Format font yang didukung: .ttf, .otf, .woff, .woff2",
+ "Push Progress": "Dorong Progres",
+ "Pull Progress": "Tarik Progres",
+ "Previous Paragraph": "Paragraf Sebelumnya",
+ "Previous Sentence": "Kalimat Sebelumnya",
+ "Pause": "Jeda",
+ "Play": "Putar",
+ "Next Sentence": "Kalimat Berikutnya",
+ "Next Paragraph": "Paragraf Berikutnya",
+ "Separate Cover Page": "Halaman Sampul Terpisah",
+ "Resize Notebook": "Ubah Ukuran Buku Catatan",
+ "Resize Sidebar": "Ubah Ukuran Bilah Samping",
+ "Get Help from the Readest Community": "Dapatkan Bantuan dari Komunitas Readest",
+ "Remove cover image": "Hapus gambar sampul",
+ "Bookshelf": "Rak Buku",
+ "View Menu": "Lihat Menu",
+ "Settings Menu": "Menu Pengaturan",
+ "View account details and quota": "Lihat detail akun dan kuota",
+ "Library Header": "Header Perpustakaan",
+ "Book Content": "Isi Buku",
+ "Footer Bar": "Bilah Footer",
+ "Header Bar": "Bilah Header",
+ "View Options": "Opsi Tampilan",
+ "Book Menu": "Menu Buku",
+ "Search Options": "Opsi Pencarian",
+ "Close": "Tutup",
+ "Delete Book Options": "Opsi Hapus Buku",
+ "ON": "AKTIF",
+ "OFF": "TIDAK AKTIF",
+ "Reading Progress": "Progres Membaca",
+ "Page Margin": "Margin Halaman",
+ "Remove Bookmark": "Hapus Penanda",
+ "Add Bookmark": "Tambahkan Penanda",
+ "Books Content": "Isi Buku",
+ "Jump to Location": "Lompat ke Lokasi",
+ "Unpin Notebook": "Batal Pin Notebook",
+ "Pin Notebook": "Pin Notebook",
+ "Hide Search Bar": "Sembunyikan Bilah Pencarian",
+ "Show Search Bar": "Tampilkan Bilah Pencarian",
+ "On {{current}} of {{total}} page": "Pada {{current}} dari {{total}} halaman",
+ "Section Title": "Judul Bagian",
+ "Decrease": "Kecilkan",
+ "Increase": "Besarakan",
+ "Settings Panels": "Panel Pengaturan",
+ "Settings": "Pengaturan",
+ "Unpin Sidebar": "Batal Pin Bilah Samping",
+ "Pin Sidebar": "Pin Bilah Samping",
+ "Toggle Sidebar": "Toggel Bilah Samping",
+ "Toggle Translation": "Toggel Terjemahan",
+ "Translation Disabled": "Terjemahan Dinonaktifkan",
+ "Minimize": "Minimalkan",
+ "Maximize or Restore": "Maksimalkan atau Pulihkan",
+ "Exit Parallel Read": "Keluar dari Baca Paralel",
+ "Enter Parallel Read": "Masuk ke Baca Paralel",
+ "Zoom Level": "Level Zoom",
+ "Zoom Out": "Perbesar Zoom",
+ "Reset Zoom": "Reset Zoom",
+ "Zoom In": "Perkecil Zoom",
+ "Zoom Mode": "Mode Zoom",
+ "Single Page": "Halaman Tunggal",
+ "Auto Spread": "Penyebaran Otomatis",
+ "Fit Page": "Sesuaikan Halaman",
+ "Fit Width": "Sesuaikan Lebar",
+ "Failed to select directory": "Gagal memilih direktori",
+ "The new data directory must be different from the current one.": "Direktori data baru harus berbeda dari yang saat ini.",
+ "Migration failed: {{error}}": "Migrasi gagal: {{error}}",
+ "Change Data Location": "Ubah Lokasi Data",
+ "Current Data Location": "Lokasi Data Saat Ini",
+ "Total size: {{size}}": "Ukuran total: {{size}}",
+ "Calculating file info...": "Menghitung informasi file...",
+ "New Data Location": "Lokasi Data Baru",
+ "Choose Different Folder": "Pilih Folder Berbeda",
+ "Choose New Folder": "Pilih Folder Baru",
+ "Migrating data...": "Migrasi data...",
+ "Copying: {{file}}": "Menyalin: {{file}}",
+ "{{current}} of {{total}} files": "{{current}} dari {{total}} file",
+ "Migration completed successfully!": "Migrasi selesai dengan sukses!",
+ "Your data has been moved to the new location. Please restart the application to complete the process.": "Data Anda telah dipindahkan ke lokasi baru. Silakan restart aplikasi untuk menyelesaikan proses.",
+ "Migration failed": "Migrasi gagal",
+ "Important Notice": "Pemberitahuan Penting",
+ "This will move all your app data to the new location. Make sure the destination has enough free space.": "Ini akan memindahkan semua data aplikasi Anda ke lokasi baru. Pastikan tujuan memiliki cukup ruang kosong.",
+ "Restart App": "Restart Aplikasi",
+ "Start Migration": "Mulai Migrasi",
+ "Advanced Settings": "Pengaturan Lanjutan",
+ "File count: {{size}}": "Jumlah file: {{size}}",
+ "Background Read Aloud": "Bacakan Latar Belakang",
+ "Ready to read aloud": "Siap untuk dibacakan",
+ "Read Aloud": "Bacakan",
+ "Screen Brightness": "Kecerahan Layar",
+ "Background Image": "Gambar Latar Belakang",
+ "Import Image": "Impor Gambar",
+ "Opacity": "Keburaman",
+ "Size": "Ukuran",
+ "Cover": "Sampul",
+ "Contain": "Mengandung",
+ "{{number}} pages left in chapter": "{{number}} halaman tersisa di bab",
+ "Device": "Perangkat",
+ "E-Ink Mode": "Mode E-Ink",
+ "Highlight Colors": "Warna Sorotan",
+ "Auto Screen Brightness": "Auto Kecerahan Layar",
+ "Pagination": "Paginasi",
+ "Disable Double Tap": "Nonaktifkan Ketuk Ganda",
+ "Tap to Paginate": "Ketuk untuk Paginasi",
+ "Click to Paginate": "Klik untuk Paginasi",
+ "Tap Both Sides": "Ketuk Kedua Sisi",
+ "Click Both Sides": "Klik Kedua Sisi",
+ "Swap Tap Sides": "Tukar Sisi Ketuk",
+ "Swap Click Sides": "Tukar Sisi Klik",
+ "Source and Translated": "Sumber dan Terjemahan",
+ "Translated Only": "Hanya Terjemahan",
+ "Source Only": "Hanya Sumber",
+ "TTS Text": "Teks TTS",
+ "The book file is corrupted": "File buku rusak",
+ "The book file is empty": "File buku kosong",
+ "Failed to open the book file": "Gagal membuka file buku",
+ "On-Demand Purchase": "Pembelian Sesuai Permintaan",
+ "Full Customization": "Kustomisasi Penuh",
+ "Lifetime Plan": "Rencana Seumur Hidup",
+ "One-Time Payment": "Pembayaran Sekali",
+ "Make a single payment to enjoy lifetime access to specific features on all devices. Purchase specific features or services only when you need them.": "Lakukan pembayaran sekali untuk menikmati akses seumur hidup ke fitur tertentu di semua perangkat. Beli fitur atau layanan tertentu hanya saat Anda membutuhkannya.",
+ "Expand Cloud Sync Storage": "Perluas Penyimpanan Sinkronisasi Cloud",
+ "Expand your cloud storage forever with a one-time purchase. Each additional purchase adds more space.": "Perluas penyimpanan cloud Anda selamanya dengan pembelian sekali. Setiap pembelian tambahan menambah lebih banyak ruang.",
+ "Unlock All Customization Options": "Buka Semua Opsi Kustomisasi",
+ "Unlock additional themes, fonts, layout options and read aloud, translators, cloud storage services.": "Buka tema tambahan, font, opsi tata letak, dan baca nyaring, penerjemah, layanan penyimpanan cloud.",
+ "Purchase Successful!": "Pembelian Berhasil!",
+ "lifetime": "seumur hidup",
+ "Thank you for your purchase! Your payment has been processed successfully.": "Terima kasih atas pembelian Anda! Pembayaran Anda telah berhasil diproses.",
+ "Order ID:": "ID Pesanan:",
+ "TTS Highlighting": "TTS Menyorot",
+ "Style": "Gaya",
+ "Underline": "Garisan Bawah",
+ "Strikethrough": "Garis Tengah",
+ "Squiggly": "Bergelombang",
+ "Outline": "Garis Besar",
+ "Save Current Color": "Simpan Warna Saat Ini",
+ "Quick Colors": "Warna Cepat",
+ "Highlighter": "Penyorot",
+ "Save Book Cover": "Simpan Sampul Buku",
+ "Auto-save last book cover": "Simpan otomatis sampul buku terakhir",
+ "Back": "Kembali",
+ "Confirmation email sent! Please check your old and new email addresses to confirm the change.": "Email konfirmasi telah dikirim! Silakan periksa alamat email lama dan baru Anda untuk mengonfirmasi perubahan.",
+ "Failed to update email": "Gagal memperbarui email",
+ "New Email": "Email baru",
+ "Your new email": "Email baru Anda",
+ "Updating email ...": "Memperbarui email ...",
+ "Update email": "Perbarui email",
+ "Current email": "Email saat ini",
+ "Update Email": "Perbarui email",
+ "All": "Semua",
+ "Unable to open book": "Tidak dapat membuka buku",
+ "Punctuation": "Tanda Baca",
+ "Replace Quotation Marks": "Ganti Tanda Kutip",
+ "Enabled only in vertical layout.": "Hanya diaktifkan dalam tata letak vertikal.",
+ "No Conversion": "Tanpa konversi",
+ "Simplified to Traditional": "Sederhana → Tradisional",
+ "Traditional to Simplified": "Tradisional → Sederhana",
+ "Simplified to Traditional (Taiwan)": "Sederhana → Tradisional (Taiwan)",
+ "Simplified to Traditional (Hong Kong)": "Sederhana → Tradisional (Hong Kong)",
+ "Simplified to Traditional (Taiwan), with phrases": "Sederhana → Tradisional (Taiwan • frasa)",
+ "Traditional (Taiwan) to Simplified": "Tradisional (Taiwan) → Sederhana",
+ "Traditional (Hong Kong) to Simplified": "Tradisional (Hong Kong) → Sederhana",
+ "Traditional (Taiwan) to Simplified, with phrases": "Tradisional (Taiwan • frasa) → Sederhana",
+ "Convert Simplified and Traditional Chinese": "Konversi Tionghoa Sederhana/Tradisional",
+ "Convert Mode": "Mode Konversi",
+ "Failed to auto-save book cover for lock screen: {{error}}": "Gagal menyimpan otomatis sampul buku untuk layar kunci: {{error}}",
+ "Download from Cloud": "Unduh dari Cloud",
+ "Upload to Cloud": "Unggah ke Cloud",
+ "Clear Custom Fonts": "Bersihkan Font Kustom",
+ "Columns": "Kolom",
+ "OPDS Catalogs": "Katalog OPDS",
+ "Adding LAN addresses is not supported in the web app version.": "Menambahkan alamat LAN tidak didukung di versi web.",
+ "Invalid OPDS catalog. Please check the URL.": "Katalog OPDS tidak valid. Silakan periksa URL-nya.",
+ "Browse and download books from online catalogs": "Jelajahi dan unduh buku dari katalog online",
+ "My Catalogs": "Katalog Saya",
+ "Add Catalog": "Tambah Katalog",
+ "No catalogs yet": "Belum ada katalog",
+ "Add your first OPDS catalog to start browsing books": "Tambahkan katalog OPDS pertama Anda untuk mulai menjelajahi buku",
+ "Add Your First Catalog": "Tambah Katalog Pertama Anda",
+ "Browse": "Jelajahi",
+ "Popular Catalogs": "Katalog Populer",
+ "Add": "Tambah",
+ "Add OPDS Catalog": "Tambah Katalog OPDS",
+ "Catalog Name": "Nama Katalog",
+ "My Calibre Library": "Perpustakaan Calibre Saya",
+ "OPDS URL": "URL OPDS",
+ "Username (optional)": "Username (opsional)",
+ "Password (optional)": "Password (opsional)",
+ "Description (optional)": "Deskripsi (opsional)",
+ "A brief description of this catalog": "Deskripsi singkat untuk katalog ini",
+ "Validating...": "Memvalidasi...",
+ "View All": "Lihat Semua",
+ "Forward": "Maju",
+ "Home": "Beranda",
+ "{{count}} items_other": "{{count}} item",
+ "Download completed": "Unduhan selesai",
+ "Download failed": "Unduhan gagal",
+ "Open Access": "Akses Terbuka",
+ "Borrow": "Pinjam",
+ "Buy": "Beli",
+ "Subscribe": "Berlangganan",
+ "Sample": "Contoh",
+ "Download": "Unduh",
+ "Open & Read": "Buka & Baca",
+ "Tags": "Tag",
+ "Tag": "Tag",
+ "First": "Pertama",
+ "Previous": "Sebelumnya",
+ "Next": "Berikutnya",
+ "Last": "Terakhir",
+ "Cannot Load Page": "Tidak dapat memuat halaman",
+ "An error occurred": "Terjadi kesalahan",
+ "Online Library": "Perpustakaan Online",
+ "URL must start with http:// or https://": "URL harus diawali dengan http:// atau https://",
+ "Title, Author, Tag, etc...": "Judul, Penulis, Tag, dll...",
+ "Query": "Kueri",
+ "Subject": "Subjek",
+ "Enter {{terms}}": "Masukkan {{terms}}",
+ "No search results found": "Tidak ada hasil pencarian ditemukan",
+ "Failed to load OPDS feed: {{status}} {{statusText}}": "Gagal memuat feed OPDS: {{status}} {{statusText}}",
+ "Search in {{title}}": "Cari di {{title}}",
+ "Manage Storage": "Kelola Penyimpanan",
+ "Failed to load files": "Gagal memuat file",
+ "Deleted {{count}} file(s)_other": "{{count}} file dihapus",
+ "Failed to delete {{count}} file(s)_other": "Gagal menghapus {{count}} file",
+ "Failed to delete files": "Gagal menghapus file",
+ "Total Files": "Total File",
+ "Total Size": "Total Ukuran",
+ "Quota": "Kuota",
+ "Used": "Digunakan",
+ "Files": "File",
+ "Search files...": "Cari file...",
+ "Newest First": "Terbaru",
+ "Oldest First": "Terlama",
+ "Largest First": "Terbesar",
+ "Smallest First": "Terkecil",
+ "Name A-Z": "Nama A-Z",
+ "Name Z-A": "Nama Z-A",
+ "{{count}} selected_other": "{{count}} dipilih",
+ "Delete Selected": "Hapus yang Dipilih",
+ "Created": "Dibuat",
+ "No files found": "Tidak ada file ditemukan",
+ "No files uploaded yet": "Belum ada file diunggah",
+ "files": "file",
+ "Page {{current}} of {{total}}": "Halaman {{current}} dari {{total}}",
+ "Are you sure to delete {{count}} selected file(s)?_other": "Yakin ingin menghapus {{count}} file yang dipilih?",
+ "Cloud Storage Usage": "Penggunaan Penyimpanan Cloud",
+ "Rename Group": "Ganti Nama Grup",
+ "From Directory": "Dari Direktori",
+ "Successfully imported {{count}} book(s)_other": "Berhasil mengimpor {{count}} buku",
+ "Count": "Jumlah",
+ "Start Page": "Halaman Awal",
+ "Search in OPDS Catalog...": "Cari di Katalog OPDS...",
+ "Please log in to use advanced TTS features": "Silakan masuk untuk menggunakan fitur TTS lanjutan",
+ "Word limit of 30 words exceeded.": "Batas 30 kata telah terlampaui.",
+ "Proofread": "Koreksi",
+ "Current selection": "Pilihan saat ini",
+ "All occurrences in this book": "Semua kemunculan di buku ini",
+ "All occurrences in your library": "Semua kemunculan di perpustakaan Anda",
+ "Selected text:": "Teks terpilih:",
+ "Replace with:": "Ganti dengan:",
+ "Enter text...": "Masukkan teks…",
+ "Case sensitive:": "Peka huruf besar dan kecil:",
+ "Scope:": "Cakupan:",
+ "Selection": "Pilihan",
+ "Library": "Perpustakaan",
+ "Yes": "Ya",
+ "No": "Tidak",
+ "Proofread Replacement Rules": "Aturan penggantian koreksi",
+ "Selected Text Rules": "Aturan teks terpilih",
+ "No selected text replacement rules": "Tidak ada aturan penggantian untuk teks terpilih",
+ "Book Specific Rules": "Aturan khusus buku",
+ "No book-level replacement rules": "Tidak ada aturan penggantian tingkat buku",
+ "Disable Quick Action": "Nonaktifkan Aksi Cepat",
+ "Enable Quick Action on Selection": "Aktifkan Aksi Cepat saat memilih",
+ "None": "Tidak ada",
+ "Annotation Tools": "Alat Anotasi",
+ "Enable Quick Actions": "Aktifkan Aksi Cepat",
+ "Quick Action": "Aksi Cepat",
+ "Copy to Notebook": "Salin ke Buku Catatan",
+ "Copy text after selection": "Salin teks setelah pemilihan",
+ "Highlight text after selection": "Sorot teks setelah pemilihan",
+ "Annotate text after selection": "Anotasi teks setelah pemilihan",
+ "Search text after selection": "Cari teks setelah pemilihan",
+ "Look up text in dictionary after selection": "Cari teks di kamus setelah pemilihan",
+ "Look up text in Wikipedia after selection": "Cari teks di Wikipedia setelah pemilihan",
+ "Translate text after selection": "Terjemahkan teks setelah pemilihan",
+ "Read text aloud after selection": "Bacakan teks setelah pemilihan",
+ "Proofread text after selection": "Periksa teks setelah pemilihan",
+ "{{activeCount}} active, {{pendingCount}} pending": "{{activeCount}} aktif, {{pendingCount}} menunggu",
+ "{{failedCount}} failed": "{{failedCount}} gagal",
+ "Waiting...": "Menunggu...",
+ "Failed": "Gagal",
+ "Completed": "Selesai",
+ "Cancelled": "Dibatalkan",
+ "Retry": "Coba lagi",
+ "Active": "Aktif",
+ "Transfer Queue": "Antrian Transfer",
+ "Upload All": "Unggah Semua",
+ "Download All": "Unduh Semua",
+ "Resume Transfers": "Lanjutkan Transfer",
+ "Pause Transfers": "Jeda Transfer",
+ "Pending": "Menunggu",
+ "No transfers": "Tidak ada transfer",
+ "Retry All": "Coba Semua Lagi",
+ "Clear Completed": "Hapus Selesai",
+ "Clear Failed": "Hapus Gagal",
+ "Upload queued: {{title}}": "Unggahan dalam antrian: {{title}}",
+ "Download queued: {{title}}": "Unduhan dalam antrian: {{title}}",
+ "Book not found in library": "Buku tidak ditemukan di perpustakaan",
+ "Unknown error": "Kesalahan tidak diketahui",
+ "Please log in to continue": "Silakan masuk untuk melanjutkan",
+ "Cloud File Transfers": "Transfer File Cloud",
+ "Show Search Results": "Tampilkan hasil pencarian",
+ "Search results for '{{term}}'": "Hasil untuk '{{term}}'",
+ "Close Search": "Tutup pencarian",
+ "Previous Result": "Hasil sebelumnya",
+ "Next Result": "Hasil berikutnya",
+ "Bookmarks": "Penanda",
+ "Annotations": "Anotasi",
+ "Show Results": "Tampilkan Hasil",
+ "Clear search": "Hapus pencarian",
+ "Clear search history": "Hapus riwayat pencarian",
+ "Tap to Toggle Footer": "Ketuk untuk beralih footer",
+ "Exported successfully": "Berhasil diekspor",
+ "Book exported successfully.": "Buku berhasil diekspor.",
+ "Failed to export the book.": "Gagal mengekspor buku.",
+ "Export Book": "Ekspor Buku",
+ "Whole word:": "Kata utuh:",
+ "Error": "Kesalahan",
+ "Unable to load the article. Try searching directly on {{link}}.": "Tidak dapat memuat artikel. Coba cari langsung di {{link}}.",
+ "Unable to load the word. Try searching directly on {{link}}.": "Tidak dapat memuat kata. Coba cari langsung di {{link}}.",
+ "Date Published": "Tanggal terbit",
+ "Only for TTS:": "Hanya untuk TTS:",
+ "Uploaded": "Diunggah",
+ "Downloaded": "Diunduh",
+ "Deleted": "Dihapus",
+ "Note:": "Catatan:",
+ "Time:": "Waktu:",
+ "Format Options": "Opsi Format",
+ "Export Date": "Tanggal Ekspor",
+ "Chapter Titles": "Judul Bab",
+ "Chapter Separator": "Pemisah Bab",
+ "Highlights": "Sorotan",
+ "Note Date": "Tanggal Catatan",
+ "Advanced": "Lanjutan",
+ "Hide": "Sembunyikan",
+ "Show": "Tampilkan",
+ "Use Custom Template": "Gunakan Template Kustom",
+ "Export Template": "Template Ekspor",
+ "Template Syntax:": "Sintaks Template:",
+ "Insert value": "Masukkan nilai",
+ "Format date (locale)": "Format tanggal (lokal)",
+ "Format date (custom)": "Format tanggal (kustom)",
+ "Conditional": "Kondisional",
+ "Loop": "Loop",
+ "Available Variables:": "Variabel yang Tersedia:",
+ "Book title": "Judul buku",
+ "Book author": "Penulis buku",
+ "Export date": "Tanggal ekspor",
+ "Array of chapters": "Daftar bab",
+ "Chapter title": "Judul bab",
+ "Array of annotations": "Daftar anotasi",
+ "Highlighted text": "Teks yang disorot",
+ "Annotation note": "Catatan anotasi",
+ "Date Format Tokens:": "Token Format Tanggal:",
+ "Year (4 digits)": "Tahun (4 digit)",
+ "Month (01-12)": "Bulan (01-12)",
+ "Day (01-31)": "Hari (01-31)",
+ "Hour (00-23)": "Jam (00-23)",
+ "Minute (00-59)": "Menit (00-59)",
+ "Second (00-59)": "Detik (00-59)",
+ "Show Source": "Tampilkan Sumber",
+ "No content to preview": "Tidak ada konten untuk dipratinjau",
+ "Export": "Ekspor",
+ "Set Timeout": "Atur batas waktu",
+ "Select Voice": "Pilih suara",
+ "Toggle Sticky Bottom TTS Bar": "Alihkan bilah TTS tetap",
+ "Display what I'm reading on Discord": "Tampilkan buku yang sedang dibaca di Discord",
+ "Show on Discord": "Tampilkan di Discord",
+ "Instant {{action}}": "{{action}} Instan",
+ "Instant {{action}} Disabled": "{{action}} Instan Dinonaktifkan",
+ "Annotation": "Anotasi",
+ "Reset Template": "Atur Ulang Template",
+ "Annotation style": "Gaya anotasi",
+ "Annotation color": "Warna anotasi",
+ "Annotation time": "Waktu anotasi",
+ "AI": "AI",
+ "Are you sure you want to re-index this book?": "Apakah Anda yakin ingin mengindeks ulang buku ini?",
+ "Enable AI in Settings": "Aktifkan AI di Pengaturan",
+ "Index This Book": "Indeks Buku Ini",
+ "Enable AI search and chat for this book": "Aktifkan pencarian AI dan obrolan untuk buku ini",
+ "Start Indexing": "Mulai Mengindeks",
+ "Indexing book...": "Mengindeks buku...",
+ "Preparing...": "Mempersiapkan...",
+ "Delete this conversation?": "Hapus percakapan ini?",
+ "No conversations yet": "Belum ada percakapan",
+ "Start a new chat to ask questions about this book": "Mulai obrolan baru untuk mengajukan pertanyaan tentang buku ini",
+ "Rename": "Ubah nama",
+ "New Chat": "Obrolan Baru",
+ "Chat": "Obrolan",
+ "Please enter a model ID": "Silakan masukkan ID model",
+ "Model not available or invalid": "Model tidak tersedia atau tidak valid",
+ "Failed to validate model": "Gagal memvalidasi model",
+ "Couldn't connect to Ollama. Is it running?": "Tidak dapat terhubung ke Ollama. Apakah sedang berjalan?",
+ "Invalid API key or connection failed": "Kunci API tidak valid atau koneksi gagal",
+ "Connection failed": "Koneksi gagal",
+ "AI Assistant": "Asisten AI",
+ "Enable AI Assistant": "Aktifkan Asisten AI",
+ "Provider": "Penyedia",
+ "Ollama (Local)": "Ollama (Lokal)",
+ "AI Gateway (Cloud)": "Gateway AI (Cloud)",
+ "Ollama Configuration": "Konfigurasi Ollama",
+ "Refresh Models": "Segarkan Model",
+ "AI Model": "Model AI",
+ "No models detected": "Tidak ada model terdeteksi",
+ "AI Gateway Configuration": "Konfigurasi Gateway AI",
+ "Choose from a selection of high-quality, economical AI models. You can also bring your own model by selecting \"Custom Model\" below.": "Pilih dari pilihan model AI berkualitas tinggi dan ekonomis. Anda juga dapat menggunakan model Anda sendiri dengan memilih \"Model Kustom\" di bawah.",
+ "API Key": "Kunci API",
+ "Get Key": "Dapatkan Kunci",
+ "Model": "Model",
+ "Custom Model...": "Model Kustom...",
+ "Custom Model ID": "ID Model Kustom",
+ "Validate": "Validasi",
+ "Model available": "Model tersedia",
+ "Connection": "Koneksi",
+ "Test Connection": "Uji Koneksi",
+ "Connected": "Terhubung",
+ "Custom Colors": "Warna Kustom",
+ "Color E-Ink Mode": "Mode E-Ink Berwarna",
+ "Reading Ruler": "Penggaris Membaca",
+ "Enable Reading Ruler": "Aktifkan Penggaris Membaca",
+ "Lines to Highlight": "Baris untuk Disorot",
+ "Ruler Color": "Warna Penggaris",
+ "Command Palette": "Palet Perintah",
+ "Search settings and actions...": "Cari pengaturan dan tindakan...",
+ "No results found for": "Tidak ada hasil ditemukan untuk",
+ "Type to search settings and actions": "Ketik untuk mencari pengaturan dan tindakan",
+ "Recent": "Terbaru",
+ "navigate": "navigasi",
+ "select": "pilih",
+ "close": "tutup",
+ "Search Settings": "Cari Pengaturan",
+ "Page Margins": "Margin Halaman",
+ "AI Provider": "Penyedia AI",
+ "Ollama URL": "URL Ollama",
+ "Ollama Model": "Model Ollama",
+ "AI Gateway Model": "Model AI Gateway",
+ "Actions": "Tindakan",
+ "Navigation": "Navigasi",
+ "Set status for {{count}} book(s)_other": "Atur status untuk {{count}} buku",
+ "Mark as Unread": "Tandai sebagai Belum Dibaca",
+ "Mark as Finished": "Tandai sebagai Selesai",
+ "Finished": "Selesai",
+ "Unread": "Belum Dibaca",
+ "Clear Status": "Hapus Status",
+ "Status": "Status",
+ "Loading": "Memuat...",
+ "Exit Paragraph Mode": "Keluar dari Mode Paragraf",
+ "Paragraph Mode": "Mode Paragraf",
+ "Embedding Model": "Model Penyematan",
+ "{{count}} book(s) synced_other": "{{count}} buku telah disinkronkan",
+ "Unable to start RSVP": "Tidak dapat memulai RSVP",
+ "RSVP not supported for PDF": "RSVP tidak didukung untuk PDF",
+ "Select Chapter": "Pilih Bab",
+ "Context": "Konteks",
+ "Ready": "Siap",
+ "Chapter Progress": "Kemajuan Bab",
+ "words": "kata",
+ "{{time}} left": "{{time}} tersisa",
+ "Reading progress": "Kemajuan membaca",
+ "Click to seek": "Klik untuk mencari",
+ "Skip back 15 words": "Lompat mundur 15 kata",
+ "Back 15 words (Shift+Left)": "Mundur 15 kata (Shift+Kiri)",
+ "Pause (Space)": "Jeda (Spasi)",
+ "Play (Space)": "Putar (Spasi)",
+ "Skip forward 15 words": "Lompat maju 15 kata",
+ "Forward 15 words (Shift+Right)": "Maju 15 kata (Shift+Kanan)",
+ "Pause:": "Jeda:",
+ "Decrease speed": "Kurangi kecepatan",
+ "Slower (Left/Down)": "Lebih lambat (Kiri/Bawah)",
+ "Current speed": "Kecepatan saat ini",
+ "Increase speed": "Tambah kecepatan",
+ "Faster (Right/Up)": "Lebih cepat (Kanan/Atas)",
+ "Start RSVP Reading": "Mulai Membaca RSVP",
+ "Choose where to start reading": "Pilih tempat untuk mulai membaca",
+ "From Chapter Start": "Dari Awal Bab",
+ "Start reading from the beginning of the chapter": "Mulai membaca dari awal bab",
+ "Resume": "Lanjutkan",
+ "Continue from where you left off": "Lanjutkan dari tempat Anda berhenti",
+ "From Current Page": "Dari Halaman Saat Ini",
+ "Start from where you are currently reading": "Mulai dari tempat Anda sedang membaca",
+ "From Selection": "Dari Pilihan",
+ "Speed Reading Mode": "Mode Baca Cepat",
+ "Scroll left": "Gulir ke kiri",
+ "Scroll right": "Gulir ke kanan",
+ "Library Sync Progress": "Kemajuan Sinkronisasi Pustaka",
+ "Back to library": "Kembali ke perpustakaan",
+ "Group by...": "Kelompokkan menurut...",
+ "Export as Plain Text": "Ekspor sebagai Teks Biasa",
+ "Export as Markdown": "Ekspor sebagai Markdown",
+ "Show Page Navigation Buttons": "Tombol navigasi",
+ "Page {{number}}": "Halaman {{number}}",
+ "highlight": "sorotan",
+ "underline": "garis bawah",
+ "squiggly": "bergelombang",
+ "red": "merah",
+ "violet": "ungu",
+ "blue": "biru",
+ "green": "hijau",
+ "yellow": "kuning",
+ "Select {{style}} style": "Pilih gaya {{style}}",
+ "Select {{color}} color": "Pilih warna {{color}}",
+ "Close Book": "Tutup Buku",
+ "Speed Reading": "Membaca Cepat",
+ "Close Speed Reading": "Tutup Membaca Cepat",
+ "Authors": "Penulis",
+ "Books": "Buku",
+ "Groups": "Grup",
+ "Back to TTS Location": "Kembali ke Lokasi TTS",
+ "Metadata": "Metadata",
+ "Image viewer": "Penampil gambar",
+ "Previous Image": "Gambar Sebelumnya",
+ "Next Image": "Gambar Berikutnya",
+ "Zoomed": "Diperbesar",
+ "Zoom level": "Tingkat zoom",
+ "Table viewer": "Penampil tabel",
+ "Unable to connect to Readwise. Please check your network connection.": "Tidak dapat terhubung ke Readwise. Silakan periksa koneksi jaringan Anda.",
+ "Invalid Readwise access token": "Token akses Readwise tidak valid",
+ "Disconnected from Readwise": "Terputus dari Readwise",
+ "Never": "Tidak pernah",
+ "Readwise Settings": "Pengaturan Readwise",
+ "Connected to Readwise": "Terhubung ke Readwise",
+ "Last synced: {{time}}": "Terakhir disinkronkan: {{time}}",
+ "Sync Enabled": "Sinkronisasi Diaktifkan",
+ "Disconnect": "Putuskan sambungan",
+ "Connect your Readwise account to sync highlights.": "Hubungkan akun Readwise Anda untuk menyinkronkan sorotan.",
+ "Get your access token at": "Dapatkan token akses Anda di",
+ "Access Token": "Token Akses",
+ "Paste your Readwise access token": "Tempelkan token akses Readwise Anda",
+ "Config": "Konfigurasi",
+ "Readwise Sync": "Sinkronisasi Readwise",
+ "Push Highlights": "Kirim Sorotan",
+ "Highlights synced to Readwise": "Sorotan disinkronkan ke Readwise",
+ "Readwise sync failed: no internet connection": "Sinkronisasi Readwise gagal: tidak ada koneksi internet",
+ "Readwise sync failed: {{error}}": "Sinkronisasi Readwise gagal: {{error}}"
+}
diff --git a/apps/readest-app/public/locales/it/translation.json b/apps/readest-app/public/locales/it/translation.json
new file mode 100644
index 0000000000000000000000000000000000000000..468b3752c751d8c99974d0313789f08776b8ea13
--- /dev/null
+++ b/apps/readest-app/public/locales/it/translation.json
@@ -0,0 +1,1072 @@
+{
+ "(detected)": "(rilevato)",
+ "About Readest": "Informazioni su Readest",
+ "Add your notes here...": "Aggiungi qui le tue note...",
+ "Animation": "Animazione",
+ "Annotate": "Annota",
+ "Apply": "Applica",
+ "Auto Mode": "Modalità automatica",
+ "Behavior": "Comportamento",
+ "Book": "Libro",
+ "Bookmark": "Segnalibro",
+ "Cancel": "Annulla",
+ "Chapter": "Capitolo",
+ "Cherry": "Ciliegia",
+ "Color": "Colore",
+ "Confirm": "Conferma",
+ "Confirm Deletion": "Conferma eliminazione",
+ "Copied to notebook": "Copiato nel quaderno",
+ "Copy": "Copia",
+ "Dark Mode": "Modalità scura",
+ "Default": "Predefinito",
+ "Default Font": "Font predefinito",
+ "Default Font Size": "Dimensione font predefinita",
+ "Delete": "Elimina",
+ "Delete Highlight": "Elimina evidenziazione",
+ "Dictionary": "Dizionario",
+ "Download Readest": "Scarica Readest",
+ "Edit": "Modifica",
+ "Excerpts": "Estratti",
+ "Failed to import book(s): {{filenames}}": "Impossibile importare il/i libro/i: {{filenames}}",
+ "Fast": "Veloce",
+ "Font": "Font",
+ "Font & Layout": "Font e Layout",
+ "Font Face": "Tipo di carattere",
+ "Font Family": "Famiglia di caratteri",
+ "Font Size": "Dimensione carattere",
+ "Full Justification": "Giustificazione completa",
+ "Global Settings": "Impostazioni globali",
+ "Go Back": "Indietro",
+ "Go Forward": "Avanti",
+ "Grass": "Erba",
+ "Gray": "Grigio",
+ "Gruvbox": "Gruvbox",
+ "Highlight": "Evidenzia",
+ "Horizontal Direction": "Direzione orizzontale",
+ "Hyphenation": "Sillabazione",
+ "Import Books": "Importa libri",
+ "Layout": "Layout",
+ "Light Mode": "Modalità chiara",
+ "Loading...": "Caricamento...",
+ "Logged in": "Accesso effettuato",
+ "Logged in as {{userDisplayName}}": "Accesso effettuato come {{userDisplayName}}",
+ "Match Case": "Maiuscole/minuscole",
+ "Match Diacritics": "Corrispondenza diacritici",
+ "Match Whole Words": "Parole intere",
+ "Maximum Number of Columns": "Numero massimo di colonne",
+ "Minimum Font Size": "Dimensione minima font",
+ "Monospace Font": "Font monospazio",
+ "More Info": "Maggiori informazioni",
+ "Nord": "Nord",
+ "Notebook": "Quaderno",
+ "Notes": "Note",
+ "Open": "Apri",
+ "Original Text": "Testo originale",
+ "Page": "Pagina",
+ "Paging Animation": "Animazione cambio pagina",
+ "Paragraph": "Paragrafo",
+ "Parallel Read": "Lettura parallela",
+ "Published": "Pubblicato",
+ "Publisher": "Editore",
+ "Reading Progress Synced": "Progresso lettura sincronizzato",
+ "Reload Page": "Ricarica pagina",
+ "Reveal in File Explorer": "Mostra in Esplora file",
+ "Reveal in Finder": "Mostra nel Finder",
+ "Reveal in Folder": "Mostra nella cartella",
+ "Sans-Serif Font": "Font sans-serif",
+ "Save": "Salva",
+ "Scrolled Mode": "Modalità scorrimento",
+ "Search": "Cerca",
+ "Search Books...": "Cerca libri...",
+ "Search...": "Cerca...",
+ "Select Book": "Seleziona libro",
+ "Select Books": "Seleziona libri",
+ "Sepia": "Seppia",
+ "Serif Font": "Font serif",
+ "Show Book Details": "Mostra dettagli libro",
+ "Sidebar": "Barra laterale",
+ "Sign In": "Accedi",
+ "Sign Out": "Esci",
+ "Sky": "Cielo",
+ "Slow": "Lento",
+ "Solarized": "Solarizzato",
+ "Speak": "Leggi",
+ "Subjects": "Argomenti",
+ "System Fonts": "Font di sistema",
+ "Theme Color": "Colore tema",
+ "Theme Mode": "Modalità tema",
+ "Translate": "Traduci",
+ "Translated Text": "Testo tradotto",
+ "Unknown": "Sconosciuto",
+ "Untitled": "Senza titolo",
+ "Updated": "Aggiornato",
+ "Version {{version}}": "Versione {{version}}",
+ "Vertical Direction": "Direzione verticale",
+ "Welcome to your library. You can import your books here and read them anytime.": "Benvenuto nella tua biblioteca. Puoi importare i tuoi libri qui e leggerli in qualsiasi momento.",
+ "Wikipedia": "Wikipedia",
+ "Writing Mode": "Modalità scrittura",
+ "Your Library": "La tua biblioteca",
+ "TTS not supported for PDF": "TTS non supportato per PDF",
+ "Override Book Font": "Sovrascrivi font libro",
+ "Apply to All Books": "Applica a tutti i libri",
+ "Apply to This Book": "Applica a questo libro",
+ "Unable to fetch the translation. Try again later.": "Impossibile recuperare la traduzione. Riprova più tardi.",
+ "Check Update": "Controlla aggiornamento",
+ "Already the latest version": "Già l'ultima versione",
+ "Book Details": "Dettagli libro",
+ "From Local File": "Da file locale",
+ "TOC": "Sommario",
+ "Table of Contents": "Sommario",
+ "Book uploaded: {{title}}": "Libro caricato: {{title}}",
+ "Failed to upload book: {{title}}": "Caricamento libro non riuscito: {{title}}",
+ "Book downloaded: {{title}}": "Libro scaricato: {{title}}",
+ "Failed to download book: {{title}}": "Download libro non riuscito: {{title}}",
+ "Upload Book": "Carica libro",
+ "Auto Upload Books to Cloud": "Carica libri automaticamente su cloud",
+ "Book deleted: {{title}}": "Libro eliminato: {{title}}",
+ "Failed to delete book: {{title}}": "Eliminazione libro non riuscita: {{title}}",
+ "Check Updates on Start": "Controlla aggiornamenti all'avvio",
+ "Insufficient storage quota": "Quota di archiviazione insufficiente",
+ "Font Weight": "Peso font",
+ "Line Spacing": "Interlinea",
+ "Word Spacing": "Spaziatura parole",
+ "Letter Spacing": "Spaziatura lettere",
+ "Text Indent": "Rientro testo",
+ "Paragraph Margin": "Margine paragrafo",
+ "Override Book Layout": "Sovrascrivi layout libro",
+ "Untitled Group": "Gruppo senza titolo",
+ "Group Books": "Raggruppa libri",
+ "Remove From Group": "Rimuovi dal",
+ "Create New Group": "Crea nuovo gruppo",
+ "Deselect Book": "Deseleziona libro",
+ "Download Book": "Scarica libro",
+ "Deselect Group": "Deseleziona gruppo",
+ "Select Group": "Seleziona gruppo",
+ "Keep Screen Awake": "Mantieni schermo attivo",
+ "Email address": "Indirizzo email",
+ "Your Password": "La tua password",
+ "Your email address": "Il tuo indirizzo email",
+ "Your password": "La tua password",
+ "Sign in": "Accedi",
+ "Signing in...": "Accesso in corso...",
+ "Sign in with {{provider}}": "Accedi con {{provider}}",
+ "Already have an account? Sign in": "Hai già un account? Accedi",
+ "Create a Password": "Crea una password",
+ "Sign up": "Registrati",
+ "Signing up...": "Registrazione in corso...",
+ "Don't have an account? Sign up": "Non hai un account? Registrati",
+ "Check your email for the confirmation link": "Controlla la tua email per il link di conferma",
+ "Signing in ...": "Accesso in corso ...",
+ "Send a magic link email": "Invia un'email con link magico",
+ "Check your email for the magic link": "Controlla la tua email per il link magico",
+ "Send reset password instructions": "Invia istruzioni per reimpostare la password",
+ "Sending reset instructions ...": "Invio istruzioni di reimpostazione ...",
+ "Forgot your password?": "Hai dimenticato la password?",
+ "Check your email for the password reset link": "Controlla la tua email per il link di reimpostazione della password",
+ "New Password": "Nuova password",
+ "Your new password": "La tua nuova password",
+ "Update password": "Aggiorna password",
+ "Updating password ...": "Aggiornamento password ...",
+ "Your password has been updated": "La tua password è stata aggiornata",
+ "Phone number": "Numero di telefono",
+ "Your phone number": "Il tuo numero di telefono",
+ "Token": "Token",
+ "Your OTP token": "Il tuo token OTP",
+ "Verify token": "Verifica token",
+ "Account": "Account",
+ "Failed to delete user. Please try again later.": "Impossibile eliminare l'utente. Riprova più tardi.",
+ "Community Support": "Supporto della community",
+ "Priority Support": "Supporto prioritario",
+ "Loading profile...": "Caricamento profilo...",
+ "Delete Account": "Elimina account",
+ "Delete Your Account?": "Eliminare il tuo account?",
+ "This action cannot be undone. All your data in the cloud will be permanently deleted.": "Questa azione non può essere annullata. Tutti i tuoi dati nel cloud verranno eliminati definitivamente.",
+ "Delete Permanently": "Elimina definitivamente",
+ "RTL Direction": "Direzione RTL",
+ "Maximum Column Height": "Altezza massima colonna",
+ "Maximum Column Width": "Larghezza massima colonna",
+ "Continuous Scroll": "Scorrimento continuo",
+ "Fullscreen": "Schermo intero",
+ "No supported files found. Supported formats: {{formats}}": "Nessun file supportato trovato. Formati supportati: {{formats}}",
+ "Drop to Import Books": "Rilascia per importare libri",
+ "Custom": "Personalizzato",
+ "All the world's a stage,\nAnd all the men and women merely players;\nThey have their exits and their entrances,\nAnd one man in his time plays many parts,\nHis acts being seven ages.\n\n— William Shakespeare": "Tutto il mondo è un palcoscenico,\nE tutti gli uomini e le donne sono solo attori;\nHanno le loro uscite e le loro entrate,\nE un uomo nella sua vita interpreta molte parti,\nI suoi atti sono sette età.\n\n— William Shakespeare",
+ "Custom Theme": "Tema personalizzato",
+ "Theme Name": "Nome tema",
+ "Text Color": "Colore testo",
+ "Background Color": "Colore sfondo",
+ "Preview": "Anteprima",
+ "Contrast": "Contrasto",
+ "Sunset": "Tramonto",
+ "Double Border": "Doppio bordo",
+ "Border Color": "Colore bordo",
+ "Border Frame": "Cornice bordo",
+ "Show Header": "Mostra intestazione",
+ "Show Footer": "Mostra piè di pagina",
+ "Small": "Piccolo",
+ "Large": "Grande",
+ "Auto": "Automatico",
+ "Language": "Lingua",
+ "No annotations to export": "Nessuna annotazione da esportare",
+ "Author": "Autore",
+ "Exported from Readest": "Esportato da Readest",
+ "Highlights & Annotations": "Evidenziazioni e annotazioni",
+ "Note": "Nota",
+ "Copied to clipboard": "Copiato negli appunti",
+ "Export Annotations": "Esporta annotazioni",
+ "Auto Import on File Open": "Importazione automatica all'apertura del file",
+ "LXGW WenKai GB Screen": "LXGW WenKai SC",
+ "LXGW WenKai TC": "LXGW WenKai TC",
+ "No chapters detected": "Nessun capitolo rilevato",
+ "Failed to parse the EPUB file": "Impossibile analizzare il file EPUB",
+ "This book format is not supported": "Questo formato di libro non è supportato",
+ "Unable to fetch the translation. Please log in first and try again.": "Impossibile recuperare la traduzione. Accedi prima e riprova.",
+ "Group": "Gruppo",
+ "Always on Top": "Sempre in primo piano",
+ "No Timeout": "Nessun timeout",
+ "{{value}} minute": "{{value}} minuto",
+ "{{value}} minutes": "{{value}} minuti",
+ "{{value}} hour": "{{value}} ora",
+ "{{value}} hours": "{{value}} ore",
+ "CJK Font": "Font CJK",
+ "Clear Search": "Cancella ricerca",
+ "Header & Footer": "Intestazione e piè di pagina",
+ "Apply also in Scrolled Mode": "Applica anche in modalità scorrimento",
+ "A new version of Readest is available!": "È disponibile una nuova versione di Readest!",
+ "Readest {{newVersion}} is available (installed version {{currentVersion}}).": "Readest {{newVersion}} è disponibile (versione installata {{currentVersion}}).",
+ "Download and install now?": "Scarica e installa ora?",
+ "Downloading {{downloaded}} of {{contentLength}}": "Scaricando {{downloaded}} di {{contentLength}}",
+ "Download finished": "Download completato",
+ "DOWNLOAD & INSTALL": "SCARICA E INSTALLA",
+ "Changelog": "Note di rilascio",
+ "Software Update": "Aggiornamento software",
+ "Title": "Titolo",
+ "Date Read": "Data di lettura",
+ "Date Added": "Data aggiunta",
+ "Format": "Formato",
+ "Ascending": "Crescente",
+ "Descending": "Decrescente",
+ "Sort by...": "Ordina per...",
+ "Added": "Aggiunto",
+ "GuanKiapTsingKhai-T": "GuanKiapTsingKhai-T",
+ "Description": "Descrizione",
+ "No description available": "Nessuna descrizione disponibile",
+ "List": "Elenco",
+ "Grid": "Griglia",
+ "(from 'As You Like It', Act II)": "(da 'Come vi piace', Atto II)",
+ "Link Color": "Colore link",
+ "Volume Keys for Page Flip": "Tasti volume per girare pagina",
+ "Screen": "Schermo",
+ "Orientation": "Orientamento",
+ "Portrait": "Ritratto",
+ "Landscape": "Paesaggio",
+ "Open Last Book on Start": "Apri ultimo libro all'avvio",
+ "Checking for updates...": "Controllo aggiornamenti...",
+ "Error checking for updates": "Errore durante il controllo degli aggiornamenti",
+ "Details": "Dettagli",
+ "File Size": "Dimensione file",
+ "Auto Detect": "Rilevamento automatico",
+ "Next Section": "Sezione successiva",
+ "Previous Section": "Sezione precedente",
+ "Next Page": "Pagina successiva",
+ "Previous Page": "Pagina precedente",
+ "Are you sure to delete {{count}} selected book(s)?_one": "Sei sicuro di voler eliminare {{count}} libro selezionato?",
+ "Are you sure to delete {{count}} selected book(s)?_many": "Sei sicuro di voler eliminare {{count}} libri selezionati?",
+ "Are you sure to delete {{count}} selected book(s)?_other": "Sei sicuro di voler eliminare {{count}} libri selezionati?",
+ "Are you sure to delete the selected book?": "Sei sicuro di voler eliminare il libro selezionato?",
+ "Deselect": "Annulla",
+ "Select All": "Tutti",
+ "No translation available.": "Nessuna traduzione disponibile.",
+ "Translated by {{provider}}.": "Tradotto da {{provider}}.",
+ "DeepL": "DeepL",
+ "Google Translate": "Google Translate",
+ "Azure Translator": "Traduttore Azure",
+ "Invert Image In Dark Mode": "Inverti immagine in scuro",
+ "Help improve Readest": "Aiuta a migliorare Readest",
+ "Sharing anonymized statistics": "Condivisione di statistiche anonime",
+ "Interface Language": "Lingua dell'interfaccia",
+ "Translation": "Traduzione",
+ "Enable Translation": "Abilita traduzione",
+ "Translation Service": "Servizio di traduzione",
+ "Translate To": "Traduci in",
+ "Disable Translation": "Disabilita traduzione",
+ "Scroll": "Scorri",
+ "Overlap Pixels": "Pixel di sovrapposizione",
+ "System Language": "Lingua di sistema",
+ "Security": "Security",
+ "Allow JavaScript": "Consenti JavaScript",
+ "Enable only if you trust the file.": "Abilita solo se ti fidi del file.",
+ "Sort TOC by Page": "Ordina sommario per pagina",
+ "Search in {{count}} Book(s)..._one": "Cerca in {{count}} libro...",
+ "Search in {{count}} Book(s)..._many": "Cerca in {{count}} libri...",
+ "Search in {{count}} Book(s)..._other": "Cerca in {{count}} libri...",
+ "No notes match your search": "Nessuna nota trovata",
+ "Search notes and excerpts...": "Cerca nelle note...",
+ "Sign in to Sync": "Accedi per sincronizzare",
+ "Synced at {{time}}": "Sincronizzato alle {{time}}",
+ "Never synced": "Mai sincronizzato",
+ "Show Remaining Time": "Mostra tempo rimanente",
+ "{{time}} min left in chapter": "{{time}} min rimasti nel capitolo",
+ "Override Book Color": "Override colore libro",
+ "Login Required": "Accesso richiesto",
+ "Quota Exceeded": "Limite superato",
+ "{{percentage}}% of Daily Translation Characters Used.": "{{percentage}}% dei caratteri di traduzione giornalieri utilizzati.",
+ "Translation Characters": "Caratteri di traduzione",
+ "{{engine}}: {{count}} voices_one": "{{engine}}: {{count}} voce",
+ "{{engine}}: {{count}} voices_many": "{{engine}}: {{count}} voci",
+ "{{engine}}: {{count}} voices_other": "{{engine}}: {{count}} voci",
+ "Something went wrong. Don't worry, our team has been notified and we're working on a fix.": "Qualcosa è andato storto. Non preoccuparti, il nostro team è stato avvisato e stiamo lavorando a una soluzione.",
+ "Error Details:": "Dettagli errore:",
+ "Try Again": "Riprova",
+ "Need help?": "Hai bisogno di aiuto?",
+ "Contact Support": "Contatta il supporto",
+ "Code Highlighting": "Evidenziazione codice",
+ "Enable Highlighting": "Abilita evidenziazione",
+ "Code Language": "Tipo di codice",
+ "Top Margin (px)": "Margine Superiore (px)",
+ "Bottom Margin (px)": "Margine Inferiore (px)",
+ "Right Margin (px)": "Margine Destro (px)",
+ "Left Margin (px)": "Margine Sinistro (px)",
+ "Column Gap (%)": "Spazio tra Colonne (%)",
+ "Always Show Status Bar": "Mostra sempre la barra di stato",
+ "Custom Content CSS": "CSS contenuto",
+ "Enter CSS for book content styling...": "Inserisci il CSS per il contenuto del libro...",
+ "Custom Reader UI CSS": "CSS interfaccia",
+ "Enter CSS for reader interface styling...": "Inserisci il CSS per l'interfaccia di lettura...",
+ "Crop": "Ritaglia",
+ "Book Covers": "Copertine libri",
+ "Fit": "Adatta",
+ "Reset {{settings}}": "Reimposta {{settings}}",
+ "Reset Settings": "Reimposta impostazioni",
+ "{{count}} pages left in chapter_one": "{{count}} pagina rimasta nel capitolo",
+ "{{count}} pages left in chapter_many": "{{count}} pagine rimaste nel capitolo",
+ "{{count}} pages left in chapter_other": "{{count}} pagine rimaste nel capitolo",
+ "Show Remaining Pages": "Mostra pagine rimanenti",
+ "Source Han Serif CN": "Source Han Serif",
+ "Huiwen-MinchoGBK": "Huiwen Mincho",
+ "KingHwa_OldSong": "KingHwa Song",
+ "Manage Subscription": "Gestisci Abbonamento",
+ "Coming Soon": "Prossimamente",
+ "Upgrade to {{plan}}": "Aggiorna a {{plan}}",
+ "Upgrade to Plus or Pro": "Aggiorna a Plus o Pro",
+ "Current Plan": "Piano Attuale",
+ "Plan Limits": "Limiti del Piano",
+ "Processing your payment...": "Elaborazione del pagamento...",
+ "Please wait while we confirm your subscription.": "Attendi mentre confermiamo il tuo abbonamento.",
+ "Payment Processing": "Elaborazione Pagamento",
+ "Your payment is being processed. This usually takes a few moments.": "Il tuo pagamento è in elaborazione. Di solito richiede pochi istanti.",
+ "Payment Failed": "Pagamento Fallito",
+ "We couldn't process your subscription. Please try again or contact support if the issue persists.": "Non è stato possibile elaborare l'abbonamento. Riprova o contatta il supporto se il problema persiste.",
+ "Back to Profile": "Torna al Profilo",
+ "Subscription Successful!": "Abbonamento Avvenuto con Successo!",
+ "Thank you for your subscription! Your payment has been processed successfully.": "Grazie per l'abbonamento! Il pagamento è stato elaborato con successo.",
+ "Email:": "Email:",
+ "Plan:": "Piano:",
+ "Amount:": "Importo:",
+ "Go to Library": "Vai alla Libreria",
+ "Need help? Contact our support team at support@readest.com": "Hai bisogno di aiuto? Contatta il nostro supporto a support@readest.com",
+ "Free Plan": "Piano Gratuito",
+ "month": "mese",
+ "AI Translations (per day)": "Traduzioni AI (al giorno)",
+ "Plus Plan": "Piano Plus",
+ "Includes All Free Plan Benefits": "Include Tutti i Vantaggi del Piano Gratuito",
+ "Pro Plan": "Piano Pro",
+ "More AI Translations": "Più Traduzioni AI",
+ "Complete Your Subscription": "Completa l'abbonamento",
+ "{{percentage}}% of Cloud Sync Space Used.": "{{percentage}}% dello spazio cloud usato",
+ "Cloud Sync Storage": "Spazio cloud",
+ "Disable": "Disabilita",
+ "Enable": "Abilita",
+ "Upgrade to Readest Premium": "Aggiorna a Readest Premium",
+ "Show Source Text": "Mostra Testo Originale",
+ "Cross-Platform Sync": "Sincronizzazione Multipiattaforma",
+ "Seamlessly sync your library, progress, highlights, and notes across all your devices—never lose your place again.": "Sincronizza libreria, progressi e note su tutti i tuoi dispositivi.",
+ "Customizable Reading": "Lettura Personalizzabile",
+ "Personalize every detail with adjustable fonts, layouts, themes, and advanced display settings for the perfect reading experience.": "Personalizza font, layout e temi come preferisci.",
+ "AI Read Aloud": "Lettura AI",
+ "Enjoy hands-free reading with natural-sounding AI voices that bring your books to life.": "Ascolta i libri con voci AI naturali.",
+ "AI Translations": "Traduzioni AI",
+ "Connect with fellow readers and get help fast in our friendly community channels.": "Connettiti con la community e ricevi supporto rapido.",
+ "Unlimited AI Read Aloud Hours": "Lettura AI Illimitata",
+ "Listen without limits—convert as much text as you like into immersive audio.": "Ascolta senza limiti quanto vuoi.",
+ "Unlock enhanced translation capabilities with more daily usage and advanced options.": "Sblocca traduzioni avanzate e più utilizzo giornaliero.",
+ "DeepL Pro Access": "Accesso DeepL Pro",
+ "Enjoy faster responses and dedicated assistance whenever you need help.": "Ricevi supporto prioritario quando serve.",
+ "Daily translation quota reached. Upgrade your plan to continue using AI translations.": "Quota giornaliera esaurita. Passa a un piano superiore per continuare.",
+ "Translate any text instantly with the power of Google, Azure, or DeepL—understand content in any language.": "Traduci qualsiasi testo istantaneamente con la potenza di Google, Azure o DeepL—comprendi contenuti in qualsiasi lingua.",
+ "Includes All Plus Plan Benefits": "Include Tutti i Vantaggi del Piano Plus",
+ "Early Feature Access": "Accesso Anticipato alle Funzionalità",
+ "Be the first to explore new features, updates, and innovations before anyone else.": "Esplora per primo nuove funzionalità, aggiornamenti e innovazioni.",
+ "Advanced AI Tools": "Strumenti AI Avanzati",
+ "Harness powerful AI tools for smarter reading, translation, and content discovery.": "Sfrutta potenti strumenti AI per lettura intelligente, traduzione e scoperta di contenuti.",
+ "Translate up to 100,000 characters daily with the most accurate translation engine available.": "Traduci fino a 100.000 caratteri al giorno con il motore di traduzione più accurato.",
+ "Translate up to 500,000 characters daily with the most accurate translation engine available.": "Traduci fino a 500.000 caratteri al giorno con il motore di traduzione più accurato.",
+ "Securely store and access your entire reading collection with up to 5 GB of cloud storage.": "Archivia e accedi in sicurezza alla tua intera collezione di lettura con fino a 5 GB di storage cloud.",
+ "Securely store and access your entire reading collection with up to 20 GB of cloud storage.": "Archivia e accedi in sicurezza alla tua intera collezione di lettura con fino a 20 GB di storage cloud.",
+ "Deleted cloud backup of the book: {{title}}": "Backup cloud del libro eliminato: {{title}}",
+ "Are you sure to delete the cloud backup of the selected book?": "Sei sicuro di voler eliminare il backup cloud del libro selezionato?",
+ "What's New in Readest": "Novità in Readest",
+ "Enter book title": "Inserisci il titolo del libro",
+ "Subtitle": "Sottotitolo",
+ "Enter book subtitle": "Inserisci il sottotitolo del libro",
+ "Enter author name": "Inserisci il nome dell'autore",
+ "Series": "Serie",
+ "Enter series name": "Inserisci il nome della serie",
+ "Series Index": "Numero della serie",
+ "Enter series index": "Inserisci il numero della serie",
+ "Total in Series": "Totale nella serie",
+ "Enter total books in series": "Inserisci il numero totale di libri nella serie",
+ "Enter publisher": "Inserisci l'editore",
+ "Publication Date": "Data di pubblicazione",
+ "Identifier": "Identificatore",
+ "Enter book description": "Inserisci la descrizione del libro",
+ "Change cover image": "Cambia immagine di copertina",
+ "Replace": "Sostituisci",
+ "Unlock cover": "Sblocca copertina",
+ "Lock cover": "Blocca copertina",
+ "Auto-Retrieve Metadata": "Recupera metadati automaticamente",
+ "Auto-Retrieve": "Recupero automatico",
+ "Unlock all fields": "Sblocca tutti i campi",
+ "Unlock All": "Sblocca tutto",
+ "Lock all fields": "Blocca tutti i campi",
+ "Lock All": "Blocca tutto",
+ "Reset": "Ripristina",
+ "Edit Metadata": "Modifica metadati",
+ "Locked": "Bloccato",
+ "Select Metadata Source": "Seleziona fonte metadati",
+ "Keep manual input": "Mantieni input manuale",
+ "Google Books": "Google Books",
+ "Open Library": "Open Library",
+ "Fiction, Science, History": "Narrativa, Scienza, Storia",
+ "Open Book in New Window": "Apri libro in una nuova finestra",
+ "Voices for {{lang}}": "Voci per {{lang}}",
+ "Yandex Translate": "Yandex Translate",
+ "YYYY or YYYY-MM-DD": "AAAA o AAAA-MM-GG",
+ "Restore Purchase": "Ripristina acquisto",
+ "No purchases found to restore.": "Nessun acquisto trovato da ripristinare.",
+ "Failed to restore purchases.": "Impossibile ripristinare gli acquisti.",
+ "Failed to manage subscription.": "Impossibile gestire l'abbonamento.",
+ "Failed to load subscription plans.": "Impossibile caricare i piani di abbonamento.",
+ "year": "anno",
+ "Failed to create checkout session": "Impossibile creare la sessione di checkout",
+ "Storage": "Archiviazione",
+ "Terms of Service": "Termini di servizio",
+ "Privacy Policy": "Informativa sulla privacy",
+ "Disable Double Click": "Disabilita Doppio Clic",
+ "TTS not supported for this document": "TTS non supportato per questo documento",
+ "Reset Password": "Reimposta Password",
+ "Show Reading Progress": "Mostra Progresso Lettura",
+ "Reading Progress Style": "Stile di Progresso Lettura",
+ "Page Number": "Numero di Pagina",
+ "Percentage": "Percentuale",
+ "Deleted local copy of the book: {{title}}": "Copie locale del libro eliminata: {{title}}",
+ "Failed to delete cloud backup of the book: {{title}}": "Impossibile eliminare il backup cloud del libro: {{title}}",
+ "Failed to delete local copy of the book: {{title}}": "Impossibile eliminare la copia locale del libro: {{title}}",
+ "Are you sure to delete the local copy of the selected book?": "Sei sicuro di voler eliminare la copia locale del libro selezionato?",
+ "Remove from Cloud & Device": "Rimuovi da Cloud & Dispositivo",
+ "Remove from Cloud Only": "Rimuovi solo da Cloud",
+ "Remove from Device Only": "Rimuovi solo da Dispositivo",
+ "Disconnected": "Disconnesso",
+ "KOReader Sync Settings": "Impostazioni di Sincronizzazione KOReader",
+ "Sync Strategy": "Strategia di Sincronizzazione",
+ "Ask on conflict": "Chiedi in caso di conflitto",
+ "Always use latest": "Usa sempre l'ultima versione",
+ "Send changes only": "Invia solo le modifiche",
+ "Receive changes only": "Ricevi solo le modifiche",
+ "Checksum Method": "Metodo di Controllo",
+ "File Content (recommended)": "Contenuto del File (consigliato)",
+ "File Name": "Nome del File",
+ "Device Name": "Nome del Dispositivo",
+ "Connect to your KOReader Sync server.": "Connettiti al tuo server KOReader Sync.",
+ "Server URL": "URL del Server",
+ "Username": "Nome Utente",
+ "Your Username": "Il tuo Nome Utente",
+ "Password": "Password",
+ "Connect": "Connetti",
+ "KOReader Sync": "KOReader Sync",
+ "Sync Conflict": "Conflitto di Sincronizzazione",
+ "Sync reading progress from \"{{deviceName}}\"?": "Sincronizzare il progresso di lettura da \"{{deviceName}}\"?",
+ "another device": "un altro dispositivo",
+ "Local Progress": "Progresso Locale",
+ "Remote Progress": "Progresso Remoto",
+ "Page {{page}} of {{total}} ({{percentage}}%)": "Pagina {{page}} di {{total}} ({{percentage}}%)",
+ "Current position": "Posizione Corrente",
+ "Approximately page {{page}} of {{total}} ({{percentage}}%)": "Circa pagina {{page}} di {{total}} ({{percentage}}%)",
+ "Approximately {{percentage}}%": "Circa {{percentage}}%",
+ "Failed to connect": "Impossibile connettersi",
+ "Sync Server Connected": "Server di sincronizzazione connesso",
+ "Sync as {{userDisplayName}}": "Sincronizza come {{userDisplayName}}",
+ "Custom Fonts": "Font Personalizzati",
+ "Cancel Delete": "Annulla Eliminazione",
+ "Import Font": "Importa Font",
+ "Delete Font": "Elimina Font",
+ "Tips": "Suggerimenti",
+ "Custom fonts can be selected from the Font Face menu": "I font personalizzati possono essere selezionati dal menu Carattere",
+ "Manage Custom Fonts": "Gestisci Font Personalizzati",
+ "Select Files": "Seleziona File",
+ "Select Image": "Seleziona Immagine",
+ "Select Video": "Seleziona Video",
+ "Select Audio": "Seleziona Audio",
+ "Select Fonts": "Seleziona Font",
+ "Supported font formats: .ttf, .otf, .woff, .woff2": "Formati di font supportati: .ttf, .otf, .woff, .woff2",
+ "Push Progress": "Progresso push",
+ "Pull Progress": "Progresso pull",
+ "Previous Paragraph": "Paragrafo precedente",
+ "Previous Sentence": "Frase precedente",
+ "Pause": "Pausa",
+ "Play": "Riproduci",
+ "Next Sentence": "Frase successiva",
+ "Next Paragraph": "Paragrafo successivo",
+ "Separate Cover Page": "Pagina di copertina separata",
+ "Resize Notebook": "Ridimensiona quaderno",
+ "Resize Sidebar": "Ridimensiona barra laterale",
+ "Get Help from the Readest Community": "Ottieni aiuto dalla community di Readest",
+ "Remove cover image": "Rimuovi immagine di copertina",
+ "Bookshelf": "Scaffale dei libri",
+ "View Menu": "Visualizza menu",
+ "Settings Menu": "Menu impostazioni",
+ "View account details and quota": "Visualizza dettagli account e quota",
+ "Library Header": "Intestazione biblioteca",
+ "Book Content": "Contenuto del libro",
+ "Footer Bar": "Barra piè di pagina",
+ "Header Bar": "Barra intestazione",
+ "View Options": "Opzioni di visualizzazione",
+ "Book Menu": "Menu libro",
+ "Search Options": "Opzioni di ricerca",
+ "Close": "Chiudi",
+ "Delete Book Options": "Opzioni di eliminazione libro",
+ "ON": "ATTIVO",
+ "OFF": "DISATTIVO",
+ "Reading Progress": "Progresso di lettura",
+ "Page Margin": "Margine di pagina",
+ "Remove Bookmark": "Rimuovi Segnalibro",
+ "Add Bookmark": "Aggiungi Segnalibro",
+ "Books Content": "Contenuto dei Libri",
+ "Jump to Location": "Salta alla Posizione",
+ "Unpin Notebook": "Sblocca Quaderno",
+ "Pin Notebook": "Blocca Quaderno",
+ "Hide Search Bar": "Nascondi Barra di Ricerca",
+ "Show Search Bar": "Mostra Barra di Ricerca",
+ "On {{current}} of {{total}} page": "A pagina {{current}} di {{total}}",
+ "Section Title": "Titolo Sezione",
+ "Decrease": "Diminuisci",
+ "Increase": "Aumenta",
+ "Settings Panels": "Pannelli di Impostazione",
+ "Settings": "Impostazioni",
+ "Unpin Sidebar": "Sblocca Bilah Samping",
+ "Pin Sidebar": "Blocca Bilah Samping",
+ "Toggle Sidebar": "Toggel Bilah Samping",
+ "Toggle Translation": "Toggel Terjemahan",
+ "Translation Disabled": "Terjemahan Dinonaktifkan",
+ "Minimize": "Minimalkan",
+ "Maximize or Restore": "Maksimalkan atau Pulihkan",
+ "Exit Parallel Read": "Esci dalla lettura parallela",
+ "Enter Parallel Read": "Entra nella lettura parallela",
+ "Zoom Level": "Livello di zoom",
+ "Zoom Out": "Riduci zoom",
+ "Reset Zoom": "Ripristina zoom",
+ "Zoom In": "Inganna zoom",
+ "Zoom Mode": "Modalità zoom",
+ "Single Page": "Pagina singola",
+ "Auto Spread": "Distribuzione automatica",
+ "Fit Page": "Adatta pagina",
+ "Fit Width": "Adatta larghezza",
+ "Failed to select directory": "Impossibile selezionare la directory",
+ "The new data directory must be different from the current one.": "La nuova directory dei dati deve essere diversa da quella attuale.",
+ "Migration failed: {{error}}": "Migrzione fallita: {{error}}",
+ "Change Data Location": "Cambia posizione dei dati",
+ "Current Data Location": "Posizione attuale dei dati",
+ "Total size: {{size}}": "Dimensione totale: {{size}}",
+ "Calculating file info...": "Calcolo informazioni file...",
+ "New Data Location": "Nuova posizione dei dati",
+ "Choose Different Folder": "Scegli una cartella diversa",
+ "Choose New Folder": "Scegli una nuova cartella",
+ "Migrating data...": "Migrando dati...",
+ "Copying: {{file}}": "Copia in corso: {{file}}",
+ "{{current}} of {{total}} files": "{{current}} di {{total}} file",
+ "Migration completed successfully!": "Migrzione completata con successo!",
+ "Your data has been moved to the new location. Please restart the application to complete the process.": "I tuoi dati sono stati spostati nella nuova posizione. Riavvia l'applicazione per completare il processo.",
+ "Migration failed": "Migrzione fallita",
+ "Important Notice": "Avviso Importante",
+ "This will move all your app data to the new location. Make sure the destination has enough free space.": "Questo sposterà tutti i dati dell'app nella nuova posizione. Assicurati che la destinazione abbia spazio libero sufficiente.",
+ "Restart App": "Riavvia App",
+ "Start Migration": "Inizia Migrazione",
+ "Advanced Settings": "Impostazioni Avanzate",
+ "File count: {{size}}": "Conteggio file: {{size}}",
+ "Background Read Aloud": "Riproduzione in background",
+ "Ready to read aloud": "Pronto per la lettura ad alta voce",
+ "Read Aloud": "Leggi ad alta voce",
+ "Screen Brightness": "Luminosità dello schermo",
+ "Background Image": "Immagine di sfondo",
+ "Import Image": "Importa immagine",
+ "Opacity": "Opacità",
+ "Size": "Dimensione",
+ "Cover": "Copertura",
+ "Contain": "Contenere",
+ "{{number}} pages left in chapter": "{{number}} pagine rimaste nel capitolo",
+ "Device": "Dispositivo",
+ "E-Ink Mode": "Modalità E-Ink",
+ "Highlight Colors": "Colori Evidenziazione",
+ "Auto Screen Brightness": "Luminosità schermo automatica",
+ "Pagination": "Impaginazione",
+ "Disable Double Tap": "Disabilita Doppio Tap",
+ "Tap to Paginate": "Tocca per Impaginare",
+ "Click to Paginate": "Clicca per Impaginare",
+ "Tap Both Sides": "Tocca Entrambi i Lati",
+ "Click Both Sides": "Clicca Entrambi i Lati",
+ "Swap Tap Sides": "Scambia Sides Tap",
+ "Swap Click Sides": "Scambia Sides Click",
+ "Source and Translated": "Fonte e Tradotto",
+ "Translated Only": "Solo Tradotto",
+ "Source Only": "Solo Fonte",
+ "TTS Text": "Testo TTS",
+ "The book file is corrupted": "Il file del libro è danneggiato",
+ "The book file is empty": "Il file del libro è vuoto",
+ "Failed to open the book file": "Impossibile aprire il file del libro",
+ "On-Demand Purchase": "Acquisto su Richiesta",
+ "Full Customization": "Personalizzazione Completa",
+ "Lifetime Plan": "Piano a Vita",
+ "One-Time Payment": "Pagamento Una Tantum",
+ "Make a single payment to enjoy lifetime access to specific features on all devices. Purchase specific features or services only when you need them.": "Effettua un pagamento una tantum per godere dell'accesso a vita a funzionalità specifiche su tutti i dispositivi. Acquista funzionalità o servizi specifici solo quando ne hai bisogno.",
+ "Expand Cloud Sync Storage": "Espandi Spazio di Archiviazione Cloud",
+ "Expand your cloud storage forever with a one-time purchase. Each additional purchase adds more space.": "Espandi il tuo spazio di archiviazione cloud per sempre con un acquisto una tantum. Ogni acquisto aggiuntivo aumenta lo spazio.",
+ "Unlock All Customization Options": "Sblocca Tutte le Opzioni di Personalizzazione",
+ "Unlock additional themes, fonts, layout options and read aloud, translators, cloud storage services.": "Sblocca temi aggiuntivi, font, opzioni di layout e lettura ad alta voce, traduttori, servizi di archiviazione cloud.",
+ "Purchase Successful!": "Acquisto Riuscito!",
+ "lifetime": "a vita",
+ "Thank you for your purchase! Your payment has been processed successfully.": "Grazie per il tuo acquisto! Il pagamento è stato elaborato con successo.",
+ "Order ID:": "ID Ordine:",
+ "TTS Highlighting": "Evidenziazione TTS",
+ "Style": "Stile",
+ "Underline": "Sottolineato",
+ "Strikethrough": "Barrato",
+ "Squiggly": "Ondulato",
+ "Outline": "Contorno",
+ "Save Current Color": "Salva Colore Corrente",
+ "Quick Colors": "Colori Veloci",
+ "Highlighter": "Evidenziatore",
+ "Save Book Cover": "Salva Copertina del Libro",
+ "Auto-save last book cover": "Salva automaticamente l'ultima copertina del libro",
+ "Back": "Indietro",
+ "Confirmation email sent! Please check your old and new email addresses to confirm the change.": "Email di conferma inviata! Controlla il tuo vecchio e nuovo indirizzo email per confermare la modifica.",
+ "Failed to update email": "Aggiornamento dell'email non riuscito",
+ "New Email": "Nuova email",
+ "Your new email": "La tua nuova email",
+ "Updating email ...": "Aggiornamento dell'email ...",
+ "Update email": "Aggiorna email",
+ "Current email": "Email attuale",
+ "Update Email": "Aggiorna email",
+ "All": "Tutti",
+ "Unable to open book": "Impossibile aprire il libro",
+ "Punctuation": "Segni di punteggiatura",
+ "Replace Quotation Marks": "Sostituisci le virgolette",
+ "Enabled only in vertical layout.": "Abilitato solo in layout verticale.",
+ "No Conversion": "Nessuna conversione",
+ "Simplified to Traditional": "Semplificato → Tradizionale",
+ "Traditional to Simplified": "Tradizionale → Semplificato",
+ "Simplified to Traditional (Taiwan)": "Semplificato → Tradizionale (Taiwan)",
+ "Simplified to Traditional (Hong Kong)": "Semplificato → Tradizionale (Hong Kong)",
+ "Simplified to Traditional (Taiwan), with phrases": "Semplificato → Tradizionale (Taiwan • frasi)",
+ "Traditional (Taiwan) to Simplified": "Tradizionale (Taiwan) → Semplificato",
+ "Traditional (Hong Kong) to Simplified": "Tradizionale (Hong Kong) → Semplificato",
+ "Traditional (Taiwan) to Simplified, with phrases": "Tradizionale (Taiwan • frasi) → Semplificato",
+ "Convert Simplified and Traditional Chinese": "Converti Cinese Semplificato/Tradizionale",
+ "Convert Mode": "Modalità conversione",
+ "Failed to auto-save book cover for lock screen: {{error}}": "Impossibile salvare automaticamente la copertina del libro per la schermata di blocco: {{error}}",
+ "Download from Cloud": "Scarica dal Cloud",
+ "Upload to Cloud": "Carica sul Cloud",
+ "Clear Custom Fonts": "Pulisci Font Personalizzati",
+ "Columns": "Colonne",
+ "OPDS Catalogs": "Cataloghi OPDS",
+ "Adding LAN addresses is not supported in the web app version.": "L'aggiunta di indirizzi LAN non è supportata nella versione web.",
+ "Invalid OPDS catalog. Please check the URL.": "Catalogo OPDS non valido. Controlla l'URL.",
+ "Browse and download books from online catalogs": "Sfoglia e scarica libri dai cataloghi online",
+ "My Catalogs": "I miei cataloghi",
+ "Add Catalog": "Aggiungi catalogo",
+ "No catalogs yet": "Nessun catalogo",
+ "Add your first OPDS catalog to start browsing books": "Aggiungi il tuo primo catalogo OPDS per iniziare a sfogliare i libri",
+ "Add Your First Catalog": "Aggiungi il tuo primo catalogo",
+ "Browse": "Sfoglia",
+ "Popular Catalogs": "Cataloghi popolari",
+ "Add": "Aggiungi",
+ "Add OPDS Catalog": "Aggiungi catalogo OPDS",
+ "Catalog Name": "Nome del catalogo",
+ "My Calibre Library": "La mia libreria Calibre",
+ "OPDS URL": "URL OPDS",
+ "Username (optional)": "Username (opzionale)",
+ "Password (optional)": "Password (opzionale)",
+ "Description (optional)": "Descrizione (opzionale)",
+ "A brief description of this catalog": "Breve descrizione del catalogo",
+ "Validating...": "Convalida in corso...",
+ "View All": "Vedi tutto",
+ "Forward": "Avanti",
+ "Home": "Home",
+ "{{count}} items_one": "{{count}} elemento",
+ "{{count}} items_many": "{{count}} elementi",
+ "{{count}} items_other": "{{count}} elementi",
+ "Download completed": "Download completato",
+ "Download failed": "Download non riuscito",
+ "Open Access": "Accesso libero",
+ "Borrow": "Prendi in prestito",
+ "Buy": "Acquista",
+ "Subscribe": "Abbonati",
+ "Sample": "Anteprima",
+ "Download": "Scarica",
+ "Open & Read": "Apri e leggi",
+ "Tags": "Tag",
+ "Tag": "Tag",
+ "First": "Primo",
+ "Previous": "Precedente",
+ "Next": "Successivo",
+ "Last": "Ultimo",
+ "Cannot Load Page": "Impossibile caricare la pagina",
+ "An error occurred": "Si è verificato un errore",
+ "Online Library": "Libreria online",
+ "URL must start with http:// or https://": "URL deve iniziare con http:// o https://",
+ "Title, Author, Tag, etc...": "Titolo, Autore, Tag, ecc...",
+ "Query": "Query",
+ "Subject": "Soggetto",
+ "Enter {{terms}}": "Inserisci {{terms}}",
+ "No search results found": "Nessun risultato di ricerca trovato",
+ "Failed to load OPDS feed: {{status}} {{statusText}}": "Impossibile caricare il feed OPDS: {{status}} {{statusText}}",
+ "Search in {{title}}": "Cerca in {{title}}",
+ "Manage Storage": "Gestisci archiviazione",
+ "Failed to load files": "Impossibile caricare i file",
+ "Deleted {{count}} file(s)_one": "È stato eliminato {{count}} file",
+ "Deleted {{count}} file(s)_many": "Sono stati eliminati {{count}} file",
+ "Deleted {{count}} file(s)_other": "Sono stati eliminati {{count}} file",
+ "Failed to delete {{count}} file(s)_one": "Impossibile eliminare {{count}} file",
+ "Failed to delete {{count}} file(s)_many": "Impossibile eliminare {{count}} file",
+ "Failed to delete {{count}} file(s)_other": "Impossibile eliminare {{count}} file",
+ "Failed to delete files": "Impossibile eliminare i file",
+ "Total Files": "File totali",
+ "Total Size": "Dimensione totale",
+ "Quota": "Quota",
+ "Used": "Utilizzato",
+ "Files": "File",
+ "Search files...": "Cerca file...",
+ "Newest First": "Più recenti",
+ "Oldest First": "Più vecchi",
+ "Largest First": "Più grandi",
+ "Smallest First": "Più piccoli",
+ "Name A-Z": "Nome A-Z",
+ "Name Z-A": "Nome Z-A",
+ "{{count}} selected_one": "{{count}} selezionato",
+ "{{count}} selected_many": "{{count}} selezionati",
+ "{{count}} selected_other": "{{count}} selezionati",
+ "Delete Selected": "Elimina selezionati",
+ "Created": "Creato",
+ "No files found": "Nessun file trovato",
+ "No files uploaded yet": "Nessun file caricato",
+ "files": "file",
+ "Page {{current}} of {{total}}": "Pagina {{current}} di {{total}}",
+ "Are you sure to delete {{count}} selected file(s)?_one": "Sei sicuro di voler eliminare {{count}} file selezionato?",
+ "Are you sure to delete {{count}} selected file(s)?_many": "Sei sicuro di voler eliminare {{count}} file selezionati?",
+ "Are you sure to delete {{count}} selected file(s)?_other": "Sei sicuro di voler eliminare {{count}} file selezionati?",
+ "Cloud Storage Usage": "Utilizzo archiviazione cloud",
+ "Rename Group": "Rinomina gruppo",
+ "From Directory": "Da directory",
+ "Successfully imported {{count}} book(s)_one": "Importato con successo 1 libro",
+ "Successfully imported {{count}} book(s)_many": "Importati con successo {{count}} libri",
+ "Successfully imported {{count}} book(s)_other": "Importati con successo {{count}} libri",
+ "Count": "Conteggio",
+ "Start Page": "Pagina iniziale",
+ "Search in OPDS Catalog...": "Cerca nel catalogo OPDS...",
+ "Please log in to use advanced TTS features": "Effettua il login per utilizzare le funzionalità TTS avanzate",
+ "Word limit of 30 words exceeded.": "È stato superato il limite di 30 parole.",
+ "Proofread": "Revisione",
+ "Current selection": "Selezione corrente",
+ "All occurrences in this book": "Tutte le occorrenze in questo libro",
+ "All occurrences in your library": "Tutte le occorrenze nella tua libreria",
+ "Selected text:": "Testo selezionato:",
+ "Replace with:": "Sostituisci con:",
+ "Enter text...": "Inserisci testo…",
+ "Case sensitive:": "Maiuscole/minuscole:",
+ "Scope:": "Ambito:",
+ "Selection": "Selezione",
+ "Library": "Libreria",
+ "Yes": "Sì",
+ "No": "No",
+ "Proofread Replacement Rules": "Regole di sostituzione per la revisione",
+ "Selected Text Rules": "Regole per il testo selezionato",
+ "No selected text replacement rules": "Nessuna regola di sostituzione per il testo selezionato",
+ "Book Specific Rules": "Regole specifiche del libro",
+ "No book-level replacement rules": "Nessuna regola di sostituzione a livello di libro",
+ "Disable Quick Action": "Disattiva azione rapida",
+ "Enable Quick Action on Selection": "Attiva azione rapida sulla selezione",
+ "None": "Nessuno",
+ "Annotation Tools": "Strumenti di annotazione",
+ "Enable Quick Actions": "Attiva azioni rapide",
+ "Quick Action": "Azione rapida",
+ "Copy to Notebook": "Copia nel taccuino",
+ "Copy text after selection": "Copia testo dopo la selezione",
+ "Highlight text after selection": "Evidenzia testo dopo la selezione",
+ "Annotate text after selection": "Annota testo dopo la selezione",
+ "Search text after selection": "Cerca testo dopo la selezione",
+ "Look up text in dictionary after selection": "Cerca testo nel dizionario dopo la selezione",
+ "Look up text in Wikipedia after selection": "Cerca testo in Wikipedia dopo la selezione",
+ "Translate text after selection": "Traduci testo dopo la selezione",
+ "Read text aloud after selection": "Leggi ad alta voce il testo dopo la selezione",
+ "Proofread text after selection": "Correggi il testo dopo la selezione",
+ "{{activeCount}} active, {{pendingCount}} pending": "{{activeCount}} attivi, {{pendingCount}} in attesa",
+ "{{failedCount}} failed": "{{failedCount}} falliti",
+ "Waiting...": "In attesa...",
+ "Failed": "Fallito",
+ "Completed": "Completato",
+ "Cancelled": "Annullato",
+ "Retry": "Riprova",
+ "Active": "Attivi",
+ "Transfer Queue": "Coda trasferimenti",
+ "Upload All": "Carica tutti",
+ "Download All": "Scarica tutti",
+ "Resume Transfers": "Riprendi trasferimenti",
+ "Pause Transfers": "Sospendi trasferimenti",
+ "Pending": "In attesa",
+ "No transfers": "Nessun trasferimento",
+ "Retry All": "Riprova tutti",
+ "Clear Completed": "Cancella completati",
+ "Clear Failed": "Cancella falliti",
+ "Upload queued: {{title}}": "Caricamento in coda: {{title}}",
+ "Download queued: {{title}}": "Download in coda: {{title}}",
+ "Book not found in library": "Libro non trovato nella libreria",
+ "Unknown error": "Errore sconosciuto",
+ "Please log in to continue": "Accedi per continuare",
+ "Cloud File Transfers": "Trasferimenti file cloud",
+ "Show Search Results": "Mostra risultati",
+ "Search results for '{{term}}'": "Risultati per '{{term}}'",
+ "Close Search": "Chiudi ricerca",
+ "Previous Result": "Risultato precedente",
+ "Next Result": "Risultato successivo",
+ "Bookmarks": "Segnalibri",
+ "Annotations": "Annotazioni",
+ "Show Results": "Mostra risultati",
+ "Clear search": "Cancella ricerca",
+ "Clear search history": "Cancella cronologia ricerche",
+ "Tap to Toggle Footer": "Tocca per mostrare/nascondere il piè di pagina",
+ "Exported successfully": "Esportato con successo",
+ "Book exported successfully.": "Libro esportato con successo.",
+ "Failed to export the book.": "Impossibile esportare il libro.",
+ "Export Book": "Esporta libro",
+ "Whole word:": "Parola intera:",
+ "Error": "Errore",
+ "Unable to load the article. Try searching directly on {{link}}.": "Impossibile caricare l'articolo. Prova a cercare direttamente su {{link}}.",
+ "Unable to load the word. Try searching directly on {{link}}.": "Impossibile caricare la parola. Prova a cercare direttamente su {{link}}.",
+ "Date Published": "Data di pubblicazione",
+ "Only for TTS:": "Solo per TTS:",
+ "Uploaded": "Caricato",
+ "Downloaded": "Scaricato",
+ "Deleted": "Eliminato",
+ "Note:": "Nota:",
+ "Time:": "Ora:",
+ "Format Options": "Opzioni formato",
+ "Export Date": "Data esportazione",
+ "Chapter Titles": "Titoli capitoli",
+ "Chapter Separator": "Separatore capitoli",
+ "Highlights": "Evidenziazioni",
+ "Note Date": "Data nota",
+ "Advanced": "Avanzate",
+ "Hide": "Nascondi",
+ "Show": "Mostra",
+ "Use Custom Template": "Usa modello personalizzato",
+ "Export Template": "Modello esportazione",
+ "Template Syntax:": "Sintassi modello:",
+ "Insert value": "Inserisci valore",
+ "Format date (locale)": "Formatta data (locale)",
+ "Format date (custom)": "Formatta data (personalizzato)",
+ "Conditional": "Condizionale",
+ "Loop": "Ciclo",
+ "Available Variables:": "Variabili disponibili:",
+ "Book title": "Titolo libro",
+ "Book author": "Autore libro",
+ "Export date": "Data esportazione",
+ "Array of chapters": "Elenco capitoli",
+ "Chapter title": "Titolo capitolo",
+ "Array of annotations": "Elenco annotazioni",
+ "Highlighted text": "Testo evidenziato",
+ "Annotation note": "Nota annotazione",
+ "Date Format Tokens:": "Token formato data:",
+ "Year (4 digits)": "Anno (4 cifre)",
+ "Month (01-12)": "Mese (01-12)",
+ "Day (01-31)": "Giorno (01-31)",
+ "Hour (00-23)": "Ora (00-23)",
+ "Minute (00-59)": "Minuto (00-59)",
+ "Second (00-59)": "Secondo (00-59)",
+ "Show Source": "Mostra sorgente",
+ "No content to preview": "Nessun contenuto da visualizzare",
+ "Export": "Esporta",
+ "Set Timeout": "Imposta timeout",
+ "Select Voice": "Seleziona voce",
+ "Toggle Sticky Bottom TTS Bar": "Attiva/disattiva barra TTS fissa",
+ "Display what I'm reading on Discord": "Mostra cosa sto leggendo su Discord",
+ "Show on Discord": "Mostra su Discord",
+ "Instant {{action}}": "{{action}} istantaneo",
+ "Instant {{action}} Disabled": "{{action}} istantaneo disattivato",
+ "Annotation": "Annotazione",
+ "Reset Template": "Reimposta modello",
+ "Annotation style": "Stile annotazione",
+ "Annotation color": "Colore annotazione",
+ "Annotation time": "Ora annotazione",
+ "AI": "IA",
+ "Are you sure you want to re-index this book?": "Sei sicuro di voler reindicizzare questo libro?",
+ "Enable AI in Settings": "Abilita IA nelle impostazioni",
+ "Index This Book": "Indicizza questo libro",
+ "Enable AI search and chat for this book": "Abilita ricerca IA e chat per questo libro",
+ "Start Indexing": "Avvia indicizzazione",
+ "Indexing book...": "Indicizzazione libro...",
+ "Preparing...": "Preparazione...",
+ "Delete this conversation?": "Eliminare questa conversazione?",
+ "No conversations yet": "Ancora nessuna conversazione",
+ "Start a new chat to ask questions about this book": "Avvia una nuova chat per fare domande su questo libro",
+ "Rename": "Rinomina",
+ "New Chat": "Nuova chat",
+ "Chat": "Chat",
+ "Please enter a model ID": "Inserisci un ID modello",
+ "Model not available or invalid": "Modello non disponibile o non valido",
+ "Failed to validate model": "Validazione modello fallita",
+ "Couldn't connect to Ollama. Is it running?": "Impossibile connettersi a Ollama. È in esecuzione?",
+ "Invalid API key or connection failed": "Chiave API non valida o connessione fallita",
+ "Connection failed": "Connessione fallita",
+ "AI Assistant": "Assistente IA",
+ "Enable AI Assistant": "Abilita assistente IA",
+ "Provider": "Fornitore",
+ "Ollama (Local)": "Ollama (Locale)",
+ "AI Gateway (Cloud)": "Gateway IA (Cloud)",
+ "Ollama Configuration": "Configurazione Ollama",
+ "Refresh Models": "Aggiorna modelli",
+ "AI Model": "Modello IA",
+ "No models detected": "Nessun modello rilevato",
+ "AI Gateway Configuration": "Configurazione gateway IA",
+ "Choose from a selection of high-quality, economical AI models. You can also bring your own model by selecting \"Custom Model\" below.": "Scegli tra una selezione di modelli IA di alta qualità ed economici. Puoi anche usare il tuo modello selezionando \"Modello personalizzato\" qui sotto.",
+ "API Key": "Chiave API",
+ "Get Key": "Ottieni chiave",
+ "Model": "Modello",
+ "Custom Model...": "Modello personalizzato...",
+ "Custom Model ID": "ID modello personalizzato",
+ "Validate": "Convalida",
+ "Model available": "Modello disponibile",
+ "Connection": "Connessione",
+ "Test Connection": "Testa connessione",
+ "Connected": "Connesso",
+ "Custom Colors": "Colori personalizzati",
+ "Color E-Ink Mode": "Modalità E-Ink a colori",
+ "Reading Ruler": "Righello di lettura",
+ "Enable Reading Ruler": "Abilita righello di lettura",
+ "Lines to Highlight": "Righe da evidenziare",
+ "Ruler Color": "Colore del righello",
+ "Command Palette": "Tavolozza dei comandi",
+ "Search settings and actions...": "Cerca impostazioni e azioni...",
+ "No results found for": "Nessun risultato trovato per",
+ "Type to search settings and actions": "Digita per cercare impostazioni e azioni",
+ "Recent": "Recenti",
+ "navigate": "naviga",
+ "select": "seleziona",
+ "close": "chiudi",
+ "Search Settings": "Cerca impostazioni",
+ "Page Margins": "Margini della pagina",
+ "AI Provider": "Fornitore AI",
+ "Ollama URL": "URL Ollama",
+ "Ollama Model": "Modello Ollama",
+ "AI Gateway Model": "Modello AI Gateway",
+ "Actions": "Azioni",
+ "Navigation": "Navigazione",
+ "Set status for {{count}} book(s)_one": "Imposta stato per {{count}} libro",
+ "Set status for {{count}} book(s)_other": "Imposta stato per {{count}} libri",
+ "Mark as Unread": "Segna come non letto",
+ "Mark as Finished": "Segna come finito",
+ "Finished": "Finito",
+ "Unread": "Non letto",
+ "Clear Status": "Cancella stato",
+ "Status": "Stato",
+ "Set status for {{count}} book(s)_many": "Imposta stato per {{count}} libri",
+ "Loading": "Caricamento...",
+ "Exit Paragraph Mode": "Esci dalla modalità paragrafo",
+ "Paragraph Mode": "Modalità paragrafo",
+ "Embedding Model": "Modello di incorporazione",
+ "{{count}} book(s) synced_one": "{{count}} libro sincronizzato",
+ "{{count}} book(s) synced_many": "{{count}} libri sincronizzati",
+ "{{count}} book(s) synced_other": "{{count}} libri sincronizzati",
+ "Unable to start RSVP": "Impossibile avviare RSVP",
+ "RSVP not supported for PDF": "RSVP non supportato per PDF",
+ "Select Chapter": "Seleziona capitolo",
+ "Context": "Contesto",
+ "Ready": "Pronto",
+ "Chapter Progress": "Progresso capitolo",
+ "words": "parole",
+ "{{time}} left": "{{time}} rimanenti",
+ "Reading progress": "Progresso lettura",
+ "Click to seek": "Clicca per cercare",
+ "Skip back 15 words": "Indietro di 15 parole",
+ "Back 15 words (Shift+Left)": "Indietro di 15 parole (Shift+Sinistra)",
+ "Pause (Space)": "Pausa (Spazio)",
+ "Play (Space)": "Riproduci (Spazio)",
+ "Skip forward 15 words": "Avanti di 15 parole",
+ "Forward 15 words (Shift+Right)": "Avanti di 15 parole (Shift+Destra)",
+ "Pause:": "Pausa:",
+ "Decrease speed": "Diminuisci velocità",
+ "Slower (Left/Down)": "Più lento (Sinistra/Giù)",
+ "Current speed": "Velocità attuale",
+ "Increase speed": "Aumenta velocità",
+ "Faster (Right/Up)": "Più veloce (Destra/Su)",
+ "Start RSVP Reading": "Avvia lettura RSVP",
+ "Choose where to start reading": "Scegli dove iniziare a leggere",
+ "From Chapter Start": "Dall'inizio del capitolo",
+ "Start reading from the beginning of the chapter": "Inizia a leggere dall'inizio del capitolo",
+ "Resume": "Riprendi",
+ "Continue from where you left off": "Continua da dove avevi interrotto",
+ "From Current Page": "Dalla pagina corrente",
+ "Start from where you are currently reading": "Inizia da dove stai leggendo",
+ "From Selection": "Dalla selezione",
+ "Speed Reading Mode": "Modalità lettura veloce",
+ "Scroll left": "Scorri a sinistra",
+ "Scroll right": "Scorri a destra",
+ "Library Sync Progress": "Avanzamento sincronizzazione libreria",
+ "Back to library": "Torna alla libreria",
+ "Group by...": "Raggruppa per...",
+ "Export as Plain Text": "Esporta come testo normale",
+ "Export as Markdown": "Esporta come Markdown",
+ "Show Page Navigation Buttons": "Tasti navigazione",
+ "Page {{number}}": "Pagina {{number}}",
+ "highlight": "evidenziazione",
+ "underline": "sottolineatura",
+ "squiggly": "ondulato",
+ "red": "rosso",
+ "violet": "viola",
+ "blue": "blu",
+ "green": "verde",
+ "yellow": "giallo",
+ "Select {{style}} style": "Seleziona lo stile {{style}}",
+ "Select {{color}} color": "Seleziona il colore {{color}}",
+ "Close Book": "Chiudi libro",
+ "Speed Reading": "Lettura veloce",
+ "Close Speed Reading": "Chiudi lettura veloce",
+ "Authors": "Autori",
+ "Books": "Libri",
+ "Groups": "Gruppi",
+ "Back to TTS Location": "Torna alla posizione TTS",
+ "Metadata": "Metadati",
+ "Image viewer": "Visualizzatore immagini",
+ "Previous Image": "Immagine precedente",
+ "Next Image": "Immagine successiva",
+ "Zoomed": "Zoomato",
+ "Zoom level": "Livello di zoom",
+ "Table viewer": "Visualizzatore tabelle",
+ "Unable to connect to Readwise. Please check your network connection.": "Impossibile connettersi a Readwise. Controlla la tua connessione di rete.",
+ "Invalid Readwise access token": "Token di accesso Readwise non valido",
+ "Disconnected from Readwise": "Disconnesso da Readwise",
+ "Never": "Mai",
+ "Readwise Settings": "Impostazioni Readwise",
+ "Connected to Readwise": "Connesso a Readwise",
+ "Last synced: {{time}}": "Ultima sincronizzazione: {{time}}",
+ "Sync Enabled": "Sincronizzazione abilitata",
+ "Disconnect": "Disconnetti",
+ "Connect your Readwise account to sync highlights.": "Connetti il tuo account Readwise per sincronizzare le evidenziazioni.",
+ "Get your access token at": "Ottieni il tuo token di accesso su",
+ "Access Token": "Token di accesso",
+ "Paste your Readwise access token": "Incolla il tuo token di accesso Readwise",
+ "Config": "Configurazione",
+ "Readwise Sync": "Sincronizzazione Readwise",
+ "Push Highlights": "Invia evidenziazioni",
+ "Highlights synced to Readwise": "Evidenziazioni sincronizzate su Readwise",
+ "Readwise sync failed: no internet connection": "Sincronizzazione Readwise fallita: nessuna connessione internet",
+ "Readwise sync failed: {{error}}": "Sincronizzazione Readwise fallita: {{error}}"
+}
diff --git a/apps/readest-app/public/locales/ja/translation.json b/apps/readest-app/public/locales/ja/translation.json
new file mode 100644
index 0000000000000000000000000000000000000000..7033897f82a8c4b031a0fef85a5272dfea4a4edd
--- /dev/null
+++ b/apps/readest-app/public/locales/ja/translation.json
@@ -0,0 +1,1048 @@
+{
+ "(detected)": "(検出)",
+ "About Readest": "Readestについて",
+ "Add your notes here...": "ここにメモを追加...",
+ "Animation": "アニメーション",
+ "Annotate": "注釈",
+ "Apply": "適用",
+ "Auto Mode": "自動モード",
+ "Behavior": "動作",
+ "Book": "書籍",
+ "Bookmark": "ブックマーク",
+ "Cancel": "キャンセル",
+ "Chapter": "章",
+ "Cherry": "チェリー",
+ "Color": "色",
+ "Confirm": "確認",
+ "Confirm Deletion": "削除の確認",
+ "Copied to notebook": "ノートブックにコピー",
+ "Copy": "コピー",
+ "Dark Mode": "ダークモード",
+ "Default": "デフォルト",
+ "Default Font": "デフォルトフォント",
+ "Default Font Size": "デフォルトフォントサイズ",
+ "Delete": "削除",
+ "Delete Highlight": "ハイライトを削除",
+ "Dictionary": "辞書",
+ "Download Readest": "Readestをダウンロード",
+ "Edit": "編集",
+ "Excerpts": "抜粋",
+ "Failed to import book(s): {{filenames}}": "書籍のインポートに失敗しました:{{filenames}}",
+ "Fast": "高速",
+ "Font": "フォント",
+ "Font & Layout": "フォントとレイアウト",
+ "Font Face": "書体",
+ "Font Family": "フォントファミリー",
+ "Font Size": "フォントサイズ",
+ "Full Justification": "両端揃え",
+ "Global Settings": "全体設定",
+ "Go Back": "戻る",
+ "Go Forward": "進む",
+ "Grass": "グリーン",
+ "Gray": "グレー",
+ "Gruvbox": "グルーブボックス",
+ "Highlight": "ハイライト",
+ "Horizontal Direction": "横書",
+ "Hyphenation": "ハイフネーション",
+ "Import Books": "書籍をインポート",
+ "Layout": "レイアウト",
+ "Light Mode": "ライトモード",
+ "Loading...": "読み込み中...",
+ "Logged in": "ログイン済み",
+ "Logged in as {{userDisplayName}}": "{{userDisplayName}}としてログイン中",
+ "Match Case": "大文字・小文字を区別",
+ "Match Diacritics": "アクセント記号を区別",
+ "Match Whole Words": "単語全体を一致",
+ "Maximum Number of Columns": "最大列数",
+ "Minimum Font Size": "最小フォントサイズ",
+ "Monospace Font": "等幅フォント",
+ "More Info": "詳細情報",
+ "Nord": "ノルド",
+ "Notebook": "ノート",
+ "Notes": "メモ",
+ "Open": "開く",
+ "Original Text": "原文",
+ "Page": "ページ",
+ "Paging Animation": "ページめくりアニメーション",
+ "Paragraph": "段落",
+ "Parallel Read": "並列読書",
+ "Published": "出版日",
+ "Publisher": "出版社",
+ "Reading Progress Synced": "読書進捗が同期されました",
+ "Reload Page": "ページを再読み込み",
+ "Reveal in File Explorer": "エクスプローラーで表示",
+ "Reveal in Finder": "Finderで表示",
+ "Reveal in Folder": "フォルダーで表示",
+ "Sans-Serif Font": "ゴシック体",
+ "Save": "保存",
+ "Scrolled Mode": "スクロールモード",
+ "Search": "検索",
+ "Search Books...": "書籍を検索...",
+ "Search...": "検索...",
+ "Select Book": "書籍を選択",
+ "Select Books": "書籍を選択",
+ "Sepia": "セピア",
+ "Serif Font": "セリフ体",
+ "Show Book Details": "書籍の詳細を表示",
+ "Sidebar": "サイドバー",
+ "Sign In": "サインイン",
+ "Sign Out": "サインアウト",
+ "Sky": "スカイ",
+ "Slow": "低速",
+ "Solarized": "ソーラライズド",
+ "Speak": "読み上げ",
+ "Subjects": "主題",
+ "System Fonts": "システムフォント",
+ "Theme Color": "テーマカラー",
+ "Theme Mode": "テーマモード",
+ "Translate": "翻訳",
+ "Translated Text": "翻訳されたテキスト",
+ "Unknown": "不明",
+ "Untitled": "無題",
+ "Updated": "更新日",
+ "Version {{version}}": "バージョン {{version}}",
+ "Vertical Direction": "縦書",
+ "Welcome to your library. You can import your books here and read them anytime.": "ライブラリーへようこそ。ここに書籍をインポートして、いつでも読むことができます。",
+ "Wikipedia": "ウィキペディア",
+ "Writing Mode": "書き込みモード",
+ "Your Library": "ライブラリー",
+ "TTS not supported for PDF": "PDFではTTSがサポートされていません",
+ "Override Book Font": "書籍フォントを上書き",
+ "Apply to All Books": "すべての書籍に適用",
+ "Apply to This Book": "この書籍に適用",
+ "Unable to fetch the translation. Try again later.": "翻訳を取得できません。後で再試行してください。",
+ "Check Update": "更新を確認",
+ "Already the latest version": "すでに最新バージョン",
+ "Book Details": "書籍の詳細",
+ "From Local File": "ローカルファイルから",
+ "TOC": "目次",
+ "Table of Contents": "目次",
+ "Book uploaded: {{title}}": "書籍がアップロードされました:{{title}}",
+ "Failed to upload book: {{title}}": "書籍のアップロードに失敗しました:{{title}}",
+ "Book downloaded: {{title}}": "書籍がダウンロードされました:{{title}}",
+ "Failed to download book: {{title}}": "書籍のダウンロードに失敗しました:{{title}}",
+ "Upload Book": "書籍をアップロード",
+ "Auto Upload Books to Cloud": "書籍を自動的にクラウドにアップロード",
+ "Book deleted: {{title}}": "書籍が削除されました:{{title}}",
+ "Failed to delete book: {{title}}": "書籍の削除に失敗しました:{{title}}",
+ "Check Updates on Start": "開始時に更新を確認",
+ "Insufficient storage quota": "ストレージクォータが不足しています",
+ "Font Weight": "フォントウェイト",
+ "Line Spacing": "行間",
+ "Word Spacing": "単語間隔",
+ "Letter Spacing": "文字間隔",
+ "Text Indent": "テキストインデント",
+ "Paragraph Margin": "段落マージン",
+ "Override Book Layout": "書籍のレイアウトを上書き",
+ "Untitled Group": "無題のグループ",
+ "Group Books": "書籍をグループ化",
+ "Remove From Group": "グループから削除",
+ "Create New Group": "新しいグループを作成",
+ "Deselect Book": "書籍の選択を解除",
+ "Download Book": "書籍をダウンロード",
+ "Deselect Group": "グループの選択を解除",
+ "Select Group": "グループを選択",
+ "Keep Screen Awake": "画面をオンのままにする",
+ "Email address": "メールアドレス",
+ "Your Password": "あなたのパスワード",
+ "Your email address": "あなたのメールアドレス",
+ "Your password": "あなたのパスワード",
+ "Sign in": "サインイン",
+ "Signing in...": "サインイン中...",
+ "Sign in with {{provider}}": "{{provider}}でサインイン",
+ "Already have an account? Sign in": "すでにアカウントがありますか? サインイン",
+ "Create a Password": "パスワードを作成",
+ "Sign up": "サインアップ",
+ "Signing up...": "サインアップ中...",
+ "Don't have an account? Sign up": "アカウントをお持ちでないですか? サインアップ",
+ "Check your email for the confirmation link": "確認リンクのためにメールを確認してください",
+ "Signing in ...": "サインイン中 ...",
+ "Send a magic link email": "マジックリンクメールを送信",
+ "Check your email for the magic link": "マジックリンクのためにメールを確認してください",
+ "Send reset password instructions": "パスワードリセットの指示を送信",
+ "Sending reset instructions ...": "リセット指示を送信中 ...",
+ "Forgot your password?": "パスワードを忘れましたか?",
+ "Check your email for the password reset link": "パスワードリセットリンクのためにメールを確認してください",
+ "New Password": "新しいパスワード",
+ "Your new password": "あなたの新しいパスワード",
+ "Update password": "パスワードを更新",
+ "Updating password ...": "パスワード更新中 ...",
+ "Your password has been updated": "あなたのパスワードは更新されました",
+ "Phone number": "電話番号",
+ "Your phone number": "あなたの電話番号",
+ "Token": "トークン",
+ "Your OTP token": "あなたのOTPトークン",
+ "Verify token": "トークンを確認",
+ "Account": "アカウント",
+ "Failed to delete user. Please try again later.": "ユーザーの削除に失敗しました。後ほど再試行してください。",
+ "Community Support": "コミュニティサポート",
+ "Priority Support": "優先サポート",
+ "Loading profile...": "プロフィール読み込み中...",
+ "Delete Account": "アカウント削除",
+ "Delete Your Account?": "アカウントを削除しますか?",
+ "This action cannot be undone. All your data in the cloud will be permanently deleted.": "この操作は元に戻せません。クラウド上のすべてのデータが完全に削除されます。",
+ "Delete Permanently": "完全に削除",
+ "RTL Direction": "RTL方向",
+ "Maximum Column Height": "最大列高",
+ "Maximum Column Width": "最大列幅",
+ "Continuous Scroll": "連続スクロール",
+ "Fullscreen": "全画面",
+ "No supported files found. Supported formats: {{formats}}": "サポートされているファイルが見つかりません。サポートされている形式:{{formats}}",
+ "Drop to Import Books": "書籍をインポートするにはドロップ",
+ "Custom": "カスタム",
+ "All the world's a stage,\nAnd all the men and women merely players;\nThey have their exits and their entrances,\nAnd one man in his time plays many parts,\nHis acts being seven ages.\n\n— William Shakespeare": "全世界は舞台であり、\nそしてすべての男性と女性は単なる役者です。\n彼らは出入り口を持っており、\nそして一人の男性は時に多くの役を演じます。\n彼の行為は七つの時代です。\n\n— ウィリアム・シェイクスピア",
+ "Custom Theme": "カスタムテーマ",
+ "Theme Name": "テーマ名",
+ "Text Color": "テキストカラー",
+ "Background Color": "背景色",
+ "Preview": "プレビュー",
+ "Contrast": "コントラスト",
+ "Sunset": "サンセット",
+ "Double Border": "二重枠",
+ "Border Color": "ボーダーカラー",
+ "Border Frame": "ボーダーフレーム",
+ "Show Header": "ヘッダーを表示",
+ "Show Footer": "フッターを表示",
+ "Small": "小",
+ "Large": "大",
+ "Auto": "自動",
+ "Language": "言語",
+ "No annotations to export": "エクスポートする注釈はありません",
+ "Author": "著者",
+ "Exported from Readest": "Readestからエクスポート",
+ "Highlights & Annotations": "ハイライトと注釈",
+ "Note": "メモ",
+ "Copied to clipboard": "クリップボードにコピー",
+ "Export Annotations": "注釈をエクスポート",
+ "Auto Import on File Open": "ファイルを開くと自動インポート",
+ "LXGW WenKai GB Screen": "LXGW WenKai SC",
+ "LXGW WenKai TC": "LXGW WenKai TC",
+ "No chapters detected": "章が検出されません",
+ "Failed to parse the EPUB file": "EPUBファイルの解析に失敗しました",
+ "This book format is not supported": "この書籍形式はサポートされていません",
+ "Unable to fetch the translation. Please log in first and try again.": "翻訳を取得できません。まずログインして再試行してください。",
+ "Group": "グループ",
+ "Always on Top": "常に最前面",
+ "No Timeout": "タイムアウトなし",
+ "{{value}} minute": "{{value}}分",
+ "{{value}} minutes": "{{value}}分",
+ "{{value}} hour": "{{value}}時間",
+ "{{value}} hours": "{{value}}時間",
+ "CJK Font": "CJKフォント",
+ "Clear Search": "検索をクリア",
+ "Header & Footer": "ヘッダーとフッター",
+ "Apply also in Scrolled Mode": "スクロールモードでも適用",
+ "A new version of Readest is available!": "新しいバージョンのReadestが利用可能です!",
+ "Readest {{newVersion}} is available (installed version {{currentVersion}}).": "Readest {{newVersion}}が利用可能です(インストールされたバージョン{{currentVersion}})。",
+ "Download and install now?": "今すぐダウンロードしてインストールしますか?",
+ "Downloading {{downloaded}} of {{contentLength}}": "ダウンロード中 {{downloaded}} / {{contentLength}}",
+ "Download finished": "ダウンロード完了",
+ "DOWNLOAD & INSTALL": "更新",
+ "Changelog": "変更ログ",
+ "Software Update": "ソフトウェアの更新",
+ "Title": "タイトル",
+ "Date Read": "読書日",
+ "Date Added": "追加日",
+ "Format": "形式",
+ "Ascending": "昇順",
+ "Descending": "降順",
+ "Sort by...": "並べ替え...",
+ "Added": "追加日",
+ "GuanKiapTsingKhai-T": "GuanKiapTsingKhai-T",
+ "Description": "説明",
+ "No description available": "説明はありません",
+ "List": "リスト",
+ "Grid": "グリッド",
+ "(from 'As You Like It', Act II)": "(「お気に召すまま」第2幕)",
+ "Link Color": "リンクカラー",
+ "Volume Keys for Page Flip": "音量キーでページめくり",
+ "Screen": "画面",
+ "Orientation": "向き",
+ "Portrait": "縦",
+ "Landscape": "横",
+ "Open Last Book on Start": "開始時に最後の書籍を開く",
+ "Checking for updates...": "更新を確認中...",
+ "Error checking for updates": "更新の確認中にエラーが発生しました",
+ "Details": "詳細",
+ "File Size": "ファイルサイズ",
+ "Auto Detect": "自動検出",
+ "Next Section": "次のセクション",
+ "Previous Section": "前のセクション",
+ "Next Page": "次のページ",
+ "Previous Page": "前のページ",
+ "Are you sure to delete {{count}} selected book(s)?_other": "選択した{{count}}冊の本を削除してもよろしいですか?",
+ "Are you sure to delete the selected book?": "選択した本を削除してもよろしいですか?",
+ "Deselect": "解除",
+ "Select All": "全選択",
+ "No translation available.": "翻訳はありません。",
+ "Translated by {{provider}}.": "{{provider}}によって翻訳されました。",
+ "DeepL": "DeepL",
+ "Google Translate": "Google翻訳",
+ "Azure Translator": "Azure翻訳",
+ "Invert Image In Dark Mode": "ダークモードで画像を反転",
+ "Help improve Readest": "Readestを改善する手助け",
+ "Sharing anonymized statistics": "匿名化された統計情報を共有",
+ "Interface Language": "インターフェースの言語",
+ "Translation": "翻訳",
+ "Enable Translation": "翻訳を有効にする",
+ "Translation Service": "翻訳サービス",
+ "Translate To": "翻訳先",
+ "Disable Translation": "翻訳を無効にする",
+ "Scroll": "スクロール",
+ "Overlap Pixels": "重なりピクセル",
+ "System Language": "システム言語",
+ "Security": "セキュリティ",
+ "Allow JavaScript": "JavaScriptを許可",
+ "Enable only if you trust the file.": "ファイルを信頼する場合にのみ有効にしてください。",
+ "Sort TOC by Page": "目次をページで並べ替え",
+ "Search in {{count}} Book(s)..._other": "{{count}}冊の本を検索...",
+ "No notes match your search": "ノートが見つかりません",
+ "Search notes and excerpts...": "ノートを検索...",
+ "Sign in to Sync": "同期するにはサインイン",
+ "Synced at {{time}}": "{{time}} に同期済み",
+ "Never synced": "まだ同期されていません",
+ "Show Remaining Time": "残り時間を表示",
+ "{{time}} min left in chapter": "{{time}}分残り",
+ "Override Book Color": "書籍の色を上書き",
+ "Login Required": "ログイン必須",
+ "Quota Exceeded": "上限超過",
+ "{{percentage}}% of Daily Translation Characters Used.": "日次翻訳文字数の使用量は{{percentage}}%です。",
+ "Translation Characters": "翻訳文字数",
+ "{{engine}}: {{count}} voices_other": "{{engine}}: {{count}}音声",
+ "Something went wrong. Don't worry, our team has been notified and we're working on a fix.": "何か問題が発生しました。心配しないでください。私たちのチームが通知を受けており、修正に取り組んでいます。",
+ "Error Details:": "エラーの詳細:",
+ "Try Again": "再試行",
+ "Need help?": "ヘルプが必要ですか?",
+ "Contact Support": "サポートに連絡",
+ "Code Highlighting": "コードハイライト",
+ "Enable Highlighting": "ハイライトを有効にする",
+ "Code Language": "コード言語",
+ "Top Margin (px)": "上マージン (px)",
+ "Bottom Margin (px)": "下マージン (px)",
+ "Right Margin (px)": "右マージン (px)",
+ "Left Margin (px)": "左マージン (px)",
+ "Column Gap (%)": "列間の間隔 (%)",
+ "Always Show Status Bar": "ステータスバーを常に表示",
+ "Custom Content CSS": "コンテンツCSS",
+ "Enter CSS for book content styling...": "本のコンテンツ用CSSを入力...",
+ "Custom Reader UI CSS": "リーダーUIのCSS",
+ "Enter CSS for reader interface styling...": "リーダーインターフェース用CSSを入力...",
+ "Crop": "トリミング",
+ "Book Covers": "書籍の表紙",
+ "Fit": "フィット",
+ "Reset {{settings}}": "{{settings}}をリセット",
+ "Reset Settings": "設定をリセット",
+ "{{count}} pages left in chapter_other": "{{count}} ページ残り",
+ "Show Remaining Pages": "残りを表示",
+ "Source Han Serif CN": "Source Han Serif",
+ "Huiwen-MinchoGBK": "Huiwen Mincho",
+ "KingHwa_OldSong": "KingHwa Song",
+ "Manage Subscription": "サブスクリプションを管理",
+ "Coming Soon": "近日公開",
+ "Upgrade to {{plan}}": "{{plan}} にアップグレード",
+ "Upgrade to Plus or Pro": "Plus または Pro にアップグレード",
+ "Current Plan": "現在のプラン",
+ "Plan Limits": "プランの上限",
+ "Processing your payment...": "お支払いを処理中...",
+ "Please wait while we confirm your subscription.": "サブスクリプションを確認しています。しばらくお待ちください。",
+ "Payment Processing": "支払いを処理中",
+ "Your payment is being processed. This usually takes a few moments.": "お支払いを処理しています。通常、数秒かかります。",
+ "Payment Failed": "支払いに失敗しました",
+ "We couldn't process your subscription. Please try again or contact support if the issue persists.": "サブスクリプションを処理できませんでした。再度お試しいただくか、問題が続く場合はサポートにお問い合わせください。",
+ "Back to Profile": "プロフィールに戻る",
+ "Subscription Successful!": "サブスクリプションが完了しました!",
+ "Thank you for your subscription! Your payment has been processed successfully.": "ご登録ありがとうございます!お支払いが正常に処理されました。",
+ "Email:": "メール:",
+ "Plan:": "プラン:",
+ "Amount:": "金額:",
+ "Go to Library": "ライブラリへ移動",
+ "Need help? Contact our support team at support@readest.com": "サポートが必要ですか? support@readest.com までお問い合わせください。",
+ "Free Plan": "無料プラン",
+ "month": "月",
+ "AI Translations (per day)": "AI翻訳(1日あたり)",
+ "Plus Plan": "Plusプラン",
+ "Includes All Free Plan Benefits": "無料プランの全特典を含む",
+ "Pro Plan": "Proプラン",
+ "More AI Translations": "さらに多くのAI翻訳",
+ "Complete Your Subscription": "サブスクリプションを完了する",
+ "{{percentage}}% of Cloud Sync Space Used.": "クラウド同期スペースの使用量は{{percentage}}%です。",
+ "Cloud Sync Storage": "クラウド同期容量",
+ "Disable": "無効にする",
+ "Enable": "有効にする",
+ "Upgrade to Readest Premium": "Readest Premiumにアップグレード",
+ "Show Source Text": "原文を表示",
+ "Cross-Platform Sync": "クロスプラットフォーム同期",
+ "Seamlessly sync your library, progress, highlights, and notes across all your devices—never lose your place again.": "ライブラリや進捗、メモを全デバイスで同期。",
+ "Customizable Reading": "カスタマイズ可能な読書",
+ "Personalize every detail with adjustable fonts, layouts, themes, and advanced display settings for the perfect reading experience.": "フォントやレイアウト、テーマを自由に調整。",
+ "AI Read Aloud": "AI音声読み上げ",
+ "Enjoy hands-free reading with natural-sounding AI voices that bring your books to life.": "自然なAI音声で本を聴く。",
+ "AI Translations": "AI翻訳",
+ "Translate any text instantly with the power of Google, Azure, or DeepL—understand content in any language.": "Google、Azure、DeepLで即時翻訳。",
+ "Connect with fellow readers and get help fast in our friendly community channels.": "コミュニティで交流・サポートを利用。",
+ "Unlimited AI Read Aloud Hours": "無制限のAI読み上げ",
+ "Listen without limits—convert as much text as you like into immersive audio.": "制限なくテキストを音声化。",
+ "Unlock enhanced translation capabilities with more daily usage and advanced options.": "高度な翻訳機能を利用可能に。",
+ "DeepL Pro Access": "DeepL Pro利用",
+ "Enjoy faster responses and dedicated assistance whenever you need help.": "優先サポートを利用可能。",
+ "Daily translation quota reached. Upgrade your plan to continue using AI translations.": "翻訳上限に達しました。アップグレードで継続可能です。",
+ "Includes All Plus Plan Benefits": "Plusプランの全特典を含む",
+ "Early Feature Access": "新機能への先行アクセス",
+ "Be the first to explore new features, updates, and innovations before anyone else.": "新機能、アップデート、革新を誰よりも先に体験。",
+ "Advanced AI Tools": "高度なAIツール",
+ "Harness powerful AI tools for smarter reading, translation, and content discovery.": "スマートな読書、翻訳、コンテンツ発見のための強力なAIツールを活用。",
+ "Translate up to 100,000 characters daily with the most accurate translation engine available.": "最も正確な翻訳エンジンで1日最大10万文字を翻訳。",
+ "Translate up to 500,000 characters daily with the most accurate translation engine available.": "最も正確な翻訳エンジンで1日最大50万文字を翻訳。",
+ "Securely store and access your entire reading collection with up to 5 GB of cloud storage.": "最大5GBの安全なクラウドストレージで読書コレクション全体を保存・アクセス。",
+ "Securely store and access your entire reading collection with up to 20 GB of cloud storage.": "最大20GBの安全なクラウドストレージで読書コレクション全体を保存・アクセス。",
+ "Deleted cloud backup of the book: {{title}}": "書籍のクラウドバックアップを削除しました:{{title}}",
+ "Are you sure to delete the cloud backup of the selected book?": "選択した書籍のクラウドバックアップを削除してもよろしいですか?",
+ "What's New in Readest": "Readestの新機能",
+ "Enter book title": "本のタイトルを入力",
+ "Subtitle": "サブタイトル",
+ "Enter book subtitle": "本のサブタイトルを入力",
+ "Enter author name": "著者名を入力",
+ "Series": "シリーズ",
+ "Enter series name": "シリーズ名を入力",
+ "Series Index": "シリーズ番号",
+ "Enter series index": "シリーズ番号を入力",
+ "Total in Series": "シリーズ総数",
+ "Enter total books in series": "シリーズの総冊数を入力",
+ "Enter publisher": "出版社を入力",
+ "Publication Date": "出版日",
+ "Identifier": "識別子",
+ "Enter book description": "本の説明を入力",
+ "Change cover image": "表紙画像を変更",
+ "Replace": "置き換え",
+ "Unlock cover": "表紙のロックを解除",
+ "Lock cover": "表紙をロック",
+ "Auto-Retrieve Metadata": "メタデータを自動取得",
+ "Auto-Retrieve": "自動取得",
+ "Unlock all fields": "すべてのフィールドのロックを解除",
+ "Unlock All": "すべてロック解除",
+ "Lock all fields": "すべてのフィールドをロック",
+ "Lock All": "すべてロック",
+ "Reset": "リセット",
+ "Edit Metadata": "メタデータを編集",
+ "Locked": "ロック中",
+ "Select Metadata Source": "メタデータソースを選択",
+ "Keep manual input": "手動入力を保持",
+ "Google Books": "Google Books",
+ "Open Library": "Open Library",
+ "Fiction, Science, History": "小説、科学、歴史",
+ "Open Book in New Window": "新しいウィンドウで本を開く",
+ "Voices for {{lang}}": "{{lang}}の音声",
+ "Yandex Translate": "Yandex翻訳",
+ "YYYY or YYYY-MM-DD": "YYYYまたはYYYY-MM-DD",
+ "Restore Purchase": "購入を復元",
+ "No purchases found to restore.": "復元する購入が見つかりません。",
+ "Failed to restore purchases.": "購入の復元に失敗しました。",
+ "Failed to manage subscription.": "サブスクリプションの管理に失敗しました。",
+ "Failed to load subscription plans.": "サブスクリプションプランの読み込みに失敗しました。",
+ "year": "年",
+ "Failed to create checkout session": "チェックアウトセッションの作成に失敗しました",
+ "Storage": "ストレージ",
+ "Terms of Service": "利用規約",
+ "Privacy Policy": "プライバシーポリシー",
+ "Disable Double Click": "ダブルクリック無効",
+ "TTS not supported for this document": "TTSはこのドキュメントではサポートされていません",
+ "Reset Password": "パスワードをリセット",
+ "Show Reading Progress": "読書進捗を表示",
+ "Reading Progress Style": "読書進捗スタイル",
+ "Page Number": "ページ番号",
+ "Percentage": "パーセンテージ",
+ "Deleted local copy of the book: {{title}}": "書籍のローカルコピーを削除しました:{{title}}",
+ "Failed to delete cloud backup of the book: {{title}}": "書籍のクラウドバックアップの削除に失敗しました:{{title}}",
+ "Failed to delete local copy of the book: {{title}}": "書籍のローカルコピーの削除に失敗しました:{{title}}",
+ "Are you sure to delete the local copy of the selected book?": "選択した書籍のローカルコピーを削除してもよろしいですか?",
+ "Remove from Cloud & Device": "クラウドとデバイスから削除",
+ "Remove from Cloud Only": "クラウドからのみ削除",
+ "Remove from Device Only": "デバイスからのみ削除",
+ "Disconnected": "切断されました",
+ "KOReader Sync Settings": "KOReader Sync設定",
+ "Sync Strategy": "同期戦略",
+ "Ask on conflict": "競合時に確認",
+ "Always use latest": "最新を常に使用",
+ "Send changes only": "変更のみを送信",
+ "Receive changes only": "変更のみを受信",
+ "Checksum Method": "チェックサム方式",
+ "File Content (recommended)": "ファイル内容(推奨)",
+ "File Name": "ファイル名",
+ "Device Name": "デバイス名",
+ "Connect to your KOReader Sync server.": "KOReader Syncサーバーに接続します。",
+ "Server URL": "サーバーURL",
+ "Username": "ユーザー名",
+ "Your Username": "あなたのユーザー名",
+ "Password": "パスワード",
+ "Connect": "接続",
+ "KOReader Sync": "KOReader Sync",
+ "Sync Conflict": "同期競合",
+ "Sync reading progress from \"{{deviceName}}\"?": "{{deviceName}}から読書進捗を同期しますか?",
+ "another device": "別のデバイス",
+ "Local Progress": "ローカル進捗",
+ "Remote Progress": "リモート進捗",
+ "Page {{page}} of {{total}} ({{percentage}}%)": "ページ {{page}} / {{total}} ({{percentage}}%)",
+ "Current position": "現在の位置",
+ "Approximately page {{page}} of {{total}} ({{percentage}}%)": "おおよそページ {{page}} / {{total}} ({{percentage}}%)",
+ "Approximately {{percentage}}%": "おおよそ {{percentage}}%",
+ "Failed to connect": "接続に失敗しました",
+ "Sync Server Connected": "同期サーバーに接続されました",
+ "Sync as {{userDisplayName}}": "{{userDisplayName}} として同期",
+ "Custom Fonts": "カスタムフォント",
+ "Cancel Delete": "削除をキャンセル",
+ "Import Font": "フォントをインポート",
+ "Delete Font": "フォントを削除",
+ "Tips": "ヒント",
+ "Custom fonts can be selected from the Font Face menu": "カスタムフォントは書体メニューから選択できます",
+ "Manage Custom Fonts": "カスタムフォント管理",
+ "Select Files": "ファイルを選択",
+ "Select Image": "画像を選択",
+ "Select Video": "動画を選択",
+ "Select Audio": "音声を選択",
+ "Select Fonts": "フォントを選択",
+ "Supported font formats: .ttf, .otf, .woff, .woff2": "サポートされているフォント形式:.ttf, .otf, .woff, .woff2",
+ "Push Progress": "進捗をプッシュ",
+ "Pull Progress": "進捗をプル",
+ "Previous Paragraph": "前の段落",
+ "Previous Sentence": "前の文",
+ "Pause": "一時停止",
+ "Play": "再生",
+ "Next Sentence": "次の文",
+ "Next Paragraph": "次の段落",
+ "Separate Cover Page": "別の表紙ページ",
+ "Resize Notebook": "ノートのサイズ変更",
+ "Resize Sidebar": "サイドバーのサイズ変更",
+ "Get Help from the Readest Community": "Readestコミュニティからヘルプを得る",
+ "Remove cover image": "表紙画像を削除",
+ "Bookshelf": "本棚",
+ "View Menu": "メニューを表示",
+ "Settings Menu": "設定メニュー",
+ "View account details and quota": "アカウントの詳細とクォータを表示",
+ "Library Header": "ライブラリヘッダー",
+ "Book Content": "本の内容",
+ "Footer Bar": "フッターバー",
+ "Header Bar": "ヘッダーバー",
+ "View Options": "表示オプション",
+ "Book Menu": "本のメニュー",
+ "Search Options": "検索オプション",
+ "Close": "閉じる",
+ "Delete Book Options": "本の削除オプション",
+ "ON": "オン",
+ "OFF": "オフ",
+ "Reading Progress": "読書進捗",
+ "Page Margin": "ページマージン",
+ "Remove Bookmark": "ブックマークを削除",
+ "Add Bookmark": "ブックマークを追加",
+ "Books Content": "本の内容",
+ "Jump to Location": "位置にジャンプ",
+ "Unpin Notebook": "ノートブックのピン留めを解除",
+ "Pin Notebook": "ノートブックをピン留め",
+ "Hide Search Bar": "検索バーを隠す",
+ "Show Search Bar": "検索バーを表示",
+ "On {{current}} of {{total}} page": "ページ {{current}} / {{total}}",
+ "Section Title": "セクションタイトル",
+ "Decrease": "減少",
+ "Increase": "増加",
+ "Settings Panels": "設定パネル",
+ "Settings": "設定",
+ "Unpin Sidebar": "サイドバーのピン留めを解除",
+ "Pin Sidebar": "サイドバーをピン留め",
+ "Toggle Sidebar": "サイドバーの切り替え",
+ "Toggle Translation": "翻訳の切り替え",
+ "Translation Disabled": "翻訳が無効化されました",
+ "Minimize": "最小化",
+ "Maximize or Restore": "最大化または復元",
+ "Exit Parallel Read": "並行読書を終了",
+ "Enter Parallel Read": "並行読書に入る",
+ "Zoom Level": "ズームレベル",
+ "Zoom Out": "ズームアウト",
+ "Reset Zoom": "ズームリセット",
+ "Zoom In": "ズームイン",
+ "Zoom Mode": "ズームモード",
+ "Single Page": "シングルページ",
+ "Auto Spread": "自動スプレッド",
+ "Fit Page": "ページに合わせる",
+ "Fit Width": "幅に合わせる",
+ "Failed to select directory": "ディレクトリの選択に失敗しました",
+ "The new data directory must be different from the current one.": "新しいデータディレクトリは現在のものと異なる必要があります。",
+ "Migration failed: {{error}}": "移行に失敗しました: {{error}}",
+ "Change Data Location": "データの場所を変更",
+ "Current Data Location": "現在のデータの場所",
+ "Total size: {{size}}": "合計サイズ: {{size}}",
+ "Calculating file info...": "ファイル情報を計算中...",
+ "New Data Location": "新しいデータの場所",
+ "Choose Different Folder": "別のフォルダーを選択",
+ "Choose New Folder": "新しいフォルダーを選択",
+ "Migrating data...": "データを移行中...",
+ "Copying: {{file}}": "コピー中: {{file}}",
+ "{{current}} of {{total}} files": "{{current}} / {{total}} ファイル",
+ "Migration completed successfully!": "移行が成功しました!",
+ "Your data has been moved to the new location. Please restart the application to complete the process.": "データは新しい場所に移動されました。プロセスを完了するにはアプリケーションを再起動してください。",
+ "Migration failed": "移行に失敗しました",
+ "Important Notice": "重要なお知らせ",
+ "This will move all your app data to the new location. Make sure the destination has enough free space.": "これにより、すべてのアプリデータが新しい場所に移動されます。宛先に十分な空き容量があることを確認してください。",
+ "Restart App": "アプリを再起動",
+ "Start Migration": "移行を開始",
+ "Advanced Settings": "詳細設定",
+ "File count: {{size}}": "ファイル数: {{size}}",
+ "Background Read Aloud": "バックグラウンド読み上げ",
+ "Ready to read aloud": "読み上げの準備ができました",
+ "Read Aloud": "読み上げ",
+ "Screen Brightness": "画面の明るさ",
+ "Background Image": "背景画像",
+ "Import Image": "画像をインポート",
+ "Opacity": "不透明度",
+ "Size": "サイズ",
+ "Cover": "カバー",
+ "Contain": "含む",
+ "{{number}} pages left in chapter": "章に{{number}}ページ残り",
+ "Device": "デバイス",
+ "E-Ink Mode": "E-Inkモード",
+ "Highlight Colors": "ハイライトカラー",
+ "Auto Screen Brightness": "自動画面の明るさ",
+ "Pagination": "ページネーション",
+ "Disable Double Tap": "ダブルタップを無効にする",
+ "Tap to Paginate": "タップしてページを切り替える",
+ "Click to Paginate": "クリックしてページを切り替える",
+ "Tap Both Sides": "両側をタップ",
+ "Click Both Sides": "両側をクリック",
+ "Swap Tap Sides": "タップサイドを入れ替える",
+ "Swap Click Sides": "クリックサイドを入れ替える",
+ "Source and Translated": "原文と翻訳",
+ "Translated Only": "翻訳のみ",
+ "Source Only": "原文のみ",
+ "TTS Text": "TTSテキスト",
+ "The book file is corrupted": "本のファイルが破損しています",
+ "The book file is empty": "本のファイルが空です",
+ "Failed to open the book file": "本のファイルを開くことができませんでした",
+ "On-Demand Purchase": "オンデマンド購入",
+ "Full Customization": "フルカスタマイズ",
+ "Lifetime Plan": "ライフタイムプラン",
+ "One-Time Payment": "ワンタイムペイメント",
+ "Make a single payment to enjoy lifetime access to specific features on all devices. Purchase specific features or services only when you need them.": "すべてのデバイスで特定の機能にライフタイムアクセスを楽しむために、1回の支払いを行います。必要なときにのみ特定の機能やサービスを購入します。",
+ "Expand Cloud Sync Storage": "クラウド同期ストレージを拡張",
+ "Expand your cloud storage forever with a one-time purchase. Each additional purchase adds more space.": "1回の購入でクラウドストレージを永遠に拡張します。追加の購入ごとに、さらに多くのスペースが追加されます。",
+ "Unlock All Customization Options": "すべてのカスタマイズオプションを解除",
+ "Unlock additional themes, fonts, layout options and read aloud, translators, cloud storage services.": "追加のテーマ、フォント、レイアウトオプション、読み上げ、翻訳者、クラウドストレージサービスを解除します。",
+ "Purchase Successful!": "購入成功!",
+ "lifetime": "ライフタイム",
+ "Thank you for your purchase! Your payment has been processed successfully.": "ご購入ありがとうございます!お支払いが正常に処理されました。",
+ "Order ID:": "購入ID:",
+ "TTS Highlighting": "TTSハイライト",
+ "Style": "スタイル",
+ "Underline": "下線",
+ "Strikethrough": "取り消し線",
+ "Squiggly": "波線",
+ "Outline": "アウトライン",
+ "Save Current Color": "現在の色を保存",
+ "Quick Colors": "クイックカラー",
+ "Highlighter": "蛍光ペン",
+ "Save Book Cover": "本のカバーを保存",
+ "Auto-save last book cover": "最後の本のカバーを自動保存",
+ "Back": "戻る",
+ "Confirmation email sent! Please check your old and new email addresses to confirm the change.": "確認メールを送信しました。変更を確認するために、古いメールアドレスと新しいメールアドレスを確認してください。",
+ "Failed to update email": "メールの更新に失敗しました",
+ "New Email": "新しいメールアドレス",
+ "Your new email": "あなたの新しいメールアドレス",
+ "Updating email ...": "メールを更新しています ...",
+ "Update email": "メールを更新",
+ "Current email": "現在のメールアドレス",
+ "Update Email": "メールを更新",
+ "All": "すべて",
+ "Unable to open book": "本を開くことができません",
+ "Punctuation": "句読点",
+ "Replace Quotation Marks": "引用符を置き換える",
+ "Enabled only in vertical layout.": "縦書きレイアウトでのみ有効です。",
+ "No Conversion": "変換なし",
+ "Simplified to Traditional": "簡体字 → 繁体字",
+ "Traditional to Simplified": "繁体字 → 簡体字",
+ "Simplified to Traditional (Taiwan)": "簡体字 → 繁体字(台湾)",
+ "Simplified to Traditional (Hong Kong)": "簡体字 → 繁体字(香港)",
+ "Simplified to Traditional (Taiwan), with phrases": "簡体字 → 繁体字(台湾)• フレーズ",
+ "Traditional (Taiwan) to Simplified": "繁体字(台湾) → 簡体字",
+ "Traditional (Hong Kong) to Simplified": "繁体字(香港) → 簡体字",
+ "Traditional (Taiwan) to Simplified, with phrases": "繁体字(台湾) → 簡体字 • フレーズ",
+ "Convert Simplified and Traditional Chinese": "簡体字/繁体字変換",
+ "Convert Mode": "変換モード",
+ "Failed to auto-save book cover for lock screen: {{error}}": "ロック画面の本のカバーの自動保存に失敗しました:{{error}}",
+ "Download from Cloud": "クラウドからダウンロード",
+ "Upload to Cloud": "クラウドにアップロード",
+ "Clear Custom Fonts": "カスタムフォントをクリア",
+ "Columns": "列",
+ "OPDS Catalogs": "OPDSカタログ",
+ "Adding LAN addresses is not supported in the web app version.": "Webアプリ版ではLANアドレスの追加はサポートされていません。",
+ "Invalid OPDS catalog. Please check the URL.": "無効なOPDSカタログです。URLを確認してください。",
+ "Browse and download books from online catalogs": "オンラインカタログから本を閲覧・ダウンロード",
+ "My Catalogs": "マイカタログ",
+ "Add Catalog": "カタログを追加",
+ "No catalogs yet": "まだカタログはありません",
+ "Add your first OPDS catalog to start browsing books": "本を閲覧するには、最初のOPDSカタログを追加してください。",
+ "Add Your First Catalog": "最初のカタログを追加",
+ "Browse": "閲覧",
+ "Popular Catalogs": "人気カタログ",
+ "Add": "追加",
+ "Add OPDS Catalog": "OPDSカタログを追加",
+ "Catalog Name": "カタログ名",
+ "My Calibre Library": "私のCalibreライブラリ",
+ "OPDS URL": "OPDS URL",
+ "Username (optional)": "ユーザー名(任意)",
+ "Password (optional)": "パスワード(任意)",
+ "Description (optional)": "説明(任意)",
+ "A brief description of this catalog": "このカタログの簡単な説明",
+ "Validating...": "検証中...",
+ "View All": "すべて表示",
+ "Forward": "進む",
+ "Home": "ホーム",
+ "{{count}} items_other": "{{count}} 件",
+ "Download completed": "ダウンロード完了",
+ "Download failed": "ダウンロード失敗",
+ "Open Access": "オープンアクセス",
+ "Borrow": "借りる",
+ "Buy": "購入",
+ "Subscribe": "購読",
+ "Sample": "サンプル",
+ "Download": "ダウンロード",
+ "Open & Read": "開いて読む",
+ "Tags": "タグ",
+ "Tag": "タグ",
+ "First": "最初",
+ "Previous": "前へ",
+ "Next": "次へ",
+ "Last": "最後",
+ "Cannot Load Page": "ページを読み込めません",
+ "An error occurred": "エラーが発生しました",
+ "Online Library": "オンラインライブラリ",
+ "URL must start with http:// or https://": "URLはhttp://またはhttps://で始まる必要があります",
+ "Title, Author, Tag, etc...": "タイトル、著者、タグなど...",
+ "Query": "クエリ",
+ "Subject": "件名",
+ "Enter {{terms}}": "{{terms}}を入力してください",
+ "No search results found": "検索結果が見つかりません",
+ "Failed to load OPDS feed: {{status}} {{statusText}}": "OPDSフィードの読み込みに失敗しました: {{status}} {{statusText}}",
+ "Search in {{title}}": "{{title}}内を検索",
+ "Manage Storage": "ストレージ管理",
+ "Failed to load files": "ファイルの読み込みに失敗しました",
+ "Deleted {{count}} file(s)_other": "{{count}} 件のファイルを削除しました",
+ "Failed to delete {{count}} file(s)_other": "{{count}} 件のファイルの削除に失敗しました",
+ "Failed to delete files": "ファイルの削除に失敗しました",
+ "Total Files": "ファイル合計",
+ "Total Size": "合計サイズ",
+ "Quota": "容量制限",
+ "Used": "使用済み",
+ "Files": "ファイル",
+ "Search files...": "ファイルを検索...",
+ "Newest First": "新しい順",
+ "Oldest First": "古い順",
+ "Largest First": "大きい順",
+ "Smallest First": "小さい順",
+ "Name A-Z": "名前 A-Z",
+ "Name Z-A": "名前 Z-A",
+ "{{count}} selected_other": "{{count}} 件選択済み",
+ "Delete Selected": "選択した項目を削除",
+ "Created": "作成日",
+ "No files found": "ファイルが見つかりません",
+ "No files uploaded yet": "まだファイルがアップロードされていません",
+ "files": "ファイル",
+ "Page {{current}} of {{total}}": "ページ {{current}} / {{total}}",
+ "Are you sure to delete {{count}} selected file(s)?_other": "選択した {{count}} 件のファイルを削除してもよろしいですか?",
+ "Cloud Storage Usage": "クラウドストレージ使用量",
+ "Rename Group": "グループ名を変更",
+ "From Directory": "ディレクトリから",
+ "Successfully imported {{count}} book(s)_other": "成功裏に{{count}}冊の本をインポートしました",
+ "Count": "件数",
+ "Start Page": "開始ページ",
+ "Search in OPDS Catalog...": "OPDSカタログ内を検索...",
+ "Please log in to use advanced TTS features": "高度なTTS機能を使用するにはログインしてください",
+ "Word limit of 30 words exceeded.": "30語の上限を超えています。",
+ "Proofread": "校正",
+ "Current selection": "現在の選択",
+ "All occurrences in this book": "この本内のすべての出現箇所",
+ "All occurrences in your library": "ライブラリ内のすべての出現箇所",
+ "Selected text:": "選択されたテキスト:",
+ "Replace with:": "置換後:",
+ "Enter text...": "テキストを入力…",
+ "Case sensitive:": "大文字と小文字を区別:",
+ "Scope:": "適用範囲:",
+ "Selection": "選択",
+ "Library": "ライブラリ",
+ "Yes": "はい",
+ "No": "いいえ",
+ "Proofread Replacement Rules": "校正置換ルール",
+ "Selected Text Rules": "選択テキストのルール",
+ "No selected text replacement rules": "選択されたテキストの置換ルールはありません",
+ "Book Specific Rules": "書籍別ルール",
+ "No book-level replacement rules": "書籍レベルの置換ルールはありません",
+ "Disable Quick Action": "クイックアクションを無効にする",
+ "Enable Quick Action on Selection": "選択時にクイックアクションを有効にする",
+ "None": "なし",
+ "Annotation Tools": "注釈ツール",
+ "Enable Quick Actions": "クイックアクションを有効にする",
+ "Quick Action": "クイックアクション",
+ "Copy to Notebook": "ノートにコピー",
+ "Copy text after selection": "選択後のテキストをコピー",
+ "Highlight text after selection": "選択後のテキストをハイライト",
+ "Annotate text after selection": "選択後のテキストに注釈を付ける",
+ "Search text after selection": "選択後のテキストを検索",
+ "Look up text in dictionary after selection": "選択後のテキストを辞書で調べる",
+ "Look up text in Wikipedia after selection": "選択後のテキストをWikipediaで調べる",
+ "Translate text after selection": "選択後のテキストを翻訳する",
+ "Read text aloud after selection": "選択後のテキストを音読する",
+ "Proofread text after selection": "選択後のテキストを校正する",
+ "{{activeCount}} active, {{pendingCount}} pending": "{{activeCount}} 進行中、{{pendingCount}} 待機中",
+ "{{failedCount}} failed": "{{failedCount}} 失敗",
+ "Waiting...": "待機中...",
+ "Failed": "失敗",
+ "Completed": "完了",
+ "Cancelled": "キャンセル",
+ "Retry": "再試行",
+ "Active": "進行中",
+ "Transfer Queue": "転送キュー",
+ "Upload All": "すべてアップロード",
+ "Download All": "すべてダウンロード",
+ "Resume Transfers": "転送を再開",
+ "Pause Transfers": "転送を一時停止",
+ "Pending": "待機中",
+ "No transfers": "転送なし",
+ "Retry All": "すべて再試行",
+ "Clear Completed": "完了を消去",
+ "Clear Failed": "失敗を消去",
+ "Upload queued: {{title}}": "アップロードをキューに追加: {{title}}",
+ "Download queued: {{title}}": "ダウンロードをキューに追加: {{title}}",
+ "Book not found in library": "ライブラリに本が見つかりません",
+ "Unknown error": "不明なエラー",
+ "Please log in to continue": "続行するにはログインしてください",
+ "Cloud File Transfers": "クラウドファイル転送",
+ "Show Search Results": "検索結果を表示",
+ "Search results for '{{term}}'": "「{{term}}」を含む結果",
+ "Close Search": "検索を閉じる",
+ "Previous Result": "前の結果",
+ "Next Result": "次の結果",
+ "Bookmarks": "ブックマーク",
+ "Annotations": "注釈",
+ "Show Results": "結果を表示",
+ "Clear search": "検索をクリア",
+ "Clear search history": "検索履歴をクリア",
+ "Tap to Toggle Footer": "タップでフッターを切り替え",
+ "Exported successfully": "エクスポート成功",
+ "Book exported successfully.": "書籍のエクスポートに成功しました。",
+ "Failed to export the book.": "書籍のエクスポートに失敗しました。",
+ "Export Book": "書籍をエクスポート",
+ "Whole word:": "単語全体:",
+ "Error": "エラー",
+ "Unable to load the article. Try searching directly on {{link}}.": "記事を読み込めません。{{link}}で直接検索してみてください。",
+ "Unable to load the word. Try searching directly on {{link}}.": "単語を読み込めません。{{link}}で直接検索してみてください。",
+ "Date Published": "出版日",
+ "Only for TTS:": "TTSのみ:",
+ "Uploaded": "アップロード済み",
+ "Downloaded": "ダウンロード済み",
+ "Deleted": "削除済み",
+ "Note:": "ノート:",
+ "Time:": "時刻:",
+ "Format Options": "形式オプション",
+ "Export Date": "エクスポート日",
+ "Chapter Titles": "章タイトル",
+ "Chapter Separator": "章区切り",
+ "Highlights": "ハイライト",
+ "Note Date": "ノート日付",
+ "Advanced": "詳細設定",
+ "Hide": "非表示",
+ "Show": "表示",
+ "Use Custom Template": "カスタムテンプレート使用",
+ "Export Template": "エクスポートテンプレート",
+ "Template Syntax:": "テンプレート構文:",
+ "Insert value": "値を挿入",
+ "Format date (locale)": "日付形式(ロケール)",
+ "Format date (custom)": "日付形式(カスタム)",
+ "Conditional": "条件分岐",
+ "Loop": "ループ",
+ "Available Variables:": "利用可能な変数:",
+ "Book title": "本のタイトル",
+ "Book author": "著者",
+ "Export date": "エクスポート日",
+ "Array of chapters": "章の配列",
+ "Chapter title": "章タイトル",
+ "Array of annotations": "注釈の配列",
+ "Highlighted text": "ハイライトテキスト",
+ "Annotation note": "注釈ノート",
+ "Date Format Tokens:": "日付形式トークン:",
+ "Year (4 digits)": "年(4桁)",
+ "Month (01-12)": "月(01-12)",
+ "Day (01-31)": "日(01-31)",
+ "Hour (00-23)": "時(00-23)",
+ "Minute (00-59)": "分(00-59)",
+ "Second (00-59)": "秒(00-59)",
+ "Show Source": "ソース表示",
+ "No content to preview": "プレビューするコンテンツがありません",
+ "Export": "エクスポート",
+ "Set Timeout": "タイムアウト設定",
+ "Select Voice": "音声選択",
+ "Toggle Sticky Bottom TTS Bar": "TTSバー固定切替",
+ "Display what I'm reading on Discord": "読書中の本をDiscordに表示",
+ "Show on Discord": "Discordに表示",
+ "Instant {{action}}": "インスタント{{action}}",
+ "Instant {{action}} Disabled": "インスタント{{action}}を無効化",
+ "Annotation": "注釈",
+ "Reset Template": "テンプレートをリセット",
+ "Annotation style": "注釈スタイル",
+ "Annotation color": "注釈の色",
+ "Annotation time": "注釈時間",
+ "AI": "AI",
+ "Are you sure you want to re-index this book?": "この本を再インデックスしてもよろしいですか?",
+ "Enable AI in Settings": "設定でAIを有効にする",
+ "Index This Book": "この本をインデックス",
+ "Enable AI search and chat for this book": "この本のAI検索とチャットを有効にする",
+ "Start Indexing": "インデックス開始",
+ "Indexing book...": "本をインデックス中...",
+ "Preparing...": "準備中...",
+ "Delete this conversation?": "この会話を削除しますか?",
+ "No conversations yet": "まだ会話がありません",
+ "Start a new chat to ask questions about this book": "この本について質問するには新しいチャットを開始してください",
+ "Rename": "名前を変更",
+ "New Chat": "新しいチャット",
+ "Chat": "チャット",
+ "Please enter a model ID": "モデルIDを入力してください",
+ "Model not available or invalid": "モデルが利用できないか無効です",
+ "Failed to validate model": "モデルの検証に失敗しました",
+ "Couldn't connect to Ollama. Is it running?": "Ollamaに接続できませんでした。実行中ですか?",
+ "Invalid API key or connection failed": "APIキーが無効か接続に失敗しました",
+ "Connection failed": "接続に失敗しました",
+ "AI Assistant": "AIアシスタント",
+ "Enable AI Assistant": "AIアシスタントを有効にする",
+ "Provider": "プロバイダー",
+ "Ollama (Local)": "Ollama(ローカル)",
+ "AI Gateway (Cloud)": "AIゲートウェイ(クラウド)",
+ "Ollama Configuration": "Ollama設定",
+ "Refresh Models": "モデルを更新",
+ "AI Model": "AIモデル",
+ "No models detected": "モデルが検出されませんでした",
+ "AI Gateway Configuration": "AIゲートウェイ設定",
+ "Choose from a selection of high-quality, economical AI models. You can also bring your own model by selecting \"Custom Model\" below.": "高品質で経済的なAIモデルからお選びください。下の「カスタムモデル」を選択して独自のモデルを使用することもできます。",
+ "API Key": "APIキー",
+ "Get Key": "キーを取得",
+ "Model": "モデル",
+ "Custom Model...": "カスタムモデル...",
+ "Custom Model ID": "カスタムモデルID",
+ "Validate": "検証",
+ "Model available": "モデルが利用可能",
+ "Connection": "接続",
+ "Test Connection": "接続をテスト",
+ "Connected": "接続済み",
+ "Custom Colors": "カスタムカラー",
+ "Color E-Ink Mode": "カラー電子ペーパーモード",
+ "Reading Ruler": "リーディングルーラー",
+ "Enable Reading Ruler": "リーディングルーラーを有効にする",
+ "Lines to Highlight": "ハイライトする行数",
+ "Ruler Color": "ルーラーの色",
+ "Command Palette": "コマンドパレット",
+ "Search settings and actions...": "設定とアクションを検索...",
+ "No results found for": "の結果が見つかりませんでした",
+ "Type to search settings and actions": "入力して設定とアクションを検索",
+ "Recent": "最近使った項目",
+ "navigate": "ナビゲート",
+ "select": "選択",
+ "close": "閉じる",
+ "Search Settings": "設定を検索",
+ "Page Margins": "ページ余白",
+ "AI Provider": "AIプロバイダー",
+ "Ollama URL": "OllamaのURL",
+ "Ollama Model": "Ollamaモデル",
+ "AI Gateway Model": "AI Gatewayモデル",
+ "Actions": "アクション",
+ "Navigation": "ナビゲーション",
+ "Set status for {{count}} book(s)_other": "{{count}} 冊の本のステータスを設定",
+ "Mark as Unread": "未読にする",
+ "Mark as Finished": "読了にする",
+ "Finished": "読了",
+ "Unread": "未読",
+ "Clear Status": "ステータスをクリア",
+ "Status": "ステータス",
+ "Loading": "読み込み中",
+ "Exit Paragraph Mode": "段落モードを終了",
+ "Paragraph Mode": "段落モード",
+ "Embedding Model": "埋め込みモデル",
+ "{{count}} book(s) synced_other": "{{count}} 冊の本が同期されました",
+ "Unable to start RSVP": "RSVPを起動できません",
+ "RSVP not supported for PDF": "PDFはRSVPに対応していません",
+ "Select Chapter": "章を選択",
+ "Context": "コンテキスト",
+ "Ready": "準備完了",
+ "Chapter Progress": "章の進捗",
+ "words": "単語",
+ "{{time}} left": "残り {{time}}",
+ "Reading progress": "読書の進捗",
+ "Click to seek": "クリックしてシーク",
+ "Skip back 15 words": "15単語戻る",
+ "Back 15 words (Shift+Left)": "15単語戻る (Shift+左)",
+ "Pause (Space)": "一時停止 (Space)",
+ "Play (Space)": "再生 (Space)",
+ "Skip forward 15 words": "15単語進む",
+ "Forward 15 words (Shift+Right)": "15単語進む (Shift+右)",
+ "Pause:": "一時停止:",
+ "Decrease speed": "速度を下げる",
+ "Slower (Left/Down)": "低速 (左/下)",
+ "Current speed": "現在の速度",
+ "Increase speed": "速度を上げる",
+ "Faster (Right/Up)": "高速 (右/上)",
+ "Start RSVP Reading": "RSVP読書を開始",
+ "Choose where to start reading": "読書を開始する場所を選択",
+ "From Chapter Start": "章の最初から",
+ "Start reading from the beginning of the chapter": "この章の最初から読み直す",
+ "Resume": "再開",
+ "Continue from where you left off": "中断した場所から再開する",
+ "From Current Page": "現在のページから",
+ "Start from where you are currently reading": "現在読んでいる場所から開始する",
+ "From Selection": "選択範囲から",
+ "Speed Reading Mode": "速読モード",
+ "Scroll left": "左にスクロール",
+ "Scroll right": "右にスクロール",
+ "Library Sync Progress": "ライブラリ同期の進捗",
+ "Back to library": "ライブラリに戻る",
+ "Group by...": "グループ化...",
+ "Export as Plain Text": "プレーンテキストとして書き出し",
+ "Export as Markdown": "Markdownとして書き出し",
+ "Show Page Navigation Buttons": "ナビゲーションボタンを表示",
+ "Page {{number}}": "{{number}} ページ",
+ "highlight": "ハイライト",
+ "underline": "下線",
+ "squiggly": "波線",
+ "red": "赤",
+ "violet": "すみれ色",
+ "blue": "青",
+ "green": "緑",
+ "yellow": "黄色",
+ "Select {{style}} style": "スタイル {{style}} を選択",
+ "Select {{color}} color": "色 {{color}} を選択",
+ "Close Book": "本を閉じる",
+ "Speed Reading": "速読",
+ "Close Speed Reading": "速読を閉じる",
+ "Authors": "著者",
+ "Books": "書籍",
+ "Groups": "グループ",
+ "Back to TTS Location": "TTSの位置に戻る",
+ "Metadata": "メタデータ",
+ "Image viewer": "画像ビューア",
+ "Previous Image": "前の画像",
+ "Next Image": "次の画像",
+ "Zoomed": "ズーム済み",
+ "Zoom level": "ズームレベル",
+ "Table viewer": "テーブルビューア",
+ "Unable to connect to Readwise. Please check your network connection.": "Readwise に接続できません。ネットワーク接続を確認してください。",
+ "Invalid Readwise access token": "無効な Readwise アクセストークン",
+ "Disconnected from Readwise": "Readwise から切断されました",
+ "Never": "一度もなし",
+ "Readwise Settings": "Readwise 設定",
+ "Connected to Readwise": "Readwise に接続済み",
+ "Last synced: {{time}}": "最終同期:{{time}}",
+ "Sync Enabled": "同期有効",
+ "Disconnect": "切断",
+ "Connect your Readwise account to sync highlights.": "ハイライトを同期するには Readwise アカウントを接続してください。",
+ "Get your access token at": "アクセストークンの取得先:",
+ "Access Token": "アクセストークン",
+ "Paste your Readwise access token": "Readwise アクセストークンを貼り付けてください",
+ "Config": "設定",
+ "Readwise Sync": "Readwise 同期",
+ "Push Highlights": "ハイライトをプッシュ",
+ "Highlights synced to Readwise": "ハイライトが Readwise に同期されました",
+ "Readwise sync failed: no internet connection": "Readwise 同期失敗:インターネット接続がありません",
+ "Readwise sync failed: {{error}}": "Readwise 同期失敗:{{error}}"
+}
diff --git a/apps/readest-app/public/locales/ko/translation.json b/apps/readest-app/public/locales/ko/translation.json
new file mode 100644
index 0000000000000000000000000000000000000000..41a916fbb84756875869a41ada499a2acb9a16aa
--- /dev/null
+++ b/apps/readest-app/public/locales/ko/translation.json
@@ -0,0 +1,1048 @@
+{
+ "(detected)": "(감지됨)",
+ "About Readest": "Readest 정보",
+ "Add your notes here...": "여기에 메모를 추가하세요...",
+ "Animation": "애니메이션",
+ "Annotate": "주석",
+ "Apply": "적용",
+ "Auto Mode": "자동 모드",
+ "Behavior": "동작",
+ "Book": "책",
+ "Bookmark": "북마크",
+ "Cancel": "취소",
+ "Chapter": "챕터",
+ "Cherry": "벚꽃색",
+ "Color": "색상",
+ "Confirm": "확인",
+ "Confirm Deletion": "삭제 확인",
+ "Copied to notebook": "노트북에 복사됨",
+ "Copy": "복사",
+ "Dark Mode": "다크 모드",
+ "Default": "기본값",
+ "Default Font": "기본 글꼴",
+ "Default Font Size": "기본 글꼴 크기",
+ "Delete": "삭제",
+ "Delete Highlight": "하이라이트 삭제",
+ "Dictionary": "사전",
+ "Download Readest": "Readest 다운로드",
+ "Edit": "편집",
+ "Excerpts": "발췌",
+ "Failed to import book(s): {{filenames}}": "책 가져오기 실패: {{filenames}}",
+ "Fast": "빠름",
+ "Font": "글꼴",
+ "Font & Layout": "글꼴 및 레이아웃",
+ "Font Face": "글꼴 스타일",
+ "Font Family": "글꼴 패밀리",
+ "Font Size": "글꼴 크기",
+ "Full Justification": "양쪽 정렬",
+ "Global Settings": "전역 설정",
+ "Go Back": "뒤로",
+ "Go Forward": "앞으로",
+ "Grass": "잔디색",
+ "Gray": "회색",
+ "Gruvbox": "그러브박스",
+ "Highlight": "하이라이트",
+ "Horizontal Direction": "수평 방향",
+ "Hyphenation": "하이픈 넣기",
+ "Import Books": "책 가져오기",
+ "Layout": "레이아웃",
+ "Light Mode": "라이트 모드",
+ "Loading...": "로딩 중...",
+ "Logged in": "로그인됨",
+ "Logged in as {{userDisplayName}}": "{{userDisplayName}}(으)로 로그인됨",
+ "Match Case": "대소문자 구분",
+ "Match Diacritics": "발음 구별 부호 구분",
+ "Match Whole Words": "전체 단어 일치",
+ "Maximum Number of Columns": "최대 열 수",
+ "Minimum Font Size": "최소 글꼴 크기",
+ "Monospace Font": "고정폭 글꼴",
+ "More Info": "추가 정보",
+ "Nord": "노드",
+ "Notebook": "노트북",
+ "Notes": "메모",
+ "Open": "열기",
+ "Original Text": "원본 텍스트",
+ "Page": "페이지",
+ "Paging Animation": "페이지 넘김 애니메이션",
+ "Paragraph": "단락",
+ "Parallel Read": "병렬 읽기",
+ "Published": "출판일",
+ "Publisher": "출판사",
+ "Reading Progress Synced": "읽기 진행 상황 동기화됨",
+ "Reload Page": "페이지 새로고침",
+ "Reveal in File Explorer": "파일 탐색기에서 표시",
+ "Reveal in Finder": "Finder에서 표시",
+ "Reveal in Folder": "폴더에서 표시",
+ "Sans-Serif Font": "산세리프체",
+ "Save": "저장",
+ "Scrolled Mode": "스크롤 모드",
+ "Search": "검색",
+ "Search Books...": "책 검색...",
+ "Search...": "검색...",
+ "Select Book": "책 선택",
+ "Select Books": "책 선택",
+ "Sepia": "세피아",
+ "Serif Font": "세리프체",
+ "Show Book Details": "책 세부 정보 표시",
+ "Sidebar": "사이드바",
+ "Sign In": "로그인",
+ "Sign Out": "로그아웃",
+ "Sky": "하늘색",
+ "Slow": "느림",
+ "Solarized": "솔라라이즈드",
+ "Speak": "말하기",
+ "Subjects": "주제",
+ "System Fonts": "시스템 글꼴",
+ "Theme Color": "테마 색상",
+ "Theme Mode": "테마 모드",
+ "Translate": "번역",
+ "Translated Text": "번역된 텍스트",
+ "Unknown": "알 수 없음",
+ "Untitled": "제목 없음",
+ "Updated": "업데이트일",
+ "Version {{version}}": "버전 {{version}}",
+ "Vertical Direction": "수직 방향",
+ "Welcome to your library. You can import your books here and read them anytime.": "내 서재에 오신 것을 환영합니다. 여기에서 책을 가져와 언제든지 읽을 수 있습니다.",
+ "Wikipedia": "위키피디아",
+ "Writing Mode": "글쓰기 모드",
+ "Your Library": "내 서재",
+ "TTS not supported for PDF": "PDF에서 TTS가 지원되지 않음",
+ "Override Book Font": "책 글꼴 덮어쓰기",
+ "Apply to All Books": "모든 책에 적용",
+ "Apply to This Book": "이 책에 적용",
+ "Unable to fetch the translation. Try again later.": "번역을 가져올 수 없습니다. 나중에 다시 시도하세요.",
+ "Check Update": "업데이트 확인",
+ "Already the latest version": "이미 최신 버전",
+ "Book Details": "책 세부 정보",
+ "From Local File": "로컬 파일에서",
+ "TOC": "목차",
+ "Table of Contents": "목차",
+ "Book uploaded: {{title}}": "책 업로드됨: {{title}}",
+ "Failed to upload book: {{title}}": "책 업로드 실패: {{title}}",
+ "Book downloaded: {{title}}": "책 다운로드됨: {{title}}",
+ "Failed to download book: {{title}}": "책 다운로드 실패: {{title}}",
+ "Upload Book": "책 업로드",
+ "Auto Upload Books to Cloud": "책 자동으로 클라우드에 업로드",
+ "Book deleted: {{title}}": "책 삭제됨: {{title}}",
+ "Failed to delete book: {{title}}": "책 삭제 실패: {{title}}",
+ "Check Updates on Start": "시작 시 업데이트 확인",
+ "Insufficient storage quota": "저장소 할당량 부족",
+ "Font Weight": "글꼴 두께",
+ "Line Spacing": "줄 간격",
+ "Word Spacing": "단어 간격",
+ "Letter Spacing": "글자 간격",
+ "Text Indent": "들여쓰기",
+ "Paragraph Margin": "단락 여백",
+ "Override Book Layout": "책 레이아웃 덮어쓰기",
+ "Untitled Group": "제목 없는 그룹",
+ "Group Books": "책 그룹화",
+ "Remove From Group": "그룹에서 제거",
+ "Create New Group": "새 그룹 만들기",
+ "Deselect Book": "책 선택 해제",
+ "Download Book": "책 다운로드",
+ "Deselect Group": "그룹 선택 해제",
+ "Select Group": "그룹 선택",
+ "Keep Screen Awake": "화면 켜짐 유지",
+ "Email address": "이메일 주소",
+ "Your Password": "비밀번호",
+ "Your email address": "당신의 이메일 주소",
+ "Your password": "당신의 비밀번호",
+ "Sign in": "로그인",
+ "Signing in...": "로그인 중...",
+ "Sign in with {{provider}}": "{{provider}}로 로그인",
+ "Already have an account? Sign in": "이미 계정이 있습니까? 로그인",
+ "Create a Password": "비밀번호 만들기",
+ "Sign up": "회원가입",
+ "Signing up...": "회원가입 중...",
+ "Don't have an account? Sign up": "계정이 없습니까? 회원가입",
+ "Check your email for the confirmation link": "확인 링크를 위해 이메일을 확인하세요",
+ "Signing in ...": "로그인 중 ...",
+ "Send a magic link email": "마법의 링크 이메일 보내기",
+ "Check your email for the magic link": "마법의 링크를 위해 이메일을 확인하세요",
+ "Send reset password instructions": "비밀번호 재설정 지침 보내기",
+ "Sending reset instructions ...": "재설정 지침 보내는 중 ...",
+ "Forgot your password?": "비밀번호를 잊으셨나요?",
+ "Check your email for the password reset link": "비밀번호 재설정 링크를 위해 이메일을 확인하세요",
+ "New Password": "새로운 비밀번호",
+ "Your new password": "당신의 새로운 비밀번호",
+ "Update password": "비밀번호 업데이트",
+ "Updating password ...": "비밀번호 업데이트 중 ...",
+ "Your password has been updated": "비밀번호가 업데이트되었습니다",
+ "Phone number": "전화번호",
+ "Your phone number": "당신의 전화번호",
+ "Token": "토큰",
+ "Your OTP token": "당신의 OTP 토큰",
+ "Verify token": "토큰 확인",
+ "Account": "계정",
+ "Failed to delete user. Please try again later.": "사용자 삭제에 실패했습니다. 나중에 다시 시도해 주세요.",
+ "Community Support": "커뮤니티 지원",
+ "Priority Support": "우선 지원",
+ "Loading profile...": "프로필 로딩 중...",
+ "Delete Account": "계정 삭제",
+ "Delete Your Account?": "계정을 삭제하시겠습니까?",
+ "This action cannot be undone. All your data in the cloud will be permanently deleted.": "이 작업은 취소할 수 없습니다. 클라우드에 있는 모든 데이터가 영구적으로 삭제됩니다.",
+ "Delete Permanently": "영구 삭제",
+ "RTL Direction": "RTL 방향",
+ "Maximum Column Height": "최대 열 높이",
+ "Maximum Column Width": "최대 열 너비",
+ "Continuous Scroll": "연속 스크롤",
+ "Fullscreen": "전체 화면",
+ "No supported files found. Supported formats: {{formats}}": "지원되는 파일이 없습니다. 지원되는 형식: {{formats}}",
+ "Drop to Import Books": "책 가져오기 위해 드롭",
+ "Custom": "사용자 정의",
+ "All the world's a stage,\nAnd all the men and women merely players;\nThey have their exits and their entrances,\nAnd one man in his time plays many parts,\nHis acts being seven ages.\n\n— William Shakespeare": "세상은 무대이며,\n그리고 모든 남자와 여자는 단지 배우일 뿐입니다;\n그들은 나가는 곳과 들어오는 곳이 있으며,\n그리고 한 남자는 그의 시간에 많은 역할을 합니다,\n그의 행동은 일곱 시대입니다.\n\n— 윌리엄 셰익스피어",
+ "Custom Theme": "사용자 정의 테마",
+ "Theme Name": "테마 이름",
+ "Text Color": "텍스트 색상",
+ "Background Color": "배경 색상",
+ "Preview": "미리보기",
+ "Contrast": "대비",
+ "Sunset": "일몰",
+ "Double Border": "이중 테두리",
+ "Border Color": "테두리 색상",
+ "Border Frame": "테두리 프레임",
+ "Show Header": "헤더 표시",
+ "Show Footer": "푸터 표시",
+ "Small": "작음",
+ "Large": "큼",
+ "Auto": "자동",
+ "Language": "언어",
+ "No annotations to export": "내보낼 주석이 없습니다",
+ "Author": "저자",
+ "Exported from Readest": "Readest에서 내보냄",
+ "Highlights & Annotations": "하이라이트 및 주석",
+ "Note": "노트",
+ "Copied to clipboard": "클립보드에 복사",
+ "Export Annotations": "주석 내보내기",
+ "Auto Import on File Open": "파일 열 때 자동 가져오기",
+ "LXGW WenKai GB Screen": "LXGW WenKai SC",
+ "LXGW WenKai TC": "LXGW WenKai TC",
+ "No chapters detected": "장 발견되지 않음",
+ "Failed to parse the EPUB file": "EPUB 파일 구문 분석 실패",
+ "This book format is not supported": "이 책 형식은 지원되지 않습니다",
+ "Unable to fetch the translation. Please log in first and try again.": "번역을 가져올 수 없습니다. 먼저 로그인하고 다시 시도하세요.",
+ "Group": "그룹",
+ "Always on Top": "항상 위에",
+ "No Timeout": "타임아웃 없음",
+ "{{value}} minute": "{{value}} 분",
+ "{{value}} minutes": "{{value}} 분",
+ "{{value}} hour": "{{value}} 시간",
+ "{{value}} hours": "{{value}} 시간",
+ "CJK Font": "CJK 글꼴",
+ "Clear Search": "검색 지우기",
+ "Header & Footer": "헤더 및 푸터",
+ "Apply also in Scrolled Mode": "스크롤 모드에서도 적용",
+ "A new version of Readest is available!": "Readest의 새 버전이 있습니다!",
+ "Readest {{newVersion}} is available (installed version {{currentVersion}}).": "Readest {{newVersion}}가 사용 가능 (설치된 버전 {{currentVersion}}).",
+ "Download and install now?": "지금 다운로드하고 설치하시겠습니까?",
+ "Downloading {{downloaded}} of {{contentLength}}": "다운로드 중 {{downloaded}} / {{contentLength}}",
+ "Download finished": "다운로드 완료",
+ "DOWNLOAD & INSTALL": "다운로드 및 설치",
+ "Changelog": "변경 로그",
+ "Software Update": "소프트웨어 업데이트",
+ "Title": "제목",
+ "Date Read": "읽은 날짜",
+ "Date Added": "추가된 날짜",
+ "Format": "형식",
+ "Ascending": "오름차순",
+ "Descending": "내림차순",
+ "Sort by...": "정렬 기준...",
+ "Added": "추가됨",
+ "GuanKiapTsingKhai-T": "GuanKiapTsingKhai-T",
+ "Description": "설명",
+ "No description available": "설명 없음",
+ "List": "목록",
+ "Grid": "격자",
+ "(from 'As You Like It', Act II)": "(당신이 좋아하는 대로, 2막)",
+ "Link Color": "링크 색상",
+ "Volume Keys for Page Flip": "페이지 넘김을 위한 볼륨 키",
+ "Screen": "화면",
+ "Orientation": "방향",
+ "Portrait": "세로",
+ "Landscape": "가로",
+ "Open Last Book on Start": "시작 시 마지막 책 열기",
+ "Checking for updates...": "업데이트 확인 중...",
+ "Error checking for updates": "업데이트 확인 중 오류 발생",
+ "Details": "세부정보",
+ "File Size": "파일 크기",
+ "Auto Detect": "자동 감지",
+ "Next Section": "다음 섹션",
+ "Previous Section": "이전 섹션",
+ "Next Page": "다음 페이지",
+ "Previous Page": "이전 페이지",
+ "Are you sure to delete {{count}} selected book(s)?_other": "선택한 {{count}}권의 책을 삭제하시겠습니까?",
+ "Are you sure to delete the selected book?": "선택한 책을 삭제하시겠습니까?",
+ "Deselect": "해제",
+ "Select All": "전체선택",
+ "No translation available.": "번역이 없습니다.",
+ "Translated by {{provider}}.": "{{provider}}에 의해 번역됨.",
+ "DeepL": "DeepL",
+ "Google Translate": "구글 번역",
+ "Azure Translator": "Azure 번역기",
+ "Invert Image In Dark Mode": "어두운 곳에서 이미지 반전",
+ "Help improve Readest": "Readest 개선에 도움을 주세요",
+ "Sharing anonymized statistics": "익명화된 통계 공유",
+ "Interface Language": "인터페이스 언어",
+ "Translation": "번역",
+ "Enable Translation": "번역 활성화",
+ "Translation Service": "번역 서비스",
+ "Translate To": "번역 대상 언어",
+ "Disable Translation": "번역 비활성화",
+ "Scroll": "스크롤",
+ "Overlap Pixels": "겹치는 픽셀",
+ "System Language": "시스템 언어",
+ "Security": "보안",
+ "Allow JavaScript": "JavaScript 허용",
+ "Enable only if you trust the file.": "파일을 신뢰하는 경우에만 활성화하세요.",
+ "Sort TOC by Page": "목차를 페이지별로 정렬",
+ "Search in {{count}} Book(s)..._other": "{{count}}권의 책에서 검색...",
+ "No notes match your search": "일치하는 노트가 없습니다",
+ "Search notes and excerpts...": "노트 검색...",
+ "Sign in to Sync": "동기화를 위해 로그인하세요",
+ "Synced at {{time}}": "{{time}}에 동기화됨",
+ "Never synced": "동기화된 적 없음",
+ "Show Remaining Time": "남은 시간 표시",
+ "{{time}} min left in chapter": "{{time}}분 남음",
+ "Override Book Color": "책 색상 덮어쓰기",
+ "Login Required": "로그인 필요",
+ "Quota Exceeded": "한도 초과",
+ "{{percentage}}% of Daily Translation Characters Used.": "일일 번역 문자 사용량 {{percentage}}%.",
+ "Translation Characters": "번역 문자",
+ "{{engine}}: {{count}} voices_other": "{{engine}}: {{count}}개의 음성",
+ "Something went wrong. Don't worry, our team has been notified and we're working on a fix.": "문제가 발생했습니다. 걱정하지 마세요, 저희 팀이 이미 알림을 받았으며 해결 작업을 진행 중입니다.",
+ "Error Details:": "오류 세부사항:",
+ "Try Again": "다시 시도",
+ "Need help?": "도움이 필요하신가요?",
+ "Contact Support": "지원팀에 문의",
+ "Code Highlighting": "코드 하이라이팅",
+ "Enable Highlighting": "하이라이팅 활성화",
+ "Code Language": "코드 언어",
+ "Top Margin (px)": "위쪽 여백 (px)",
+ "Bottom Margin (px)": "아래쪽 여백 (px)",
+ "Right Margin (px)": "오른쪽 여백 (px)",
+ "Left Margin (px)": "왼쪽 여백 (px)",
+ "Column Gap (%)": "열 간격 (%)",
+ "Always Show Status Bar": "상태 표시줄 항상 표시",
+ "Custom Content CSS": "콘텐츠 CSS",
+ "Enter CSS for book content styling...": "도서 콘텐츠 스타일을 위한 CSS 입력...",
+ "Custom Reader UI CSS": "리더 UI CSS",
+ "Enter CSS for reader interface styling...": "리더 인터페이스 스타일용 CSS 입력...",
+ "Crop": "자르기",
+ "Book Covers": "책 표지",
+ "Fit": "맞춤",
+ "Reset {{settings}}": "{{settings}} 재설정",
+ "Reset Settings": "설정 재설정",
+ "{{count}} pages left in chapter_other": "남은 페이지 {{count}}장",
+ "Show Remaining Pages": "남은 페이지 보기",
+ "Source Han Serif CN": "Source Han Serif",
+ "Huiwen-MinchoGBK": "Huiwen Mincho",
+ "KingHwa_OldSong": "KingHwa Song",
+ "Manage Subscription": "구독 관리",
+ "Coming Soon": "곧 출시 예정",
+ "Upgrade to {{plan}}": "{{plan}}로 업그레이드",
+ "Upgrade to Plus or Pro": "Plus 또는 Pro로 업그레이드",
+ "Current Plan": "현재 요금제",
+ "Plan Limits": "요금제 한도",
+ "Processing your payment...": "결제를 처리 중입니다...",
+ "Please wait while we confirm your subscription.": "구독을 확인하는 중입니다. 잠시만 기다려주세요.",
+ "Payment Processing": "결제 처리 중",
+ "Your payment is being processed. This usually takes a few moments.": "결제가 처리되고 있습니다. 잠시만 기다려주세요.",
+ "Payment Failed": "결제 실패",
+ "We couldn't process your subscription. Please try again or contact support if the issue persists.": "구독을 처리할 수 없습니다. 다시 시도하거나 문제가 계속되면 지원팀에 문의해주세요.",
+ "Back to Profile": "프로필로 돌아가기",
+ "Subscription Successful!": "구독이 완료되었습니다!",
+ "Thank you for your subscription! Your payment has been processed successfully.": "구독해주셔서 감사합니다! 결제가 성공적으로 처리되었습니다.",
+ "Email:": "이메일:",
+ "Plan:": "요금제:",
+ "Amount:": "금액:",
+ "Go to Library": "라이브러리로 이동",
+ "Need help? Contact our support team at support@readest.com": "도움이 필요하시면 support@readest.com으로 문의해주세요.",
+ "Free Plan": "무료 요금제",
+ "month": "월",
+ "AI Translations (per day)": "AI 번역 (일 기준)",
+ "Plus Plan": "Plus 요금제",
+ "Includes All Free Plan Benefits": "무료 요금제의 모든 혜택 포함",
+ "Pro Plan": "Pro 요금제",
+ "More AI Translations": "더 많은 AI 번역",
+ "Complete Your Subscription": "구독 완료",
+ "{{percentage}}% of Cloud Sync Space Used.": "{{percentage}}%의 클라우드 동기화 공간 사용됨.",
+ "Cloud Sync Storage": "클라우드 저장 공간",
+ "Disable": "비활성화",
+ "Enable": "활성화",
+ "Upgrade to Readest Premium": "Readest Premium으로 업그레이드",
+ "Show Source Text": "원본 텍스트 표시",
+ "Cross-Platform Sync": "크로스 플랫폼 동기화",
+ "Seamlessly sync your library, progress, highlights, and notes across all your devices—never lose your place again.": "라이브러리와 진행 상황을 모든 기기에서 동기화합니다.",
+ "Customizable Reading": "맞춤형 읽기",
+ "Personalize every detail with adjustable fonts, layouts, themes, and advanced display settings for the perfect reading experience.": "폰트, 레이아웃, 테마를 자유롭게 조정하세요.",
+ "AI Read Aloud": "AI 음성 읽기",
+ "Enjoy hands-free reading with natural-sounding AI voices that bring your books to life.": "자연스러운 AI 음성으로 책을 들어보세요.",
+ "AI Translations": "AI 번역",
+ "Translate any text instantly with the power of Google, Azure, or DeepL—understand content in any language.": "Google, Azure, DeepL로 즉시 번역합니다.",
+ "Connect with fellow readers and get help fast in our friendly community channels.": "커뮤니티에서 도움과 소통을 즐기세요.",
+ "Unlimited AI Read Aloud Hours": "무제한 AI 음성 읽기",
+ "Listen without limits—convert as much text as you like into immersive audio.": "제한 없이 텍스트를 음성으로 변환하세요.",
+ "Unlock enhanced translation capabilities with more daily usage and advanced options.": "고급 번역 기능을 더 많이 이용하세요.",
+ "DeepL Pro Access": "DeepL Pro 이용",
+ "Enjoy faster responses and dedicated assistance whenever you need help.": "우선 지원을 이용하세요.",
+ "Daily translation quota reached. Upgrade your plan to continue using AI translations.": "일일 번역 한도에 도달했습니다. 업그레이드하여 계속 사용하세요.",
+ "Includes All Plus Plan Benefits": "모든 플러스 플랜 혜택 포함",
+ "Early Feature Access": "신기능 우선 액세스",
+ "Be the first to explore new features, updates, and innovations before anyone else.": "새로운 기능, 업데이트, 혁신을 누구보다 먼저 체험하세요.",
+ "Advanced AI Tools": "고급 AI 도구",
+ "Harness powerful AI tools for smarter reading, translation, and content discovery.": "스마트한 독서, 번역, 콘텐츠 발견을 위한 강력한 AI 도구를 활용하세요.",
+ "Translate up to 100,000 characters daily with the most accurate translation engine available.": "가장 정확한 번역 엔진으로 매일 최대 10만 자를 번역하세요.",
+ "Translate up to 500,000 characters daily with the most accurate translation engine available.": "가장 정확한 번역 엔진으로 매일 최대 50만 자를 번역하세요.",
+ "Securely store and access your entire reading collection with up to 5 GB of cloud storage.": "최대 5GB의 안전한 클라우드 저장소로 전체 독서 컬렉션을 저장하고 액세스하세요.",
+ "Securely store and access your entire reading collection with up to 20 GB of cloud storage.": "최대 20GB의 안전한 클라우드 저장소로 전체 독서 컬렉션을 저장하고 액세스하세요.",
+ "Deleted cloud backup of the book: {{title}}": "책의 클라우드 백업이 삭제됨: {{title}}",
+ "Are you sure to delete the cloud backup of the selected book?": "선택한 책의 클라우드 백업을 삭제하시겠습니까?",
+ "What's New in Readest": "Readest의 새로운 기능",
+ "Enter book title": "도서 제목 입력",
+ "Subtitle": "부제목",
+ "Enter book subtitle": "도서 부제목 입력",
+ "Enter author name": "저자명 입력",
+ "Series": "시리즈",
+ "Enter series name": "시리즈명 입력",
+ "Series Index": "시리즈 번호",
+ "Enter series index": "시리즈 번호 입력",
+ "Total in Series": "시리즈 총권수",
+ "Enter total books in series": "시리즈 총 도서 수 입력",
+ "Enter publisher": "출판사 입력",
+ "Publication Date": "출간일",
+ "Identifier": "식별자",
+ "Enter book description": "도서 설명 입력",
+ "Change cover image": "표지 이미지 변경",
+ "Replace": "교체",
+ "Unlock cover": "표지 잠금 해제",
+ "Lock cover": "표지 잠금",
+ "Auto-Retrieve Metadata": "메타데이터 자동 검색",
+ "Auto-Retrieve": "자동 검색",
+ "Unlock all fields": "모든 필드 잠금 해제",
+ "Unlock All": "모두 잠금 해제",
+ "Lock all fields": "모든 필드 잠금",
+ "Lock All": "모두 잠금",
+ "Reset": "초기화",
+ "Edit Metadata": "메타데이터 편집",
+ "Locked": "잠김",
+ "Select Metadata Source": "메타데이터 소스 선택",
+ "Keep manual input": "수동 입력 유지",
+ "Google Books": "구글 북스",
+ "Open Library": "오픈 라이브러리",
+ "Fiction, Science, History": "소설, 과학, 역사",
+ "Open Book in New Window": "새 창에서 책 열기",
+ "Voices for {{lang}}": "{{lang}}의 음성",
+ "Yandex Translate": "Yandex 번역",
+ "YYYY or YYYY-MM-DD": "YYYY 또는 YYYY-MM-DD",
+ "Restore Purchase": "구매 복원",
+ "No purchases found to restore.": "복원할 구매가 없습니다.",
+ "Failed to restore purchases.": "구매 복원에 실패했습니다.",
+ "Failed to manage subscription.": "구독 관리에 실패했습니다.",
+ "Failed to load subscription plans.": "구독 플랜 로드에 실패했습니다.",
+ "year": "년",
+ "Failed to create checkout session": "체크아웃 세션 생성 실패",
+ "Storage": "저장소",
+ "Terms of Service": "서비스 약관",
+ "Privacy Policy": "개인정보 보호정책",
+ "Disable Double Click": "더블 클릭 비활성화",
+ "TTS not supported for this document": "TTS가 이 문서에서 지원되지 않습니다",
+ "Reset Password": "비밀번호 재설정",
+ "Show Reading Progress": "읽기 진행 상황 표시",
+ "Reading Progress Style": "읽기 진행 상황 스타일",
+ "Page Number": "페이지 번호",
+ "Percentage": "백분율",
+ "Deleted local copy of the book: {{title}}": "책의 로컬 사본이 삭제됨: {{title}}",
+ "Failed to delete cloud backup of the book: {{title}}": "책의 클라우드 백업 삭제에 실패했습니다: {{title}}",
+ "Failed to delete local copy of the book: {{title}}": "책의 로컬 사본 삭제에 실패했습니다: {{title}}",
+ "Are you sure to delete the local copy of the selected book?": "선택한 책의 로컬 사본을 삭제하시겠습니까?",
+ "Remove from Cloud & Device": "클라우드 및 장치에서 제거",
+ "Remove from Cloud Only": "클라우드에서만 제거",
+ "Remove from Device Only": "장치에서만 제거",
+ "Disconnected": "연결 끊김",
+ "KOReader Sync Settings": "KOReader Sync 설정",
+ "Sync Strategy": "동기화 전략",
+ "Ask on conflict": "충돌 시 묻기",
+ "Always use latest": "항상 최신 버전 사용",
+ "Send changes only": "변경 사항만 전송",
+ "Receive changes only": "변경 사항만 수신",
+ "Checksum Method": "체크섬 방법",
+ "File Content (recommended)": "파일 내용 (권장)",
+ "File Name": "파일 이름",
+ "Device Name": "장치 이름",
+ "Connect to your KOReader Sync server.": "KOReader Sync 서버에 연결합니다.",
+ "Server URL": "서버 URL",
+ "Username": "사용자 이름",
+ "Your Username": "당신의 사용자 이름",
+ "Password": "비밀번호",
+ "Connect": "연결",
+ "KOReader Sync": "KOReader Sync",
+ "Sync Conflict": "동기화 충돌",
+ "Sync reading progress from \"{{deviceName}}\"?": " \"{{deviceName}}\"에서 읽기 진행 상황을 동기화하시겠습니까?",
+ "another device": "다른 장치",
+ "Local Progress": "로컬 진행 상황",
+ "Remote Progress": "원격 진행 상황",
+ "Page {{page}} of {{total}} ({{percentage}}%)": "페이지 {{page}} / {{total}} ({{percentage}}%)",
+ "Current position": "현재 위치",
+ "Approximately page {{page}} of {{total}} ({{percentage}}%)": "대략 페이지 {{page}} / {{total}} ({{percentage}}%)",
+ "Approximately {{percentage}}%": "대략 {{percentage}}%",
+ "Failed to connect": "연결 실패",
+ "Sync Server Connected": "동기화 서버에 연결됨",
+ "Sync as {{userDisplayName}}": "{{userDisplayName}}로 동기화",
+ "Custom Fonts": "사용자 정의 글꼴",
+ "Cancel Delete": "삭제 취소",
+ "Import Font": "글꼴 가져오기",
+ "Delete Font": "글꼴 삭제",
+ "Tips": "팁",
+ "Custom fonts can be selected from the Font Face menu": "사용자 정의 글꼴은 글꼴 메뉴에서 선택할 수 있습니다",
+ "Manage Custom Fonts": "사용자 정의 글꼴 관리",
+ "Select Files": "파일 선택",
+ "Select Image": "이미지 선택",
+ "Select Video": "동영상 선택",
+ "Select Audio": "오디오 선택",
+ "Select Fonts": "글꼴 선택",
+ "Supported font formats: .ttf, .otf, .woff, .woff2": "지원되는 글꼴 형식: .ttf, .otf, .woff, .woff2",
+ "Push Progress": "진행 상황 푸시",
+ "Pull Progress": "진행 상황 끌어오기",
+ "Previous Paragraph": "이전 단락",
+ "Previous Sentence": "이전 문장",
+ "Pause": "일시정지",
+ "Play": "재생",
+ "Next Sentence": "다음 문장",
+ "Next Paragraph": "다음 단락",
+ "Separate Cover Page": "별도의 표지 페이지",
+ "Resize Notebook": "노트북 크기 조정",
+ "Resize Sidebar": "사이드바 크기 조정",
+ "Get Help from the Readest Community": "Readest 커뮤니티에서 도움 받기",
+ "Remove cover image": "표지 이미지 제거",
+ "Bookshelf": "책장",
+ "View Menu": "메뉴 보기",
+ "Settings Menu": "설정 메뉴",
+ "View account details and quota": "계정 세부정보 및 할당량 보기",
+ "Library Header": "라이브러리 헤더",
+ "Book Content": "도서 내용",
+ "Footer Bar": "푸터 바",
+ "Header Bar": "헤더 바",
+ "View Options": "보기 옵션",
+ "Book Menu": "도서 메뉴",
+ "Search Options": "검색 옵션",
+ "Close": "닫기",
+ "Delete Book Options": "도서 삭제 옵션",
+ "ON": "켜기",
+ "OFF": "끄기",
+ "Reading Progress": "읽기 진행 상황",
+ "Page Margin": "페이지 여백",
+ "Remove Bookmark": "북마크 제거",
+ "Add Bookmark": "북마크 추가",
+ "Books Content": "책 내용",
+ "Jump to Location": "위치로 이동",
+ "Unpin Notebook": "노트북 고정 해제",
+ "Pin Notebook": "노트북 고정",
+ "Hide Search Bar": "검색 바 숨기기",
+ "Show Search Bar": "검색 바 표시",
+ "On {{current}} of {{total}} page": "페이지 {{current}} / {{total}}",
+ "Section Title": "섹션 제목",
+ "Decrease": "감소",
+ "Increase": "증가",
+ "Settings Panels": "설정 패널",
+ "Settings": "설정",
+ "Unpin Sidebar": "사이드바 고정 해제",
+ "Pin Sidebar": "사이드바 고정",
+ "Toggle Sidebar": "사이드바 전환",
+ "Toggle Translation": "번역 전환",
+ "Translation Disabled": "번역 비활성화",
+ "Minimize": "최소화",
+ "Maximize or Restore": "최대화 또는 복원",
+ "Exit Parallel Read": "병렬 읽기 종료",
+ "Enter Parallel Read": "병렬 읽기 시작",
+ "Zoom Level": "확대/축소 수준",
+ "Zoom Out": "축소",
+ "Reset Zoom": "줌 재설정",
+ "Zoom In": "확대",
+ "Zoom Mode": "줌 모드",
+ "Single Page": "단일 페이지",
+ "Auto Spread": "자동 스프레드",
+ "Fit Page": "페이지에 맞춤",
+ "Fit Width": "너비에 맞춤",
+ "Failed to select directory": "디렉토리 선택 실패",
+ "The new data directory must be different from the current one.": "새 데이터 디렉토리는 현재 디렉토리와 달라야 합니다.",
+ "Migration failed: {{error}}": "마이그레이션 실패: {{error}}",
+ "Change Data Location": "데이터 위치 변경",
+ "Current Data Location": "현재 데이터 위치",
+ "Total size: {{size}}": "총 크기: {{size}}",
+ "Calculating file info...": "파일 정보 계산 중...",
+ "New Data Location": "새 데이터 위치",
+ "Choose Different Folder": "다른 폴더 선택",
+ "Choose New Folder": "새 폴더 선택",
+ "Migrating data...": "데이터 마이그레이션 중...",
+ "Copying: {{file}}": "복사 중: {{file}}",
+ "{{current}} of {{total}} files": "{{current}} / {{total}} 파일",
+ "Migration completed successfully!": "마이그레이션이 성공적으로 완료되었습니다!",
+ "Your data has been moved to the new location. Please restart the application to complete the process.": "데이터가 새 위치로 이동되었습니다. 프로세스를 완료하려면 애플리케이션을 재시작하십시오.",
+ "Migration failed": "마이그레이션 실패",
+ "Important Notice": "중요한 공지",
+ "This will move all your app data to the new location. Make sure the destination has enough free space.": "이 작업은 모든 앱 데이터를 새 위치로 이동합니다. 대상에 충분한 여유 공간이 있는지 확인하십시오.",
+ "Restart App": "앱 재시작",
+ "Start Migration": "마이그레이션 시작",
+ "Advanced Settings": "고급 설정",
+ "File count: {{size}}": "파일 수: {{size}}",
+ "Background Read Aloud": "백그라운드 음성 읽기",
+ "Ready to read aloud": "읽기 준비 완료",
+ "Read Aloud": "음성 읽기",
+ "Screen Brightness": "화면 밝기",
+ "Background Image": "배경 이미지",
+ "Import Image": "이미지 가져오기",
+ "Opacity": "불투명도",
+ "Size": "크기",
+ "Cover": "표지",
+ "Contain": "포함",
+ "{{number}} pages left in chapter": "남은 페이지 {{number}}장",
+ "Device": "장치",
+ "E-Ink Mode": "E-Ink 모드",
+ "Highlight Colors": "하이라이트 색상",
+ "Auto Screen Brightness": "자동 화면 밝기",
+ "Pagination": "페이지 매김",
+ "Disable Double Tap": "더블 탭 비활성화",
+ "Tap to Paginate": "탭하여 페이지 매김",
+ "Click to Paginate": "클릭하여 페이지 매김",
+ "Tap Both Sides": "양쪽을 탭",
+ "Click Both Sides": "양쪽을 클릭",
+ "Swap Tap Sides": "탭 사이드 전환",
+ "Swap Click Sides": "클릭 사이드 전환",
+ "Source and Translated": "원본 및 번역",
+ "Translated Only": "번역만",
+ "Source Only": "원본만",
+ "TTS Text": "TTS 텍스트",
+ "The book file is corrupted": "책 파일이 손상되었습니다",
+ "The book file is empty": "책 파일이 비어 있습니다",
+ "Failed to open the book file": "책 파일을 열지 못했습니다",
+ "On-Demand Purchase": "온디맨드 구매",
+ "Full Customization": "풀 커스터마이징",
+ "Lifetime Plan": "평생 플랜",
+ "One-Time Payment": "일회성 결제",
+ "Make a single payment to enjoy lifetime access to specific features on all devices. Purchase specific features or services only when you need them.": "모든 장치에서 특정 기능에 대한 평생 액세스를 즐기기 위해 단일 결제를 수행합니다. 필요할 때만 특정 기능이나 서비스를 구매합니다.",
+ "Expand Cloud Sync Storage": "클라우드 동기화 저장소 확장",
+ "Expand your cloud storage forever with a one-time purchase. Each additional purchase adds more space.": "1회 구매로 클라우드 저장소를 영구적으로 확장합니다. 추가 구매 시 더 많은 공간이 추가됩니다.",
+ "Unlock All Customization Options": "모든 커스터마이징 옵션 잠금 해제",
+ "Unlock additional themes, fonts, layout options and read aloud, translators, cloud storage services.": "추가 테마, 글꼴, 레이아웃 옵션 및 읽기, 번역기, 클라우드 스토리지 서비스를 잠금 해제합니다.",
+ "Purchase Successful!": "구매 성공!",
+ "lifetime": "평생",
+ "Thank you for your purchase! Your payment has been processed successfully.": "구매해주셔서 감사합니다! 결제가 성공적으로 처리되었습니다.",
+ "Order ID:": "주문 ID:",
+ "TTS Highlighting": "TTS 하이라이팅",
+ "Style": "스타일",
+ "Underline": "밑줄",
+ "Strikethrough": "취소선",
+ "Squiggly": "물결선",
+ "Outline": "윤곽선",
+ "Save Current Color": "현재 색상 저장",
+ "Quick Colors": "빠른 색상",
+ "Highlighter": "형광펜",
+ "Save Book Cover": "책 표지 저장",
+ "Auto-save last book cover": "마지막 책 표지 자동 저장",
+ "Back": "뒤로",
+ "Confirmation email sent! Please check your old and new email addresses to confirm the change.": "확인 이메일이 전송되었습니다! 변경을 확인하려면 이전 이메일 주소와 새 이메일 주소를 확인하세요.",
+ "Failed to update email": "이메일 업데이트 실패",
+ "New Email": "새 이메일",
+ "Your new email": "새 이메일 주소",
+ "Updating email ...": "이메일 업데이트 중...",
+ "Update email": "이메일 업데이트",
+ "Current email": "현재 이메일",
+ "Update Email": "이메일 업데이트",
+ "All": "전체",
+ "Unable to open book": "책을 열 수 없습니다",
+ "Punctuation": "구두점",
+ "Replace Quotation Marks": "인용 부호 바꾸기",
+ "Enabled only in vertical layout.": "세로 레이아웃에서만 활성화됩니다.",
+ "No Conversion": "변환 없음",
+ "Simplified to Traditional": "간체 → 번체",
+ "Traditional to Simplified": "번체 → 간체",
+ "Simplified to Traditional (Taiwan)": "간체 → 번체 (대만)",
+ "Simplified to Traditional (Hong Kong)": "간체 → 번체 (홍콩)",
+ "Simplified to Traditional (Taiwan), with phrases": "간체 → 번체 (대만) • 문구",
+ "Traditional (Taiwan) to Simplified": "번체 (대만) → 간체",
+ "Traditional (Hong Kong) to Simplified": "번체 (홍콩) → 간체",
+ "Traditional (Taiwan) to Simplified, with phrases": "번체 (대만) → 간체 • 문구",
+ "Convert Simplified and Traditional Chinese": "간체/번체 변환",
+ "Convert Mode": "변환 모드",
+ "Failed to auto-save book cover for lock screen: {{error}}": "잠금 화면용 책 표지 자동 저장 실패: {{error}}",
+ "Download from Cloud": "클라우드에서 다운로드",
+ "Upload to Cloud": "클라우드에 업로드",
+ "Clear Custom Fonts": "사용자 정의 글꼴 지우기",
+ "Columns": "열",
+ "OPDS Catalogs": "OPDS 카탈로그",
+ "Adding LAN addresses is not supported in the web app version.": "웹 앱 버전에서는 LAN 주소 추가를 지원하지 않습니다.",
+ "Invalid OPDS catalog. Please check the URL.": "잘못된 OPDS 카탈로그입니다. URL을 확인해주세요.",
+ "Browse and download books from online catalogs": "온라인 카탈로그에서 책을 탐색하고 다운로드",
+ "My Catalogs": "내 카탈로그",
+ "Add Catalog": "카탈로그 추가",
+ "No catalogs yet": "아직 카탈로그가 없습니다",
+ "Add your first OPDS catalog to start browsing books": "책을 탐색하려면 첫 번째 OPDS 카탈로그를 추가하세요.",
+ "Add Your First Catalog": "첫 번째 카탈로그 추가",
+ "Browse": "탐색",
+ "Popular Catalogs": "인기 카탈로그",
+ "Add": "추가",
+ "Add OPDS Catalog": "OPDS 카탈로그 추가",
+ "Catalog Name": "카탈로그 이름",
+ "My Calibre Library": "내 Calibre 라이브러리",
+ "OPDS URL": "OPDS URL",
+ "Username (optional)": "사용자 이름 (선택 사항)",
+ "Password (optional)": "비밀번호 (선택 사항)",
+ "Description (optional)": "설명 (선택 사항)",
+ "A brief description of this catalog": "이 카탈로그의 간단한 설명",
+ "Validating...": "검증 중...",
+ "View All": "모두 보기",
+ "Forward": "다음",
+ "Home": "홈",
+ "{{count}} items_other": "{{count}}개 항목",
+ "Download completed": "다운로드 완료",
+ "Download failed": "다운로드 실패",
+ "Open Access": "오픈 액세스",
+ "Borrow": "대출",
+ "Buy": "구매",
+ "Subscribe": "구독",
+ "Sample": "샘플",
+ "Download": "다운로드",
+ "Open & Read": "열기 및 읽기",
+ "Tags": "태그",
+ "Tag": "태그",
+ "First": "처음",
+ "Previous": "이전",
+ "Next": "다음",
+ "Last": "마지막",
+ "Cannot Load Page": "페이지를 불러올 수 없습니다",
+ "An error occurred": "오류가 발생했습니다",
+ "Online Library": "온라인 라이브러리",
+ "URL must start with http:// or https://": "URL은 http:// 또는 https://로 시작해야 합니다",
+ "Title, Author, Tag, etc...": "제목, 저자, 태그 등...",
+ "Query": "쿼리",
+ "Subject": "주제",
+ "Enter {{terms}}": "{{terms}} 입력",
+ "No search results found": "검색 결과가 없습니다",
+ "Failed to load OPDS feed: {{status}} {{statusText}}": "OPDS 피드를 불러오지 못했습니다: {{status}} {{statusText}}",
+ "Search in {{title}}": "{{title}}에서 검색",
+ "Manage Storage": "저장소 관리",
+ "Failed to load files": "파일 로드 실패",
+ "Deleted {{count}} file(s)_other": "{{count}}개의 파일이 삭제되었습니다",
+ "Failed to delete {{count}} file(s)_other": "{{count}}개의 파일 삭제 실패",
+ "Failed to delete files": "파일 삭제 실패",
+ "Total Files": "총 파일",
+ "Total Size": "총 용량",
+ "Quota": "쿼터",
+ "Used": "사용됨",
+ "Files": "파일",
+ "Search files...": "파일 검색...",
+ "Newest First": "최신순",
+ "Oldest First": "오래된순",
+ "Largest First": "큰 파일순",
+ "Smallest First": "작은 파일순",
+ "Name A-Z": "이름 A-Z",
+ "Name Z-A": "이름 Z-A",
+ "{{count}} selected_other": "{{count}}개 선택됨",
+ "Delete Selected": "선택 삭제",
+ "Created": "생성됨",
+ "No files found": "파일이 없습니다",
+ "No files uploaded yet": "아직 업로드된 파일이 없습니다",
+ "files": "파일",
+ "Page {{current}} of {{total}}": "페이지 {{current}} / {{total}}",
+ "Are you sure to delete {{count}} selected file(s)?_other": "선택한 {{count}}개의 파일을 삭제하시겠습니까?",
+ "Cloud Storage Usage": "클라우드 저장소 사용량",
+ "Rename Group": "그룹 이름 바꾸기",
+ "From Directory": "디렉토리에서",
+ "Successfully imported {{count}} book(s)_other": "성공적으로 {{count}} 권의 책이 가져와졌습니다",
+ "Count": "개수",
+ "Start Page": "시작 페이지",
+ "Search in OPDS Catalog...": "OPDS 카탈로그에서 검색...",
+ "Please log in to use advanced TTS features": "고급 TTS 기능을 사용하려면 로그인하세요",
+ "Word limit of 30 words exceeded.": "30단어 제한을 초과했습니다.",
+ "Proofread": "교정",
+ "Current selection": "현재 선택",
+ "All occurrences in this book": "이 책의 모든 위치",
+ "All occurrences in your library": "라이브러리의 모든 위치",
+ "Selected text:": "선택한 텍스트:",
+ "Replace with:": "다음으로 바꾸기:",
+ "Enter text...": "텍스트 입력…",
+ "Case sensitive:": "대소문자 구분:",
+ "Scope:": "적용 범위:",
+ "Selection": "선택",
+ "Library": "라이브러리",
+ "Yes": "예",
+ "No": "아니요",
+ "Proofread Replacement Rules": "교정 대체 규칙",
+ "Selected Text Rules": "선택한 텍스트 규칙",
+ "No selected text replacement rules": "선택한 텍스트에 대한 대체 규칙이 없습니다",
+ "Book Specific Rules": "책별 규칙",
+ "No book-level replacement rules": "책 수준의 대체 규칙이 없습니다",
+ "Disable Quick Action": "빠른 작업 비활성화",
+ "Enable Quick Action on Selection": "선택 시 빠른 작업 활성화",
+ "None": "없음",
+ "Annotation Tools": "주석 도구",
+ "Enable Quick Actions": "빠른 작업 활성화",
+ "Quick Action": "빠른 작업",
+ "Copy to Notebook": "노트에 복사",
+ "Copy text after selection": "선택 후 텍스트 복사",
+ "Highlight text after selection": "선택 후 텍스트 강조",
+ "Annotate text after selection": "선택 후 텍스트 주석 달기",
+ "Search text after selection": "선택 후 텍스트 검색",
+ "Look up text in dictionary after selection": "선택 후 텍스트를 사전에서 찾기",
+ "Look up text in Wikipedia after selection": "선택 후 텍스트를 위키피디아에서 찾기",
+ "Translate text after selection": "선택 후 텍스트 번역",
+ "Read text aloud after selection": "선택 후 텍스트 음성 읽기",
+ "Proofread text after selection": "선택 후 텍스트 교정",
+ "{{activeCount}} active, {{pendingCount}} pending": "{{activeCount}} 진행 중, {{pendingCount}} 대기 중",
+ "{{failedCount}} failed": "{{failedCount}} 실패",
+ "Waiting...": "대기 중...",
+ "Failed": "실패",
+ "Completed": "완료됨",
+ "Cancelled": "취소됨",
+ "Retry": "재시도",
+ "Active": "진행 중",
+ "Transfer Queue": "전송 대기열",
+ "Upload All": "모두 업로드",
+ "Download All": "모두 다운로드",
+ "Resume Transfers": "전송 재개",
+ "Pause Transfers": "전송 일시정지",
+ "Pending": "대기 중",
+ "No transfers": "전송 없음",
+ "Retry All": "모두 재시도",
+ "Clear Completed": "완료된 항목 지우기",
+ "Clear Failed": "실패한 항목 지우기",
+ "Upload queued: {{title}}": "업로드 대기열에 추가됨: {{title}}",
+ "Download queued: {{title}}": "다운로드 대기열에 추가됨: {{title}}",
+ "Book not found in library": "라이브러리에서 책을 찾을 수 없음",
+ "Unknown error": "알 수 없는 오류",
+ "Please log in to continue": "계속하려면 로그인하세요",
+ "Cloud File Transfers": "클라우드 파일 전송",
+ "Show Search Results": "검색 결과 보기",
+ "Search results for '{{term}}'": "'{{term}}' 검색 결과",
+ "Close Search": "검색 닫기",
+ "Previous Result": "이전 결과",
+ "Next Result": "다음 결과",
+ "Bookmarks": "북마크",
+ "Annotations": "주석",
+ "Show Results": "결과 표시",
+ "Clear search": "검색 지우기",
+ "Clear search history": "검색 기록 지우기",
+ "Tap to Toggle Footer": "탭하여 바닥글 전환",
+ "Exported successfully": "내보내기 성공",
+ "Book exported successfully.": "책을 성공적으로 내보냈습니다.",
+ "Failed to export the book.": "책 내보내기에 실패했습니다.",
+ "Export Book": "책 내보내기",
+ "Whole word:": "전체 단어:",
+ "Error": "오류",
+ "Unable to load the article. Try searching directly on {{link}}.": "문서를 로드할 수 없습니다. {{link}}에서 직접 검색해 보세요.",
+ "Unable to load the word. Try searching directly on {{link}}.": "단어를 로드할 수 없습니다. {{link}}에서 직접 검색해 보세요.",
+ "Date Published": "출판일",
+ "Only for TTS:": "TTS 전용:",
+ "Uploaded": "업로드됨",
+ "Downloaded": "다운로드됨",
+ "Deleted": "삭제됨",
+ "Note:": "노트:",
+ "Time:": "시간:",
+ "Format Options": "형식 옵션",
+ "Export Date": "내보내기 날짜",
+ "Chapter Titles": "챕터 제목",
+ "Chapter Separator": "챕터 구분 기호",
+ "Highlights": "하이라이트",
+ "Note Date": "노트 날짜",
+ "Advanced": "고급",
+ "Hide": "숨기기",
+ "Show": "표시",
+ "Use Custom Template": "사용자 지정 템플릿 사용",
+ "Export Template": "내보내기 템플릿",
+ "Template Syntax:": "템플릿 구문:",
+ "Insert value": "값 삽입",
+ "Format date (locale)": "날짜 형식 (로케일)",
+ "Format date (custom)": "날짜 형식 (사용자 지정)",
+ "Conditional": "조건부",
+ "Loop": "반복",
+ "Available Variables:": "사용 가능한 변수:",
+ "Book title": "책 제목",
+ "Book author": "책 저자",
+ "Export date": "내보내기 날짜",
+ "Array of chapters": "챕터 배열",
+ "Chapter title": "챕터 제목",
+ "Array of annotations": "주석 배열",
+ "Highlighted text": "하이라이트된 텍스트",
+ "Annotation note": "주석 노트",
+ "Date Format Tokens:": "날짜 형식 토큰:",
+ "Year (4 digits)": "연도 (4자리)",
+ "Month (01-12)": "월 (01-12)",
+ "Day (01-31)": "일 (01-31)",
+ "Hour (00-23)": "시 (00-23)",
+ "Minute (00-59)": "분 (00-59)",
+ "Second (00-59)": "초 (00-59)",
+ "Show Source": "소스 표시",
+ "No content to preview": "미리 볼 내용 없음",
+ "Export": "내보내기",
+ "Set Timeout": "시간 제한 설정",
+ "Select Voice": "음성 선택",
+ "Toggle Sticky Bottom TTS Bar": "고정 TTS 바 전환",
+ "Display what I'm reading on Discord": "Discord에 읽는 책 표시",
+ "Show on Discord": "Discord에 표시",
+ "Instant {{action}}": "즉시 {{action}}",
+ "Instant {{action}} Disabled": "즉시 {{action}} 비활성화",
+ "Annotation": "주석",
+ "Reset Template": "템플릿 초기화",
+ "Annotation style": "주석 스타일",
+ "Annotation color": "주석 색상",
+ "Annotation time": "주석 시간",
+ "AI": "AI",
+ "Are you sure you want to re-index this book?": "이 책을 다시 인덱싱하시겠습니까?",
+ "Enable AI in Settings": "설정에서 AI 활성화",
+ "Index This Book": "이 책 인덱싱",
+ "Enable AI search and chat for this book": "이 책에 대한 AI 검색 및 채팅 활성화",
+ "Start Indexing": "인덱싱 시작",
+ "Indexing book...": "책 인덱싱 중...",
+ "Preparing...": "준비 중...",
+ "Delete this conversation?": "이 대화를 삭제하시겠습니까?",
+ "No conversations yet": "아직 대화가 없습니다",
+ "Start a new chat to ask questions about this book": "이 책에 대해 질문하려면 새 채팅을 시작하세요",
+ "Rename": "이름 변경",
+ "New Chat": "새 채팅",
+ "Chat": "채팅",
+ "Please enter a model ID": "모델 ID를 입력하세요",
+ "Model not available or invalid": "모델을 사용할 수 없거나 유효하지 않습니다",
+ "Failed to validate model": "모델 검증 실패",
+ "Couldn't connect to Ollama. Is it running?": "Ollama에 연결할 수 없습니다. 실행 중인가요?",
+ "Invalid API key or connection failed": "API 키가 유효하지 않거나 연결 실패",
+ "Connection failed": "연결 실패",
+ "AI Assistant": "AI 어시스턴트",
+ "Enable AI Assistant": "AI 어시스턴트 활성화",
+ "Provider": "제공자",
+ "Ollama (Local)": "Ollama (로컬)",
+ "AI Gateway (Cloud)": "AI 게이트웨이 (클라우드)",
+ "Ollama Configuration": "Ollama 설정",
+ "Refresh Models": "모델 새로고침",
+ "AI Model": "AI 모델",
+ "No models detected": "모델이 감지되지 않았습니다",
+ "AI Gateway Configuration": "AI 게이트웨이 설정",
+ "Choose from a selection of high-quality, economical AI models. You can also bring your own model by selecting \"Custom Model\" below.": "고품질의 경제적인 AI 모델 중에서 선택하세요. 아래의 \"사용자 정의 모델\"을 선택하여 자신의 모델을 사용할 수도 있습니다.",
+ "API Key": "API 키",
+ "Get Key": "키 받기",
+ "Model": "모델",
+ "Custom Model...": "사용자 정의 모델...",
+ "Custom Model ID": "사용자 정의 모델 ID",
+ "Validate": "검증",
+ "Model available": "모델 사용 가능",
+ "Connection": "연결",
+ "Test Connection": "연결 테스트",
+ "Connected": "연결됨",
+ "Custom Colors": "사용자 정의 색상",
+ "Color E-Ink Mode": "컬러 E-Ink 모드",
+ "Reading Ruler": "읽기 자",
+ "Enable Reading Ruler": "읽기 자 활성화",
+ "Lines to Highlight": "강조할 줄 수",
+ "Ruler Color": "자 색상",
+ "Command Palette": "명령 팔레트",
+ "Search settings and actions...": "설정 및 작업 검색...",
+ "No results found for": "에 대한 결과를 찾을 수 없음",
+ "Type to search settings and actions": "입력하여 설정 및 작업 검색",
+ "Recent": "최근",
+ "navigate": "탐색",
+ "select": "선택",
+ "close": "닫기",
+ "Search Settings": "설정 검색",
+ "Page Margins": "페이지 여백",
+ "AI Provider": "AI 제공처",
+ "Ollama URL": "Ollama URL",
+ "Ollama Model": "Ollama 모델",
+ "AI Gateway Model": "AI 게이트웨이 모델",
+ "Actions": "작업",
+ "Navigation": "탐색",
+ "Set status for {{count}} book(s)_other": "책 {{count}}권 상태 설정",
+ "Mark as Unread": "읽지 않음으로 표시",
+ "Mark as Finished": "완료로 표시",
+ "Finished": "완료",
+ "Unread": "읽지 않음",
+ "Clear Status": "상태 지우기",
+ "Status": "상태",
+ "Loading": "로드 중...",
+ "Exit Paragraph Mode": "단락 모드 종료",
+ "Paragraph Mode": "단락 모드",
+ "Embedding Model": "임베딩 모델",
+ "{{count}} book(s) synced_other": "{{count}}권의 책이 동기화되었습니다",
+ "Unable to start RSVP": "RSVP를 시작할 수 없습니다",
+ "RSVP not supported for PDF": "PDF는 RSVP를 지원하지 않습니다",
+ "Select Chapter": "챕터 선택",
+ "Context": "문맥",
+ "Ready": "준비됨",
+ "Chapter Progress": "챕터 진행 상황",
+ "words": "단어",
+ "{{time}} left": "{{time}} 남음",
+ "Reading progress": "독서 진행 상황",
+ "Click to seek": "클릭하여 탐색",
+ "Skip back 15 words": "15단어 뒤로",
+ "Back 15 words (Shift+Left)": "15단어 뒤로 (Shift+왼쪽 화살표)",
+ "Pause (Space)": "일시정지 (스페이스바)",
+ "Play (Space)": "재생 (스페이스바)",
+ "Skip forward 15 words": "15단어 앞으로",
+ "Forward 15 words (Shift+Right)": "15단어 앞으로 (Shift+오른쪽 화살표)",
+ "Pause:": "일시정지:",
+ "Decrease speed": "속도 줄이기",
+ "Slower (Left/Down)": "느리게 (왼쪽/아래 화살표)",
+ "Current speed": "현재 속도",
+ "Increase speed": "속도 높이기",
+ "Faster (Right/Up)": "빠르게 (오른쪽/위 화살표)",
+ "Start RSVP Reading": "RSVP 독서 시작",
+ "Choose where to start reading": "독서를 시작할 위치 선택",
+ "From Chapter Start": "챕터 시작부터",
+ "Start reading from the beginning of the chapter": "챕터 처음부터 다시 시작",
+ "Resume": "재개",
+ "Continue from where you left off": "중단한 지점부터 계속 읽기",
+ "From Current Page": "현재 페이지부터",
+ "Start from where you are currently reading": "현재 읽고 있는 위치부터 시작",
+ "From Selection": "선택 범위부터",
+ "Speed Reading Mode": "속독 모드",
+ "Scroll left": "왼쪽으로 스크롤",
+ "Scroll right": "오른쪽으로 스크롤",
+ "Library Sync Progress": "라이브러리 동기화 진행 상황",
+ "Back to library": "라이브러리로 돌아가기",
+ "Group by...": "그룹화 기준...",
+ "Export as Plain Text": "일반 텍스트로 내보내기",
+ "Export as Markdown": "Markdown으로 내보내기",
+ "Show Page Navigation Buttons": "탐색 버튼 표시",
+ "Page {{number}}": "{{number}} 페이지",
+ "highlight": "하이라이트",
+ "underline": "밑줄",
+ "squiggly": "구불구불한 선",
+ "red": "빨간색",
+ "violet": "보라색",
+ "blue": "파란색",
+ "green": "초록색",
+ "yellow": "노란색",
+ "Select {{style}} style": "{{style}} 스타일 선택",
+ "Select {{color}} color": "{{color}} 색상 선택",
+ "Close Book": "책 닫기",
+ "Speed Reading": "속독",
+ "Close Speed Reading": "속독 닫기",
+ "Authors": "저자",
+ "Books": "도서",
+ "Groups": "그룹",
+ "Back to TTS Location": "TTS 위치로 돌아가기",
+ "Metadata": "메타데이터",
+ "Image viewer": "이미지 뷰어",
+ "Previous Image": "이전 이미지",
+ "Next Image": "다음 이미지",
+ "Zoomed": "확대됨",
+ "Zoom level": "확대 수준",
+ "Table viewer": "테이블 뷰어",
+ "Unable to connect to Readwise. Please check your network connection.": "Readwise에 연결할 수 없습니다. 네트워크 연결을 확인해 주세요.",
+ "Invalid Readwise access token": "유효하지 않은 Readwise 액세스 토큰입니다",
+ "Disconnected from Readwise": "Readwise와 연결이 끊어졌습니다",
+ "Never": "안 함",
+ "Readwise Settings": "Readwise 설정",
+ "Connected to Readwise": "Readwise에 연결됨",
+ "Last synced: {{time}}": "마지막 동기화: {{time}}",
+ "Sync Enabled": "동기화 활성화됨",
+ "Disconnect": "연결 해제",
+ "Connect your Readwise account to sync highlights.": "하이라이트를 동기화하려면 Readwise 계정렬 연결하세요.",
+ "Get your access token at": "액세스 토큰 받기:",
+ "Access Token": "액세스 토큰",
+ "Paste your Readwise access token": "Readwise 액세스 토큰을 붙여넣으세요",
+ "Config": "구성",
+ "Readwise Sync": "Readwise 동기화",
+ "Push Highlights": "하이라이트 푸시",
+ "Highlights synced to Readwise": "하이라이트가 Readwise에 동기화되었습니다",
+ "Readwise sync failed: no internet connection": "Readwise 동기화 실패: 인터넷 연결 없음",
+ "Readwise sync failed: {{error}}": "Readwise 동기화 실패: {{error}}"
+}
diff --git a/apps/readest-app/public/locales/ms/translation.json b/apps/readest-app/public/locales/ms/translation.json
new file mode 100644
index 0000000000000000000000000000000000000000..7178c0c919b6fca39f35fe0a179678873582bdd9
--- /dev/null
+++ b/apps/readest-app/public/locales/ms/translation.json
@@ -0,0 +1,1048 @@
+{
+ "Email address": "Alamat e-mel",
+ "Your Password": "Kata Laluan Anda",
+ "Your email address": "Alamat e-mel anda",
+ "Your password": "Kata laluan anda",
+ "Sign in": "Log masuk",
+ "Signing in...": "Sedang log masuk...",
+ "Sign in with {{provider}}": "Log masuk dengan {{provider}}",
+ "Already have an account? Sign in": "Sudah ada akaun? Log masuk",
+ "Create a Password": "Cipta Kata Laluan",
+ "Sign up": "Daftar",
+ "Signing up...": "Sedang mendaftar...",
+ "Don't have an account? Sign up": "Tiada akaun? Daftar",
+ "Check your email for the confirmation link": "Semak e-mel anda untuk pautan pengesahan",
+ "Signing in ...": "Sedang log masuk...",
+ "Send a magic link email": "Hantar e-mel pautan ajaib",
+ "Check your email for the magic link": "Semak e-mel anda untuk pautan ajaib",
+ "Send reset password instructions": "Hantar arahan tetapkan semula kata laluan",
+ "Sending reset instructions ...": "Menghantar arahan tetapkan semula...",
+ "Forgot your password?": "Lupa kata laluan?",
+ "Check your email for the password reset link": "Semak e-mel anda untuk pautan tetapkan semula kata laluan",
+ "Phone number": "Nombor telefon",
+ "Your phone number": "Nombor telefon anda",
+ "Token": "Token",
+ "Your OTP token": "Token OTP anda",
+ "Verify token": "Sahkan token",
+ "Go Back": "Kembali",
+ "New Password": "Kata Laluan Baharu",
+ "Your new password": "Kata laluan baharu anda",
+ "Update password": "Kemas kini kata laluan",
+ "Updating password ...": "Mengemas kini kata laluan...",
+ "Your password has been updated": "Kata laluan anda telah dikemas kini",
+ "Back": "Kembali",
+ "Confirmation email sent! Please check your old and new email addresses to confirm the change.": "E-mel pengesahan telah dihantar! Sila semak alamat e-mel lama dan baharu anda untuk mengesahkan perubahan.",
+ "Failed to update email": "Gagal mengemas kini e-mel",
+ "New Email": "E-mel Baharu",
+ "Your new email": "E-mel baharu anda",
+ "Updating email ...": "Mengemas kini e-mel...",
+ "Update email": "Kemas kini e-mel",
+ "Current email": "E-mel semasa",
+ "Something went wrong. Don't worry, our team has been notified and we're working on a fix.": "Sesuatu tidak kena. Jangan risau, pasukan kami telah dimaklumkan dan kami sedang menanganinya.",
+ "Error Details:": "Butiran Ralat:",
+ "Try Again": "Cuba Lagi",
+ "Your Library": "Perpustakaan Anda",
+ "Need help?": "Perlukan bantuan?",
+ "Contact Support": "Hubungi Sokongan",
+ "Show Book Details": "Tunjuk Butiran Buku",
+ "Bookshelf": "Rak Buku",
+ "Import Books": "Import Buku",
+ "Confirm Deletion": "Sahkan Pemadaman",
+ "Are you sure to delete {{count}} selected book(s)?_other": "Adakah anda pasti untuk memadam {{count}} buku yang dipilih?",
+ "Deselect Book": "Nyahpilih Buku",
+ "Select Book": "Pilih Buku",
+ "Download Book": "Muat Turun Buku",
+ "Upload Book": "Muat Naik Buku",
+ "Delete": "Padam",
+ "Deselect Group": "Nyahpilih Kumpulan",
+ "Select Group": "Pilih Kumpulan",
+ "Untitled Group": "Kumpulan Tanpa Tajuk",
+ "Group Books": "Kumpulan Buku",
+ "Remove From Group": "Alih Keluar Daripada Kumpulan",
+ "Create New Group": "Cipta Kumpulan Baharu",
+ "Save": "Simpan",
+ "All": "Semua",
+ "Cancel": "Batal",
+ "Confirm": "Sahkan",
+ "From Local File": "Dari Fail Tempatan",
+ "Search in {{count}} Book(s)..._other": "Cari dalam {{count}} Buku...",
+ "Search Books...": "Cari Buku...",
+ "Clear Search": "Kosongkan Carian",
+ "Select Books": "Pilih Buku",
+ "Deselect": "Nyahpilih",
+ "Select All": "Pilih Semua",
+ "View Menu": "Menu Paparan",
+ "Settings Menu": "Menu Tetapan",
+ "Failed to select directory": "Gagal memilih direktori",
+ "The new data directory must be different from the current one.": "Direktori data baharu mesti berbeza daripada yang semasa.",
+ "Migration failed: {{error}}": "Migrasi gagal: {{error}}",
+ "Change Data Location": "Tukar Lokasi Data",
+ "Current Data Location": "Lokasi Data Semasa",
+ "Loading...": "Memuatkan...",
+ "File count: {{size}}": "Bilangan fail: {{size}}",
+ "Total size: {{size}}": "Jumlah saiz: {{size}}",
+ "Calculating file info...": "Mengira maklumat fail...",
+ "New Data Location": "Lokasi Data Baharu",
+ "Choose New Folder": "Pilih Folder Baharu",
+ "Choose Different Folder": "Pilih Folder Lain",
+ "Migrating data...": "Memindahkan data...",
+ "Copying: {{file}}": "Menyalin: {{file}}",
+ "{{current}} of {{total}} files": "{{current}} daripada {{total}} fail",
+ "Migration completed successfully!": "Migrasi berjaya diselesaikan!",
+ "Your data has been moved to the new location. Please restart the application to complete the process.": "Data anda telah dipindahkan ke lokasi baharu. Sila mulakan semula aplikasi untuk melengkapkan proses.",
+ "Migration failed": "Migrasi gagal",
+ "Important Notice": "Notis Penting",
+ "This will move all your app data to the new location. Make sure the destination has enough free space.": "Ini akan memindahkan semua data aplikasi anda ke lokasi baharu. Pastikan destinasi mempunyai ruang kosong yang mencukupi.",
+ "Close": "Tutup",
+ "Restart App": "Mula Semula Aplikasi",
+ "Start Migration": "Mula Migrasi",
+ "Open": "Buka",
+ "Group": "Kumpulan",
+ "Details": "Butiran",
+ "Dark Mode": "Mod Gelap",
+ "Light Mode": "Mod Cerah",
+ "Auto Mode": "Mod Auto",
+ "Logged in as {{userDisplayName}}": "Log masuk sebagai {{userDisplayName}}",
+ "Logged in": "Log masuk",
+ "View account details and quota": "Lihat butiran akaun dan kuota",
+ "Account": "Akaun",
+ "Sign In": "Log Masuk",
+ "Auto Upload Books to Cloud": "Auto Muat Naik Buku ke Awan",
+ "Auto Import on File Open": "Auto Import Apabila Buka Fail",
+ "Open Last Book on Start": "Buka Buku Terakhir Semasa Mula",
+ "Check Updates on Start": "Semak Kemas Kini Semasa Mula",
+ "Open Book in New Window": "Buka Buku dalam Tetingkap Baharu",
+ "Fullscreen": "Skrin Penuh",
+ "Always on Top": "Sentiasa di Atas",
+ "Always Show Status Bar": "Sentiasa Tunjuk Bar Status",
+ "Keep Screen Awake": "Kekalkan Skrin Berjaga",
+ "Background Read Aloud": "Baca Dengan Kuat di Latar Belakang",
+ "Reload Page": "Muat Semula Halaman",
+ "Settings": "Tetapan",
+ "Advanced Settings": "Tetapan Lanjutan",
+ "Save Book Cover": "Simpan Kulit Buku",
+ "Auto-save last book cover": "Auto-simpan kulit buku terakhir",
+ "Upgrade to Readest Premium": "Naik Taraf ke Readest Premium",
+ "Download Readest": "Muat Turun Readest",
+ "About Readest": "Tentang Readest",
+ "Help improve Readest": "Bantu tingkatkan Readest",
+ "Sharing anonymized statistics": "Berkongsi statistik tanpa nama",
+ "List": "Senarai",
+ "Grid": "Grid",
+ "Crop": "Pangkas",
+ "Fit": "Muat",
+ "Title": "Tajuk",
+ "Author": "Pengarang",
+ "Format": "Format",
+ "Date Read": "Tarikh Dibaca",
+ "Date Added": "Tarikh Ditambah",
+ "Ascending": "Menaik",
+ "Descending": "Menurun",
+ "Book Covers": "Kulit Buku",
+ "Sort by...": "Susun mengikut...",
+ "No supported files found. Supported formats: {{formats}}": "Tiada fail yang disokong dijumpai. Format yang disokong: {{formats}}",
+ "No chapters detected": "Tiada bab dikesan",
+ "Failed to parse the EPUB file": "Gagal menghurai fail EPUB",
+ "This book format is not supported": "Format buku ini tidak disokong",
+ "Failed to open the book file": "Gagal membuka fail buku",
+ "The book file is empty": "Fail buku kosong",
+ "The book file is corrupted": "Fail buku rosak",
+ "Failed to import book(s): {{filenames}}": "Gagal mengimport buku: {{filenames}}",
+ "Book uploaded: {{title}}": "Buku dimuat naik: {{title}}",
+ "Insufficient storage quota": "Kuota storan tidak mencukupi",
+ "Failed to upload book: {{title}}": "Gagal memuat naik buku: {{title}}",
+ "Book downloaded: {{title}}": "Buku dimuat turun: {{title}}",
+ "Failed to download book: {{title}}": "Gagal memuat turun buku: {{title}}",
+ "Book deleted: {{title}}": "Buku dipadam: {{title}}",
+ "Deleted cloud backup of the book: {{title}}": "Sandaran awan buku dipadam: {{title}}",
+ "Deleted local copy of the book: {{title}}": "Salinan tempatan buku dipadam: {{title}}",
+ "Failed to delete book: {{title}}": "Gagal memadam buku: {{title}}",
+ "Failed to delete cloud backup of the book: {{title}}": "Gagal memadam sandaran awan buku: {{title}}",
+ "Failed to delete local copy of the book: {{title}}": "Gagal memadam salinan tempatan buku: {{title}}",
+ "Library Header": "Pengepala Perpustakaan",
+ "Welcome to your library. You can import your books here and read them anytime.": "Selamat datang ke perpustakaan anda. Anda boleh import buku anda di sini dan membacanya bila-bila masa.",
+ "Copied to notebook": "Disalin ke buku nota",
+ "No annotations to export": "Tiada anotasi untuk dieksport",
+ "Exported from Readest": "Dieksport dari Readest",
+ "Highlights & Annotations": "Penonjolan & Anotasi",
+ "Untitled": "Tanpa Tajuk",
+ "Note": "Nota",
+ "Copied to clipboard": "Disalin ke papan klip",
+ "Copy": "Salin",
+ "Delete Highlight": "Padam Penonjolan",
+ "Highlight": "Tonjolkan",
+ "Annotate": "Anotasi",
+ "Search": "Cari",
+ "Dictionary": "Kamus",
+ "Wikipedia": "Wikipedia",
+ "Translate": "Terjemah",
+ "Speak": "Tutur",
+ "Login Required": "Log Masuk Diperlukan",
+ "Quota Exceeded": "Kuota Terlebih",
+ "Unable to fetch the translation. Please log in first and try again.": "Tidak dapat mendapatkan terjemahan. Sila log masuk dahulu dan cuba lagi.",
+ "Unable to fetch the translation. Try again later.": "Tidak dapat mendapatkan terjemahan. Cuba lagi kemudian.",
+ "Original Text": "Teks Asal",
+ "Auto Detect": "Kesan Auto",
+ "(detected)": "(dikesan)",
+ "Translated Text": "Teks Terjemahan",
+ "System Language": "Bahasa Sistem",
+ "No translation available.": "Tiada terjemahan tersedia.",
+ "Translated by {{provider}}.": "Diterjemah oleh {{provider}}.",
+ "Remove Bookmark": "Alih Keluar Tandabuku",
+ "Add Bookmark": "Tambah Tandabuku",
+ "Books Content": "Kandungan Buku",
+ "Book Content": "Kandungan Buku",
+ "Screen Brightness": "Kecerahan Skrin",
+ "Color": "Warna",
+ "Previous Section": "Seksyen Sebelumnya",
+ "Next Section": "Seksyen Seterusnya",
+ "Previous Page": "Halaman Sebelumnya",
+ "Next Page": "Halaman Seterusnya",
+ "Go Forward": "Ke Hadapan",
+ "Reading Progress": "Kemajuan Membaca",
+ "Jump to Location": "Lompat ke Lokasi",
+ "Font Size": "Saiz Fon",
+ "Page Margin": "Margin Halaman",
+ "Small": "Kecil",
+ "Large": "Besar",
+ "Line Spacing": "Jarak Baris",
+ "Footer Bar": "Bar Pengaki",
+ "Table of Contents": "Kandungan",
+ "Font & Layout": "Fon & Susun Atur",
+ "Header Bar": "Bar Pengepala",
+ "View Options": "Pilihan Paparan",
+ "Sync Conflict": "Konflik Segerak",
+ "Sync reading progress from \"{{deviceName}}\"?": "Segerakkan kemajuan membaca dari \"{{deviceName}}\"?",
+ "another device": "peranti lain",
+ "Local Progress": "Kemajuan Tempatan",
+ "Remote Progress": "Kemajuan Jauh",
+ "Failed to connect": "Gagal menyambung",
+ "Disconnected": "Terputus",
+ "KOReader Sync Settings": "Tetapan Segerak KOReader",
+ "Sync as {{userDisplayName}}": "Segerak sebagai {{userDisplayName}}",
+ "Sync Server Connected": "Pelayan Segerak Disambung",
+ "Sync Strategy": "Strategi Segerak",
+ "Ask on conflict": "Tanya jika konflik",
+ "Always use latest": "Sentiasa guna terkini",
+ "Send changes only": "Hantar perubahan sahaja",
+ "Receive changes only": "Terima perubahan sahaja",
+ "Checksum Method": "Kaedah Semak Jumlah",
+ "File Content (recommended)": "Kandungan Fail (disyorkan)",
+ "File Name": "Nama Fail",
+ "Device Name": "Nama Peranti",
+ "Connect to your KOReader Sync server.": "Sambung ke pelayan Segerak KOReader anda.",
+ "Server URL": "URL Pelayan",
+ "Username": "Nama Pengguna",
+ "Your Username": "Nama pengguna anda",
+ "Password": "Kata Laluan",
+ "Connect": "Sambung",
+ "Notebook": "Buku Nota",
+ "Unpin Notebook": "Nyahpin Buku Nota",
+ "Pin Notebook": "Pin Buku Nota",
+ "Hide Search Bar": "Sembunyikan Bar Carian",
+ "Show Search Bar": "Tunjuk Bar Carian",
+ "Resize Notebook": "Ubah Saiz Buku Nota",
+ "No notes match your search": "Tiada nota sepadan dengan carian anda",
+ "Excerpts": "Petikan",
+ "Notes": "Nota",
+ "Add your notes here...": "Tambah nota anda di sini...",
+ "Search notes and excerpts...": "Cari nota dan petikan...",
+ "{{time}} min left in chapter": "{{time}} min lagi dalam bab",
+ "{{number}} pages left in chapter": "{{number}} halaman lagi dalam bab",
+ "{{count}} pages left in chapter_other": "{{count}} halaman lagi dalam bab",
+ "On {{current}} of {{total}} page": "Di halaman {{current}} daripada {{total}}",
+ "Unable to open book": "Tidak dapat membuka buku",
+ "Section Title": "Tajuk Seksyen",
+ "More Info": "Maklumat Lanjut",
+ "Parallel Read": "Baca Selari",
+ "Disable": "Lumpuhkan",
+ "Enable": "Aktifkan",
+ "Exit Parallel Read": "Keluar Baca Selari",
+ "Enter Parallel Read": "Masuk Baca Selari",
+ "KOReader Sync": "Segerak KOReader",
+ "Push Progress": "Hantar Kemajuan",
+ "Pull Progress": "Tarik Kemajuan",
+ "Export Annotations": "Eksport Anotasi",
+ "Sort TOC by Page": "Susun Kandungan mengikut Halaman",
+ "Edit": "Edit",
+ "Go to Library": "Pergi ke Perpustakaan",
+ "Book Menu": "Menu Buku",
+ "Unpin Sidebar": "Nyahpin Bar Sisi",
+ "Pin Sidebar": "Pin Bar Sisi",
+ "Search...": "Cari...",
+ "Search Options": "Pilihan Carian",
+ "Book": "Buku",
+ "Chapter": "Bab",
+ "Match Case": "Padankan Kes",
+ "Match Whole Words": "Padankan Seluruh Perkataan",
+ "Match Diacritics": "Padankan Diakritik",
+ "Sidebar": "Bar Sisi",
+ "Resize Sidebar": "Ubah Saiz Bar Sisi",
+ "TOC": "Kandungan",
+ "Bookmark": "Tandabuku",
+ "Toggle Sidebar": "Togol Bar Sisi",
+ "Toggle Translation": "Togol Terjemahan",
+ "Disable Translation": "Lumpuhkan Terjemahan",
+ "Enable Translation": "Aktifkan Terjemahan",
+ "Translation Disabled": "Terjemahan Dilumpuhkan",
+ "Previous Paragraph": "Perenggan Sebelumnya",
+ "Previous Sentence": "Ayat Sebelumnya",
+ "Pause": "Jeda",
+ "Play": "Main",
+ "Next Sentence": "Ayat Seterusnya",
+ "Next Paragraph": "Perenggan Seterusnya",
+ "Read Aloud": "Baca Dengan Kuat",
+ "Ready to read aloud": "Bersedia untuk baca dengan kuat",
+ "TTS not supported for PDF": "TTS tidak disokong untuk PDF",
+ "TTS not supported for this document": "TTS tidak disokong untuk dokumen ini",
+ "No Timeout": "Tiada Had Masa",
+ "{{value}} minute": "{{value}} minit",
+ "{{value}} minutes": "{{value}} minit",
+ "{{value}} hour": "{{value}} jam",
+ "{{value}} hours": "{{value}} jam",
+ "Voices for {{lang}}": "Suara untuk {{lang}}",
+ "Slow": "Perlahan",
+ "Fast": "Pantas",
+ "{{engine}}: {{count}} voices_other": "{{engine}}: {{count}} suara",
+ "Zoom Level": "Tahap Zum",
+ "Zoom Out": "Zum Keluar",
+ "Reset Zoom": "Tetapkan Semula Zum",
+ "Zoom In": "Zum Masuk",
+ "Zoom Mode": "Mod Zum",
+ "Single Page": "Halaman Tunggal",
+ "Auto Spread": "Hamparan Auto",
+ "Fit Page": "Muat Halaman",
+ "Fit Width": "Muat Lebar",
+ "Separate Cover Page": "Halaman Kulit Berasingan",
+ "Scrolled Mode": "Mod Tatal",
+ "Sign in to Sync": "Log masuk untuk Segerak",
+ "Synced at {{time}}": "Disegerak pada {{time}}",
+ "Never synced": "Tidak pernah disegerak",
+ "Invert Image In Dark Mode": "Songsangkan Imej Dalam Mod Gelap",
+ "Failed to auto-save book cover for lock screen: {{error}}": "Gagal auto-simpan kulit buku untuk skrin kunci: {{error}}",
+ "Reading Progress Synced": "Kemajuan Membaca Disegerak",
+ "Page {{page}} of {{total}} ({{percentage}}%)": "Halaman {{page}} daripada {{total}} ({{percentage}}%)",
+ "Current position": "Kedudukan semasa",
+ "Approximately page {{page}} of {{total}} ({{percentage}}%)": "Lebih kurang halaman {{page}} daripada {{total}} ({{percentage}}%)",
+ "Approximately {{percentage}}%": "Lebih kurang {{percentage}}%",
+ "Delete Your Account?": "Padam Akaun Anda?",
+ "This action cannot be undone. All your data in the cloud will be permanently deleted.": "Tindakan ini tidak boleh dibatalkan. Semua data anda di awan akan dipadam secara kekal.",
+ "Delete Permanently": "Padam Kekal",
+ "Restore Purchase": "Pulihkan Pembelian",
+ "Manage Subscription": "Urus Langganan",
+ "Reset Password": "Tetapkan Semula Kata Laluan",
+ "Update Email": "Kemas Kini E-mel",
+ "Sign Out": "Log Keluar",
+ "Delete Account": "Padam Akaun",
+ "Upgrade to {{plan}}": "Naik Taraf ke {{plan}}",
+ "Complete Your Subscription": "Lengkapkan Langganan Anda",
+ "Coming Soon": "Akan Datang",
+ "Upgrade to Plus or Pro": "Naik Taraf ke Plus atau Pro",
+ "Current Plan": "Pelan Semasa",
+ "On-Demand Purchase": "Pembelian Atas Permintaan",
+ "Plan Limits": "Had Pelan",
+ "Full Customization": "Penyesuaian Penuh",
+ "Failed to create checkout session": "Gagal mencipta sesi pembayaran",
+ "No purchases found to restore.": "Tiada pembelian dijumpai untuk dipulihkan.",
+ "Failed to restore purchases.": "Gagal memulihkan pembelian.",
+ "Failed to manage subscription.": "Gagal mengurus langganan.",
+ "Failed to delete user. Please try again later.": "Gagal memadam pengguna. Sila cuba lagi kemudian.",
+ "Loading profile...": "Memuatkan profil...",
+ "Processing your payment...": "Memproses pembayaran anda...",
+ "Please wait while we confirm your subscription.": "Sila tunggu sementara kami mengesahkan langganan anda.",
+ "Payment Processing": "Pemprosesan Pembayaran",
+ "Your payment is being processed. This usually takes a few moments.": "Pembayaran anda sedang diproses. Ini biasanya mengambil masa sebentar.",
+ "Payment Failed": "Pembayaran Gagal",
+ "We couldn't process your subscription. Please try again or contact support if the issue persists.": "Kami tidak dapat memproses langganan anda. Sila cuba lagi atau hubungi sokongan jika masalah berterusan.",
+ "Back to Profile": "Kembali ke Profil",
+ "Purchase Successful!": "Pembelian Berjaya!",
+ "Subscription Successful!": "Langganan Berjaya!",
+ "Thank you for your purchase! Your payment has been processed successfully.": "Terima kasih atas pembelian anda! Pembayaran anda telah diproses dengan jayanya.",
+ "Thank you for your subscription! Your payment has been processed successfully.": "Terima kasih atas langganan anda! Pembayaran anda telah diproses dengan jayanya.",
+ "Email:": "E-mel:",
+ "Plan:": "Pelan:",
+ "Amount:": "Jumlah:",
+ "Order ID:": "ID Pesanan:",
+ "Need help? Contact our support team at support@readest.com": "Perlukan bantuan? Hubungi pasukan sokongan kami di support@readest.com",
+ "Lifetime Plan": "Pelan Seumur Hidup",
+ "lifetime": "seumur hidup",
+ "One-Time Payment": "Bayaran Sekali",
+ "Make a single payment to enjoy lifetime access to specific features on all devices. Purchase specific features or services only when you need them.": "Buat bayaran sekali untuk menikmati akses seumur hidup kepada ciri tertentu pada semua peranti. Beli ciri atau perkhidmatan tertentu hanya apabila anda memerlukannya.",
+ "Expand Cloud Sync Storage": "Kembangkan Storan Segerak Awan",
+ "Expand your cloud storage forever with a one-time purchase. Each additional purchase adds more space.": "Kembangkan storan awan anda selamanya dengan pembelian sekali. Setiap pembelian tambahan menambah lebih banyak ruang.",
+ "Unlock All Customization Options": "Buka Kunci Semua Pilihan Penyesuaian",
+ "Unlock additional themes, fonts, layout options and read aloud, translators, cloud storage services.": "Buka kunci tema tambahan, fon, pilihan susun atur dan baca dengan kuat, penterjemah, perkhidmatan storan awan.",
+ "Free Plan": "Pelan Percuma",
+ "month": "bulan",
+ "year": "tahun",
+ "Cross-Platform Sync": "Segerak Merentas Platform",
+ "Seamlessly sync your library, progress, highlights, and notes across all your devices—never lose your place again.": "Segerakkan perpustakaan, kemajuan, penonjolan dan nota anda dengan lancar merentas semua peranti anda—tidak akan kehilangan tempat anda lagi.",
+ "Customizable Reading": "Pembacaan Boleh Disesuaikan",
+ "Personalize every detail with adjustable fonts, layouts, themes, and advanced display settings for the perfect reading experience.": "Personalisasikan setiap butiran dengan fon boleh laras, susun atur, tema dan tetapan paparan lanjutan untuk pengalaman membaca yang sempurna.",
+ "AI Read Aloud": "Baca Dengan Kuat AI",
+ "Enjoy hands-free reading with natural-sounding AI voices that bring your books to life.": "Nikmati pembacaan tanpa tangan dengan suara AI yang berbunyi semula jadi yang menghidupkan buku anda.",
+ "AI Translations": "Terjemahan AI",
+ "Translate any text instantly with the power of Google, Azure, or DeepL—understand content in any language.": "Terjemahkan sebarang teks dengan segera dengan kuasa Google, Azure atau DeepL—fahami kandungan dalam mana-mana bahasa.",
+ "Community Support": "Sokongan Komuniti",
+ "Connect with fellow readers and get help fast in our friendly community channels.": "Berhubung dengan pembaca lain dan dapatkan bantuan pantas dalam saluran komuniti mesra kami.",
+ "Cloud Sync Storage": "Storan Segerak Awan",
+ "AI Translations (per day)": "Terjemahan AI (setiap hari)",
+ "Plus Plan": "Pelan Plus",
+ "Includes All Free Plan Benefits": "Termasuk Semua Faedah Pelan Percuma",
+ "Unlimited AI Read Aloud Hours": "Waktu Baca Dengan Kuat AI Tanpa Had",
+ "Listen without limits—convert as much text as you like into immersive audio.": "Dengar tanpa had—tukar sebanyak mana teks yang anda suka menjadi audio yang mengasyikkan.",
+ "More AI Translations": "Lebih Banyak Terjemahan AI",
+ "Unlock enhanced translation capabilities with more daily usage and advanced options.": "Buka kunci keupayaan terjemahan yang dipertingkatkan dengan lebih banyak penggunaan harian dan pilihan lanjutan.",
+ "DeepL Pro Access": "Akses DeepL Pro",
+ "Translate up to 100,000 characters daily with the most accurate translation engine available.": "Terjemahkan sehingga 100,000 aksara setiap hari dengan enjin terjemahan paling tepat yang tersedia.",
+ "Securely store and access your entire reading collection with up to 5 GB of cloud storage.": "Simpan dan akses koleksi bacaan anda dengan selamat dengan sehingga 5 GB storan awan.",
+ "Priority Support": "Sokongan Keutamaan",
+ "Enjoy faster responses and dedicated assistance whenever you need help.": "Nikmati respons yang lebih pantas dan bantuan khusus apabila anda memerlukan bantuan.",
+ "Pro Plan": "Pelan Pro",
+ "Includes All Plus Plan Benefits": "Termasuk Semua Faedah Pelan Plus",
+ "Early Feature Access": "Akses Ciri Awal",
+ "Be the first to explore new features, updates, and innovations before anyone else.": "Jadilah yang pertama meneroka ciri baharu, kemas kini dan inovasi sebelum orang lain.",
+ "Advanced AI Tools": "Alat AI Lanjutan",
+ "Harness powerful AI tools for smarter reading, translation, and content discovery.": "Manfaatkan alat AI yang berkuasa untuk pembacaan, terjemahan dan penemuan kandungan yang lebih bijak.",
+ "Translate up to 500,000 characters daily with the most accurate translation engine available.": "Terjemahkan sehingga 500,000 aksara setiap hari dengan enjin terjemahan paling tepat yang tersedia.",
+ "Securely store and access your entire reading collection with up to 20 GB of cloud storage.": "Simpan dan akses koleksi bacaan anda dengan selamat dengan sehingga 20 GB storan awan.",
+ "Version {{version}}": "Versi {{version}}",
+ "Check Update": "Semak Kemas Kini",
+ "Already the latest version": "Sudah versi terkini",
+ "Checking for updates...": "Memeriksa kemas kini...",
+ "Error checking for updates": "Ralat memeriksa kemas kini",
+ "Drop to Import Books": "Lepas untuk Import Buku",
+ "Terms of Service": "Terma Perkhidmatan",
+ "Privacy Policy": "Dasar Privasi",
+ "ON": "HIDUP",
+ "OFF": "MATI",
+ "Enter book title": "Masukkan tajuk buku",
+ "Subtitle": "Subtajuk",
+ "Enter book subtitle": "Masukkan subtajuk buku",
+ "Enter author name": "Masukkan nama pengarang",
+ "Series": "Siri",
+ "Enter series name": "Masukkan nama siri",
+ "Series Index": "Indeks Siri",
+ "Enter series index": "Masukkan indeks siri",
+ "Total in Series": "Jumlah dalam Siri",
+ "Enter total books in series": "Masukkan jumlah buku dalam siri",
+ "Publisher": "Penerbit",
+ "Enter publisher": "Masukkan penerbit",
+ "Publication Date": "Tarikh Penerbitan",
+ "YYYY or YYYY-MM-DD": "TTTT atau TTTT-BB-HH",
+ "Language": "Bahasa",
+ "Identifier": "Pengenal Pasti",
+ "Subjects": "Subjek",
+ "Fiction, Science, History": "Fiksyen, Sains, Sejarah",
+ "Description": "Penerangan",
+ "Enter book description": "Masukkan penerangan buku",
+ "Change cover image": "Tukar imej kulit",
+ "Replace": "Ganti",
+ "Remove cover image": "Alih keluar imej kulit",
+ "Unlock cover": "Buka kunci kulit",
+ "Lock cover": "Kunci kulit",
+ "Auto-Retrieve Metadata": "Auto-Dapatkan Metadata",
+ "Auto": "Auto",
+ "Auto-Retrieve": "Auto-Dapatkan",
+ "Unlock all fields": "Buka kunci semua medan",
+ "Unlock All": "Buka Kunci Semua",
+ "Lock all fields": "Kunci semua medan",
+ "Lock All": "Kunci Semua",
+ "Reset": "Tetapkan Semula",
+ "Are you sure to delete the selected book?": "Adakah anda pasti untuk memadam buku yang dipilih?",
+ "Are you sure to delete the cloud backup of the selected book?": "Adakah anda pasti untuk memadam sandaran awan buku yang dipilih?",
+ "Are you sure to delete the local copy of the selected book?": "Adakah anda pasti untuk memadam salinan tempatan buku yang dipilih?",
+ "Edit Metadata": "Edit Metadata",
+ "Book Details": "Butiran Buku",
+ "Unknown": "Tidak Diketahui",
+ "Delete Book Options": "Pilihan Padam Buku",
+ "Remove from Cloud & Device": "Alih Keluar dari Awan & Peranti",
+ "Remove from Cloud Only": "Alih Keluar dari Awan Sahaja",
+ "Remove from Device Only": "Alih Keluar dari Peranti Sahaja",
+ "Download from Cloud": "Muat Turun dari Awan",
+ "Upload to Cloud": "Muat Naik ke Awan",
+ "Published": "Diterbitkan",
+ "Updated": "Dikemas kini",
+ "Added": "Ditambah",
+ "File Size": "Saiz Fail",
+ "No description available": "Tiada penerangan tersedia",
+ "Locked": "Dikunci",
+ "Select Metadata Source": "Pilih Sumber Metadata",
+ "Keep manual input": "Kekalkan input manual",
+ "Background Image": "Imej Latar Belakang",
+ "Import Image": "Import Imej",
+ "Opacity": "Kelegapan",
+ "Size": "Saiz",
+ "Cover": "Kulit",
+ "Contain": "Kandungan",
+ "Code Highlighting": "Penonjolan Kod",
+ "Enable Highlighting": "Aktifkan Penonjolan",
+ "Code Language": "Bahasa Kod",
+ "Highlight Colors": "Warna Penonjolan",
+ "Theme Color": "Warna Tema",
+ "Custom": "Tersuai",
+ "All the world's a stage,\nAnd all the men and women merely players;\nThey have their exits and their entrances,\nAnd one man in his time plays many parts,\nHis acts being seven ages.\n\n— William Shakespeare": "Seluruh dunia adalah pentas,\nDan semua lelaki dan wanita hanyalah pelakon;\nMereka ada pintu keluar dan pintu masuk mereka,\nDan seseorang dalam masanya memainkan banyak peranan,\nTindakannya adalah tujuh zaman.\n\n— William Shakespeare",
+ "(from 'As You Like It', Act II)": "(daripada 'As You Like It', Babak II)",
+ "Custom Theme": "Tema Tersuai",
+ "Theme Name": "Nama Tema",
+ "Text Color": "Warna Teks",
+ "Background Color": "Warna Latar Belakang",
+ "Link Color": "Warna Pautan",
+ "Preview": "Pratonton",
+ "Theme Mode": "Mod Tema",
+ "TTS Highlighting": "Penonjolan TTS",
+ "Style": "Gaya",
+ "Highlighter": "Penanda",
+ "Underline": "Garis Bawah",
+ "Strikethrough": "Garis Lorek",
+ "Squiggly": "Berkelok-kelok",
+ "Outline": "Garis Besar",
+ "Save Current Color": "Simpan Warna Semasa",
+ "Quick Colors": "Warna Pantas",
+ "Override Book Color": "Ganti Warna Buku",
+ "Scroll": "Tatal",
+ "Continuous Scroll": "Tatal Berterusan",
+ "Overlap Pixels": "Piksel Bertindih",
+ "Pagination": "Penomboran Halaman",
+ "Tap to Paginate": "Ketik untuk Nomborkan Halaman",
+ "Click to Paginate": "Klik untuk Nomborkan Halaman",
+ "Tap Both Sides": "Ketik Kedua-dua Sisi",
+ "Click Both Sides": "Klik Kedua-dua Sisi",
+ "Swap Tap Sides": "Tukar Sisi Ketukan",
+ "Swap Click Sides": "Tukar Sisi Klik",
+ "Disable Double Tap": "Lumpuhkan Ketuk Dua Kali",
+ "Disable Double Click": "Lumpuhkan Klik Dua Kali",
+ "Volume Keys for Page Flip": "Kekunci Volum untuk Balik Halaman",
+ "Animation": "Animasi",
+ "Paging Animation": "Animasi Halaman",
+ "Device": "Peranti",
+ "E-Ink Mode": "Mod E-Ink",
+ "Auto Screen Brightness": "Kecerahan Skrin Auto",
+ "Security": "Keselamatan",
+ "Allow JavaScript": "Benarkan JavaScript",
+ "Enable only if you trust the file.": "Aktifkan hanya jika anda mempercayai fail.",
+ "Font": "Fon",
+ "Custom Fonts": "Fon Tersuai",
+ "Cancel Delete": "Batal Pemadaman",
+ "Delete Font": "Padam Fon",
+ "Import Font": "Import Fon",
+ "Tips": "Petua",
+ "Supported font formats: .ttf, .otf, .woff, .woff2": "Format fon yang disokong: .ttf, .otf, .woff, .woff2",
+ "Custom fonts can be selected from the Font Face menu": "Fon tersuai boleh dipilih dari menu Muka Fon",
+ "Global Settings": "Tetapan Global",
+ "Apply to All Books": "Gunakan pada Semua Buku",
+ "Apply to This Book": "Gunakan pada Buku Ini",
+ "Reset Settings": "Tetapkan Semula Tetapan",
+ "Clear Custom Fonts": "Kosongkan Fon Tersuai",
+ "Manage Custom Fonts": "Urus Fon Tersuai",
+ "System Fonts": "Fon Sistem",
+ "Serif Font": "Fon Serif",
+ "Sans-Serif Font": "Fon Sans-Serif",
+ "Override Book Font": "Ganti Fon Buku",
+ "Default Font Size": "Saiz Fon Lalai",
+ "Minimum Font Size": "Saiz Fon Minimum",
+ "Font Weight": "Berat Fon",
+ "Font Family": "Keluarga Fon",
+ "Default Font": "Fon Lalai",
+ "CJK Font": "Fon CJK",
+ "Font Face": "Muka Fon",
+ "Monospace Font": "Fon Monospace",
+ "Source and Translated": "Sumber dan Terjemahan",
+ "Translated Only": "Terjemahan Sahaja",
+ "Source Only": "Sumber Sahaja",
+ "No Conversion": "Tiada Penukaran",
+ "Simplified to Traditional": "Ringkas ke Tradisional",
+ "Traditional to Simplified": "Tradisional ke Ringkas",
+ "Simplified to Traditional (Taiwan)": "Ringkas ke Tradisional (Taiwan)",
+ "Simplified to Traditional (Hong Kong)": "Ringkas ke Tradisional (Hong Kong)",
+ "Simplified to Traditional (Taiwan), with phrases": "Ringkas ke Tradisional (Taiwan), dengan frasa",
+ "Traditional (Taiwan) to Simplified": "Tradisional (Taiwan) ke Ringkas",
+ "Traditional (Hong Kong) to Simplified": "Tradisional (Hong Kong) ke Ringkas",
+ "Traditional (Taiwan) to Simplified, with phrases": "Tradisional (Taiwan) ke Ringkas, dengan frasa",
+ "Interface Language": "Bahasa Antara Muka",
+ "Translation": "Terjemahan",
+ "Show Source Text": "Tunjuk Teks Sumber",
+ "TTS Text": "Teks TTS",
+ "Translation Service": "Perkhidmatan Terjemahan",
+ "Translate To": "Terjemah Ke",
+ "Punctuation": "Tanda Baca",
+ "Replace Quotation Marks": "Ganti Tanda Petikan",
+ "Enabled only in vertical layout.": "Diaktifkan hanya dalam susun atur menegak.",
+ "Convert Simplified and Traditional Chinese": "Tukar Cina Ringkas dan Tradisional",
+ "Convert Mode": "Mod Tukar",
+ "Override Book Layout": "Ganti Susun Atur Buku",
+ "Writing Mode": "Mod Penulisan",
+ "Default": "Lalai",
+ "Horizontal Direction": "Arah Mendatar",
+ "Vertical Direction": "Arah Menegak",
+ "RTL Direction": "Arah RTL",
+ "Border Frame": "Bingkai Sempadan",
+ "Double Border": "Sempadan Berganda",
+ "Border Color": "Warna Sempadan",
+ "Paragraph": "Perenggan",
+ "Paragraph Margin": "Margin Perenggan",
+ "Word Spacing": "Jarak Perkataan",
+ "Letter Spacing": "Jarak Huruf",
+ "Text Indent": "Inden Teks",
+ "Full Justification": "Justifikasi Penuh",
+ "Hyphenation": "Pemenggalan",
+ "Page": "Halaman",
+ "Top Margin (px)": "Margin Atas (px)",
+ "Bottom Margin (px)": "Margin Bawah (px)",
+ "Left Margin (px)": "Margin Kiri (px)",
+ "Right Margin (px)": "Margin Kanan (px)",
+ "Column Gap (%)": "Jurang Lajur (%)",
+ "Maximum Number of Columns": "Bilangan Maksimum Lajur",
+ "Maximum Column Height": "Tinggi Maksimum Lajur",
+ "Maximum Column Width": "Lebar Maksimum Lajur",
+ "Apply also in Scrolled Mode": "Gunakan juga dalam Mod Tatal",
+ "Header & Footer": "Pengepala & Pengaki",
+ "Show Header": "Tunjuk Pengepala",
+ "Show Footer": "Tunjuk Pengaki",
+ "Show Remaining Time": "Tunjuk Masa Berbaki",
+ "Show Remaining Pages": "Tunjuk Halaman Berbaki",
+ "Show Reading Progress": "Tunjuk Kemajuan Membaca",
+ "Reading Progress Style": "Gaya Kemajuan Membaca",
+ "Page Number": "Nombor Halaman",
+ "Percentage": "Peratusan",
+ "Screen": "Skrin",
+ "Orientation": "Orientasi",
+ "Portrait": "Potret",
+ "Landscape": "Landskap",
+ "Apply": "Gunakan",
+ "Custom Content CSS": "CSS Kandungan Tersuai",
+ "Enter CSS for book content styling...": "Masukkan CSS untuk penggayaan kandungan buku...",
+ "Custom Reader UI CSS": "CSS UI Pembaca Tersuai",
+ "Enter CSS for reader interface styling...": "Masukkan CSS untuk penggayaan antara muka pembaca...",
+ "Decrease": "Kurangkan",
+ "Increase": "Tambahkan",
+ "Layout": "Susun Atur",
+ "Behavior": "Tingkah Laku",
+ "Settings Panels": "Panel Tetapan",
+ "Reset {{settings}}": "Tetapkan Semula {{settings}}",
+ "Get Help from the Readest Community": "Dapatkan Bantuan dari Komuniti Readest",
+ "A new version of Readest is available!": "Versi baharu Readest tersedia!",
+ "Readest {{newVersion}} is available (installed version {{currentVersion}}).": "Readest {{newVersion}} tersedia (versi terpasang {{currentVersion}}).",
+ "Download and install now?": "Muat turun dan pasang sekarang?",
+ "Downloading {{downloaded}} of {{contentLength}}": "Memuat turun {{downloaded}} daripada {{contentLength}}",
+ "Download finished": "Muat turun selesai",
+ "DOWNLOAD & INSTALL": "MUAT TURUN & PASANG",
+ "Changelog": "Log Perubahan",
+ "Software Update": "Kemas Kini Perisian",
+ "What's New in Readest": "Apa Yang Baharu dalam Readest",
+ "Minimize": "Minima",
+ "Maximize or Restore": "Maksima atau Pulihkan",
+ "Failed to load subscription plans.": "Gagal memuatkan pelan langganan.",
+ "Select Files": "Pilih Fail",
+ "Select Image": "Pilih Imej",
+ "Select Video": "Pilih Video",
+ "Select Audio": "Pilih Audio",
+ "Select Fonts": "Pilih Fon",
+ "Storage": "Storan",
+ "{{percentage}}% of Cloud Sync Space Used.": "{{percentage}}% Ruang Segerak Awan Digunakan.",
+ "Translation Characters": "Aksara Terjemahan",
+ "{{percentage}}% of Daily Translation Characters Used.": "{{percentage}}% Aksara Terjemahan Harian Digunakan.",
+ "Daily translation quota reached. Upgrade your plan to continue using AI translations.": "Kuota terjemahan harian dicapai. Naik taraf pelan anda untuk terus menggunakan terjemahan AI.",
+ "LXGW WenKai GB Screen": "LXGW WenKai GB Screen",
+ "LXGW WenKai TC": "LXGW WenKai TC",
+ "GuanKiapTsingKhai-T": "GuanKiapTsingKhai-T",
+ "Source Han Serif CN": "Source Han Serif CN",
+ "Huiwen-MinchoGBK": "Huiwen Mincho",
+ "KingHwa_OldSong": "KingHwa_OldSong",
+ "Google Books": "Google Books",
+ "Open Library": "Open Library",
+ "Azure Translator": "Azure Translator",
+ "DeepL": "DeepL",
+ "Google Translate": "Google Translate",
+ "Yandex Translate": "Yandex Translate",
+ "Gray": "Kelabu",
+ "Sepia": "Sepia",
+ "Grass": "Rumput",
+ "Cherry": "Ceri",
+ "Sky": "Langit",
+ "Solarized": "Solarized",
+ "Gruvbox": "Gruvbox",
+ "Nord": "Nord",
+ "Contrast": "Kontras",
+ "Sunset": "Matahari Terbenam",
+ "Reveal in Finder": "Tunjukkan dalam Finder",
+ "Reveal in File Explorer": "Tunjukkan dalam File Explorer",
+ "Reveal in Folder": "Tunjukkan dalam Folder",
+ "Columns": "Lajur",
+ "OPDS Catalogs": "Katalog OPDS",
+ "Adding LAN addresses is not supported in the web app version.": "Menambah alamat LAN tidak disokong dalam versi web.",
+ "Invalid OPDS catalog. Please check the URL.": "Katalog OPDS tidak sah. Sila semak URL.",
+ "Browse and download books from online catalogs": "Terokai dan muat turun buku dari katalog dalam talian",
+ "My Catalogs": "Katalog Saya",
+ "Add Catalog": "Tambah Katalog",
+ "No catalogs yet": "Tiada katalog lagi",
+ "Add your first OPDS catalog to start browsing books": "Tambah katalog OPDS pertama anda untuk mula meneroka buku",
+ "Add Your First Catalog": "Tambah Katalog Pertama Anda",
+ "Browse": "Terokai",
+ "Popular Catalogs": "Katalog Popular",
+ "Add": "Tambah",
+ "Add OPDS Catalog": "Tambah Katalog OPDS",
+ "Catalog Name": "Nama Katalog",
+ "My Calibre Library": "Perpustakaan Calibre Saya",
+ "OPDS URL": "URL OPDS",
+ "Username (optional)": "Nama Pengguna (pilihan)",
+ "Password (optional)": "Kata Laluan (pilihan)",
+ "Description (optional)": "Penerangan (pilihan)",
+ "A brief description of this catalog": "Penerangan ringkas katalog ini",
+ "Validating...": "Mengesahkan...",
+ "View All": "Lihat Semua",
+ "Forward": "Maju",
+ "Home": "Laman Utama",
+ "{{count}} items_other": "{{count}} item",
+ "Download completed": "Muat turun selesai",
+ "Download failed": "Muat turun gagal",
+ "Open Access": "Akses Terbuka",
+ "Borrow": "Pinjam",
+ "Buy": "Beli",
+ "Subscribe": "Langgan",
+ "Sample": "Contoh",
+ "Download": "Muat turun",
+ "Open & Read": "Buka & Baca",
+ "Tags": "Tag",
+ "Tag": "Tag",
+ "First": "Pertama",
+ "Previous": "Sebelumnya",
+ "Next": "Seterusnya",
+ "Last": "Terakhir",
+ "Cannot Load Page": "Tidak dapat memuatkan halaman",
+ "An error occurred": "Ralat telah berlaku",
+ "Online Library": "Perpustakaan Dalam Talian",
+ "URL must start with http:// or https://": "URL mesti bermula dengan http:// atau https://",
+ "Title, Author, Tag, etc...": "Tajuk, Pengarang, Tag, dll...",
+ "Query": "Pertanyaan",
+ "Subject": "Subjek",
+ "Enter {{terms}}": "Masukkan {{terms}}",
+ "No search results found": "Tiada hasil carian ditemui",
+ "Failed to load OPDS feed: {{status}} {{statusText}}": "Gagal memuatkan suapan OPDS: {{status}} {{statusText}}",
+ "Search in {{title}}": "Cari dalam {{title}}",
+ "Manage Storage": "Urus Penyimpanan",
+ "Failed to load files": "Gagal memuatkan fail",
+ "Deleted {{count}} file(s)_other": "{{count}} fail telah dipadam",
+ "Failed to delete {{count}} file(s)_other": "Gagal memadam {{count}} fail",
+ "Failed to delete files": "Gagal memadam fail",
+ "Total Files": "Jumlah Fail",
+ "Total Size": "Jumlah Saiz",
+ "Quota": "Kuota",
+ "Used": "Digunakan",
+ "Files": "Fail",
+ "Search files...": "Cari fail...",
+ "Newest First": "Terbaru dahulu",
+ "Oldest First": "Tertua dahulu",
+ "Largest First": "Terbesar dahulu",
+ "Smallest First": "Terkecil dahulu",
+ "Name A-Z": "Nama A-Z",
+ "Name Z-A": "Nama Z-A",
+ "{{count}} selected_other": "{{count}} dipilih",
+ "Delete Selected": "Padam Dipilih",
+ "Created": "Dicipta",
+ "No files found": "Tiada fail dijumpai",
+ "No files uploaded yet": "Belum ada fail dimuat naik",
+ "files": "fail",
+ "Page {{current}} of {{total}}": "Halaman {{current}} daripada {{total}}",
+ "Are you sure to delete {{count}} selected file(s)?_other": "Adakah anda pasti mahu memadam {{count}} fail yang dipilih?",
+ "Cloud Storage Usage": "Penggunaan Storan Awan",
+ "Rename Group": "Namakan Semula Kumpulan",
+ "From Directory": "Dari Direktori",
+ "Successfully imported {{count}} book(s)_other": "Berjaya mengimport {{count}} buku",
+ "Count": "Jumlah",
+ "Start Page": "Halaman Awal",
+ "Search in OPDS Catalog...": "Cari dalam Katalog OPDS...",
+ "Please log in to use advanced TTS features": "Sila log masuk untuk menggunakan ciri TTS lanjutan",
+ "Word limit of 30 words exceeded.": "Had 30 perkataan telah dilebihi.",
+ "Proofread": "Semakan",
+ "Current selection": "Pilihan semasa",
+ "All occurrences in this book": "Semua kejadian dalam buku ini",
+ "All occurrences in your library": "Semua kejadian dalam perpustakaan anda",
+ "Selected text:": "Teks dipilih:",
+ "Replace with:": "Ganti dengan:",
+ "Enter text...": "Masukkan teks…",
+ "Case sensitive:": "Peka huruf besar dan kecil:",
+ "Scope:": "Skop:",
+ "Selection": "Pilihan",
+ "Library": "Perpustakaan",
+ "Yes": "Ya",
+ "No": "Tidak",
+ "Proofread Replacement Rules": "Peraturan penggantian semakan",
+ "Selected Text Rules": "Peraturan teks dipilih",
+ "No selected text replacement rules": "Tiada peraturan penggantian untuk teks dipilih",
+ "Book Specific Rules": "Peraturan khusus buku",
+ "No book-level replacement rules": "Tiada peraturan penggantian peringkat buku",
+ "Disable Quick Action": "Nyahaktifkan Tindakan Pantas",
+ "Enable Quick Action on Selection": "Aktifkan Tindakan Pantas pada Pilihan",
+ "None": "Tiada",
+ "Annotation Tools": "Alat Anotasi",
+ "Enable Quick Actions": "Aktifkan Tindakan Pantas",
+ "Quick Action": "Tindakan Pantas",
+ "Copy to Notebook": "Salin ke Buku Nota",
+ "Copy text after selection": "Salin teks selepas pilihan",
+ "Highlight text after selection": "Sorot teks selepas pilihan",
+ "Annotate text after selection": "Anotasi teks selepas pilihan",
+ "Search text after selection": "Cari teks selepas pilihan",
+ "Look up text in dictionary after selection": "Cari teks dalam kamus selepas pilihan",
+ "Look up text in Wikipedia after selection": "Cari teks dalam Wikipedia selepas pilihan",
+ "Translate text after selection": "Terjemah teks selepas pilihan",
+ "Read text aloud after selection": "Baca teks dengan kuat selepas pilihan",
+ "Proofread text after selection": "Semak teks selepas pilihan",
+ "{{activeCount}} active, {{pendingCount}} pending": "{{activeCount}} aktif, {{pendingCount}} menunggu",
+ "{{failedCount}} failed": "{{failedCount}} gagal",
+ "Waiting...": "Menunggu...",
+ "Failed": "Gagal",
+ "Completed": "Selesai",
+ "Cancelled": "Dibatalkan",
+ "Retry": "Cuba lagi",
+ "Active": "Aktif",
+ "Transfer Queue": "Baris Gilir Pemindahan",
+ "Upload All": "Muat Naik Semua",
+ "Download All": "Muat Turun Semua",
+ "Resume Transfers": "Sambung Pemindahan",
+ "Pause Transfers": "Jeda Pemindahan",
+ "Pending": "Menunggu",
+ "No transfers": "Tiada pemindahan",
+ "Retry All": "Cuba Semua Lagi",
+ "Clear Completed": "Kosongkan Selesai",
+ "Clear Failed": "Kosongkan Gagal",
+ "Upload queued: {{title}}": "Muat naik dalam baris gilir: {{title}}",
+ "Download queued: {{title}}": "Muat turun dalam baris gilir: {{title}}",
+ "Book not found in library": "Buku tidak dijumpai dalam perpustakaan",
+ "Unknown error": "Ralat tidak diketahui",
+ "Please log in to continue": "Sila log masuk untuk meneruskan",
+ "Cloud File Transfers": "Pemindahan Fail Awan",
+ "Show Search Results": "Tunjukkan hasil carian",
+ "Search results for '{{term}}'": "Hasil untuk '{{term}}'",
+ "Close Search": "Tutup carian",
+ "Previous Result": "Hasil sebelumnya",
+ "Next Result": "Hasil seterusnya",
+ "Bookmarks": "Penanda buku",
+ "Annotations": "Anotasi",
+ "Show Results": "Tunjukkan Hasil",
+ "Clear search": "Kosongkan carian",
+ "Clear search history": "Kosongkan sejarah carian",
+ "Tap to Toggle Footer": "Ketik untuk togol pengaki",
+ "Exported successfully": "Berjaya dieksport",
+ "Book exported successfully.": "Buku berjaya dieksport.",
+ "Failed to export the book.": "Gagal mengeksport buku.",
+ "Export Book": "Eksport Buku",
+ "Whole word:": "Perkataan penuh:",
+ "Error": "Ralat",
+ "Unable to load the article. Try searching directly on {{link}}.": "Tidak dapat memuatkan artikel. Cuba cari terus di {{link}}.",
+ "Unable to load the word. Try searching directly on {{link}}.": "Tidak dapat memuatkan perkataan. Cuba cari terus di {{link}}.",
+ "Date Published": "Tarikh diterbitkan",
+ "Only for TTS:": "Hanya untuk TTS:",
+ "Uploaded": "Dimuat naik",
+ "Downloaded": "Dimuat turun",
+ "Deleted": "Dipadam",
+ "Note:": "Nota:",
+ "Time:": "Masa:",
+ "Format Options": "Pilihan Format",
+ "Export Date": "Tarikh Eksport",
+ "Chapter Titles": "Tajuk Bab",
+ "Chapter Separator": "Pemisah Bab",
+ "Highlights": "Serlahan",
+ "Note Date": "Tarikh Nota",
+ "Advanced": "Lanjutan",
+ "Hide": "Sembunyikan",
+ "Show": "Tunjukkan",
+ "Use Custom Template": "Gunakan Templat Tersuai",
+ "Export Template": "Templat Eksport",
+ "Template Syntax:": "Sintaks Templat:",
+ "Insert value": "Masukkan nilai",
+ "Format date (locale)": "Format tarikh (tempatan)",
+ "Format date (custom)": "Format tarikh (tersuai)",
+ "Conditional": "Bersyarat",
+ "Loop": "Gelung",
+ "Available Variables:": "Pembolehubah Tersedia:",
+ "Book title": "Tajuk buku",
+ "Book author": "Pengarang buku",
+ "Export date": "Tarikh eksport",
+ "Array of chapters": "Senarai bab",
+ "Chapter title": "Tajuk bab",
+ "Array of annotations": "Senarai anotasi",
+ "Highlighted text": "Teks yang diserlahkan",
+ "Annotation note": "Nota anotasi",
+ "Date Format Tokens:": "Token Format Tarikh:",
+ "Year (4 digits)": "Tahun (4 digit)",
+ "Month (01-12)": "Bulan (01-12)",
+ "Day (01-31)": "Hari (01-31)",
+ "Hour (00-23)": "Jam (00-23)",
+ "Minute (00-59)": "Minit (00-59)",
+ "Second (00-59)": "Saat (00-59)",
+ "Show Source": "Tunjukkan Sumber",
+ "No content to preview": "Tiada kandungan untuk pratonton",
+ "Export": "Eksport",
+ "Set Timeout": "Tetapkan masa tamat",
+ "Select Voice": "Pilih suara",
+ "Toggle Sticky Bottom TTS Bar": "Togol bar TTS melekit",
+ "Display what I'm reading on Discord": "Papar buku yang sedang dibaca di Discord",
+ "Show on Discord": "Papar di Discord",
+ "Instant {{action}}": "{{action}} Segera",
+ "Instant {{action}} Disabled": "{{action}} Segera Dilumpuhkan",
+ "Annotation": "Anotasi",
+ "Reset Template": "Tetapkan Semula Templat",
+ "Annotation style": "Gaya anotasi",
+ "Annotation color": "Warna anotasi",
+ "Annotation time": "Masa anotasi",
+ "AI": "AI",
+ "Are you sure you want to re-index this book?": "Adakah anda pasti mahu mengindeks semula buku ini?",
+ "Enable AI in Settings": "Aktifkan AI dalam Tetapan",
+ "Index This Book": "Indeks Buku Ini",
+ "Enable AI search and chat for this book": "Aktifkan carian AI dan sembang untuk buku ini",
+ "Start Indexing": "Mula Mengindeks",
+ "Indexing book...": "Mengindeks buku...",
+ "Preparing...": "Menyediakan...",
+ "Delete this conversation?": "Padam perbualan ini?",
+ "No conversations yet": "Tiada perbualan lagi",
+ "Start a new chat to ask questions about this book": "Mulakan sembang baharu untuk bertanya tentang buku ini",
+ "Rename": "Namakan Semula",
+ "New Chat": "Sembang Baharu",
+ "Chat": "Sembang",
+ "Please enter a model ID": "Sila masukkan ID model",
+ "Model not available or invalid": "Model tidak tersedia atau tidak sah",
+ "Failed to validate model": "Gagal mengesahkan model",
+ "Couldn't connect to Ollama. Is it running?": "Tidak dapat menyambung ke Ollama. Adakah ia sedang berjalan?",
+ "Invalid API key or connection failed": "Kunci API tidak sah atau sambungan gagal",
+ "Connection failed": "Sambungan gagal",
+ "AI Assistant": "Pembantu AI",
+ "Enable AI Assistant": "Aktifkan Pembantu AI",
+ "Provider": "Pembekal",
+ "Ollama (Local)": "Ollama (Tempatan)",
+ "AI Gateway (Cloud)": "Gateway AI (Awan)",
+ "Ollama Configuration": "Konfigurasi Ollama",
+ "Refresh Models": "Muat Semula Model",
+ "AI Model": "Model AI",
+ "No models detected": "Tiada model dikesan",
+ "AI Gateway Configuration": "Konfigurasi Gateway AI",
+ "Choose from a selection of high-quality, economical AI models. You can also bring your own model by selecting \"Custom Model\" below.": "Pilih dari pelbagai model AI berkualiti tinggi dan ekonomi. Anda juga boleh menggunakan model anda sendiri dengan memilih \"Model Tersuai\" di bawah.",
+ "API Key": "Kunci API",
+ "Get Key": "Dapatkan Kunci",
+ "Model": "Model",
+ "Custom Model...": "Model Tersuai...",
+ "Custom Model ID": "ID Model Tersuai",
+ "Validate": "Sahkan",
+ "Model available": "Model tersedia",
+ "Connection": "Sambungan",
+ "Test Connection": "Uji Sambungan",
+ "Connected": "Disambung",
+ "Custom Colors": "Warna Tersuai",
+ "Color E-Ink Mode": "Mod E-Ink Warna",
+ "Reading Ruler": "Pembaris Membaca",
+ "Enable Reading Ruler": "Dayakan Pembaris Membaca",
+ "Lines to Highlight": "Baris untuk Diserlahkan",
+ "Ruler Color": "Warna Pembaris",
+ "Command Palette": "Palet Perintah",
+ "Search settings and actions...": "Cari tetapan dan tindakan...",
+ "No results found for": "Tiada hasil dijumpai untuk",
+ "Type to search settings and actions": "Taip untuk mencari tetapan dan tindakan",
+ "Recent": "Baru-baru ini",
+ "navigate": "navigasi",
+ "select": "pilih",
+ "close": "tutup",
+ "Search Settings": "Cari Tetapan",
+ "Page Margins": "Margin Halaman",
+ "AI Provider": "Penyedia AI",
+ "Ollama URL": "URL Ollama",
+ "Ollama Model": "Model Ollama",
+ "AI Gateway Model": "Model AI Gateway",
+ "Actions": "Tindakan",
+ "Navigation": "Navigasi",
+ "Set status for {{count}} book(s)_other": "Tetapkan status untuk {{count}} buku",
+ "Mark as Unread": "Tandakan sebagai Belum Dibaca",
+ "Mark as Finished": "Tandakan sebagai Selesai",
+ "Finished": "Selesai",
+ "Unread": "Belum Dibaca",
+ "Clear Status": "Kosongkan Status",
+ "Status": "Status",
+ "Loading": "Memuatkan...",
+ "Exit Paragraph Mode": "Keluar dari Mod Perenggan",
+ "Paragraph Mode": "Mod Perenggan",
+ "Embedding Model": "Model Benaman",
+ "{{count}} book(s) synced_other": "{{count}} buku telah disegerakkan",
+ "Unable to start RSVP": "Tidak dapat memulakan RSVP",
+ "RSVP not supported for PDF": "RSVP tidak disokong untuk PDF",
+ "Select Chapter": "Pilih Bab",
+ "Context": "Konteks",
+ "Ready": "Sedia",
+ "Chapter Progress": "Kemajuan Bab",
+ "words": "perkataan",
+ "{{time}} left": "{{time}} tinggal",
+ "Reading progress": "Kemajuan membaca",
+ "Click to seek": "Klik untuk cari",
+ "Skip back 15 words": "Langkau belakang 15 perkataan",
+ "Back 15 words (Shift+Left)": "Belakang 15 perkataan (Shift+Kiri)",
+ "Pause (Space)": "Jeda (Ruang)",
+ "Play (Space)": "Main (Ruang)",
+ "Skip forward 15 words": "Langkau depan 15 perkataan",
+ "Forward 15 words (Shift+Right)": "Depan 15 perkataan (Shift+Kanan)",
+ "Pause:": "Jeda:",
+ "Decrease speed": "Kurangkan kelajuan",
+ "Slower (Left/Down)": "Lebih perlahan (Kiri/Bawah)",
+ "Current speed": "Kelajuan semasa",
+ "Increase speed": "Tingkatkan kelajuan",
+ "Faster (Right/Up)": "Lebih cepat (Kanan/Atas)",
+ "Start RSVP Reading": "Mulakan Pembacaan RSVP",
+ "Choose where to start reading": "Pilih tempat untuk mula membaca",
+ "From Chapter Start": "Dari Permulaan Bab",
+ "Start reading from the beginning of the chapter": "Mula membaca dari awal bab",
+ "Resume": "Sambung",
+ "Continue from where you left off": "Sambung dari tempat anda berhenti",
+ "From Current Page": "Dari Halaman Semasa",
+ "Start from where you are currently reading": "Mula dari tempat anda sedang membaca",
+ "From Selection": "Dari Pilihan",
+ "Speed Reading Mode": "Mod Bacaan Pantas",
+ "Scroll left": "Tatal ke kiri",
+ "Scroll right": "Tatal ke kanan",
+ "Library Sync Progress": "Kemajuan Segerak Perpustakaan",
+ "Back to library": "Kembali ke perpustakaan",
+ "Group by...": "Kumpulan mengikut...",
+ "Export as Plain Text": "Eksport sebagai Teks Biasa",
+ "Export as Markdown": "Eksport sebagai Markdown",
+ "Show Page Navigation Buttons": "Butang navigasi",
+ "Page {{number}}": "Halaman {{number}}",
+ "highlight": "serlah",
+ "underline": "garis bawah",
+ "squiggly": "berombak",
+ "red": "merah",
+ "violet": "ungu",
+ "blue": "biru",
+ "green": "hijau",
+ "yellow": "kuning",
+ "Select {{style}} style": "Pilih gaya {{style}}",
+ "Select {{color}} color": "Pilih warna {{color}}",
+ "Close Book": "Tutup Buku",
+ "Speed Reading": "Bacaan Pantas",
+ "Close Speed Reading": "Tutup Bacaan Pantas",
+ "Authors": "Penulis",
+ "Books": "Buku",
+ "Groups": "Kumpulan",
+ "Back to TTS Location": "Kembali ke Lokasi TTS",
+ "Metadata": "Metadata",
+ "Image viewer": "Penyorot imej",
+ "Previous Image": "Imej Sebelumnya",
+ "Next Image": "Imej Seterusnya",
+ "Zoomed": "Dizum",
+ "Zoom level": "Tahap zum",
+ "Table viewer": "Penyorot jadual",
+ "Unable to connect to Readwise. Please check your network connection.": "Tidak dapat menyambung ke Readwise. Sila periksa sambungan rangkaian anda.",
+ "Invalid Readwise access token": "Token akses Readwise tidak sah",
+ "Disconnected from Readwise": "Terputus sambungan daripada Readwise",
+ "Never": "Tidak pernah",
+ "Readwise Settings": "Tetapan Readwise",
+ "Connected to Readwise": "Disambungkan ke Readwise",
+ "Last synced: {{time}}": "Kali terakhir disinkronkan: {{time}}",
+ "Sync Enabled": "Penyinkronan Didayakan",
+ "Disconnect": "Putuskan sambungan",
+ "Connect your Readwise account to sync highlights.": "Sambungkan akaun Readwise anda untuk menyinkronkan sorotan.",
+ "Get your access token at": "Dapatkan token akses anda di",
+ "Access Token": "Token Akses",
+ "Paste your Readwise access token": "Tampal token akses Readwise anda",
+ "Config": "Konfigurasi",
+ "Readwise Sync": "Penyinkronan Readwise",
+ "Push Highlights": "Hantar Sorotan",
+ "Highlights synced to Readwise": "Sorotan disinkronkan ke Readwise",
+ "Readwise sync failed: no internet connection": "Penyinkronan Readwise gagal: tiada sambungan internet",
+ "Readwise sync failed: {{error}}": "Penyinkronan Readwise gagal: {{error}}"
+}
diff --git a/apps/readest-app/public/locales/nl/translation.json b/apps/readest-app/public/locales/nl/translation.json
new file mode 100644
index 0000000000000000000000000000000000000000..34af0bd2a040422486adc3875e73421643c18db9
--- /dev/null
+++ b/apps/readest-app/public/locales/nl/translation.json
@@ -0,0 +1,1060 @@
+{
+ "Email address": "E-mailadres",
+ "Your Password": "Uw wachtwoord",
+ "Your email address": "Uw e-mailadres",
+ "Your password": "Uw wachtwoord",
+ "Sign in": "Inloggen",
+ "Signing in...": "Bezig met inloggen...",
+ "Sign in with {{provider}}": "Inloggen met {{provider}}",
+ "Already have an account? Sign in": "Heeft u al een account? Log in",
+ "Create a Password": "Maak een wachtwoord aan",
+ "Sign up": "Registreren",
+ "Signing up...": "Bezig met registreren...",
+ "Check your email for the confirmation link": "Controleer uw e-mail voor de bevestigingslink",
+ "Signing in ...": "Bezig met inloggen ...",
+ "Send a magic link email": "Stuur een magic link e-mail",
+ "Check your email for the magic link": "Controleer uw e-mail voor de magic link",
+ "Send reset password instructions": "Stuur instructies voor wachtwoordherstel",
+ "Sending reset instructions ...": "Bezig met versturen van herstelinstructies ...",
+ "Forgot your password?": "Wachtwoord vergeten?",
+ "Check your email for the password reset link": "Controleer uw e-mail voor de link om uw wachtwoord te herstellen",
+ "Phone number": "Telefoonnummer",
+ "Your phone number": "Uw telefoonnummer",
+ "Token": "Token",
+ "Your OTP token": "Uw OTP-token",
+ "Verify token": "Token verifiëren",
+ "New Password": "Nieuw wachtwoord",
+ "Your new password": "Uw nieuwe wachtwoord",
+ "Update password": "Wachtwoord bijwerken",
+ "Updating password ...": "Wachtwoord bijwerken ...",
+ "Your password has been updated": "Uw wachtwoord is bijgewerkt",
+ "Open": "Openen",
+ "Group": "Groep",
+ "Details": "Details",
+ "Delete": "Verwijderen",
+ "Cancel": "Annuleren",
+ "Confirm Deletion": "Verwijdering bevestigen",
+ "Deselect Book": "Boek deselecteren",
+ "Select Book": "Boek selecteren",
+ "Show Book Details": "Boekdetails weergeven",
+ "Download Book": "Boek downloaden",
+ "Upload Book": "Boek uploaden",
+ "Deselect Group": "Groep deselecteren",
+ "Select Group": "Groep selecteren",
+ "Untitled Group": "Groep zonder titel",
+ "Group Books": "Boeken groeperen",
+ "Remove From Group": "Uit groep verwijderen",
+ "Create New Group": "Nieuwe groep maken",
+ "Save": "Opslaan",
+ "Confirm": "Bevestigen",
+ "From Local File": "Van lokaal bestand",
+ "Go Back": "Terug",
+ "Search Books...": "Boeken zoeken...",
+ "Clear Search": "Zoekopdracht wissen",
+ "Import Books": "Boeken importeren",
+ "Select Books": "Boeken selecteren",
+ "Logged in as {{userDisplayName}}": "Ingelogd als {{userDisplayName}}",
+ "Logged in": "Ingelogd",
+ "Account": "Account",
+ "Sign In": "Inloggen",
+ "Auto Upload Books to Cloud": "Boeken automatisch uploaden naar cloud",
+ "Auto Import on File Open": "Automatisch importeren bij bestand openen",
+ "Open Last Book on Start": "Open laatste boek bij opstarten",
+ "Check Updates on Start": "Controleer updates bij opstarten",
+ "Fullscreen": "Volledig scherm",
+ "Always on Top": "Altijd bovenaan",
+ "Keep Screen Awake": "Scherm wakker houden",
+ "Reload Page": "Pagina herladen",
+ "Download Readest": "Readest downloaden",
+ "About Readest": "Over Readest",
+ "List": "Lijst",
+ "Grid": "Raster",
+ "Title": "Titel",
+ "Author": "Auteur",
+ "Format": "Formaat",
+ "Date Read": "Datum gelezen",
+ "Date Added": "Datum toegevoegd",
+ "Ascending": "Oplopend",
+ "Descending": "Aflopend",
+ "Sort by...": "Sorteren op...",
+ "No supported files found. Supported formats: {{formats}}": "Geen ondersteunde bestanden gevonden. Ondersteunde formaten: {{formats}}",
+ "No chapters detected": "Geen hoofdstukken gedetecteerd",
+ "Failed to parse the EPUB file": "EPUB-bestand kon niet worden verwerkt",
+ "This book format is not supported": "Dit boekformaat wordt niet ondersteund",
+ "Failed to import book(s): {{filenames}}": "Importeren van boek(en) mislukt: {{filenames}}",
+ "Book uploaded: {{title}}": "Boek geüpload: {{title}}",
+ "Insufficient storage quota": "Onvoldoende opslagruimte",
+ "Failed to upload book: {{title}}": "Uploaden van boek mislukt: {{title}}",
+ "Book downloaded: {{title}}": "Boek gedownload: {{title}}",
+ "Failed to download book: {{title}}": "Downloaden van boek mislukt: {{title}}",
+ "Book deleted: {{title}}": "Boek verwijderd: {{title}}",
+ "Failed to delete book: {{title}}": "Verwijderen van boek mislukt: {{title}}",
+ "Your Library": "Uw bibliotheek",
+ "Welcome to your library. You can import your books here and read them anytime.": "Welkom bij uw bibliotheek. U kunt hier uw boeken importeren en ze op elk moment lezen.",
+ "Copied to notebook": "Gekopieerd naar notitieblok",
+ "No annotations to export": "Geen annotaties om te exporteren",
+ "Exported from Readest": "Geëxporteerd uit Readest",
+ "Highlights & Annotations": "Markeringen & annotaties",
+ "Untitled": "Zonder titel",
+ "Note": "Notitie",
+ "Copied to clipboard": "Gekopieerd naar klembord",
+ "Copy": "Kopiëren",
+ "Delete Highlight": "Markering verwijderen",
+ "Highlight": "Markeren",
+ "Annotate": "Annoteren",
+ "Search": "Zoeken",
+ "Dictionary": "Woordenboek",
+ "Wikipedia": "Wikipedia",
+ "Translate": "Vertalen",
+ "Speak": "Voorlezen",
+ "Unable to fetch the translation. Please log in first and try again.": "Kan de vertaling niet ophalen. Log eerst in en probeer het opnieuw.",
+ "Unable to fetch the translation. Try again later.": "Kan de vertaling niet ophalen. Probeer het later opnieuw.",
+ "Original Text": "Originele tekst",
+ "Auto Detect": "Automatisch detecteren",
+ "(detected)": "(gedetecteerd)",
+ "Translated Text": "Vertaalde tekst",
+ "Loading...": "Laden...",
+ "Bookmark": "Bladwijzer",
+ "Go Forward": "Vooruit",
+ "Small": "Klein",
+ "Large": "Groot",
+ "Notebook": "Notitieblok",
+ "Excerpts": "Fragmenten",
+ "Notes": "Notities",
+ "Add your notes here...": "Voeg hier uw notities toe...",
+ "Theme Mode": "Thema modus",
+ "Auto Mode": "Automatische modus",
+ "Light Mode": "Lichte modus",
+ "Dark Mode": "Donkere modus",
+ "Theme Color": "Themakleur",
+ "Custom": "Aangepast",
+ "Apply to All Books": "Toepassen op alle boeken",
+ "Apply to This Book": "Toepassen op dit boek",
+ "Global Settings": "Algemene instellingen",
+ "System Fonts": "Systeemlettertypen",
+ "Serif Font": "Serif lettertype",
+ "Sans-Serif Font": "Sans-serif lettertype",
+ "Font Size": "Lettergrootte",
+ "Default Font Size": "Standaard lettergrootte",
+ "Minimum Font Size": "Minimale lettergrootte",
+ "Font Weight": "Letterdikte",
+ "Font Family": "Lettertypefamilie",
+ "Default Font": "Standaard lettertype",
+ "CJK Font": "CJK lettertype",
+ "Override Book Font": "Boek lettertype overschrijven",
+ "Font Face": "Lettertype",
+ "Monospace Font": "Monospace lettertype",
+ "Scrolled Mode": "Scroll-modus",
+ "Writing Mode": "Schrijfmodus",
+ "Default": "Standaard",
+ "Horizontal Direction": "Horizontale richting",
+ "Vertical Direction": "Verticale richting",
+ "RTL Direction": "RTL-richting",
+ "Border Frame": "Randkader",
+ "Double Border": "Dubbele rand",
+ "Border Color": "Randkleur",
+ "Paragraph": "Alinea",
+ "Paragraph Margin": "Alinea marge",
+ "Line Spacing": "Regelafstand",
+ "Word Spacing": "Woordafstand",
+ "Letter Spacing": "Letterafstand",
+ "Text Indent": "Tekstinspringing",
+ "Full Justification": "Volledig uitvullen",
+ "Hyphenation": "Woordafbreking",
+ "Override Book Layout": "Boekopmaak overschrijven",
+ "Page": "Pagina",
+ "Maximum Number of Columns": "Maximum aantal kolommen",
+ "Maximum Column Height": "Maximale kolomhoogte",
+ "Maximum Column Width": "Maximale kolombreedte",
+ "Header & Footer": "Koptekst & voettekst",
+ "Show Header": "Koptekst weergeven",
+ "Show Footer": "Voettekst weergeven",
+ "Apply also in Scrolled Mode": "Ook toepassen in scroll-modus",
+ "Auto": "Automatisch",
+ "Language": "Taal",
+ "Animation": "Animatie",
+ "Paging Animation": "Paginering animatie",
+ "Screen": "Scherm",
+ "Orientation": "Oriëntatie",
+ "Portrait": "Portret",
+ "Landscape": "Landschap",
+ "Behavior": "Gedrag",
+ "Continuous Scroll": "Doorlopend scrollen",
+ "Volume Keys for Page Flip": "Volumetoetsen voor pagina omslaan",
+ "Apply": "Toepassen",
+ "Font": "Lettertype",
+ "Layout": "Opmaak",
+ "Color": "Kleur",
+ "(from 'As You Like It', Act II)": "(uit 'As You Like It', Akte II)",
+ "Custom Theme": "Aangepast thema",
+ "Theme Name": "Themanaam",
+ "Text Color": "Tekstkleur",
+ "Background Color": "Achtergrondkleur",
+ "Link Color": "Linkkleur",
+ "Preview": "Voorbeeld",
+ "Font & Layout": "Lettertype & opmaak",
+ "More Info": "Meer informatie",
+ "Parallel Read": "Parallel lezen",
+ "Export Annotations": "Annotaties exporteren",
+ "Edit": "Bewerken",
+ "Search...": "Zoeken...",
+ "Book": "Boek",
+ "Chapter": "Hoofdstuk",
+ "Match Case": "Hoofdlettergevoelig",
+ "Match Whole Words": "Hele woorden",
+ "Match Diacritics": "Diakritische tekens",
+ "TOC": "Inhoudsopgave",
+ "Table of Contents": "Inhoudsopgave",
+ "Sidebar": "Zijbalk",
+ "TTS not supported for PDF": "TTS niet ondersteund voor PDF",
+ "No Timeout": "Geen time-out",
+ "{{value}} minute": "{{value}} minuut",
+ "{{value}} minutes": "{{value}} minuten",
+ "{{value}} hour": "{{value}} uur",
+ "{{value}} hours": "{{value}} uren",
+ "Slow": "Langzaam",
+ "Fast": "Snel",
+ "Reading Progress Synced": "Leesvoortgang gesynchroniseerd",
+ "Failed to delete user. Please try again later.": "Gebruiker verwijderen mislukt. Probeer het later opnieuw.",
+ "Community Support": "Community-ondersteuning",
+ "Priority Support": "Prioriteitsondersteuning",
+ "Loading profile...": "Profiel laden...",
+ "Sign Out": "Uitloggen",
+ "Delete Account": "Account verwijderen",
+ "Delete Your Account?": "Uw account verwijderen?",
+ "This action cannot be undone. All your data in the cloud will be permanently deleted.": "Deze actie kan niet ongedaan worden gemaakt. Al uw gegevens in de cloud worden permanent verwijderd.",
+ "Delete Permanently": "Permanent verwijderen",
+ "Version {{version}}": "Versie {{version}}",
+ "Check Update": "Update controleren",
+ "Already the latest version": "Reeds de nieuwste versie",
+ "Checking for updates...": "Controleren op updates...",
+ "Error checking for updates": "Fout bij controleren op updates",
+ "Book Details": "Boekdetails",
+ "Unknown": "Onbekend",
+ "Publisher": "Uitgever",
+ "Published": "Gepubliceerd",
+ "Updated": "Bijgewerkt",
+ "Added": "Toegevoegd",
+ "Subjects": "Onderwerpen",
+ "File Size": "Bestandsgrootte",
+ "Description": "Beschrijving",
+ "No description available": "Geen beschrijving beschikbaar",
+ "Drop to Import Books": "Sleep om boeken te importeren",
+ "A new version of Readest is available!": "Een nieuwe versie van Readest is beschikbaar!",
+ "Readest {{newVersion}} is available (installed version {{currentVersion}}).": "Readest {{newVersion}} is beschikbaar (geïnstalleerde versie {{currentVersion}}).",
+ "Download and install now?": "Nu downloaden en installeren?",
+ "Downloading {{downloaded}} of {{contentLength}}": "Downloaden {{downloaded}} van {{contentLength}}",
+ "Download finished": "Download voltooid",
+ "DOWNLOAD & INSTALL": "DOWNLOADEN & INSTALLEREN",
+ "Changelog": "Wijzigingslogboek",
+ "Software Update": "Software-update",
+ "LXGW WenKai GB Screen": "LXGW WenKai GB Scherm",
+ "LXGW WenKai TC": "LXGW WenKai TC",
+ "GuanKiapTsingKhai-T": "GuanKiapTsingKhai-T",
+ "Gray": "Grijs",
+ "Sepia": "Sepia",
+ "Grass": "Gras",
+ "Cherry": "Kers",
+ "Sky": "Hemel",
+ "Solarized": "Gesolariseerd",
+ "Gruvbox": "Gruvbox",
+ "Nord": "Noord",
+ "Contrast": "Contrast",
+ "Sunset": "Zonsondergang",
+ "Reveal in Finder": "Tonen in Finder",
+ "Reveal in File Explorer": "Tonen in Verkenner",
+ "Reveal in Folder": "Tonen in map",
+ "Don't have an account? Sign up": "Nog geen account? Registreer u",
+ "All the world's a stage,\nAnd all the men and women merely players;\nThey have their exits and their entrances,\nAnd one man in his time plays many parts,\nHis acts being seven ages.\n\n— William Shakespeare": "De hele wereld is een toneel,\nEn alle mannen en vrouwen slechts spelers;\nZij hebben hun uitgangen en hun entrees,\nEn één man speelt in zijn tijd vele rollen,\nZijn daden zijnde zeven leeftijden.\n\n— William Shakespeare",
+ "Next Section": "Volgende sectie",
+ "Previous Section": "Vorige sectie",
+ "Next Page": "Volgende pagina",
+ "Previous Page": "Vorige pagina",
+ "Are you sure to delete {{count}} selected book(s)?_one": "Weet je zeker dat je {{count}} geselecteerd boek wilt verwijderen?",
+ "Are you sure to delete {{count}} selected book(s)?_other": "Weet je zeker dat je {{count}} geselecteerde boeken wilt verwijderen?",
+ "Are you sure to delete the selected book?": "Weet je zeker dat je het geselecteerde boek wilt verwijderen?",
+ "Deselect": "Deselecteer",
+ "Select All": "Alles",
+ "No translation available.": "Geen vertaling beschikbaar.",
+ "Translated by {{provider}}.": "Vertaald door {{provider}}.",
+ "DeepL": "DeepL",
+ "Google Translate": "Google Vertalen",
+ "Azure Translator": "Azure Vertaler",
+ "Invert Image In Dark Mode": "Inverteer afbeelding in het donker",
+ "Help improve Readest": "Help Readest verbeteren",
+ "Sharing anonymized statistics": "Anonieme statistieken delen",
+ "Interface Language": "Interface-taal",
+ "Translation": "Vertaling",
+ "Enable Translation": "Vertaling inschakelen",
+ "Translation Service": "Vertaalservice",
+ "Translate To": "Vertalen naar",
+ "Disable Translation": "Vertaling uitschakelen",
+ "Scroll": "Scrollen",
+ "Overlap Pixels": "Overlap pixels",
+ "System Language": "Systemtaal",
+ "Security": "Beveiliging",
+ "Allow JavaScript": "JavaScript toestaan",
+ "Enable only if you trust the file.": "Schakel alleen in als u het bestand vertrouwt.",
+ "Sort TOC by Page": "TOC sorteren op pagina",
+ "Search in {{count}} Book(s)..._one": "Zoeken in {{count}} Boek...",
+ "Search in {{count}} Book(s)..._other": "Zoeken in {{count}} Boeken...",
+ "No notes match your search": "Geen notities gevonden",
+ "Search notes and excerpts...": "Zoek notities...",
+ "Sign in to Sync": "Meld je aan om te synchroniseren",
+ "Synced at {{time}}": "Gesynchroniseerd om {{time}}",
+ "Never synced": "Nooit gesynchroniseerd",
+ "Show Remaining Time": "Toon resterende tijd",
+ "{{time}} min left in chapter": "Nog {{time}} min in hoofdstuk",
+ "Override Book Color": "Boekkleur overschrijven",
+ "Login Required": "Inloggen vereist",
+ "Quota Exceeded": "Limiet overschreden",
+ "{{percentage}}% of Daily Translation Characters Used.": "{{percentage}}% van de dagelijkse vertaaltekens gebruikt.",
+ "Translation Characters": "Vertaaltekens",
+ "{{engine}}: {{count}} voices_one": "{{engine}}: {{count}} stem",
+ "{{engine}}: {{count}} voices_other": "{{engine}}: {{count}} stemmen",
+ "Something went wrong. Don't worry, our team has been notified and we're working on a fix.": "Er is iets misgegaan. Maak je geen zorgen, ons team is op de hoogte gebracht en we werken aan een oplossing.",
+ "Error Details:": "Foutdetails:",
+ "Try Again": "Probeer opnieuw",
+ "Need help?": "Heb je hulp nodig?",
+ "Contact Support": "Neem contact op met ondersteuning",
+ "Code Highlighting": "Code markering",
+ "Enable Highlighting": "Markering inschakelen",
+ "Code Language": "Code taal",
+ "Top Margin (px)": "Bovenmarge (px)",
+ "Bottom Margin (px)": "Ondermarge (px)",
+ "Right Margin (px)": "Rechter marge (px)",
+ "Left Margin (px)": "Linker marge (px)",
+ "Column Gap (%)": "Kolomafstand (%)",
+ "Always Show Status Bar": "Statusbalk altijd weergeven",
+ "Custom Content CSS": "Aangepaste inhoud-CSS",
+ "Enter CSS for book content styling...": "Voer CSS in voor de opmaak van de boekinhoud...",
+ "Custom Reader UI CSS": "Aangepaste interface-CSS",
+ "Enter CSS for reader interface styling...": "Voer CSS in voor de opmaak van de leesinterface...",
+ "Crop": "Bijsnijden",
+ "Book Covers": "Boekomslagen",
+ "Fit": "Passend maken",
+ "Reset {{settings}}": "Reset {{settings}}",
+ "Reset Settings": "Instellingen resetten",
+ "{{count}} pages left in chapter_one": "Nog {{count}} pagina in hoofdstuk",
+ "{{count}} pages left in chapter_other": "Nog {{count}} pagina’s in hoofdstuk",
+ "Show Remaining Pages": "Toon resterende pagina’s",
+ "Source Han Serif CN": "Source Han Serif",
+ "Huiwen-MinchoGBK": "Huiwen Mincho",
+ "KingHwa_OldSong": "KingHwa Song",
+ "Manage Subscription": "Abonnement beheren",
+ "Coming Soon": "Binnenkort beschikbaar",
+ "Upgrade to {{plan}}": "Upgrade naar {{plan}}",
+ "Upgrade to Plus or Pro": "Upgrade naar Plus of Pro",
+ "Current Plan": "Huidig abonnement",
+ "Plan Limits": "Abonnementslimieten",
+ "Processing your payment...": "Je betaling wordt verwerkt...",
+ "Please wait while we confirm your subscription.": "Even geduld terwijl we je abonnement bevestigen.",
+ "Payment Processing": "Betaling verwerken",
+ "Your payment is being processed. This usually takes a few moments.": "Je betaling wordt verwerkt. Dit duurt meestal een paar seconden.",
+ "Payment Failed": "Betaling mislukt",
+ "Back to Profile": "Terug naar profiel",
+ "Subscription Successful!": "Abonnement succesvol!",
+ "Email:": "E-mail:",
+ "Plan:": "Abonnement:",
+ "Amount:": "Bedrag:",
+ "Go to Library": "Ga naar bibliotheek",
+ "Need help? Contact our support team at support@readest.com": "Hulp nodig? Neem contact op met support via support@readest.com",
+ "Free Plan": "Gratis abonnement",
+ "month": "maand",
+ "AI Translations (per day)": "AI-vertalingen (per dag)",
+ "Plus Plan": "Plus-abonnement",
+ "Includes All Free Plan Benefits": "Bevat alle voordelen van het gratis abonnement",
+ "Pro Plan": "Pro-abonnement",
+ "More AI Translations": "Meer AI-vertalingen",
+ "We couldn't process your subscription. Please try again or contact support if the issue persists.": "We konden je abonnement niet verwerken. Probeer het opnieuw of neem contact op met support als het probleem blijft bestaan.",
+ "Thank you for your subscription! Your payment has been processed successfully.": "Bedankt voor je abonnement! Je betaling is succesvol verwerkt.",
+ "Complete Your Subscription": "Voltooi uw abonnement",
+ "{{percentage}}% of Cloud Sync Space Used.": "{{percentage}}% van de cloud-synchronisatie ruimte gebruikt.",
+ "Cloud Sync Storage": "Cloud Sync Opslag",
+ "Disable": "Uitschakelen",
+ "Enable": "Inschakelen",
+ "Upgrade to Readest Premium": "Upgrade naar Readest Premium",
+ "Show Source Text": "Toon brontekst",
+ "Cross-Platform Sync": "Cross-Platform Synchronisatie",
+ "Seamlessly sync your library, progress, highlights, and notes across all your devices—never lose your place again.": "Synchroniseer naadloos je bibliotheek, voortgang, markeringen en notities op al je apparaten—verlies nooit meer je plek.",
+ "Customizable Reading": "Aanpasbaar Lezen",
+ "Personalize every detail with adjustable fonts, layouts, themes, and advanced display settings for the perfect reading experience.": "Personaliseer elk detail met aanpasbare lettertypen, lay-outs, thema's en geavanceerde weergave-instellingen voor de perfecte leeservaring.",
+ "AI Read Aloud": "AI Voorlezen",
+ "Enjoy hands-free reading with natural-sounding AI voices that bring your books to life.": "Geniet van handsfree lezen met natuurlijk klinkende AI-stemmen die je boeken tot leven brengen.",
+ "AI Translations": "AI Vertalingen",
+ "Translate any text instantly with the power of Google, Azure, or DeepL—understand content in any language.": "Vertaal elke tekst direct met de kracht van Google, Azure of DeepL—begrijp inhoud in elke taal.",
+ "Connect with fellow readers and get help fast in our friendly community channels.": "Maak contact met medelezers en krijg snel hulp in onze vriendelijke community kanalen.",
+ "Unlimited AI Read Aloud Hours": "Onbeperkte AI Voorlees Uren",
+ "Listen without limits—convert as much text as you like into immersive audio.": "Luister zonder limieten—zet zoveel tekst als je wilt om in meeslepende audio.",
+ "Unlock enhanced translation capabilities with more daily usage and advanced options.": "Ontsluit verbeterde vertaalfuncties met meer dagelijks gebruik en geavanceerde opties.",
+ "DeepL Pro Access": "DeepL Pro Toegang",
+ "Enjoy faster responses and dedicated assistance whenever you need help.": "Geniet van snellere reacties en toegewijde hulp wanneer je hulp nodig hebt.",
+ "Daily translation quota reached. Upgrade your plan to continue using AI translations.": "Dagelijks vertaalquotum bereikt. Upgrade je abonnement om AI vertalingen te blijven gebruiken.",
+ "Includes All Plus Plan Benefits": "Inclusief Alle Plus Plan Voordelen",
+ "Early Feature Access": "Vroege Toegang tot Functies",
+ "Be the first to explore new features, updates, and innovations before anyone else.": "Ontdek als eerste nieuwe functies, updates en innovaties.",
+ "Advanced AI Tools": "Geavanceerde AI Tools",
+ "Harness powerful AI tools for smarter reading, translation, and content discovery.": "Benut krachtige AI tools voor slimmer lezen, vertalen en content ontdekking.",
+ "Translate up to 100,000 characters daily with the most accurate translation engine available.": "Vertaal dagelijks tot 100.000 tekens met de meest nauwkeurige vertaalengine.",
+ "Translate up to 500,000 characters daily with the most accurate translation engine available.": "Vertaal dagelijks tot 500.000 tekens met de meest nauwkeurige vertaalengine.",
+ "Securely store and access your entire reading collection with up to 5 GB of cloud storage.": "Sla je hele leesverzameling veilig op en benader deze met tot 5 GB cloudopslag.",
+ "Securely store and access your entire reading collection with up to 20 GB of cloud storage.": "Sla je hele leesverzameling veilig op en benader deze met tot 20 GB cloudopslag.",
+ "Deleted cloud backup of the book: {{title}}": "Verwijderde cloudback-up van het boek: {{title}}",
+ "Are you sure to delete the cloud backup of the selected book?": "Weet je zeker dat je de cloudback-up van het geselecteerde boek wilt verwijderen?",
+ "What's New in Readest": "Wat is er nieuw in Readest",
+ "Enter book title": "Voer boektitel in",
+ "Subtitle": "Ondertitel",
+ "Enter book subtitle": "Voer boek ondertitel in",
+ "Enter author name": "Voer auteursnaam in",
+ "Series": "Serie",
+ "Enter series name": "Voer serienaam in",
+ "Series Index": "Serie nummer",
+ "Enter series index": "Voer serie nummer in",
+ "Total in Series": "Totaal in serie",
+ "Enter total books in series": "Voer totaal aantal boeken in serie in",
+ "Enter publisher": "Voer uitgever in",
+ "Publication Date": "Publicatiedatum",
+ "Identifier": "Identificatie",
+ "Enter book description": "Voer boekbeschrijving in",
+ "Change cover image": "Wijzig omslagafbeelding",
+ "Replace": "Vervangen",
+ "Unlock cover": "Omslag ontgrendelen",
+ "Lock cover": "Omslag vergrendelen",
+ "Auto-Retrieve Metadata": "Metadata automatisch ophalen",
+ "Auto-Retrieve": "Automatisch ophalen",
+ "Unlock all fields": "Alle velden ontgrendelen",
+ "Unlock All": "Alles ontgrendelen",
+ "Lock all fields": "Alle velden vergrendelen",
+ "Lock All": "Alles vergrendelen",
+ "Reset": "Herstellen",
+ "Edit Metadata": "Metadata bewerken",
+ "Locked": "Vergrendeld",
+ "Select Metadata Source": "Selecteer metadata bron",
+ "Keep manual input": "Handmatige invoer behouden",
+ "Google Books": "Google Books",
+ "Open Library": "Open Library",
+ "Fiction, Science, History": "Fictie, Wetenschap, Geschiedenis",
+ "Open Book in New Window": "Open boek in nieuw venster",
+ "Voices for {{lang}}": "Stemmen voor {{lang}}",
+ "Yandex Translate": "Yandex Vertalen",
+ "YYYY or YYYY-MM-DD": "YYYY of YYYY-MM-DD",
+ "Restore Purchase": "Herstel aankoop",
+ "No purchases found to restore.": "Geen aankopen gevonden om te herstellen.",
+ "Failed to restore purchases.": "Herstellen van aankopen is mislukt.",
+ "Failed to manage subscription.": "Beheren van abonnement is mislukt.",
+ "Failed to load subscription plans.": "Laden van abonnement plannen is mislukt.",
+ "year": "jaar",
+ "Failed to create checkout session": "Kon de afreken sessie niet aanmaken",
+ "Storage": "Opslag",
+ "Terms of Service": "Gebruiksvoorwaarden",
+ "Privacy Policy": "Privacybeleid",
+ "Disable Double Click": "Dubbelklikken uitschakelen",
+ "TTS not supported for this document": "TTS niet ondersteund voor dit document",
+ "Reset Password": "Wachtwoord resetten",
+ "Show Reading Progress": "Leesvoortgang weergeven",
+ "Reading Progress Style": "Stijl van leesvoortgang",
+ "Page Number": "Pagina nummer",
+ "Percentage": "Percentage",
+ "Deleted local copy of the book: {{title}}": "Verwijderde lokale kopie van het boek: {{title}}",
+ "Failed to delete cloud backup of the book: {{title}}": "Verwijderen van cloudback-up van het boek is mislukt: {{title}}",
+ "Failed to delete local copy of the book: {{title}}": "Verwijderen van lokale kopie van het boek is mislukt: {{title}}",
+ "Are you sure to delete the local copy of the selected book?": "Weet je zeker dat je de lokale kopie van het geselecteerde boek wilt verwijderen?",
+ "Remove from Cloud & Device": "Verwijder uit Cloud & Apparaat",
+ "Remove from Cloud Only": "Verwijder alleen uit Cloud",
+ "Remove from Device Only": "Verwijder alleen uit Apparaat",
+ "Disconnected": "Verbroken",
+ "KOReader Sync Settings": "KOReader Sync-instellingen",
+ "Sync Strategy": "Synchronisatiestrategie",
+ "Ask on conflict": "Vraag bij conflict",
+ "Always use latest": "Altijd de nieuwste gebruiken",
+ "Send changes only": "Verzend alleen wijzigingen",
+ "Receive changes only": "Ontvang alleen wijzigingen",
+ "Checksum Method": "Checksum-methode",
+ "File Content (recommended)": "Bestandsinhoud (aanbevolen)",
+ "File Name": "Bestandsnaam",
+ "Device Name": "Apparaatnaam",
+ "Connect to your KOReader Sync server.": "Verbind met je KOReader Sync-server.",
+ "Server URL": "Server-URL",
+ "Username": "Gebruikersnaam",
+ "Your Username": "Je gebruikersnaam",
+ "Password": "Wachtwoord",
+ "Connect": "Verbinden",
+ "KOReader Sync": "KOReader Sync",
+ "Sync Conflict": "Synchronisatieconflict",
+ "Sync reading progress from \"{{deviceName}}\"?": "Leesvoortgang synchroniseren van \"{{deviceName}}\"?",
+ "another device": "een ander apparaat",
+ "Local Progress": "Lokale voortgang",
+ "Remote Progress": "Externe voortgang",
+ "Page {{page}} of {{total}} ({{percentage}}%)": "Pagina {{page}} van {{total}} ({{percentage}}%)",
+ "Current position": "Huidige positie",
+ "Approximately page {{page}} of {{total}} ({{percentage}}%)": "Ongeveer pagina {{page}} van {{total}} ({{percentage}}%)",
+ "Approximately {{percentage}}%": "Ongeveer {{percentage}}%",
+ "Failed to connect": "Verbinding mislukt",
+ "Sync Server Connected": "Synchronisatie server verbonden",
+ "Sync as {{userDisplayName}}": "Synchroniseren als {{userDisplayName}}",
+ "Custom Fonts": "Aangepaste Lettertypen",
+ "Cancel Delete": "Verwijderen Annuleren",
+ "Import Font": "Lettertype Importeren",
+ "Delete Font": "Lettertype Verwijderen",
+ "Tips": "Tips",
+ "Custom fonts can be selected from the Font Face menu": "Aangepaste lettertypen kunnen worden geselecteerd vanuit het Lettertype menu",
+ "Manage Custom Fonts": "Aangepaste Lettertypen Beheren",
+ "Select Files": "Bestanden Selecteren",
+ "Select Image": "Afbeelding Selecteren",
+ "Select Video": "Video Selecteren",
+ "Select Audio": "Audio Selecteren",
+ "Select Fonts": "Lettertypen Selecteren",
+ "Supported font formats: .ttf, .otf, .woff, .woff2": "Ondersteunde lettertypeformaten: .ttf, .otf, .woff, .woff2",
+ "Push Progress": "Voortgang pushen",
+ "Pull Progress": "Voortgang pullen",
+ "Previous Paragraph": "Vorige alinea",
+ "Previous Sentence": "Vorige zin",
+ "Pause": "Pauzeren",
+ "Play": "Afspelen",
+ "Next Sentence": "Volgende zin",
+ "Next Paragraph": "Volgende alinea",
+ "Separate Cover Page": "Afzonderlijke omslagpagina",
+ "Resize Notebook": "Formaat Notitieblok Aanpassen",
+ "Resize Sidebar": "Formaat Zijbalk Aanpassen",
+ "Get Help from the Readest Community": "Hulp krijgen van de Readest Community",
+ "Remove cover image": "Omslagafbeelding verwijderen",
+ "Bookshelf": "Boekenkast",
+ "View Menu": "Menu bekijken",
+ "Settings Menu": "Instellingenmenu",
+ "View account details and quota": "Accountgegevens en quotum bekijken",
+ "Library Header": "Bibliotheekkop",
+ "Book Content": "Boekinhoud",
+ "Footer Bar": "Voettekstbalk",
+ "Header Bar": "Koptekstbalk",
+ "View Options": "Weergaveopties",
+ "Book Menu": "Boekmenu",
+ "Search Options": "Zoekopties",
+ "Close": "Sluiten",
+ "Delete Book Options": "Boekverwijderopties",
+ "ON": "AAN",
+ "OFF": "UIT",
+ "Reading Progress": "Leesvoortgang",
+ "Page Margin": "Pagina Marges",
+ "Remove Bookmark": "Bladwijzer Verwijderen",
+ "Add Bookmark": "Bladwijzer Toevoegen",
+ "Books Content": "Boekinhoud",
+ "Jump to Location": "Ga naar Locatie",
+ "Unpin Notebook": "Notitieblok Losmaken",
+ "Pin Notebook": "Notitieblok Vastmaken",
+ "Hide Search Bar": "Verberg Zoekbalk",
+ "Show Search Bar": "Toon Zoekbalk",
+ "On {{current}} of {{total}} page": "Op {{current}} van {{total}} pagina",
+ "Section Title": "Sectietitel",
+ "Decrease": "Verkleinen",
+ "Increase": "Vergroten",
+ "Settings Panels": "Instellingenpanelen",
+ "Settings": "Instellingen",
+ "Unpin Sidebar": "Zijbalk Losmaken",
+ "Pin Sidebar": "Zijbalk Vastmaken",
+ "Toggle Sidebar": "Zijbalk Wisselen",
+ "Toggle Translation": "Vertaling Wisselen",
+ "Translation Disabled": "Vertaling Uitgeschakeld",
+ "Minimize": "Minimaliseren",
+ "Maximize or Restore": "Maximaliseren of Herstellen",
+ "Exit Parallel Read": "Parallel Lezen Afsluiten",
+ "Enter Parallel Read": "Parallel Lezen Starten",
+ "Zoom Level": "Zoomniveau",
+ "Zoom Out": "Zoom Verkleinen",
+ "Reset Zoom": "Zoom Reset",
+ "Zoom In": "Zoom Vergroten",
+ "Zoom Mode": "Zoom Modus",
+ "Single Page": "Enkele Pagina",
+ "Auto Spread": "Automatische Verspreiding",
+ "Fit Page": "Pagina Aanpassen",
+ "Fit Width": "Breedte Aanpassen",
+ "Failed to select directory": "Selecteren van map is mislukt",
+ "The new data directory must be different from the current one.": "De nieuwe gegevensmap moet anders zijn dan de huidige.",
+ "Migration failed: {{error}}": "Migratie mislukt: {{error}}",
+ "Change Data Location": "Gegevenslocatie Wijzigen",
+ "Current Data Location": "Huidige Gegevenslocatie",
+ "Total size: {{size}}": "Totale grootte: {{size}}",
+ "Calculating file info...": "Bestandinformatie wordt berekend...",
+ "New Data Location": "Nieuwe Gegevenslocatie",
+ "Choose Different Folder": "Kies Een Andere Map",
+ "Choose New Folder": "Kies Nieuwe Map",
+ "Migrating data...": "Gegevens worden gemigreerd...",
+ "Copying: {{file}}": "Kopiëren: {{file}}",
+ "{{current}} of {{total}} files": "{{current}} van {{total}} bestanden",
+ "Migration completed successfully!": "Migratie succesvol voltooid!",
+ "Your data has been moved to the new location. Please restart the application to complete the process.": "Uw gegevens zijn naar de nieuwe locatie verplaatst. Start de applicatie opnieuw op om het proces te voltooien.",
+ "Migration failed": "Migratie mislukt",
+ "Important Notice": "Belangrijke Kennisgeving",
+ "This will move all your app data to the new location. Make sure the destination has enough free space.": "Dit zal al uw app-gegevens naar de nieuwe locatie verplaatsen. Zorg ervoor dat de bestemming voldoende vrije ruimte heeft.",
+ "Restart App": "Herstart App",
+ "Start Migration": "Start Migratie",
+ "Advanced Settings": "Geavanceerde Instellingen",
+ "File count: {{size}}": "Bestandsaantal: {{size}}",
+ "Background Read Aloud": "Achtergrond Voorlezen",
+ "Ready to read aloud": "Klaar om voor te lezen",
+ "Read Aloud": "Voorlezen",
+ "Screen Brightness": "Schermhelderheid",
+ "Background Image": "Achtergrondafbeelding",
+ "Import Image": "Afbeelding importeren",
+ "Opacity": "Doorzichtigheid",
+ "Size": "Grootte",
+ "Cover": "Omslag",
+ "Contain": "Bevatten",
+ "{{number}} pages left in chapter": "Nog {{number}} pagina’s in hoofdstuk",
+ "Device": "Apparaat",
+ "E-Ink Mode": "E-Ink Modus",
+ "Highlight Colors": "Markeerkleuren",
+ "Auto Screen Brightness": "Automatische Schermhelderheid",
+ "Pagination": "Paginering",
+ "Disable Double Tap": "Schakel Dubbel Tikken Uit",
+ "Tap to Paginate": "Tik om te Pagineren",
+ "Click to Paginate": "Klik om te Pagineren",
+ "Tap Both Sides": "Tik op Beide Zijden",
+ "Click Both Sides": "Klik op Beide Zijden",
+ "Swap Tap Sides": "Wissel Tap Zijden",
+ "Swap Click Sides": "Wissel Klik Zijden",
+ "Source and Translated": "Bron en Vertaling",
+ "Translated Only": "Alleen Vertaling",
+ "Source Only": "Alleen Bron",
+ "TTS Text": "TTS Tekst",
+ "The book file is corrupted": "Het boekbestand is beschadigd",
+ "The book file is empty": "Het boekbestand is leeg",
+ "Failed to open the book file": "Het openen van het boekbestand is mislukt",
+ "On-Demand Purchase": "On-Demand Aankoop",
+ "Full Customization": "Volledige Aanpassing",
+ "Lifetime Plan": "Levenslange Abonnement",
+ "One-Time Payment": "Eenmalige Betaling",
+ "Make a single payment to enjoy lifetime access to specific features on all devices. Purchase specific features or services only when you need them.": "Doe een eenmalige betaling om levenslange toegang te krijgen tot specifieke functies op alle apparaten. Koop specifieke functies of diensten alleen wanneer je ze nodig hebt.",
+ "Expand Cloud Sync Storage": "Cloud Sync Opslag Uitbreiden",
+ "Expand your cloud storage forever with a one-time purchase. Each additional purchase adds more space.": "Breid je cloudopslag voor altijd uit met een eenmalige aankoop. Elke extra aankoop voegt meer ruimte toe.",
+ "Unlock All Customization Options": "Ontgrendel Alle Aanpassingsopties",
+ "Unlock additional themes, fonts, layout options and read aloud, translators, cloud storage services.": "Ontgrendel extra thema's, lettertypen, lay-outopties en voorlezen, vertalers, cloudopslagdiensten.",
+ "Purchase Successful!": "Aankoop Succesvol!",
+ "lifetime": "levenslang",
+ "Thank you for your purchase! Your payment has been processed successfully.": "Bedankt voor je aankoop! Je betaling is succesvol verwerkt.",
+ "Order ID:": "Bestel-ID:",
+ "TTS Highlighting": "TTS-markering",
+ "Style": "Stijl",
+ "Underline": "Onderstrepen",
+ "Strikethrough": "Doorhalen",
+ "Squiggly": "Kronkelig",
+ "Outline": "Omtrek",
+ "Save Current Color": "Huidige kleur opslaan",
+ "Quick Colors": "Snelle kleuren",
+ "Highlighter": "Marker",
+ "Save Book Cover": "Opslaan boekomslag",
+ "Auto-save last book cover": "Automatisch opslaan laatste boekomslag",
+ "Back": "Terug",
+ "Confirmation email sent! Please check your old and new email addresses to confirm the change.": "Bevestigingsmail verzonden! Controleer je oude en nieuwe e-mailadres om de wijziging te bevestigen.",
+ "Failed to update email": "E-mail bijwerken mislukt",
+ "New Email": "Nieuw e-mailadres",
+ "Your new email": "Je nieuwe e-mailadres",
+ "Updating email ...": "E-mail wordt bijgewerkt...",
+ "Update email": "E-mail bijwerken",
+ "Current email": "Huidig e-mailadres",
+ "Update Email": "E-mail bijwerken",
+ "All": "Alles",
+ "Unable to open book": "Kan boek niet openen",
+ "Punctuation": "Interpunctie",
+ "Replace Quotation Marks": "Aanhalingstekens vervangen",
+ "Enabled only in vertical layout.": "Alleen ingeschakeld in verticale lay-out.",
+ "No Conversion": "Geen conversie",
+ "Simplified to Traditional": "Vereenvoudigd → Traditioneel",
+ "Traditional to Simplified": "Traditioneel → Vereenvoudigd",
+ "Simplified to Traditional (Taiwan)": "Vereenvoudigd → Traditioneel (Taiwan)",
+ "Simplified to Traditional (Hong Kong)": "Vereenvoudigd → Traditioneel (Hong Kong)",
+ "Simplified to Traditional (Taiwan), with phrases": "Vereenvoudigd → Traditioneel (Taiwan • zinnen)",
+ "Traditional (Taiwan) to Simplified": "Traditioneel (Taiwan) → Vereenvoudigd",
+ "Traditional (Hong Kong) to Simplified": "Traditioneel (Hong Kong) → Vereenvoudigd",
+ "Traditional (Taiwan) to Simplified, with phrases": "Traditioneel (Taiwan • zinnen) → Vereenvoudigd",
+ "Convert Simplified and Traditional Chinese": "Converteer Vereenvoudigd/Traditioneel Chinees",
+ "Convert Mode": "Conversiemodus",
+ "Failed to auto-save book cover for lock screen: {{error}}": "Automatisch opslaan van boekomslag voor vergrendelscherm mislukt: {{error}}",
+ "Download from Cloud": "Downloaden van Cloud",
+ "Upload to Cloud": "Uploaden naar Cloud",
+ "Clear Custom Fonts": "Aangepaste Lettertypen Wissen",
+ "Columns": "Kolommen",
+ "OPDS Catalogs": "OPDS-catalogi",
+ "Adding LAN addresses is not supported in the web app version.": "Het toevoegen van LAN-adressen wordt niet ondersteund in de webversie.",
+ "Invalid OPDS catalog. Please check the URL.": "Ongeldige OPDS-catalogus. Controleer de URL.",
+ "Browse and download books from online catalogs": "Blader door en download boeken uit online catalogi",
+ "My Catalogs": "Mijn catalogi",
+ "Add Catalog": "Catalogus toevoegen",
+ "No catalogs yet": "Nog geen catalogi",
+ "Add your first OPDS catalog to start browsing books": "Voeg je eerste OPDS-catalogus toe om boeken te bekijken",
+ "Add Your First Catalog": "Voeg je eerste catalogus toe",
+ "Browse": "Bladeren",
+ "Popular Catalogs": "Populaire catalogi",
+ "Add": "Toevoegen",
+ "Add OPDS Catalog": "OPDS-catalogus toevoegen",
+ "Catalog Name": "Catalogusnaam",
+ "My Calibre Library": "Mijn Calibre-bibliotheek",
+ "OPDS URL": "OPDS-URL",
+ "Username (optional)": "Gebruikersnaam (optioneel)",
+ "Password (optional)": "Wachtwoord (optioneel)",
+ "Description (optional)": "Beschrijving (optioneel)",
+ "A brief description of this catalog": "Een korte beschrijving van deze catalogus",
+ "Validating...": "Valideren...",
+ "View All": "Alles bekijken",
+ "Forward": "Verder",
+ "Home": "Startpagina",
+ "{{count}} items_one": "{{count}} item",
+ "{{count}} items_other": "{{count}} items",
+ "Download completed": "Download voltooid",
+ "Download failed": "Download mislukt",
+ "Open Access": "Open toegang",
+ "Borrow": "Lenen",
+ "Buy": "Kopen",
+ "Subscribe": "Abonneren",
+ "Sample": "Voorbeeld",
+ "Download": "Downloaden",
+ "Open & Read": "Openen & Lezen",
+ "Tags": "Tags",
+ "Tag": "Tag",
+ "First": "Eerste",
+ "Previous": "Vorige",
+ "Next": "Volgende",
+ "Last": "Laatste",
+ "Cannot Load Page": "Pagina kan niet worden geladen",
+ "An error occurred": "Er is een fout opgetreden",
+ "Online Library": "Online Bibliotheek",
+ "URL must start with http:// or https://": "URL moet beginnen met http:// of https://",
+ "Title, Author, Tag, etc...": "Titel, Auteur, Tag, enzovoort...",
+ "Query": "Zoekopdracht",
+ "Subject": "Onderwerp",
+ "Enter {{terms}}": "Voer {{terms}} in",
+ "No search results found": "Geen zoekresultaten gevonden",
+ "Failed to load OPDS feed: {{status}} {{statusText}}": "Het laden van de OPDS-feed is mislukt: {{status}} {{statusText}}",
+ "Search in {{title}}": "Zoeken in {{title}}",
+ "Manage Storage": "Opslag beheren",
+ "Failed to load files": "Bestanden laden mislukt",
+ "Deleted {{count}} file(s)_one": "{{count}} bestand verwijderd",
+ "Deleted {{count}} file(s)_other": "{{count}} bestanden verwijderd",
+ "Failed to delete {{count}} file(s)_one": "Kon {{count}} bestand niet verwijderen",
+ "Failed to delete {{count}} file(s)_other": "Kon {{count}} bestanden niet verwijderen",
+ "Failed to delete files": "Bestanden verwijderen mislukt",
+ "Total Files": "Totaal aantal bestanden",
+ "Total Size": "Totale grootte",
+ "Quota": "Quota",
+ "Used": "Gebruikt",
+ "Files": "Bestanden",
+ "Search files...": "Bestanden zoeken...",
+ "Newest First": "Nieuwste eerst",
+ "Oldest First": "Oudste eerst",
+ "Largest First": "Grootste eerst",
+ "Smallest First": "Kleinste eerst",
+ "Name A-Z": "Naam A-Z",
+ "Name Z-A": "Naam Z-A",
+ "{{count}} selected_one": "{{count}} geselecteerd",
+ "{{count}} selected_other": "{{count}} geselecteerd",
+ "Delete Selected": "Verwijder geselecteerde",
+ "Created": "Gemaakt",
+ "No files found": "Geen bestanden gevonden",
+ "No files uploaded yet": "Nog geen bestanden geüpload",
+ "files": "bestanden",
+ "Page {{current}} of {{total}}": "Pagina {{current}} van {{total}}",
+ "Are you sure to delete {{count}} selected file(s)?_one": "Weet je zeker dat je {{count}} geselecteerd bestand wilt verwijderen?",
+ "Are you sure to delete {{count}} selected file(s)?_other": "Weet je zeker dat je {{count}} geselecteerde bestanden wilt verwijderen?",
+ "Cloud Storage Usage": "Cloudopslaggebruik",
+ "Rename Group": "Groep hernoemen",
+ "From Directory": "Vanuit map",
+ "Successfully imported {{count}} book(s)_one": "Succesvol 1 boek geïmporteerd",
+ "Successfully imported {{count}} book(s)_other": "Succesvol {{count}} boeken geïmporteerd",
+ "Count": "Aantal",
+ "Start Page": "Startpagina",
+ "Search in OPDS Catalog...": "Zoeken in OPDS-catalogus...",
+ "Please log in to use advanced TTS features": "Log in om geavanceerde TTS-functies te gebruiken",
+ "Word limit of 30 words exceeded.": "De limiet van 30 woorden is overschreden.",
+ "Proofread": "Correctie",
+ "Current selection": "Huidige selectie",
+ "All occurrences in this book": "Alle voorkomens in dit boek",
+ "All occurrences in your library": "Alle voorkomens in je bibliotheek",
+ "Selected text:": "Geselecteerde tekst:",
+ "Replace with:": "Vervangen door:",
+ "Enter text...": "Tekst invoeren…",
+ "Case sensitive:": "Hoofdlettergevoelig:",
+ "Scope:": "Bereik:",
+ "Selection": "Selectie",
+ "Library": "Bibliotheek",
+ "Yes": "Ja",
+ "No": "Nee",
+ "Proofread Replacement Rules": "Correctie-vervangingsregels",
+ "Selected Text Rules": "Regels voor geselecteerde tekst",
+ "No selected text replacement rules": "Geen vervangingsregels voor geselecteerde tekst",
+ "Book Specific Rules": "Boekspecifieke regels",
+ "No book-level replacement rules": "Geen vervangingsregels op boekniveau",
+ "Disable Quick Action": "Snelle actie uitschakelen",
+ "Enable Quick Action on Selection": "Snelle actie bij selectie inschakelen",
+ "None": "Geen",
+ "Annotation Tools": "Annotatiehulpmiddelen",
+ "Enable Quick Actions": "Snelle acties inschakelen",
+ "Quick Action": "Snelle actie",
+ "Copy to Notebook": "Kopiëren naar notitieboek",
+ "Copy text after selection": "Kopieer tekst na selectie",
+ "Highlight text after selection": "Markeer tekst na selectie",
+ "Annotate text after selection": "Annoteren tekst na selectie",
+ "Search text after selection": "Zoek tekst na selectie",
+ "Look up text in dictionary after selection": "Zoek tekst op in woordenboek na selectie",
+ "Look up text in Wikipedia after selection": "Zoek tekst op in Wikipedia na selectie",
+ "Translate text after selection": "Vertaal tekst na selectie",
+ "Read text aloud after selection": "Lees tekst hardop na selectie",
+ "Proofread text after selection": "Corrigeer tekst na selectie",
+ "{{activeCount}} active, {{pendingCount}} pending": "{{activeCount}} actief, {{pendingCount}} wachtend",
+ "{{failedCount}} failed": "{{failedCount}} mislukt",
+ "Waiting...": "Wachten...",
+ "Failed": "Mislukt",
+ "Completed": "Voltooid",
+ "Cancelled": "Geannuleerd",
+ "Retry": "Opnieuw proberen",
+ "Active": "Actief",
+ "Transfer Queue": "Overdrachtwachtrij",
+ "Upload All": "Alles uploaden",
+ "Download All": "Alles downloaden",
+ "Resume Transfers": "Overdrachten hervatten",
+ "Pause Transfers": "Overdrachten pauzeren",
+ "Pending": "Wachtend",
+ "No transfers": "Geen overdrachten",
+ "Retry All": "Alles opnieuw proberen",
+ "Clear Completed": "Voltooide wissen",
+ "Clear Failed": "Mislukte wissen",
+ "Upload queued: {{title}}": "Upload in wachtrij: {{title}}",
+ "Download queued: {{title}}": "Download in wachtrij: {{title}}",
+ "Book not found in library": "Boek niet gevonden in bibliotheek",
+ "Unknown error": "Onbekende fout",
+ "Please log in to continue": "Log in om door te gaan",
+ "Cloud File Transfers": "Cloud Bestandoverdrachten",
+ "Show Search Results": "Zoekresultaten tonen",
+ "Search results for '{{term}}'": "Resultaten voor '{{term}}'",
+ "Close Search": "Zoekopdracht sluiten",
+ "Previous Result": "Vorig resultaat",
+ "Next Result": "Volgend resultaat",
+ "Bookmarks": "Bladwijzers",
+ "Annotations": "Aantekeningen",
+ "Show Results": "Resultaten tonen",
+ "Clear search": "Zoekopdracht wissen",
+ "Clear search history": "Zoekgeschiedenis wissen",
+ "Tap to Toggle Footer": "Tik om voettekst te wisselen",
+ "Exported successfully": "Succesvol geëxporteerd",
+ "Book exported successfully.": "Boek succesvol geëxporteerd.",
+ "Failed to export the book.": "Exporteren van het boek mislukt.",
+ "Export Book": "Boek exporteren",
+ "Whole word:": "Heel woord:",
+ "Error": "Fout",
+ "Unable to load the article. Try searching directly on {{link}}.": "Kan het artikel niet laden. Probeer direct te zoeken op {{link}}.",
+ "Unable to load the word. Try searching directly on {{link}}.": "Kan het woord niet laden. Probeer direct te zoeken op {{link}}.",
+ "Date Published": "Publicatiedatum",
+ "Only for TTS:": "Alleen voor TTS:",
+ "Uploaded": "Geüpload",
+ "Downloaded": "Gedownload",
+ "Deleted": "Verwijderd",
+ "Note:": "Notitie:",
+ "Time:": "Tijd:",
+ "Format Options": "Formaatopties",
+ "Export Date": "Exportdatum",
+ "Chapter Titles": "Hoofdstuktitels",
+ "Chapter Separator": "Hoofdstukscheiding",
+ "Highlights": "Markeringen",
+ "Note Date": "Notitiedatum",
+ "Advanced": "Geavanceerd",
+ "Hide": "Verbergen",
+ "Show": "Tonen",
+ "Use Custom Template": "Aangepast sjabloon gebruiken",
+ "Export Template": "Exportsjabloon",
+ "Template Syntax:": "Sjabloonsyntaxis:",
+ "Insert value": "Waarde invoegen",
+ "Format date (locale)": "Datum opmaken (lokaal)",
+ "Format date (custom)": "Datum opmaken (aangepast)",
+ "Conditional": "Voorwaardelijk",
+ "Loop": "Lus",
+ "Available Variables:": "Beschikbare variabelen:",
+ "Book title": "Boektitel",
+ "Book author": "Boekauteur",
+ "Export date": "Exportdatum",
+ "Array of chapters": "Reeks hoofdstukken",
+ "Chapter title": "Hoofdstuktitel",
+ "Array of annotations": "Reeks annotaties",
+ "Highlighted text": "Gemarkeerde tekst",
+ "Annotation note": "Annotatienotitie",
+ "Date Format Tokens:": "Datumformaattokens:",
+ "Year (4 digits)": "Jaar (4 cijfers)",
+ "Month (01-12)": "Maand (01-12)",
+ "Day (01-31)": "Dag (01-31)",
+ "Hour (00-23)": "Uur (00-23)",
+ "Minute (00-59)": "Minuut (00-59)",
+ "Second (00-59)": "Seconde (00-59)",
+ "Show Source": "Bron tonen",
+ "No content to preview": "Geen inhoud om te bekijken",
+ "Export": "Exporteren",
+ "Set Timeout": "Time-out instellen",
+ "Select Voice": "Stem selecteren",
+ "Toggle Sticky Bottom TTS Bar": "Vaste TTS-balk schakelen",
+ "Display what I'm reading on Discord": "Toon wat ik lees op Discord",
+ "Show on Discord": "Toon op Discord",
+ "Instant {{action}}": "Directe {{action}}",
+ "Instant {{action}} Disabled": "Directe {{action}} uitgeschakeld",
+ "Annotation": "Annotatie",
+ "Reset Template": "Sjabloon resetten",
+ "Annotation style": "Annotatiestijl",
+ "Annotation color": "Annotatiekleur",
+ "Annotation time": "Annotatietijd",
+ "AI": "AI",
+ "Are you sure you want to re-index this book?": "Weet u zeker dat u dit boek opnieuw wilt indexeren?",
+ "Enable AI in Settings": "AI inschakelen in Instellingen",
+ "Index This Book": "Dit boek indexeren",
+ "Enable AI search and chat for this book": "AI-zoeken en chat voor dit boek inschakelen",
+ "Start Indexing": "Indexeren starten",
+ "Indexing book...": "Boek wordt geïndexeerd...",
+ "Preparing...": "Voorbereiden...",
+ "Delete this conversation?": "Dit gesprek verwijderen?",
+ "No conversations yet": "Nog geen gesprekken",
+ "Start a new chat to ask questions about this book": "Start een nieuwe chat om vragen te stellen over dit boek",
+ "Rename": "Hernoemen",
+ "New Chat": "Nieuwe chat",
+ "Chat": "Chat",
+ "Please enter a model ID": "Voer een model-ID in",
+ "Model not available or invalid": "Model niet beschikbaar of ongeldig",
+ "Failed to validate model": "Model valideren mislukt",
+ "Couldn't connect to Ollama. Is it running?": "Kon geen verbinding maken met Ollama. Is het actief?",
+ "Invalid API key or connection failed": "Ongeldige API-sleutel of verbinding mislukt",
+ "Connection failed": "Verbinding mislukt",
+ "AI Assistant": "AI-assistent",
+ "Enable AI Assistant": "AI-assistent inschakelen",
+ "Provider": "Provider",
+ "Ollama (Local)": "Ollama (Lokaal)",
+ "AI Gateway (Cloud)": "AI-gateway (Cloud)",
+ "Ollama Configuration": "Ollama-configuratie",
+ "Refresh Models": "Modellen vernieuwen",
+ "AI Model": "AI-model",
+ "No models detected": "Geen modellen gedetecteerd",
+ "AI Gateway Configuration": "AI-gateway configuratie",
+ "Choose from a selection of high-quality, economical AI models. You can also bring your own model by selecting \"Custom Model\" below.": "Kies uit een selectie van hoogwaardige, voordelige AI-modellen. U kunt ook uw eigen model gebruiken door hieronder \"Aangepast model\" te selecteren.",
+ "API Key": "API-sleutel",
+ "Get Key": "Sleutel ophalen",
+ "Model": "Model",
+ "Custom Model...": "Aangepast model...",
+ "Custom Model ID": "Aangepast model-ID",
+ "Validate": "Valideren",
+ "Model available": "Model beschikbaar",
+ "Connection": "Verbinding",
+ "Test Connection": "Verbinding testen",
+ "Connected": "Verbonden",
+ "Custom Colors": "Aangepaste kleuren",
+ "Color E-Ink Mode": "Kleur E-Ink modus",
+ "Reading Ruler": "Leesliniaal",
+ "Enable Reading Ruler": "Leesliniaal inschakelen",
+ "Lines to Highlight": "Regels om te markeren",
+ "Ruler Color": "Kleur van liniaal",
+ "Command Palette": "Opdrachtenpalet",
+ "Search settings and actions...": "Zoek instellingen en acties...",
+ "No results found for": "Geen resultaten gevonden voor",
+ "Type to search settings and actions": "Typ om instellingen en acties te zoeken",
+ "Recent": "Recent",
+ "navigate": "navigeren",
+ "select": "selecteren",
+ "close": "sluiten",
+ "Search Settings": "Instellingen zoeken",
+ "Page Margins": "Paginamarges",
+ "AI Provider": "AI-provider",
+ "Ollama URL": "Ollama-URL",
+ "Ollama Model": "Ollama-model",
+ "AI Gateway Model": "AI Gateway-model",
+ "Actions": "Acties",
+ "Navigation": "Navigatie",
+ "Set status for {{count}} book(s)_one": "Stel status in voor {{count}} boek",
+ "Set status for {{count}} book(s)_other": "Stel status in voor {{count}} boeken",
+ "Mark as Unread": "Markeren als ongelezen",
+ "Mark as Finished": "Markeren als voltooid",
+ "Finished": "Voltooid",
+ "Unread": "Ongelezen",
+ "Clear Status": "Status wissen",
+ "Status": "Status",
+ "Loading": "Laden...",
+ "Exit Paragraph Mode": "Alineamodus verlaten",
+ "Paragraph Mode": "Alineamodus",
+ "Embedding Model": "Insluitmodel",
+ "{{count}} book(s) synced_one": "{{count}} boek gesynchroniseerd",
+ "{{count}} book(s) synced_other": "{{count}} boeken gesynchroniseerd",
+ "Unable to start RSVP": "Kan RSVP niet starten",
+ "RSVP not supported for PDF": "RSVP niet ondersteund voor PDF",
+ "Select Chapter": "Hoofdstuk selecteren",
+ "Context": "Context",
+ "Ready": "Klaar",
+ "Chapter Progress": "Hoofdstukvoortgang",
+ "words": "woorden",
+ "{{time}} left": "{{time}} over",
+ "Reading progress": "Leesvoortgang",
+ "Click to seek": "Klik om te zoeken",
+ "Skip back 15 words": "15 woorden terug",
+ "Back 15 words (Shift+Left)": "15 woorden terug (Shift+Links)",
+ "Pause (Space)": "Pauze (Spatie)",
+ "Play (Space)": "Afspelen (Spatie)",
+ "Skip forward 15 words": "15 woorden vooruit",
+ "Forward 15 words (Shift+Right)": "15 woorden vooruit (Shift+Rechts)",
+ "Pause:": "Pauze:",
+ "Decrease speed": "Snelheid verlagen",
+ "Slower (Left/Down)": "Langzamer (Links/Omlaag)",
+ "Current speed": "Huidige snelheid",
+ "Increase speed": "Snelheid verhogen",
+ "Faster (Right/Up)": "Sneller (Rechts/Omhoog)",
+ "Start RSVP Reading": "Start RSVP-lezen",
+ "Choose where to start reading": "Kies waar u wilt beginnen met lezen",
+ "From Chapter Start": "Vanaf begin hoofdstuk",
+ "Start reading from the beginning of the chapter": "Begin met lezen aan het begin van het hoofdstuk",
+ "Resume": "Hervatten",
+ "Continue from where you left off": "Ga verder waar u was gebleven",
+ "From Current Page": "Vanaf huidige pagina",
+ "Start from where you are currently reading": "Begin waar u momenteel leest",
+ "From Selection": "Vanaf selectie",
+ "Speed Reading Mode": "Snelle leesmodus",
+ "Scroll left": "Naar links scrollen",
+ "Scroll right": "Naar rechts scrollen",
+ "Library Sync Progress": "Voortgang bibliotheeksynchronisatie",
+ "Back to library": "Terug naar bibliotheek",
+ "Group by...": "Groeperen op...",
+ "Export as Plain Text": "Exporteren als platte tekst",
+ "Export as Markdown": "Exporteren als Markdown",
+ "Show Page Navigation Buttons": "Navigatieknoppen",
+ "Page {{number}}": "Pagina {{number}}",
+ "highlight": "markering",
+ "underline": "onderstreping",
+ "squiggly": "gegolfd",
+ "red": "rood",
+ "violet": "paars",
+ "blue": "blauw",
+ "green": "groen",
+ "yellow": "geel",
+ "Select {{style}} style": "Selecteer {{style}} stijl",
+ "Select {{color}} color": "Selecteer {{color}} kleur",
+ "Close Book": "Boek sluiten",
+ "Speed Reading": "Snel lezen",
+ "Close Speed Reading": "Snel lezen sluiten",
+ "Authors": "Auteurs",
+ "Books": "Boeken",
+ "Groups": "Groepen",
+ "Back to TTS Location": "Terug naar TTS-locatie",
+ "Metadata": "Metadata",
+ "Image viewer": "Afbeeldingenviewer",
+ "Previous Image": "Vorige afbeelding",
+ "Next Image": "Volgende afbeelding",
+ "Zoomed": "Gezoomd",
+ "Zoom level": "Zoomniveau",
+ "Table viewer": "Tabelviewer",
+ "Unable to connect to Readwise. Please check your network connection.": "Kan geen verbinding maken met Readwise. Controleer uw netwerkverbinding.",
+ "Invalid Readwise access token": "Ongeldige Readwise-toegangstoken",
+ "Disconnected from Readwise": "Verbinding met Readwise verbroken",
+ "Never": "Nooit",
+ "Readwise Settings": "Readwise-instellingen",
+ "Connected to Readwise": "Verbonden met Readwise",
+ "Last synced: {{time}}": "Laatst gesynchroniseerd: {{time}}",
+ "Sync Enabled": "Synchronisatie ingeschakeld",
+ "Disconnect": "Verbinding verbreken",
+ "Connect your Readwise account to sync highlights.": "Verbind uw Readwise-account om markeringen te synchroniseren.",
+ "Get your access token at": "Verkrijg uw toegangstoken op",
+ "Access Token": "Toegangstoken",
+ "Paste your Readwise access token": "Plak uw Readwise-toegangstoken",
+ "Config": "Configuratie",
+ "Readwise Sync": "Readwise-synchronisatie",
+ "Push Highlights": "Markeringen verzenden",
+ "Highlights synced to Readwise": "Markeringen gesynchroniseerd met Readwise",
+ "Readwise sync failed: no internet connection": "Readwise-synchronisatie mislukt: geen internetverbinding",
+ "Readwise sync failed: {{error}}": "Readwise-synchronisatie mislukt: {{error}}"
+}
diff --git a/apps/readest-app/public/locales/pl/translation.json b/apps/readest-app/public/locales/pl/translation.json
new file mode 100644
index 0000000000000000000000000000000000000000..038dce30a0d4486555874b77174729393202c2de
--- /dev/null
+++ b/apps/readest-app/public/locales/pl/translation.json
@@ -0,0 +1,1084 @@
+{
+ "(detected)": "(wykryto)",
+ "About Readest": "O Readest",
+ "Add your notes here...": "Dodaj swoje notatki tutaj...",
+ "Animation": "Animacja",
+ "Annotate": "Adnotacja",
+ "Apply": "Zastosuj",
+ "Auto Mode": "Tryb automatyczny",
+ "Behavior": "Zachowanie",
+ "Book": "Książka",
+ "Bookmark": "Zakładka",
+ "Cancel": "Anuluj",
+ "Chapter": "Rozdział",
+ "Cherry": "Wiśniowy",
+ "Color": "Kolor",
+ "Confirm": "Potwierdź",
+ "Confirm Deletion": "Potwierdź usunięcie",
+ "Copied to notebook": "Skopiowano do notatnika",
+ "Copy": "Kopiuj",
+ "Dark Mode": "Tryb ciemny",
+ "Default": "Domyślne",
+ "Default Font": "Domyślna czcionka",
+ "Default Font Size": "Domyślny rozmiar czcionki",
+ "Delete": "Usuń",
+ "Delete Highlight": "Usuń zaznaczenie",
+ "Dictionary": "Słownik",
+ "Download Readest": "Pobierz Readest",
+ "Edit": "Edytuj",
+ "Excerpts": "Fragmenty",
+ "Failed to import book(s): {{filenames}}": "Nie udało się zaimportować książek: {{filenames}}",
+ "Fast": "Szybko",
+ "Font": "Czcionka",
+ "Font & Layout": "Czcionka i układ",
+ "Font Face": "Krój czcionki",
+ "Font Family": "Rodzina czcionek",
+ "Font Size": "Rozmiar czcionki",
+ "Full Justification": "Pełne justowanie",
+ "Global Settings": "Ustawienia globalne",
+ "Go Back": "Wstecz",
+ "Go Forward": "Dalej",
+ "Grass": "Trawiasty",
+ "Gray": "Szary",
+ "Gruvbox": "Ciepły pomarańczowy",
+ "Highlight": "Zaznacz",
+ "Horizontal Direction": "Kierunek poziomy",
+ "Hyphenation": "Dzielenie wyrazów",
+ "Import Books": "Importuj książki",
+ "Layout": "Układ",
+ "Light Mode": "Tryb jasny",
+ "Loading...": "Ładowanie...",
+ "Logged in": "Zalogowano",
+ "Logged in as {{userDisplayName}}": "Zalogowano jako {{userDisplayName}}",
+ "Match Case": "Uwzględnij wielkość liter",
+ "Match Diacritics": "Uwzględnij znaki diakrytyczne",
+ "Match Whole Words": "Uwzględnij całe słowa",
+ "Maximum Number of Columns": "Maksymalna liczba kolumn",
+ "Minimum Font Size": "Minimalny rozmiar czcionki",
+ "Monospace Font": "Czcionka o stałej szerokości",
+ "More Info": "Więcej informacji",
+ "Nord": "Północny",
+ "Notebook": "Notatnik",
+ "Notes": "Notatki",
+ "Open": "Otwórz",
+ "Original Text": "Tekst oryginalny",
+ "Page": "Strona",
+ "Paging Animation": "Animacja przewracania stron",
+ "Paragraph": "Akapit",
+ "Parallel Read": "Czytanie równoległe",
+ "Published": "Opublikowano",
+ "Publisher": "Wydawca",
+ "Reading Progress Synced": "Zsynchronizowano postęp czytania",
+ "Reload Page": "Odśwież stronę",
+ "Reveal in File Explorer": "Pokaż w Eksploratorze plików",
+ "Reveal in Finder": "Pokaż w Finderze",
+ "Reveal in Folder": "Pokaż w folderze",
+ "Sans-Serif Font": "Czcionka bezszeryfowa",
+ "Save": "Zapisz",
+ "Scrolled Mode": "Tryb przewijania",
+ "Search": "Szukaj",
+ "Search Books...": "Szukaj książek...",
+ "Search...": "Szukaj...",
+ "Select Book": "Wybierz książkę",
+ "Select Books": "Wybierz książki",
+ "Sepia": "Sepia",
+ "Serif Font": "Czcionka szeryfowa",
+ "Show Book Details": "Pokaż szczegóły książki",
+ "Sidebar": "Panel boczny",
+ "Sign In": "Zaloguj się",
+ "Sign Out": "Wyloguj się",
+ "Sky": "Niebieski",
+ "Slow": "Wolno",
+ "Solarized": "Słoneczny",
+ "Speak": "Czytaj",
+ "Subjects": "Tematy",
+ "System Fonts": "Czcionki systemowe",
+ "Theme Color": "Kolor motywu",
+ "Theme Mode": "Tryb motywu",
+ "Translate": "Tłumacz",
+ "Translated Text": "Przetłumaczony tekst",
+ "Unknown": "Nieznane",
+ "Untitled": "Bez tytułu",
+ "Updated": "Zaktualizowano",
+ "Version {{version}}": "Wersja {{version}}",
+ "Vertical Direction": "Kierunek pionowy",
+ "Welcome to your library. You can import your books here and read them anytime.": "Witaj w swojej bibliotece. Możesz tutaj zaimportować swoje książki i czytać je w dowolnym momencie.",
+ "Wikipedia": "Wikipedia",
+ "Writing Mode": "Tryb pisania",
+ "Your Library": "Twoja biblioteka",
+ "TTS not supported for PDF": "TTS nie jest obsługiwane dla plików PDF",
+ "Override Book Font": "Nadpisz czcionkę książki",
+ "Apply to All Books": "Zastosuj do wszystkich książek",
+ "Apply to This Book": "Zastosuj do tej książki",
+ "Unable to fetch the translation. Try again later.": "Nie udało się pobrać tłumaczenia. Spróbuj ponownie później.",
+ "Check Update": "Sprawdź aktualizację",
+ "Already the latest version": "Już najnowsza wersja",
+ "Book Details": "Szczegóły książki",
+ "From Local File": "Z pliku lokalnego",
+ "TOC": "Spis treści",
+ "Table of Contents": "Spis treści",
+ "Book uploaded: {{title}}": "Książka przesłana: {{title}}",
+ "Failed to upload book: {{title}}": "Nie udało się przesłać książki: {{title}}",
+ "Book downloaded: {{title}}": "Książka pobrana: {{title}}",
+ "Failed to download book: {{title}}": "Nie udało się pobrać książki: {{title}}",
+ "Upload Book": "Prześlij książkę",
+ "Auto Upload Books to Cloud": "Automatycznie przesyłaj książki do chmury",
+ "Book deleted: {{title}}": "Książka usunięta: {{title}}",
+ "Failed to delete book: {{title}}": "Nie udało się usunąć książki: {{title}}",
+ "Check Updates on Start": "Sprawdź aktualizacje przy starcie",
+ "Insufficient storage quota": "Niewystarczająca kwota przechowywania",
+ "Font Weight": "Grubość czcionki",
+ "Line Spacing": "Interlinia",
+ "Word Spacing": "Odstęp między wyrazami",
+ "Letter Spacing": "Odstęp między literami",
+ "Text Indent": "Wcięcie tekstu",
+ "Paragraph Margin": "Margines akapitu",
+ "Override Book Layout": "Nadpisz układ książki",
+ "Untitled Group": "Grupa bez tytułu",
+ "Group Books": "Grupuj książki",
+ "Remove From Group": "Usuń z grupy",
+ "Create New Group": "Utwórz nową grupę",
+ "Deselect Book": "Odznacz książkę",
+ "Download Book": "Pobierz książkę",
+ "Deselect Group": "Odznacz grupę",
+ "Select Group": "Wybierz grupę",
+ "Keep Screen Awake": "Nie wygaszaj ekranu",
+ "Email address": "Adres email",
+ "Your Password": "Twoje hasło",
+ "Your email address": "Twój adres email",
+ "Your password": "Twoje hasło",
+ "Sign in": "Zaloguj się",
+ "Signing in...": "Logowanie...",
+ "Sign in with {{provider}}": "Zaloguj się za pomocą {{provider}}",
+ "Already have an account? Sign in": "Masz już konto? Zaloguj się",
+ "Create a Password": "Utwórz hasło",
+ "Sign up": "Zarejestruj się",
+ "Signing up...": "Rejestracja...",
+ "Don't have an account? Sign up": "Nie masz konta? Zarejestruj się",
+ "Check your email for the confirmation link": "Sprawdź swój email, aby uzyskać link potwierdzający",
+ "Signing in ...": "Logowanie ...",
+ "Send a magic link email": "Wyślij link magiczny na email",
+ "Check your email for the magic link": "Sprawdź swój email, aby uzyskać link magiczny",
+ "Send reset password instructions": "Wyślij instrukcje resetowania hasła",
+ "Sending reset instructions ...": "Wysyłanie instrukcji resetowania hasła ...",
+ "Forgot your password?": "Zapomniałeś hasła?",
+ "Check your email for the password reset link": "Sprawdź swój email, aby uzyskać link resetujący hasło",
+ "New Password": "Nowe hasło",
+ "Your new password": "Twoje nowe hasło",
+ "Update password": "Zaktualizuj hasło",
+ "Updating password ...": "Aktualizacja hasła ...",
+ "Your password has been updated": "Twoje hasło zostało zaktualizowane",
+ "Phone number": "Numer telefonu",
+ "Your phone number": "Twój numer telefonu",
+ "Token": "Token",
+ "Your OTP token": "Twój OTP token",
+ "Verify token": "Weryfikacja tokena",
+ "Account": "Konto",
+ "Failed to delete user. Please try again later.": "Nie udało się usunąć użytkownika. Spróbuj ponownie później.",
+ "Community Support": "Wsparcie społeczności",
+ "Priority Support": "Priorytetowe wsparcie",
+ "Loading profile...": "Ładowanie profilu...",
+ "Delete Account": "Usuń konto",
+ "Delete Your Account?": "Usunąć Twoje konto?",
+ "This action cannot be undone. All your data in the cloud will be permanently deleted.": "Tej operacji nie można cofnąć. Wszystkie Twoje dane w chmurze zostaną trwale usunięte.",
+ "Delete Permanently": "Usuń trwale",
+ "RTL Direction": "Kierunek RTL",
+ "Maximum Column Height": "Maksymalna wysokość kolumny",
+ "Maximum Column Width": "Maksymalna szerokość kolumny",
+ "Continuous Scroll": "Przewijanie ciągłe",
+ "Fullscreen": "Pełny ekran",
+ "No supported files found. Supported formats: {{formats}}": "Nie znaleziono obsługiwanych plików. Obsługiwane formaty: {{formats}}",
+ "Drop to Import Books": "Upuść, aby zaimportować książki",
+ "Custom": "Niestandardowy",
+ "All the world's a stage,\nAnd all the men and women merely players;\nThey have their exits and their entrances,\nAnd one man in his time plays many parts,\nHis acts being seven ages.\n\n— William Shakespeare": "Cały świat jest sceną,\nA wszyscy mężczyźni i kobiety są tylko aktorami;\nMają swoje wyjścia i wejścia,\nI jeden człowiek w swoim czasie gra wiele ról,\nJego czyny to siedem wieków.\n\n— William Shakespeare",
+ "Custom Theme": "Niestandardowy motyw",
+ "Theme Name": "Nazwa motywu",
+ "Text Color": "Kolor tekstu",
+ "Background Color": "Kolor tła",
+ "Preview": "Podgląd",
+ "Contrast": "Kontrast",
+ "Sunset": "Zachód słońca",
+ "Double Border": "Podwójna ramka",
+ "Border Color": "Kolor ramki",
+ "Border Frame": "Ramka",
+ "Show Header": "Pokaż nagłówek",
+ "Show Footer": "Pokaż stopkę",
+ "Small": "Mały",
+ "Large": "Duży",
+ "Auto": "Automatyczny",
+ "Language": "Język",
+ "No annotations to export": "Brak adnotacji do eksportu",
+ "Author": "Autor",
+ "Exported from Readest": "Eksportowane z Readest",
+ "Highlights & Annotations": "Zaznaczenia i adnotacje",
+ "Note": "Notatka",
+ "Copied to clipboard": "Skopiowano do schowka",
+ "Export Annotations": "Eksportuj adnotacje",
+ "Auto Import on File Open": "Automatyczne importowanie przy otwieraniu pliku",
+ "LXGW WenKai GB Screen": "LXGW WenKai SC",
+ "LXGW WenKai TC": "LXGW WenKai TC",
+ "No chapters detected": "Nie wykryto rozdziałów",
+ "Failed to parse the EPUB file": "Nie udało się przeanalizować pliku EPUB",
+ "This book format is not supported": "Ten format książki nie jest obsługiwany",
+ "Unable to fetch the translation. Please log in first and try again.": "Nie można pobrać tłumaczenia. Proszę najpierw się zalogować i spróbować ponownie.",
+ "Group": "Grupa",
+ "Always on Top": "Zawsze na wierzchu",
+ "No Timeout": "Brak limitu czasu",
+ "{{value}} minute": "{{value}} minuta",
+ "{{value}} minutes": "{{value}} minut",
+ "{{value}} hour": "{{value}} godzina",
+ "{{value}} hours": "{{value}} godziny",
+ "CJK Font": "Czcionka CJK",
+ "Clear Search": "Wyczyść wyszukiwanie",
+ "Header & Footer": "Nagłówek i stopka",
+ "Apply also in Scrolled Mode": "Zastosuj również w trybie przewijania",
+ "A new version of Readest is available!": "Nowa wersja Readest jest dostępna!",
+ "Readest {{newVersion}} is available (installed version {{currentVersion}}).": "Readest {{newVersion}} jest dostępny (zainstalowana wersja {{currentVersion}}).",
+ "Download and install now?": "Pobierz i zainstaluj teraz?",
+ "Downloading {{downloaded}} of {{contentLength}}": "Pobieranie {{downloaded}} z {{contentLength}}",
+ "Download finished": "Pobieranie zakończone",
+ "DOWNLOAD & INSTALL": "POBIERZ I ZAINSTALUJ",
+ "Changelog": "Dziennik zmian",
+ "Software Update": "Aktualizacja oprogramowania",
+ "Title": "Tytuł",
+ "Date Read": "Data przeczytania",
+ "Date Added": "Data dodania",
+ "Format": "Format",
+ "Ascending": "Rosnąco",
+ "Descending": "Malejąco",
+ "Sort by...": "Sortuj według...",
+ "Added": "Data dodania",
+ "GuanKiapTsingKhai-T": "GuanKiapTsingKhai-T",
+ "Description": "Opis",
+ "No description available": "Brak opisu",
+ "List": "Lista",
+ "Grid": "Siatka",
+ "(from 'As You Like It', Act II)": "(z „Jak wam się podoba”, Akt II)",
+ "Link Color": "Kolor linku",
+ "Volume Keys for Page Flip": "Klucze głośności do przewracania stron",
+ "Screen": "Ekran",
+ "Orientation": "Orientacja",
+ "Portrait": "Portret",
+ "Landscape": "Krajobraz",
+ "Open Last Book on Start": "Otwórz ostatnią książkę przy starcie",
+ "Checking for updates...": "Sprawdzanie aktualizacji...",
+ "Error checking for updates": "Błąd podczas sprawdzania aktualizacji",
+ "Details": "Szczegóły",
+ "File Size": "Rozmiar pliku",
+ "Auto Detect": "Automatyczne wykrywanie",
+ "Next Section": "Następna sekcja",
+ "Previous Section": "Poprzednia sekcja",
+ "Next Page": "Następna strona",
+ "Previous Page": "Poprzednia strona",
+ "Are you sure to delete {{count}} selected book(s)?_one": "Czy na pewno chcesz usunąć {{count}} wybraną książkę?",
+ "Are you sure to delete {{count}} selected book(s)?_few": "Czy na pewno chcesz usunąć {{count}} wybrane książki?",
+ "Are you sure to delete {{count}} selected book(s)?_many": "Czy na pewno chcesz usunąć {{count}} wybranych książek?",
+ "Are you sure to delete {{count}} selected book(s)?_other": "Czy na pewno chcesz usunąć {{count}} wybranych książek?",
+ "Are you sure to delete the selected book?": "Czy na pewno chcesz usunąć wybraną książkę?",
+ "Deselect": "Odznacz",
+ "Select All": "Zaznacz",
+ "No translation available.": "Brak dostępnego tłumaczenia.",
+ "Translated by {{provider}}.": "Przetłumaczone przez {{provider}}.",
+ "DeepL": "DeepL",
+ "Google Translate": "Tłumacz Google",
+ "Azure Translator": "Azure Translator",
+ "Invert Image In Dark Mode": "Odwróć obraz w ciemności",
+ "Help improve Readest": "Pomóż ulepszyć Readest",
+ "Sharing anonymized statistics": "Udostępnianie zanonimizowanych statystyk",
+ "Interface Language": "Język interfejsu",
+ "Translation": "Tłumaczenie",
+ "Enable Translation": "Włącz tłumaczenie",
+ "Translation Service": "Usługa tłumaczenia",
+ "Translate To": "Przetłumacz na",
+ "Disable Translation": "Wyłącz tłumaczenie",
+ "Scroll": "Przewijaj",
+ "Overlap Pixels": "Przesunięcie pikseli",
+ "System Language": "Język systemu",
+ "Security": "Bezpieczeństwo",
+ "Allow JavaScript": "Zezwól na JavaScript",
+ "Enable only if you trust the file.": "Zezwól tylko wtedy, gdy ufasz plikowi.",
+ "Sort TOC by Page": "Sortuj spis treści według strony",
+ "Search in {{count}} Book(s)..._one": "Szukaj w {{count}} książce...",
+ "Search in {{count}} Book(s)..._few": "Szukaj w {{count}} książkach...",
+ "Search in {{count}} Book(s)..._many": "Szukaj w {{count}} książkach...",
+ "Search in {{count}} Book(s)..._other": "Szukaj w {{count}} książkach...",
+ "No notes match your search": "Nie znaleziono notatek",
+ "Search notes and excerpts...": "Szukaj notatek...",
+ "Sign in to Sync": "Zaloguj się",
+ "Synced at {{time}}": "Sync: {{time}}",
+ "Never synced": "Brak synchronizacji",
+ "Show Remaining Time": "Pokazuj pozostały czas",
+ "{{time}} min left in chapter": "{{time}} min pozostało do końca rozdziału",
+ "Override Book Color": "Nadpisz kolor książki",
+ "Login Required": "Wymagane logowanie",
+ "Quota Exceeded": "Limit przekroczony",
+ "{{percentage}}% of Daily Translation Characters Used.": "{{percentage}}% użytych znaków tłumaczenia dziennego.",
+ "Translation Characters": "Znaki tłumaczenia",
+ "{{engine}}: {{count}} voices_one": "{{engine}}: {{count}} głos",
+ "{{engine}}: {{count}} voices_few": "{{engine}}: {{count}} głosy",
+ "{{engine}}: {{count}} voices_many": "{{engine}}: {{count}} głosów",
+ "{{engine}}: {{count}} voices_other": "{{engine}}: {{count}} głosu",
+ "Something went wrong. Don't worry, our team has been notified and we're working on a fix.": "Coś poszło nie tak. Nie martw się, nasz zespół został powiadomiony i pracujemy nad naprawą.",
+ "Error Details:": "Informacje o błędzie:",
+ "Try Again": "Spróbuj ponownie",
+ "Need help?": "Potrzebujesz pomocy?",
+ "Contact Support": "Skontaktuj się z pomocą techniczną",
+ "Code Highlighting": "Podświetlanie kodu",
+ "Enable Highlighting": "Zezwól na podświetlanie",
+ "Code Language": "Język kodu",
+ "Top Margin (px)": "Górny margines (px)",
+ "Bottom Margin (px)": "Dolny margines (px)",
+ "Right Margin (px)": "Prawy margines (px)",
+ "Left Margin (px)": "Lewy margines (px)",
+ "Column Gap (%)": "Odstęp między kolumnami (%)",
+ "Always Show Status Bar": "Zawsze pokazuj pasek stanu",
+ "Custom Content CSS": "CSS treści",
+ "Enter CSS for book content styling...": "Wprowadź CSS dla stylu treści książki...",
+ "Custom Reader UI CSS": "CSS interfejsu",
+ "Enter CSS for reader interface styling...": "Wprowadź CSS dla stylu interfejsu czytnika...",
+ "Crop": "Przytnij",
+ "Book Covers": "Okładki książek",
+ "Fit": "Pasuje",
+ "Reset {{settings}}": "Zresetuj {{settings}}",
+ "Reset Settings": "Zresetuj ustawienia",
+ "{{count}} pages left in chapter_one": "Pozostała {{count}} strona w rozdziale",
+ "{{count}} pages left in chapter_few": "Pozostały {{count}} strony w rozdziale",
+ "{{count}} pages left in chapter_many": "Pozostało {{count}} stron w rozdziale",
+ "{{count}} pages left in chapter_other": "Pozostało {{count}} stron w rozdziale",
+ "Show Remaining Pages": "Pokaż pozostałe strony",
+ "Source Han Serif CN": "Source Han Serif",
+ "Huiwen-MinchoGBK": "Huiwen Mincho",
+ "KingHwa_OldSong": "KingHwa Song",
+ "Manage Subscription": "Zarządzaj subskrypcją",
+ "Coming Soon": "Wkrótce dostępne",
+ "Upgrade to {{plan}}": "Uaktualnij do {{plan}}",
+ "Upgrade to Plus or Pro": "Uaktualnij do Plus lub Pro",
+ "Current Plan": "Obecny plan",
+ "Plan Limits": "Limity planu",
+ "Processing your payment...": "Przetwarzanie płatności...",
+ "Please wait while we confirm your subscription.": "Proszę czekać, potwierdzamy subskrypcję.",
+ "Payment Processing": "Przetwarzanie płatności",
+ "Your payment is being processed. This usually takes a few moments.": "Twoja płatność jest przetwarzana. Zwykle trwa to kilka chwil.",
+ "Payment Failed": "Płatność nie powiodła się",
+ "We couldn't process your subscription. Please try again or contact support if the issue persists.": "Nie udało się przetworzyć subskrypcji. Spróbuj ponownie lub skontaktuj się z pomocą techniczną, jeśli problem będzie się powtarzać.",
+ "Back to Profile": "Powrót do profilu",
+ "Subscription Successful!": "Subskrypcja zakończona sukcesem!",
+ "Thank you for your subscription! Your payment has been processed successfully.": "Dziękujemy za subskrypcję! Twoja płatność została pomyślnie przetworzona.",
+ "Email:": "E-mail:",
+ "Plan:": "Plan:",
+ "Amount:": "Kwota:",
+ "Go to Library": "Przejdź do biblioteki",
+ "Need help? Contact our support team at support@readest.com": "Potrzebujesz pomocy? Skontaktuj się z naszym zespołem wsparcia: support@readest.com",
+ "Free Plan": "Bezpłatny plan",
+ "month": "miesiąc",
+ "AI Translations (per day)": "Tłumaczenia AI (na dzień)",
+ "Plus Plan": "Plan Plus",
+ "Includes All Free Plan Benefits": "Zawiera wszystkie korzyści planu darmowego",
+ "Pro Plan": "Plan Pro",
+ "More AI Translations": "Więcej tłumaczeń AI",
+ "Complete Your Subscription": "Ukończ subskrypcję",
+ "{{percentage}}% of Cloud Sync Space Used.": "Użyto {{percentage}}% przestrzeni synchronizacji w chmurze.",
+ "Cloud Sync Storage": "Miejsce w chmurze",
+ "Disable": "Wyłącz",
+ "Enable": "Włącz",
+ "Upgrade to Readest Premium": "Uaktualnij do Readest Premium",
+ "Show Source Text": "Pokaż tekst źródłowy",
+ "Cross-Platform Sync": "Synchronizacja Między Platformami",
+ "Seamlessly sync your library, progress, highlights, and notes across all your devices—never lose your place again.": "Synchronizuj płynnie swoją bibliotekę, postęp, zaznaczenia i notatki na wszystkich urządzeniach—nigdy więcej nie zgub swojego miejsca.",
+ "Customizable Reading": "Personalizowane Czytanie",
+ "Personalize every detail with adjustable fonts, layouts, themes, and advanced display settings for the perfect reading experience.": "Personalizuj każdy szczegół dzięki regulowanym czcionkom, układom, motywom i zaawansowanym ustawieniom wyświetlania dla idealnego doświadczenia czytania.",
+ "AI Read Aloud": "AI Czytanie Na Głos",
+ "Enjoy hands-free reading with natural-sounding AI voices that bring your books to life.": "Ciesz się czytaniem bez użycia rąk dzięki naturalnie brzmiącym głosom AI, które ożywiają twoje książki.",
+ "AI Translations": "Tłumaczenia AI",
+ "Translate any text instantly with the power of Google, Azure, or DeepL—understand content in any language.": "Tłumacz dowolny tekst natychmiast dzięki mocy Google, Azure lub DeepL—rozumiej treści w każdym języku.",
+ "Connect with fellow readers and get help fast in our friendly community channels.": "Połącz się z innymi czytelnikami i uzyskaj szybką pomoc na naszych przyjaznych kanałach społeczności.",
+ "Unlimited AI Read Aloud Hours": "Nielimitowane Godziny AI Czytania Na Głos",
+ "Listen without limits—convert as much text as you like into immersive audio.": "Słuchaj bez ograniczeń—przekształć tyle tekstu, ile chcesz, w wciągające audio.",
+ "Unlock enhanced translation capabilities with more daily usage and advanced options.": "Odblokuj ulepszone możliwości tłumaczenia z większym dziennym użyciem i zaawansowanymi opcjami.",
+ "DeepL Pro Access": "Dostęp do DeepL Pro",
+ "Enjoy faster responses and dedicated assistance whenever you need help.": "Ciesz się szybszymi odpowiedziami i dedykowaną pomocą, kiedy tylko potrzebujesz wsparcia.",
+ "Daily translation quota reached. Upgrade your plan to continue using AI translations.": "Osiągnięto dzienny limit tłumaczeń. Uaktualnij swój plan, aby kontynuować korzystanie z tłumaczeń AI.",
+ "Includes All Plus Plan Benefits": "Zawiera Wszystkie Korzyści Planu Plus",
+ "Early Feature Access": "Wcześniejszy Dostęp do Funkcji",
+ "Be the first to explore new features, updates, and innovations before anyone else.": "Odkrywaj nowe funkcje, aktualizacje i innowacje przed innymi.",
+ "Advanced AI Tools": "Zaawansowane Narzędzia AI",
+ "Harness powerful AI tools for smarter reading, translation, and content discovery.": "Wykorzystuj potężne narzędzia AI do inteligentnego czytania, tłumaczenia i odkrywania treści.",
+ "Translate up to 100,000 characters daily with the most accurate translation engine available.": "Tłumacz do 100 000 znaków dziennie z najdokładniejszą dostępną maszyną tłumaczeniową.",
+ "Translate up to 500,000 characters daily with the most accurate translation engine available.": "Tłumacz do 500 000 znaków dziennie z najdokładniejszą dostępną maszyną tłumaczeniową.",
+ "Securely store and access your entire reading collection with up to 5 GB of cloud storage.": "Bezpiecznie przechowuj i uzyskuj dostęp do całej kolekcji czytelniczej z do 5 GB pamięci w chmurze.",
+ "Securely store and access your entire reading collection with up to 20 GB of cloud storage.": "Bezpiecznie przechowuj i uzyskuj dostęp do całej kolekcji czytelniczej z do 20 GB pamięci w chmurze.",
+ "Deleted cloud backup of the book: {{title}}": "Usunięto kopię zapasową książki w chmurze: {{title}}",
+ "Are you sure to delete the cloud backup of the selected book?": "Czy na pewno chcesz usunąć kopię zapasową chmury wybranej książki?",
+ "What's New in Readest": "Co nowego w Readest",
+ "Enter book title": "Wprowadź tytuł książki",
+ "Subtitle": "Podtytuł",
+ "Enter book subtitle": "Wprowadź podtytuł książki",
+ "Enter author name": "Wprowadź imię autora",
+ "Series": "Seria",
+ "Enter series name": "Wprowadź nazwę serii",
+ "Series Index": "Numer w serii",
+ "Enter series index": "Wprowadź numer w serii",
+ "Total in Series": "Łącznie w serii",
+ "Enter total books in series": "Wprowadź łączną liczbę książek w serii",
+ "Enter publisher": "Wprowadź wydawcę",
+ "Publication Date": "Data publikacji",
+ "Identifier": "Identyfikator",
+ "Enter book description": "Wprowadź opis książki",
+ "Change cover image": "Zmień obraz okładki",
+ "Replace": "Zastąp",
+ "Unlock cover": "Odblokuj okładkę",
+ "Lock cover": "Zablokuj okładkę",
+ "Auto-Retrieve Metadata": "Automatycznie pobierz metadane",
+ "Auto-Retrieve": "Automatyczne pobieranie",
+ "Unlock all fields": "Odblokuj wszystkie pola",
+ "Unlock All": "Odblokuj wszystko",
+ "Lock all fields": "Zablokuj wszystkie pola",
+ "Lock All": "Zablokuj wszystko",
+ "Reset": "Resetuj",
+ "Edit Metadata": "Edytuj metadane",
+ "Locked": "Zablokowane",
+ "Select Metadata Source": "Wybierz źródło metadanych",
+ "Keep manual input": "Zachowaj wprowadzenie ręczne",
+ "Google Books": "Google Books",
+ "Open Library": "Open Library",
+ "Fiction, Science, History": "Beletrystyka, Nauka, Historia",
+ "Open Book in New Window": "Otwórz książkę w nowym oknie",
+ "Voices for {{lang}}": "{{lang}} Głosy",
+ "Yandex Translate": "Yandex Tłumacz",
+ "YYYY or YYYY-MM-DD": "YYYY lub YYYY-MM-DD",
+ "Restore Purchase": "Przywróć zakup",
+ "No purchases found to restore.": "Nie znaleziono zakupów do przywrócenia.",
+ "Failed to restore purchases.": "Nie udało się przywrócić zakupów.",
+ "Failed to manage subscription.": "Nie udało się zarządzać subskrypcją.",
+ "Failed to load subscription plans.": "Nie udało się załadować planów subskrypcyjnych.",
+ "year": "rok",
+ "Failed to create checkout session": "Nie udało się utworzyć sesji zakupu",
+ "Storage": "Przechowywanie",
+ "Terms of Service": "Warunki korzystania z usługi",
+ "Privacy Policy": "Polityka prywatności",
+ "Disable Double Click": "Wyłącz podwójne kliknięcie",
+ "TTS not supported for this document": "TTS nie jest obsługiwane dla tego dokumentu",
+ "Reset Password": "Zresetuj hasło",
+ "Show Reading Progress": "Pokazuj postęp czytania",
+ "Reading Progress Style": "Styl postępu czytania",
+ "Page Number": "Numer strony",
+ "Percentage": "Procent",
+ "Deleted local copy of the book: {{title}}": "Usunięto lokalną kopię książki: {{title}}",
+ "Failed to delete cloud backup of the book: {{title}}": "Nie udało się usunąć kopii zapasowej w chmurze książki: {{title}}",
+ "Failed to delete local copy of the book: {{title}}": "Nie udało się usunąć lokalnej kopii książki: {{title}}",
+ "Are you sure to delete the local copy of the selected book?": "Czy na pewno chcesz usunąć lokalną kopię wybranej książki?",
+ "Remove from Cloud & Device": "Usuń z chmury i urządzenia",
+ "Remove from Cloud Only": "Usuń tylko z chmury",
+ "Remove from Device Only": "Usuń tylko z urządzenia",
+ "Disconnected": "Rozłączono",
+ "KOReader Sync Settings": "Ustawienia synchronizacji KOReader",
+ "Sync Strategy": "Strategia synchronizacji",
+ "Ask on conflict": "Pytaj w przypadku konfliktu",
+ "Always use latest": "Zawsze używaj najnowszej",
+ "Send changes only": "Wyślij tylko zmiany",
+ "Receive changes only": "Odbierz tylko zmiany",
+ "Checksum Method": "Metoda sumy kontrolnej",
+ "File Content (recommended)": "Zawartość pliku (zalecane)",
+ "File Name": "Nazwa pliku",
+ "Device Name": "Nazwa urządzenia",
+ "Connect to your KOReader Sync server.": "Połącz z serwerem synchronizacji KOReader.",
+ "Server URL": "Adres URL serwera",
+ "Username": "Nazwa użytkownika",
+ "Your Username": "Twoja nazwa użytkownika",
+ "Password": "Hasło",
+ "Connect": "Połącz",
+ "KOReader Sync": "Synchronizacja KOReader",
+ "Sync Conflict": "Konflikt synchronizacji",
+ "Sync reading progress from \"{{deviceName}}\"?": "Synchronizować postęp czytania z \"{{deviceName}}\"?",
+ "another device": "inne urządzenie",
+ "Local Progress": "Postęp lokalny",
+ "Remote Progress": "Postęp zdalny",
+ "Page {{page}} of {{total}} ({{percentage}}%)": "Strona {{page}} z {{total}} ({{percentage}}%)",
+ "Current position": "Bieżąca pozycja",
+ "Approximately page {{page}} of {{total}} ({{percentage}}%)": "Około strona {{page}} z {{total}} ({{percentage}}%)",
+ "Approximately {{percentage}}%": "Około {{percentage}}%",
+ "Failed to connect": "Nie udało się połączyć",
+ "Sync Server Connected": "Serwer synchronizacji połączony",
+ "Sync as {{userDisplayName}}": "Synchronizuj jako {{userDisplayName}}",
+ "Custom Fonts": "Niestandardowe Czcionki",
+ "Cancel Delete": "Anuluj Usuwanie",
+ "Import Font": "Importuj Czcionkę",
+ "Delete Font": "Usuń Czcionkę",
+ "Tips": "Wskazówki",
+ "Custom fonts can be selected from the Font Face menu": "Niestandardowe czcionki można wybrać z menu Czcionka",
+ "Manage Custom Fonts": "Zarządzaj Niestandardowymi Czcionkami",
+ "Select Files": "Wybierz Pliki",
+ "Select Image": "Wybierz Obraz",
+ "Select Video": "Wybierz Wideo",
+ "Select Audio": "Wybierz Audio",
+ "Select Fonts": "Wybierz Czcionki",
+ "Supported font formats: .ttf, .otf, .woff, .woff2": "Obsługiwane formaty czcionek: .ttf, .otf, .woff, .woff2",
+ "Push Progress": "Wyślij postęp",
+ "Pull Progress": "Pobierz postęp",
+ "Previous Paragraph": "Poprzedni akapit",
+ "Previous Sentence": "Poprzednie zdanie",
+ "Pause": "Pauza",
+ "Play": "Odtwórz",
+ "Next Sentence": "Następne zdanie",
+ "Next Paragraph": "Następny akapit",
+ "Separate Cover Page": "Osobna strona okładki",
+ "Resize Notebook": "Zmień rozmiar notatnika",
+ "Resize Sidebar": "Zmień rozmiar paska bocznego",
+ "Get Help from the Readest Community": "Uzyskaj pomoc od społeczności Readest",
+ "Remove cover image": "Usuń obraz okładki",
+ "Bookshelf": "Półka na książki",
+ "View Menu": "Pokaż menu",
+ "Settings Menu": "Menu ustawień",
+ "View account details and quota": "Zobacz szczegóły konta i limit",
+ "Library Header": "Nagłówek biblioteki",
+ "Book Content": "Zawartość książki",
+ "Footer Bar": "Pasek stopki",
+ "Header Bar": "Pasek nagłówka",
+ "View Options": "Opcje widoku",
+ "Book Menu": "Menu książki",
+ "Search Options": "Opcje wyszukiwania",
+ "Close": "Zamknij",
+ "Delete Book Options": "Opcje usuwania książki",
+ "ON": "WŁĄCZONE",
+ "OFF": "WYŁĄCZONE",
+ "Reading Progress": "Postęp czytania",
+ "Page Margin": "Margines strony",
+ "Remove Bookmark": "Usuń zakładkę",
+ "Add Bookmark": "Dodaj zakładkę",
+ "Books Content": "Zawartość książek",
+ "Jump to Location": "Przejdź do lokalizacji",
+ "Unpin Notebook": "Odczep notatnik",
+ "Pin Notebook": "Przypnij notatnik",
+ "Hide Search Bar": "Ukryj pasek wyszukiwania",
+ "Show Search Bar": "Pokaż pasek wyszukiwania",
+ "On {{current}} of {{total}} page": "Na {{current}} z {{total}} strony",
+ "Section Title": "Tytuł sekcji",
+ "Decrease": "Zmniejsz",
+ "Increase": "Zwiększ",
+ "Settings Panels": "Panele ustawień",
+ "Settings": "Ustawienia",
+ "Unpin Sidebar": "Odczep pasek boczny",
+ "Pin Sidebar": "Przypnij pasek boczny",
+ "Toggle Sidebar": "Włącz/Wyłącz pasek boczny",
+ "Toggle Translation": "Włącz/Wyłącz tłumaczenie",
+ "Translation Disabled": "Tłumaczenie wyłączone",
+ "Minimize": "Minimalizuj",
+ "Maximize or Restore": "Maksymalizuj lub Przywróć",
+ "Exit Parallel Read": "Wyjdź z czytania równoległego",
+ "Enter Parallel Read": "Wejdź w czytanie równoległe",
+ "Zoom Level": "Poziom powiększenia",
+ "Zoom Out": "Zoom Wydłuż",
+ "Reset Zoom": "Resetuj Zoom",
+ "Zoom In": "Zoom Skróć",
+ "Zoom Mode": "Tryb Zoom",
+ "Single Page": "Pojedyncza Strona",
+ "Auto Spread": "Automatyczne Rozprzestrzenianie",
+ "Fit Page": "Dopasuj Stronę",
+ "Fit Width": "Dopasuj Szerokość",
+ "Failed to select directory": "Nie udało się wybrać katalogu",
+ "The new data directory must be different from the current one.": "Nowy katalog danych musi różnić się od obecnego.",
+ "Migration failed: {{error}}": "Migracja nie powiodła się: {{error}}",
+ "Change Data Location": "Zmień lokalizację danych",
+ "Current Data Location": "Bieżąca lokalizacja danych",
+ "Total size: {{size}}": "Całkowity rozmiar: {{size}}",
+ "Calculating file info...": "Obliczanie informacji o pliku...",
+ "New Data Location": "Nowa lokalizacja danych",
+ "Choose Different Folder": "Wybierz inny folder",
+ "Choose New Folder": "Wybierz nowy folder",
+ "Migrating data...": "Migracja danych...",
+ "Copying: {{file}}": "Kopiowanie: {{file}}",
+ "{{current}} of {{total}} files": "{{current}} z {{total}} plików",
+ "Migration completed successfully!": "Migracja zakończona pomyślnie!",
+ "Your data has been moved to the new location. Please restart the application to complete the process.": "Twoje dane zostały przeniesione do nowej lokalizacji. Proszę zrestartować aplikację, aby zakończyć proces.",
+ "Migration failed": "Migracja nie powiodła się",
+ "Important Notice": "Ważne powiadomienie",
+ "This will move all your app data to the new location. Make sure the destination has enough free space.": "To przeniesie wszystkie dane aplikacji do nowej lokalizacji. Upewnij się, że docelowy folder ma wystarczająco dużo wolnego miejsca.",
+ "Restart App": "Zrestartuj aplikację",
+ "Start Migration": "Rozpocznij migrację",
+ "Advanced Settings": "Ustawienia zaawansowane",
+ "File count: {{size}}": "Liczba plików: {{size}}",
+ "Background Read Aloud": "Czytanie na głos w tle",
+ "Ready to read aloud": "Gotowy do przeczytania na głos",
+ "Read Aloud": "Czytaj na głos",
+ "Screen Brightness": "Jasność ekranu",
+ "Background Image": "Obraz tła",
+ "Import Image": "Importuj obraz",
+ "Opacity": "Przezroczystość",
+ "Size": "Rozmiar",
+ "Cover": "Okładka",
+ "Contain": "Zawierać",
+ "{{number}} pages left in chapter": "Pozostało {{number}} stron w rozdziale",
+ "Device": "Urządzenie",
+ "E-Ink Mode": "Tryb E-Ink",
+ "Highlight Colors": "Kolory wyróżnień",
+ "Auto Screen Brightness": "Automatyczna jasność ekranu",
+ "Pagination": "Stronicowanie",
+ "Disable Double Tap": "Wyłącz podwójne dotknięcie",
+ "Tap to Paginate": "Dotknij, aby stronicować",
+ "Click to Paginate": "Kliknij, aby stronicować",
+ "Tap Both Sides": "Dotknij obu stron",
+ "Click Both Sides": "Kliknij obu stron",
+ "Swap Tap Sides": "Wymień Tap Zewnętrzne",
+ "Swap Click Sides": "Wymień Click Zewnętrzne",
+ "Source and Translated": "Źródło i Tłumaczenie",
+ "Translated Only": "Tylko Tłumaczenie",
+ "Source Only": "Tylko Źródło",
+ "TTS Text": "Tekst TTS",
+ "The book file is corrupted": "Plik książki jest uszkodzony",
+ "The book file is empty": "Plik książki jest pusty",
+ "Failed to open the book file": "Nie udało się otworzyć pliku książki",
+ "On-Demand Purchase": "Zakup na żądanie",
+ "Full Customization": "Pełna Personalizacja",
+ "Lifetime Plan": "Plan na Całe Życie",
+ "One-Time Payment": "Jednorazowa Płatność",
+ "Make a single payment to enjoy lifetime access to specific features on all devices. Purchase specific features or services only when you need them.": "Dokonaj jednorazowej płatności, aby cieszyć się dożywotnim dostępem do określonych funkcji na wszystkich urządzeniach. Kupuj konkretne funkcje lub usługi tylko wtedy, gdy ich potrzebujesz.",
+ "Expand Cloud Sync Storage": "Rozszerz Przechowywanie w Chmurze",
+ "Expand your cloud storage forever with a one-time purchase. Each additional purchase adds more space.": "Rozszerz swoją przestrzeń w chmurze na zawsze dzięki jednorazowemu zakupowi. Każdy dodatkowy zakup dodaje więcej miejsca.",
+ "Unlock All Customization Options": "Odblokuj Wszystkie Opcje Personalizacji",
+ "Unlock additional themes, fonts, layout options and read aloud, translators, cloud storage services.": "Odblokuj dodatkowe motywy, czcionki, opcje układu oraz funkcje czytania na głos, tłumacze, usługi przechowywania w chmurze.",
+ "Purchase Successful!": "Zakup Udany!",
+ "lifetime": "dożywotnio",
+ "Thank you for your purchase! Your payment has been processed successfully.": "Dziękujemy za zakup! Twoja płatność została pomyślnie przetworzona.",
+ "Order ID:": "ID zamówienia:",
+ "TTS Highlighting": "Wyróżnianie TTS",
+ "Style": "Styl",
+ "Underline": "Podkreślenie",
+ "Strikethrough": "Przekreślenie",
+ "Squiggly": "Falista linia",
+ "Outline": "Obrys",
+ "Save Current Color": "Zapisz bieżący kolor",
+ "Quick Colors": "Szybkie kolory",
+ "Highlighter": "Zakreślacz",
+ "Save Book Cover": "Zapisz okładkę książki",
+ "Auto-save last book cover": "Automatyczne zapisywanie ostatniej okładki książki",
+ "Back": "Wstecz",
+ "Confirmation email sent! Please check your old and new email addresses to confirm the change.": "E-mail potwierdzający został wysłany! Sprawdź swój stary i nowy adres e-mail, aby potwierdzić zmianę.",
+ "Failed to update email": "Nie udało się zaktualizować e-maila",
+ "New Email": "Nowy e-mail",
+ "Your new email": "Twój nowy adres e-mail",
+ "Updating email ...": "Aktualizowanie e-maila...",
+ "Update email": "Zaktualizuj e-mail",
+ "Current email": "Obecny e-mail",
+ "Update Email": "Zaktualizuj e-mail",
+ "All": "Wszystkie",
+ "Unable to open book": "Nie można otworzyć książki",
+ "Punctuation": "Interpunkcja",
+ "Replace Quotation Marks": "Zamień cudzysłowy",
+ "Enabled only in vertical layout.": "Włączone tylko w układzie pionowym.",
+ "No Conversion": "Brak konwersji",
+ "Simplified to Traditional": "Uproszczony → Tradycyjny",
+ "Traditional to Simplified": "Tradycyjny → Uproszczony",
+ "Simplified to Traditional (Taiwan)": "Uproszczony → Tradycyjny (Tajwan)",
+ "Simplified to Traditional (Hong Kong)": "Uproszczony → Tradycyjny (Hongkong)",
+ "Simplified to Traditional (Taiwan), with phrases": "Uproszczony → Tradycyjny (Tajwan • frazy)",
+ "Traditional (Taiwan) to Simplified": "Tradycyjny (Tajwan) → Uproszczony",
+ "Traditional (Hong Kong) to Simplified": "Tradycyjny (Hongkong) → Uproszczony",
+ "Traditional (Taiwan) to Simplified, with phrases": "Tradycyjny (Tajwan • frazy) → Uproszczony",
+ "Convert Simplified and Traditional Chinese": "Konwertuj chiński uproszczony/tradycyjny",
+ "Convert Mode": "Tryb konwersji",
+ "Failed to auto-save book cover for lock screen: {{error}}": "Nie udało się automatycznie zapisać okładki książki dla ekranu blokady: {{error}}",
+ "Download from Cloud": "Pobierz z chmury",
+ "Upload to Cloud": "Prześlij do chmury",
+ "Clear Custom Fonts": "Wyczyść niestandardowe czcionki",
+ "Columns": "Kolumny",
+ "OPDS Catalogs": "Katalogi OPDS",
+ "Adding LAN addresses is not supported in the web app version.": "Dodawanie adresów LAN nie jest obsługiwane w wersji webowej.",
+ "Invalid OPDS catalog. Please check the URL.": "Nieprawidłowy katalog OPDS. Sprawdź URL.",
+ "Browse and download books from online catalogs": "Przeglądaj i pobieraj książki z katalogów online",
+ "My Catalogs": "Moje katalogi",
+ "Add Catalog": "Dodaj katalog",
+ "No catalogs yet": "Brak katalogów",
+ "Add your first OPDS catalog to start browsing books": "Dodaj pierwszy katalog OPDS, aby rozpocząć przeglądanie książek",
+ "Add Your First Catalog": "Dodaj pierwszy katalog",
+ "Browse": "Przeglądaj",
+ "Popular Catalogs": "Popularne katalogi",
+ "Add": "Dodaj",
+ "Add OPDS Catalog": "Dodaj katalog OPDS",
+ "Catalog Name": "Nazwa katalogu",
+ "My Calibre Library": "Moja biblioteka Calibre",
+ "OPDS URL": "URL OPDS",
+ "Username (optional)": "Nazwa użytkownika (opcjonalnie)",
+ "Password (optional)": "Hasło (opcjonalnie)",
+ "Description (optional)": "Opis (opcjonalnie)",
+ "A brief description of this catalog": "Krótki opis katalogu",
+ "Validating...": "Weryfikacja...",
+ "View All": "Pokaż wszystkie",
+ "Forward": "Dalej",
+ "Home": "Strona główna",
+ "{{count}} items_one": "{{count}} element",
+ "{{count}} items_few": "{{count}} elementy",
+ "{{count}} items_many": "{{count}} elementów",
+ "{{count}} items_other": "{{count}} elementu",
+ "Download completed": "Pobieranie zakończone",
+ "Download failed": "Pobieranie nie powiodło się",
+ "Open Access": "Dostęp otwarty",
+ "Borrow": "Wypożycz",
+ "Buy": "Kup",
+ "Subscribe": "Subskrybuj",
+ "Sample": "Próbka",
+ "Download": "Pobierz",
+ "Open & Read": "Otwórz i czytaj",
+ "Tags": "Tagi",
+ "Tag": "Tag",
+ "First": "Pierwsza",
+ "Previous": "Poprzednia",
+ "Next": "Następna",
+ "Last": "Ostatnia",
+ "Cannot Load Page": "Nie można załadować strony",
+ "An error occurred": "Wystąpił błąd",
+ "Online Library": "Biblioteka online",
+ "URL must start with http:// or https://": "URL musi zaczynać się od http:// lub https://",
+ "Title, Author, Tag, etc...": "Tytuł, Autor, Tag, itp...",
+ "Query": "Zapytanie",
+ "Subject": "Temat",
+ "Enter {{terms}}": "Wprowadź {{terms}}",
+ "No search results found": "Nie znaleziono wyników wyszukiwania",
+ "Failed to load OPDS feed: {{status}} {{statusText}}": "Nie udało się załadować kanału OPDS: {{status}} {{statusText}}",
+ "Search in {{title}}": "Szukaj w {{title}}",
+ "Manage Storage": "Zarządzaj pamięcią",
+ "Failed to load files": "Nie udało się wczytać plików",
+ "Deleted {{count}} file(s)_one": "Usunięto {{count}} plik",
+ "Deleted {{count}} file(s)_few": "Usunięto {{count}} pliki",
+ "Deleted {{count}} file(s)_many": "Usunięto {{count}} plików",
+ "Deleted {{count}} file(s)_other": "Usunięto {{count}} pliku",
+ "Failed to delete {{count}} file(s)_one": "Nie udało się usunąć {{count}} pliku",
+ "Failed to delete {{count}} file(s)_few": "Nie udało się usunąć {{count}} plików",
+ "Failed to delete {{count}} file(s)_many": "Nie udało się usunąć {{count}} plików",
+ "Failed to delete {{count}} file(s)_other": "Nie udało się usunąć {{count}} pliku",
+ "Failed to delete files": "Nie udało się usunąć plików",
+ "Total Files": "Łączna liczba plików",
+ "Total Size": "Łączny rozmiar",
+ "Quota": "Limit",
+ "Used": "Użyto",
+ "Files": "Pliki",
+ "Search files...": "Szukaj plików...",
+ "Newest First": "Najnowsze najpierw",
+ "Oldest First": "Najstarsze najpierw",
+ "Largest First": "Największe najpierw",
+ "Smallest First": "Najmniejsze najpierw",
+ "Name A-Z": "Nazwa A-Z",
+ "Name Z-A": "Nazwa Z-A",
+ "{{count}} selected_one": "Wybrano {{count}} plik",
+ "{{count}} selected_few": "Wybrano {{count}} pliki",
+ "{{count}} selected_many": "Wybrano {{count}} plików",
+ "{{count}} selected_other": "Wybrano {{count}} pliku",
+ "Delete Selected": "Usuń wybrane",
+ "Created": "Utworzono",
+ "No files found": "Nie znaleziono plików",
+ "No files uploaded yet": "Nie przesłano jeszcze żadnych plików",
+ "files": "pliki",
+ "Page {{current}} of {{total}}": "Strona {{current}} z {{total}}",
+ "Are you sure to delete {{count}} selected file(s)?_one": "Czy na pewno chcesz usunąć {{count}} wybrany plik?",
+ "Are you sure to delete {{count}} selected file(s)?_few": "Czy na pewno chcesz usunąć {{count}} wybrane pliki?",
+ "Are you sure to delete {{count}} selected file(s)?_many": "Czy na pewno chcesz usunąć {{count}} wybranych plików?",
+ "Are you sure to delete {{count}} selected file(s)?_other": "Czy na pewno chcesz usunąć {{count}} wybrany plik?",
+ "Cloud Storage Usage": "Użycie pamięci w chmurze",
+ "Rename Group": "Zmień nazwę grupy",
+ "From Directory": "Z katalogu",
+ "Successfully imported {{count}} book(s)_one": "Pomyślnie zaimportowano 1 książkę",
+ "Successfully imported {{count}} book(s)_few": "Pomyślnie zaimportowano {{count}} książki",
+ "Successfully imported {{count}} book(s)_many": "Pomyślnie zaimportowano {{count}} książek",
+ "Successfully imported {{count}} book(s)_other": "Pomyślnie zaimportowano {{count}} książek",
+ "Count": "Liczba",
+ "Start Page": "Strona startowa",
+ "Search in OPDS Catalog...": "Szukaj w katalogu OPDS...",
+ "Please log in to use advanced TTS features": "Zaloguj się, aby korzystać z zaawansowanych funkcji TTS",
+ "Word limit of 30 words exceeded.": "Przekroczono limit 30 słów.",
+ "Proofread": "Korekta",
+ "Current selection": "Bieżące zaznaczenie",
+ "All occurrences in this book": "Wszystkie wystąpienia w tej książce",
+ "All occurrences in your library": "Wszystkie wystąpienia w Twojej bibliotece",
+ "Selected text:": "Zaznaczony tekst:",
+ "Replace with:": "Zastąp przez:",
+ "Enter text...": "Wpisz tekst…",
+ "Case sensitive:": "Uwzględniaj wielkość liter:",
+ "Scope:": "Zakres:",
+ "Selection": "Zaznaczenie",
+ "Library": "Biblioteka",
+ "Yes": "Tak",
+ "No": "Nie",
+ "Proofread Replacement Rules": "Reguły zastępowania korekty",
+ "Selected Text Rules": "Reguły dla zaznaczonego tekstu",
+ "No selected text replacement rules": "Brak reguł zastępowania dla zaznaczonego tekstu",
+ "Book Specific Rules": "Reguły specyficzne dla książki",
+ "No book-level replacement rules": "Brak reguł zastępowania na poziomie książki",
+ "Disable Quick Action": "Wyłącz szybką akcję",
+ "Enable Quick Action on Selection": "Włącz szybką akcję przy zaznaczeniu",
+ "None": "Brak",
+ "Annotation Tools": "Narzędzia do adnotacji",
+ "Enable Quick Actions": "Włącz szybkie akcje",
+ "Quick Action": "Szybka akcja",
+ "Copy to Notebook": "Kopiuj do notatnika",
+ "Copy text after selection": "Kopiuj zaznaczony tekst",
+ "Highlight text after selection": "Podświetl zaznaczony tekst",
+ "Annotate text after selection": "Dodaj adnotację do zaznaczonego tekstu",
+ "Search text after selection": "Wyszukaj zaznaczony tekst",
+ "Look up text in dictionary after selection": "Sprawdź zaznaczony tekst w słowniku",
+ "Look up text in Wikipedia after selection": "Sprawdź zaznaczony tekst w Wikipedii",
+ "Translate text after selection": "Przetłumacz zaznaczony tekst",
+ "Read text aloud after selection": "Odczytaj zaznaczony tekst na głos",
+ "Proofread text after selection": "Sprawdź zaznaczony tekst",
+ "{{activeCount}} active, {{pendingCount}} pending": "{{activeCount}} aktywnych, {{pendingCount}} oczekujących",
+ "{{failedCount}} failed": "{{failedCount}} nieudanych",
+ "Waiting...": "Oczekiwanie...",
+ "Failed": "Nieudane",
+ "Completed": "Ukończone",
+ "Cancelled": "Anulowane",
+ "Retry": "Ponów",
+ "Active": "Aktywne",
+ "Transfer Queue": "Kolejka transferów",
+ "Upload All": "Wyślij wszystko",
+ "Download All": "Pobierz wszystko",
+ "Resume Transfers": "Wznów transfery",
+ "Pause Transfers": "Wstrzymaj transfery",
+ "Pending": "Oczekujące",
+ "No transfers": "Brak transferów",
+ "Retry All": "Ponów wszystko",
+ "Clear Completed": "Wyczyść ukończone",
+ "Clear Failed": "Wyczyść nieudane",
+ "Upload queued: {{title}}": "Wysyłanie w kolejce: {{title}}",
+ "Download queued: {{title}}": "Pobieranie w kolejce: {{title}}",
+ "Book not found in library": "Książka nie została znaleziona w bibliotece",
+ "Unknown error": "Nieznany błąd",
+ "Please log in to continue": "Zaloguj się, aby kontynuować",
+ "Cloud File Transfers": "Transfery plików w chmurze",
+ "Show Search Results": "Pokaż wyniki wyszukiwania",
+ "Search results for '{{term}}'": "Wyniki dla '{{term}}'",
+ "Close Search": "Zamknij wyszukiwanie",
+ "Previous Result": "Poprzedni wynik",
+ "Next Result": "Następny wynik",
+ "Bookmarks": "Zakładki",
+ "Annotations": "Adnotacje",
+ "Show Results": "Pokaż wyniki",
+ "Clear search": "Wyczyść wyszukiwanie",
+ "Clear search history": "Wyczyść historię wyszukiwania",
+ "Tap to Toggle Footer": "Dotknij, aby przełączyć stopkę",
+ "Exported successfully": "Wyeksportowano pomyślnie",
+ "Book exported successfully.": "Książka została wyeksportowana pomyślnie.",
+ "Failed to export the book.": "Nie udało się wyeksportować książki.",
+ "Export Book": "Eksportuj książkę",
+ "Whole word:": "Całe słowo:",
+ "Error": "Błąd",
+ "Unable to load the article. Try searching directly on {{link}}.": "Nie można załadować artykułu. Spróbuj wyszukać bezpośrednio na {{link}}.",
+ "Unable to load the word. Try searching directly on {{link}}.": "Nie można załadować słowa. Spróbuj wyszukać bezpośrednio na {{link}}.",
+ "Date Published": "Data wydania",
+ "Only for TTS:": "Tylko dla TTS:",
+ "Uploaded": "Przesłano",
+ "Downloaded": "Pobrano",
+ "Deleted": "Usunięto",
+ "Note:": "Notatka:",
+ "Time:": "Czas:",
+ "Format Options": "Opcje formatu",
+ "Export Date": "Data eksportu",
+ "Chapter Titles": "Tytuły rozdziałów",
+ "Chapter Separator": "Separator rozdziałów",
+ "Highlights": "Zaznaczenia",
+ "Note Date": "Data notatki",
+ "Advanced": "Zaawansowane",
+ "Hide": "Ukryj",
+ "Show": "Pokaż",
+ "Use Custom Template": "Użyj własnego szablonu",
+ "Export Template": "Szablon eksportu",
+ "Template Syntax:": "Składnia szablonu:",
+ "Insert value": "Wstaw wartość",
+ "Format date (locale)": "Formatuj datę (lokalizacja)",
+ "Format date (custom)": "Formatuj datę (własny)",
+ "Conditional": "Warunkowy",
+ "Loop": "Pętla",
+ "Available Variables:": "Dostępne zmienne:",
+ "Book title": "Tytuł książki",
+ "Book author": "Autor książki",
+ "Export date": "Data eksportu",
+ "Array of chapters": "Tablica rozdziałów",
+ "Chapter title": "Tytuł rozdziału",
+ "Array of annotations": "Tablica adnotacji",
+ "Highlighted text": "Zaznaczony tekst",
+ "Annotation note": "Notatka adnotacji",
+ "Date Format Tokens:": "Tokeny formatu daty:",
+ "Year (4 digits)": "Rok (4 cyfry)",
+ "Month (01-12)": "Miesiąc (01-12)",
+ "Day (01-31)": "Dzień (01-31)",
+ "Hour (00-23)": "Godzina (00-23)",
+ "Minute (00-59)": "Minuta (00-59)",
+ "Second (00-59)": "Sekunda (00-59)",
+ "Show Source": "Pokaż źródło",
+ "No content to preview": "Brak treści do podglądu",
+ "Export": "Eksportuj",
+ "Set Timeout": "Ustaw limit czasu",
+ "Select Voice": "Wybierz głos",
+ "Toggle Sticky Bottom TTS Bar": "Przełącz przypiętą dolną belkę TTS",
+ "Display what I'm reading on Discord": "Wyświetl to, co czytam na Discord",
+ "Show on Discord": "Pokaż na Discord",
+ "Instant {{action}}": "Natychmiastowe {{action}}",
+ "Instant {{action}} Disabled": "Natychmiastowe {{action}} wyłączone",
+ "Annotation": "Adnotacja",
+ "Reset Template": "Resetuj szablon",
+ "Annotation style": "Styl adnotacji",
+ "Annotation color": "Kolor adnotacji",
+ "Annotation time": "Czas adnotacji",
+ "AI": "AI",
+ "Are you sure you want to re-index this book?": "Czy na pewno chcesz ponownie zaindeksować tę książkę?",
+ "Enable AI in Settings": "Włącz AI w ustawieniach",
+ "Index This Book": "Zaindeksuj tę książkę",
+ "Enable AI search and chat for this book": "Włącz wyszukiwanie AI i czat dla tej książki",
+ "Start Indexing": "Rozpocznij indeksowanie",
+ "Indexing book...": "Indeksowanie książki...",
+ "Preparing...": "Przygotowywanie...",
+ "Delete this conversation?": "Usunąć tę rozmowę?",
+ "No conversations yet": "Brak rozmów",
+ "Start a new chat to ask questions about this book": "Rozpocznij nowy czat, aby zadać pytania o tę książkę",
+ "Rename": "Zmień nazwę",
+ "New Chat": "Nowy czat",
+ "Chat": "Czat",
+ "Please enter a model ID": "Wprowadź ID modelu",
+ "Model not available or invalid": "Model niedostępny lub nieprawidłowy",
+ "Failed to validate model": "Nie udało się zwalidować modelu",
+ "Couldn't connect to Ollama. Is it running?": "Nie można połączyć się z Ollama. Czy jest uruchomiona?",
+ "Invalid API key or connection failed": "Nieprawidłowy klucz API lub błąd połączenia",
+ "Connection failed": "Połączenie nieudane",
+ "AI Assistant": "Asystent AI",
+ "Enable AI Assistant": "Włącz asystenta AI",
+ "Provider": "Dostawca",
+ "Ollama (Local)": "Ollama (Lokalny)",
+ "AI Gateway (Cloud)": "Brama AI (Chmura)",
+ "Ollama Configuration": "Konfiguracja Ollama",
+ "Refresh Models": "Odśwież modele",
+ "AI Model": "Model AI",
+ "No models detected": "Nie wykryto modeli",
+ "AI Gateway Configuration": "Konfiguracja bramy AI",
+ "Choose from a selection of high-quality, economical AI models. You can also bring your own model by selecting \"Custom Model\" below.": "Wybierz spośród wysokiej jakości, ekonomicznych modeli AI. Możesz również użyć własnego modelu, wybierając \"Model niestandardowy\" poniżej.",
+ "API Key": "Klucz API",
+ "Get Key": "Pobierz klucz",
+ "Model": "Model",
+ "Custom Model...": "Model niestandardowy...",
+ "Custom Model ID": "ID modelu niestandardowego",
+ "Validate": "Waliduj",
+ "Model available": "Model dostępny",
+ "Connection": "Połączenie",
+ "Test Connection": "Testuj połączenie",
+ "Connected": "Połączono",
+ "Custom Colors": "Niestandardowe kolory",
+ "Color E-Ink Mode": "Tryb kolorowego e-papieru",
+ "Reading Ruler": "Linijka do czytania",
+ "Enable Reading Ruler": "Włącz linijkę do czytania",
+ "Lines to Highlight": "Linie do wyróżnienia",
+ "Ruler Color": "Kolor linijki",
+ "Command Palette": "Paleta poleceń",
+ "Search settings and actions...": "Szukaj ustawień i akcji...",
+ "No results found for": "Brak wyników dla",
+ "Type to search settings and actions": "Wpisz, aby szukać ustawień i akcji",
+ "Recent": "Ostatnie",
+ "navigate": "nawiguj",
+ "select": "wybierz",
+ "close": "zamknij",
+ "Search Settings": "Szukaj ustawień",
+ "Page Margins": "Marginesy strony",
+ "AI Provider": "Dostawca AI",
+ "Ollama URL": "URL Ollama",
+ "Ollama Model": "Model Ollama",
+ "AI Gateway Model": "Model AI Gateway",
+ "Actions": "Akcje",
+ "Navigation": "Nawigacja",
+ "Set status for {{count}} book(s)_one": "Ustaw status dla {{count}} książki",
+ "Set status for {{count}} book(s)_other": "Ustaw status dla {{count}} książek",
+ "Mark as Unread": "Oznacz jako nieprzeczytane",
+ "Mark as Finished": "Oznacz jako ukończone",
+ "Finished": "Ukończone",
+ "Unread": "Nieprzeczytane",
+ "Clear Status": "Wyczyść status",
+ "Status": "Status",
+ "Set status for {{count}} book(s)_few": "Ustaw status dla {{count}} książek",
+ "Set status for {{count}} book(s)_many": "Ustaw status dla {{count}} książek",
+ "Loading": "Ładowanie...",
+ "Exit Paragraph Mode": "Wyjdź z trybu akapitu",
+ "Paragraph Mode": "Tryb akapitu",
+ "Embedding Model": "Model osadzania",
+ "{{count}} book(s) synced_one": "{{count}} książka zsynchronizowana",
+ "{{count}} book(s) synced_few": "{{count}} książki zsynchronizowane",
+ "{{count}} book(s) synced_many": "{{count}} książek zsynchronizowanych",
+ "{{count}} book(s) synced_other": "{{count}} książek zsynchronizowanych",
+ "Unable to start RSVP": "Nie można uruchomić RSVP",
+ "RSVP not supported for PDF": "RSVP nie jest obsługiwane dla PDF",
+ "Select Chapter": "Wybierz rozdział",
+ "Context": "Kontekst",
+ "Ready": "Gotowy",
+ "Chapter Progress": "Postęp rozdziału",
+ "words": "słowa",
+ "{{time}} left": "pozostało {{time}}",
+ "Reading progress": "Postęp czytania",
+ "Click to seek": "Kliknij, aby wyszukać",
+ "Skip back 15 words": "Cofnij o 15 słów",
+ "Back 15 words (Shift+Left)": "Cofnij o 15 słów (Shift+Lewo)",
+ "Pause (Space)": "Pauze (Spacja)",
+ "Play (Space)": "Odtwarzaj (Spacja)",
+ "Skip forward 15 words": "Naprzód o 15 słów",
+ "Forward 15 words (Shift+Right)": "Naprzód o 15 słów (Shift+Prawo)",
+ "Pause:": "Pauza:",
+ "Decrease speed": "Zmniejsz prędkość",
+ "Slower (Left/Down)": "Wolniej (Lewo/Dół)",
+ "Current speed": "Aktualna prędkość",
+ "Increase speed": "Zwiększ prędkość",
+ "Faster (Right/Up)": "Szybciej (Prawo/Góra)",
+ "Start RSVP Reading": "Uruchom czytanie RSVP",
+ "Choose where to start reading": "Wybierz, gdzie zacząć czytać",
+ "From Chapter Start": "Od początku rozdziału",
+ "Start reading from the beginning of the chapter": "Zacznij czytać od początku rozdziału",
+ "Resume": "Wznów",
+ "Continue from where you left off": "Kontynuuj od miejsca, w którym przerwałeś",
+ "From Current Page": "Od bieżącej strony",
+ "Start from where you are currently reading": "Zacznij od miejsca, w którym aktualnie czytasz",
+ "From Selection": "Z zaznaczenia",
+ "Speed Reading Mode": "Tryb szybkiego czytania",
+ "Scroll left": "Przewiń w lewo",
+ "Scroll right": "Przewiń w prawo",
+ "Library Sync Progress": "Postęp synchronizacji biblioteki",
+ "Back to library": "Powrót do biblioteki",
+ "Group by...": "Grupuj według...",
+ "Export as Plain Text": "Eksportuj jako zwykły tekst",
+ "Export as Markdown": "Eksportuj jako Markdown",
+ "Show Page Navigation Buttons": "Przyciski nawigacji",
+ "Page {{number}}": "Strona {{number}}",
+ "highlight": "wyróżnienie",
+ "underline": "podkreślenie",
+ "squiggly": "wężyk",
+ "red": "czerwony",
+ "violet": "fioletowy",
+ "blue": "niebieski",
+ "green": "zielony",
+ "yellow": "żółty",
+ "Select {{style}} style": "Wybierz styl {{style}}",
+ "Select {{color}} color": "Wybierz kolor {{color}}",
+ "Close Book": "Zamknij książkę",
+ "Speed Reading": "Szybkie czytanie",
+ "Close Speed Reading": "Zamknij szybkie czytanie",
+ "Authors": "Autorzy",
+ "Books": "Książki",
+ "Groups": "Grupy",
+ "Back to TTS Location": "Powrót do lokalizacji TTS",
+ "Metadata": "Metadane",
+ "Image viewer": "Przeglądarka obrazów",
+ "Previous Image": "Poprzedni obraz",
+ "Next Image": "Następny obraz",
+ "Zoomed": "Powiększone",
+ "Zoom level": "Poziom powiększenia",
+ "Table viewer": "Przeglądarka tabel",
+ "Unable to connect to Readwise. Please check your network connection.": "Nie można połączyć się z Readwise. Sprawdź połączenie sieciowe.",
+ "Invalid Readwise access token": "Nieprawidłowy token dostępu Readwise",
+ "Disconnected from Readwise": "Rozłączono z Readwise",
+ "Never": "Nigdy",
+ "Readwise Settings": "Ustawienia Readwise",
+ "Connected to Readwise": "Połączono z Readwise",
+ "Last synced: {{time}}": "Ostatnia synchronizacja: {{time}}",
+ "Sync Enabled": "Synchronizacja włączona",
+ "Disconnect": "Rozłącz",
+ "Connect your Readwise account to sync highlights.": "Połącz swoje konto Readwise, aby synchronizować wyróżnienia.",
+ "Get your access token at": "Pobierz token dostępu pod adresem",
+ "Access Token": "Token dostępu",
+ "Paste your Readwise access token": "Wklej swój token dostępu Readwise",
+ "Config": "Konfiguracja",
+ "Readwise Sync": "Synchronizacja Readwise",
+ "Push Highlights": "Wyślij wyróżnienia",
+ "Highlights synced to Readwise": "Wyróżnienia zsynchronizowane z Readwise",
+ "Readwise sync failed: no internet connection": "Synchronizacja Readwise nie powiodła się: brak połączenia z Internetem",
+ "Readwise sync failed: {{error}}": "Synchronizacja Readwise nie powiodła się: {{error}}"
+}
diff --git a/apps/readest-app/public/locales/pt/translation.json b/apps/readest-app/public/locales/pt/translation.json
new file mode 100644
index 0000000000000000000000000000000000000000..d92af6151e48f1ed2a531c1fa3adc94637e9e31f
--- /dev/null
+++ b/apps/readest-app/public/locales/pt/translation.json
@@ -0,0 +1,1072 @@
+{
+ "(detected)": "(detectado)",
+ "About Readest": "Sobre o Readest",
+ "Add your notes here...": "Adicione suas notas aqui...",
+ "Animation": "Animação",
+ "Annotate": "Anotar",
+ "Apply": "Aplicar",
+ "Auto Mode": "Modo Automático",
+ "Behavior": "Comportamento",
+ "Book": "Livro",
+ "Bookmark": "Marcador",
+ "Cancel": "Cancelar",
+ "Chapter": "Capítulo",
+ "Cherry": "Cereja",
+ "Color": "Cor",
+ "Confirm": "Confirmar",
+ "Confirm Deletion": "Confirmar Exclusão",
+ "Copied to notebook": "Copiado para o caderno",
+ "Copy": "Copiar",
+ "Dark Mode": "Modo Escuro",
+ "Default": "Padrão",
+ "Default Font": "Fonte Padrão",
+ "Default Font Size": "Tamanho da Fonte Padrão",
+ "Delete": "Excluir",
+ "Delete Highlight": "Excluir Destaque",
+ "Dictionary": "Dicionário",
+ "Download Readest": "Baixar Readest",
+ "Edit": "Editar",
+ "Excerpts": "Trechos",
+ "Failed to import book(s): {{filenames}}": "Falha ao importar livro(s): {{filenames}}",
+ "Fast": "Rápido",
+ "Font": "Fonte",
+ "Font & Layout": "Fonte e Layout",
+ "Font Face": "Estilo da Fonte",
+ "Font Family": "Família da Fonte",
+ "Font Size": "Tamanho da Fonte",
+ "Full Justification": "Justificação Completa",
+ "Global Settings": "Configurações Globais",
+ "Go Back": "Voltar",
+ "Go Forward": "Avançar",
+ "Grass": "Grama",
+ "Gray": "Cinza",
+ "Gruvbox": "Gruvbox",
+ "Highlight": "Destaque",
+ "Horizontal Direction": "Direção Horizontal",
+ "Hyphenation": "Hifenização",
+ "Import Books": "Importar Livros",
+ "Layout": "Layout",
+ "Light Mode": "Modo Claro",
+ "Loading...": "Carregando...",
+ "Logged in": "Conectado",
+ "Logged in as {{userDisplayName}}": "Conectado como {{userDisplayName}}",
+ "Match Case": "Diferenciar Maiúsculas e Minúsculas",
+ "Match Diacritics": "Corresponder Acentos",
+ "Match Whole Words": "Corresponder Palavras Inteiras",
+ "Maximum Number of Columns": "Número Máximo de Colunas",
+ "Minimum Font Size": "Tamanho Mínimo da Fonte",
+ "Monospace Font": "Fonte Monoespaçada",
+ "More Info": "Mais Informações",
+ "Nord": "Nord",
+ "Notebook": "Caderno",
+ "Notes": "Notas",
+ "Open": "Abrir",
+ "Original Text": "Texto Original",
+ "Page": "Página",
+ "Paging Animation": "Animação de Página",
+ "Paragraph": "Parágrafo",
+ "Parallel Read": "Leitura Paralela",
+ "Published": "Publicado",
+ "Publisher": "Editora",
+ "Reading Progress Synced": "Progresso de leitura sincronizado",
+ "Reload Page": "Recarregar Página",
+ "Reveal in File Explorer": "Mostrar no Explorador de Arquivos",
+ "Reveal in Finder": "Mostrar no Finder",
+ "Reveal in Folder": "Mostrar na Pasta",
+ "Sans-Serif Font": "Fonte Sans-Serif",
+ "Save": "Salvar",
+ "Scrolled Mode": "Modo de Rolagem",
+ "Search": "Buscar",
+ "Search Books...": "Procurar livros...",
+ "Search...": "Pesquisar...",
+ "Select Book": "Selecionar Livro",
+ "Select Books": "Selecionar livros",
+ "Sepia": "Sépia",
+ "Serif Font": "Fonte Serif",
+ "Show Book Details": "Mostrar Detalhes do Livro",
+ "Sidebar": "Barra Lateral",
+ "Sign In": "Entrar",
+ "Sign Out": "Sair",
+ "Sky": "Céu",
+ "Slow": "Lento",
+ "Solarized": "Solarizado",
+ "Speak": "Falar",
+ "Subjects": "Assuntos",
+ "System Fonts": "Fontes do Sistema",
+ "Theme Color": "Cor do Tema",
+ "Theme Mode": "Modo do Tema",
+ "Translate": "Traduzir",
+ "Translated Text": "Texto Traduzido",
+ "Unknown": "Desconhecido",
+ "Untitled": "Sem Título",
+ "Updated": "Atualizado",
+ "Version {{version}}": "Versão {{version}}",
+ "Vertical Direction": "Direção Vertical",
+ "Welcome to your library. You can import your books here and read them anytime.": "Bem-vindo à sua biblioteca. Você pode importar seus livros aqui e lê-los a qualquer momento.",
+ "Wikipedia": "Wikipédia",
+ "Writing Mode": "Modo de Escrita",
+ "Your Library": "Sua Biblioteca",
+ "TTS not supported for PDF": "TTS não suportado para PDF",
+ "Override Book Font": "Sobrescrever Fonte do Livro",
+ "Apply to All Books": "Aplicar a todos os livros",
+ "Apply to This Book": "Aplicar a este livro",
+ "Unable to fetch the translation. Try again later.": "Não foi possível buscar a tradução. Tente novamente mais tarde.",
+ "Check Update": "Verificar atualização",
+ "Already the latest version": "Já é a versão mais recente",
+ "Book Details": "Detalhes do Livro",
+ "From Local File": "Do arquivo local",
+ "TOC": "Índice",
+ "Table of Contents": "Índice",
+ "Book uploaded: {{title}}": "Livro enviado: {{title}}",
+ "Failed to upload book: {{title}}": "Falha ao enviar livro: {{title}}",
+ "Book downloaded: {{title}}": "Livro baixado: {{title}}",
+ "Failed to download book: {{title}}": "Falha ao baixar livro: {{title}}",
+ "Upload Book": "Enviar Livro",
+ "Auto Upload Books to Cloud": "Enviar Livros para a Nuvem Automaticamente",
+ "Book deleted: {{title}}": "Livro excluído: {{title}}",
+ "Failed to delete book: {{title}}": "Falha ao excluir livro: {{title}}",
+ "Check Updates on Start": "Verificar Atualizações ao Iniciar",
+ "Insufficient storage quota": "Cota de armazenamento insuficiente",
+ "Font Weight": "Peso da Fonte",
+ "Line Spacing": "Espaçamento de Linha",
+ "Word Spacing": "Espaçamento de Palavra",
+ "Letter Spacing": "Espaçamento de Letra",
+ "Text Indent": "Recuo de Texto",
+ "Paragraph Margin": "Margem de Parágrafo",
+ "Override Book Layout": "Sobrescrever Layout do Livro",
+ "Untitled Group": "Grupo Sem Título",
+ "Group Books": "Agrupar Livros",
+ "Remove From Group": "Remover do Grupo",
+ "Create New Group": "Criar Novo Grupo",
+ "Deselect Book": "Desmarcar Livro",
+ "Download Book": "Baixar Livro",
+ "Deselect Group": "Desmarcar Grupo",
+ "Select Group": "Selecionar Grupo",
+ "Keep Screen Awake": "Manter a Tela Ativa",
+ "Email address": "Endereço de e-mail",
+ "Your Password": "Sua senha",
+ "Your email address": "Seu endereço de e-mail",
+ "Your password": "Sua senha",
+ "Sign in": "Entrar",
+ "Signing in...": "Entrando...",
+ "Sign in with {{provider}}": "Entrar com {{provider}}",
+ "Already have an account? Sign in": "Já tem uma conta? Entrar",
+ "Create a Password": "Criar uma senha",
+ "Sign up": "Cadastrar-se",
+ "Signing up...": "Cadastrando...",
+ "Don't have an account? Sign up": "Não tem uma conta? Cadastre-se",
+ "Check your email for the confirmation link": "Verifique seu e-mail para o link de confirmação",
+ "Signing in ...": "Entrando ...",
+ "Send a magic link email": "Enviar um link mágico por e-mail",
+ "Check your email for the magic link": "Verifique seu e-mail para o link mágico",
+ "Send reset password instructions": "Enviar instruções para redefinir a senha",
+ "Sending reset instructions ...": "Enviando instruções para redefinir a senha ...",
+ "Forgot your password?": "Esqueceu sua senha?",
+ "Check your email for the password reset link": "Verifique seu e-mail para o link de redefinição de senha",
+ "New Password": "Nova senha",
+ "Your new password": "Sua nova senha",
+ "Update password": "Atualizar senha",
+ "Updating password ...": "Atualizando senha ...",
+ "Your password has been updated": "Sua senha foi atualizada",
+ "Phone number": "Número de telefone",
+ "Your phone number": "Seu número de telefone",
+ "Token": "Token",
+ "Your OTP token": "Seu token OTP",
+ "Verify token": "Verificar token",
+ "Account": "Conta",
+ "Failed to delete user. Please try again later.": "Falha ao excluir usuário. Por favor, tente novamente mais tarde.",
+ "Community Support": "Suporte da comunidade",
+ "Priority Support": "Suporte prioritário",
+ "Loading profile...": "Carregando perfil...",
+ "Delete Account": "Excluir conta",
+ "Delete Your Account?": "Excluir sua conta?",
+ "This action cannot be undone. All your data in the cloud will be permanently deleted.": "Esta ação não pode ser desfeita. Todos os seus dados na nuvem serão excluídos permanentemente.",
+ "Delete Permanently": "Excluir permanentemente",
+ "RTL Direction": "Direção RTL",
+ "Maximum Column Height": "Altura Máxima da Coluna",
+ "Maximum Column Width": "Largura Máxima da Coluna",
+ "Continuous Scroll": "Rolagem Contínua",
+ "Fullscreen": "Tela Cheia",
+ "No supported files found. Supported formats: {{formats}}": "Nenhum arquivo suportado encontrado. Formatos suportados: {{formats}}",
+ "Drop to Import Books": "Arraste para Importar Livros",
+ "Custom": "Personalizado",
+ "All the world's a stage,\nAnd all the men and women merely players;\nThey have their exits and their entrances,\nAnd one man in his time plays many parts,\nHis acts being seven ages.\n\n— William Shakespeare": "Todo o mundo é um palco,\nE todos os homens e mulheres são meros atores;\nEles têm suas saídas e suas entradas,\nE um homem em seu tempo desempenha muitos papéis,\nSeus atos sendo sete idades.\n\n— William Shakespeare",
+ "Custom Theme": "Tema Personalizado",
+ "Theme Name": "Nome do Tema",
+ "Text Color": "Cor do Texto",
+ "Background Color": "Cor de Fundo",
+ "Preview": "Visualizar",
+ "Contrast": "Contraste",
+ "Sunset": "Pôr do Sol",
+ "Double Border": "Borda Dupla",
+ "Border Color": "Cor da Borda",
+ "Border Frame": "Moldura da Borda",
+ "Show Header": "Mostrar Cabeçalho",
+ "Show Footer": "Mostrar Rodapé",
+ "Small": "Pequeno",
+ "Large": "Grande",
+ "Auto": "Automático",
+ "Language": "Idioma",
+ "No annotations to export": "Nenhuma anotação para exportar",
+ "Author": "Autor",
+ "Exported from Readest": "Exportado do Readest",
+ "Highlights & Annotations": "Destaques e Anotações",
+ "Note": "Nota",
+ "Copied to clipboard": "Copiado para a área de transferência",
+ "Export Annotations": "Exportar Anotações",
+ "Auto Import on File Open": "Importação Automática ao Abrir Arquivo",
+ "LXGW WenKai GB Screen": "LXGW WenKai SC",
+ "LXGW WenKai TC": "LXGW WenKai TC",
+ "No chapters detected": "Nenhum capítulo detectado",
+ "Failed to parse the EPUB file": "Falha ao analisar o arquivo EPUB",
+ "This book format is not supported": "Este formato de livro não é suportado",
+ "Unable to fetch the translation. Please log in first and try again.": "Não foi possível buscar a tradução. Faça login primeiro e tente novamente.",
+ "Group": "Grupo",
+ "Always on Top": "Sempre no Topo",
+ "No Timeout": "Sem Tempo Limite",
+ "{{value}} minute": "{{value}} minuto",
+ "{{value}} minutes": "{{value}} minutos",
+ "{{value}} hour": "{{value}} hora",
+ "{{value}} hours": "{{value}} horas",
+ "CJK Font": "Fonte CJK",
+ "Clear Search": "Limpar Pesquisa",
+ "Header & Footer": "Cabeçalho e Rodapé",
+ "Apply also in Scrolled Mode": "Aplicar também no Modo Rolado",
+ "A new version of Readest is available!": "Uma nova versão do Readest está disponível!",
+ "Readest {{newVersion}} is available (installed version {{currentVersion}}).": "Readest {{newVersion}} está disponível (versão instalada {{currentVersion}}).",
+ "Download and install now?": "Baixar e instalar agora?",
+ "Downloading {{downloaded}} of {{contentLength}}": "Baixando {{downloaded}} de {{contentLength}}",
+ "Download finished": "Download concluído",
+ "DOWNLOAD & INSTALL": "BAIXAR E INSTALAR",
+ "Changelog": "Notas de versão",
+ "Software Update": "Atualização de Software",
+ "Title": "Título",
+ "Date Read": "Data de leitura",
+ "Date Added": "Data de adição",
+ "Format": "Formato",
+ "Ascending": "Crescente",
+ "Descending": "Decrescente",
+ "Sort by...": "Ordenar por...",
+ "Added": "Adicionado",
+ "GuanKiapTsingKhai-T": "GuanKiapTsingKhai-T",
+ "Description": "Descrição",
+ "No description available": "Nenhuma descrição disponível",
+ "List": "Lista",
+ "Grid": "Grade",
+ "(from 'As You Like It', Act II)": "(de 'Como Gostais', Ato II)",
+ "Link Color": "Cor do Link",
+ "Volume Keys for Page Flip": "Teclas de Volume para Virar Página",
+ "Screen": "Tela",
+ "Orientation": "Orientação",
+ "Portrait": "Retrato",
+ "Landscape": "Paisagem",
+ "Open Last Book on Start": "Abrir o Último Livro ao Iniciar",
+ "Checking for updates...": "Verificando atualizações...",
+ "Error checking for updates": "Erro ao verificar atualizações",
+ "Details": "Detalhes",
+ "File Size": "Tamanho do arquivo",
+ "Auto Detect": "Detectar Automaticamente",
+ "Next Section": "Próxima seção",
+ "Previous Section": "Seção anterior",
+ "Next Page": "Próxima página",
+ "Previous Page": "Página anterior",
+ "Are you sure to delete {{count}} selected book(s)?_one": "Tem certeza que deseja excluir {{count}} livro selecionado?",
+ "Are you sure to delete {{count}} selected book(s)?_many": "Tem certeza que deseja excluir {{count}} livros selecionados?",
+ "Are you sure to delete {{count}} selected book(s)?_other": "Tem certeza que deseja excluir {{count}} livros selecionados?",
+ "Are you sure to delete the selected book?": "Tem certeza que deseja excluir o livro selecionado?",
+ "Deselect": "Desmarcar",
+ "Select All": "Marcar tudo",
+ "No translation available.": "Sem tradução disponível.",
+ "Translated by {{provider}}.": "Traduzido por {{provider}}.",
+ "DeepL": "DeepL",
+ "Google Translate": "Google Tradutor",
+ "Azure Translator": "Tradutor Azure",
+ "Invert Image In Dark Mode": "Inverter Imagem no Escuro",
+ "Help improve Readest": "Ajude a melhorar o Readest",
+ "Sharing anonymized statistics": "Compartilhando estatísticas anonimizadas",
+ "Interface Language": "Idioma da interface",
+ "Translation": "Tradução",
+ "Enable Translation": "Ativar tradução",
+ "Translation Service": "Serviço de tradução",
+ "Translate To": "Traduzir para",
+ "Disable Translation": "Desativar tradução",
+ "Scroll": "Rolar",
+ "Overlap Pixels": "Sobreposição de Pixels",
+ "System Language": "Idioma do Sistema",
+ "Security": "Segurança",
+ "Allow JavaScript": "Permitir JavaScript",
+ "Enable only if you trust the file.": "Ativar apenas se você confiar no arquivo.",
+ "Sort TOC by Page": "Ordenar TOC por Página",
+ "Search in {{count}} Book(s)..._one": "Pesquisar em {{count}} Livro...",
+ "Search in {{count}} Book(s)..._many": "Pesquisar em {{count}} Livros...",
+ "Search in {{count}} Book(s)..._other": "Pesquisar em {{count}} Livros...",
+ "No notes match your search": "Nenhuma nota encontrada",
+ "Search notes and excerpts...": "Buscar notas...",
+ "Sign in to Sync": "Entrar",
+ "Synced at {{time}}": "Sincronizado às {{time}}",
+ "Never synced": "Nunca sincronizado",
+ "Show Remaining Time": "Mostrar Tempo Restante",
+ "{{time}} min left in chapter": "{{time}} min restantes no capítulo",
+ "Override Book Color": "Substituir Cor do Livro",
+ "Login Required": "Login necessário",
+ "Quota Exceeded": "Limite excedido",
+ "{{percentage}}% of Daily Translation Characters Used.": "{{percentage}}% dos caracteres de tradução diários usados.",
+ "Translation Characters": "Caracteres de Tradução",
+ "{{engine}}: {{count}} voices_one": "{{engine}}: {{count}} voz",
+ "{{engine}}: {{count}} voices_many": "{{engine}}: {{count}} vozes",
+ "{{engine}}: {{count}} voices_other": "{{engine}}: {{count}} vozes",
+ "Something went wrong. Don't worry, our team has been notified and we're working on a fix.": "Algo deu errado. Não se preocupe, nossa equipe foi notificada e estamos trabalhando em uma correção.",
+ "Error Details:": "Detalhes do Erro:",
+ "Try Again": "Tentar Novamente",
+ "Need help?": "Precisa de ajuda?",
+ "Contact Support": "Contato com Suporte",
+ "Code Highlighting": "Realce de Código",
+ "Enable Highlighting": "Ativar Realce",
+ "Code Language": "Idioma do Código",
+ "Top Margin (px)": "Margem superior (px)",
+ "Bottom Margin (px)": "Margem inferior (px)",
+ "Right Margin (px)": "Margem direita (px)",
+ "Left Margin (px)": "Margem esquerda (px)",
+ "Column Gap (%)": "Espaço entre colunas (%)",
+ "Always Show Status Bar": "Exibir sempre a barra de status",
+ "Custom Content CSS": "CSS do conteúdo",
+ "Enter CSS for book content styling...": "Insira o CSS para o estilo do conteúdo do livro...",
+ "Custom Reader UI CSS": "CSS da interface",
+ "Enter CSS for reader interface styling...": "Insira o CSS para o estilo da interface de leitura...",
+ "Crop": "Cortar",
+ "Book Covers": "Capas de Livros",
+ "Fit": "Encaixar",
+ "Reset {{settings}}": "Redefinir {{settings}}",
+ "Reset Settings": "Redefinir Configurações",
+ "{{count}} pages left in chapter_one": "Falta {{count}} página neste capítulo",
+ "{{count}} pages left in chapter_many": "Faltam {{count}} páginas neste capítulo",
+ "{{count}} pages left in chapter_other": "Faltam {{count}} páginas neste capítulo",
+ "Show Remaining Pages": "Mostrar páginas restantes",
+ "Source Han Serif CN": "Source Han Serif",
+ "Huiwen-MinchoGBK": "Huiwen Mincho",
+ "KingHwa_OldSong": "KingHwa Song",
+ "Manage Subscription": "Gerenciar assinatura",
+ "Coming Soon": "Em breve",
+ "Upgrade to {{plan}}": "Atualizar para {{plan}}",
+ "Upgrade to Plus or Pro": "Atualizar para Plus ou Pro",
+ "Current Plan": "Plano atual",
+ "Plan Limits": "Limites do plano",
+ "Processing your payment...": "Processando seu pagamento...",
+ "Please wait while we confirm your subscription.": "Por favor, aguarde enquanto confirmamos sua assinatura.",
+ "Payment Processing": "Processando pagamento",
+ "Your payment is being processed. This usually takes a few moments.": "Seu pagamento está sendo processado. Isso normalmente leva alguns instantes.",
+ "Payment Failed": "Falha no pagamento",
+ "We couldn't process your subscription. Please try again or contact support if the issue persists.": "Não foi possível processar sua assinatura. Tente novamente ou entre em contato com o suporte se o problema persistir.",
+ "Back to Profile": "Voltar ao perfil",
+ "Subscription Successful!": "Assinatura realizada com sucesso!",
+ "Thank you for your subscription! Your payment has been processed successfully.": "Obrigado pela sua assinatura! Seu pagamento foi processado com sucesso.",
+ "Email:": "E-mail:",
+ "Plan:": "Plano:",
+ "Amount:": "Valor:",
+ "Go to Library": "Ir para a biblioteca",
+ "Need help? Contact our support team at support@readest.com": "Precisa de ajuda? Entre em contato com nossa equipe de suporte: support@readest.com",
+ "Free Plan": "Plano gratuito",
+ "month": "mês",
+ "AI Translations (per day)": "Traduções com IA (por dia)",
+ "Plus Plan": "Plano Plus",
+ "Includes All Free Plan Benefits": "Inclui todos os benefícios do plano gratuito",
+ "Pro Plan": "Plano Pro",
+ "More AI Translations": "Mais traduções com IA",
+ "Complete Your Subscription": "Complete sua assinatura",
+ "{{percentage}}% of Cloud Sync Space Used.": "{{percentage}}% do espaço de sincronização na nuvem utilizado.",
+ "Cloud Sync Storage": "Armazenamento na Nuvem",
+ "Disable": "Desativar",
+ "Enable": "Ativar",
+ "Upgrade to Readest Premium": "Atualizar para Readest Premium",
+ "Show Source Text": "Mostrar Texto Fonte",
+ "Cross-Platform Sync": "Sincronização Multiplataforma",
+ "Seamlessly sync your library, progress, highlights, and notes across all your devices—never lose your place again.": "Sincronize perfeitamente sua biblioteca, progresso, destaques e notas em todos os seus dispositivos—nunca mais perca seu lugar.",
+ "Customizable Reading": "Leitura Personalizável",
+ "Personalize every detail with adjustable fonts, layouts, themes, and advanced display settings for the perfect reading experience.": "Personalize cada detalhe com fontes ajustáveis, layouts, temas e configurações avançadas de exibição para a experiência de leitura perfeita.",
+ "AI Read Aloud": "Leitura em Voz Alta por IA",
+ "Enjoy hands-free reading with natural-sounding AI voices that bring your books to life.": "Desfrute da leitura sem usar as mãos com vozes de IA com som natural que dão vida aos seus livros.",
+ "AI Translations": "Traduções por IA",
+ "Translate any text instantly with the power of Google, Azure, or DeepL—understand content in any language.": "Traduza qualquer texto instantaneamente com o poder do Google, Azure ou DeepL—entenda conteúdo em qualquer idioma.",
+ "Connect with fellow readers and get help fast in our friendly community channels.": "Conecte-se com outros leitores e obtenha ajuda rapidamente em nossos canais comunitários amigáveis.",
+ "Unlimited AI Read Aloud Hours": "Horas Ilimitadas de Leitura por IA",
+ "Listen without limits—convert as much text as you like into immersive audio.": "Ouça sem limites—converta tanto texto quanto quiser em áudio envolvente.",
+ "Unlock enhanced translation capabilities with more daily usage and advanced options.": "Desbloqueie recursos aprimorados de tradução com mais uso diário e opções avançadas.",
+ "DeepL Pro Access": "Acesso ao DeepL Pro",
+ "Enjoy faster responses and dedicated assistance whenever you need help.": "Desfrute de respostas mais rápidas e assistência dedicada sempre que precisar de ajuda.",
+ "Daily translation quota reached. Upgrade your plan to continue using AI translations.": "Cota diária de tradução atingida. Atualize seu plano para continuar usando traduções por IA.",
+ "Includes All Plus Plan Benefits": "Inclui Todos os Benefícios do Plano Plus",
+ "Early Feature Access": "Acesso Antecipado a Recursos",
+ "Be the first to explore new features, updates, and innovations before anyone else.": "Explore primeiro novos recursos, atualizações e inovações antes de qualquer um.",
+ "Advanced AI Tools": "Ferramentas de IA Avançadas",
+ "Harness powerful AI tools for smarter reading, translation, and content discovery.": "Aproveite ferramentas de IA poderosas para leitura inteligente, tradução e descoberta de conteúdo.",
+ "Translate up to 100,000 characters daily with the most accurate translation engine available.": "Traduza até 100.000 caracteres diariamente com o motor de tradução mais preciso disponível.",
+ "Translate up to 500,000 characters daily with the most accurate translation engine available.": "Traduza até 500.000 caracteres diariamente com o motor de tradução mais preciso disponível.",
+ "Securely store and access your entire reading collection with up to 5 GB of cloud storage.": "Armazene e acesse com segurança sua coleção completa de leitura com até 5 GB de armazenamento na nuvem.",
+ "Securely store and access your entire reading collection with up to 20 GB of cloud storage.": "Armazene e acesse com segurança sua coleção completa de leitura com até 20 GB de armazenamento na nuvem.",
+ "Deleted cloud backup of the book: {{title}}": "Backup na nuvem do livro excluído: {{title}}",
+ "Are you sure to delete the cloud backup of the selected book?": "Tem certeza de que deseja excluir o backup na nuvem do livro selecionado?",
+ "What's New in Readest": "Novidades no Readest",
+ "Enter book title": "Digite o título do livro",
+ "Subtitle": "Subtítulo",
+ "Enter book subtitle": "Digite o subtítulo do livro",
+ "Enter author name": "Digite o nome do autor",
+ "Series": "Série",
+ "Enter series name": "Digite o nome da série",
+ "Series Index": "Número da série",
+ "Enter series index": "Digite o número da série",
+ "Total in Series": "Total na série",
+ "Enter total books in series": "Digite o total de livros na série",
+ "Enter publisher": "Digite a editora",
+ "Publication Date": "Data de publicação",
+ "Identifier": "Identificador",
+ "Enter book description": "Digite a descrição do livro",
+ "Change cover image": "Alterar imagem da capa",
+ "Replace": "Substituir",
+ "Unlock cover": "Desbloquear capa",
+ "Lock cover": "Bloquear capa",
+ "Auto-Retrieve Metadata": "Recuperar metadados automaticamente",
+ "Auto-Retrieve": "Recuperação automática",
+ "Unlock all fields": "Desbloquear todos os campos",
+ "Unlock All": "Desbloquear tudo",
+ "Lock all fields": "Bloquear todos os campos",
+ "Lock All": "Bloquear tudo",
+ "Reset": "Redefinir",
+ "Edit Metadata": "Editar metadados",
+ "Locked": "Bloqueado",
+ "Select Metadata Source": "Selecionar fonte de metadados",
+ "Keep manual input": "Manter entrada manual",
+ "Google Books": "Google Books",
+ "Open Library": "Open Library",
+ "Fiction, Science, History": "Ficção, Ciência, História",
+ "Open Book in New Window": "Abrir livro em nova janela",
+ "Voices for {{lang}}": "Vozes para {{lang}}",
+ "Yandex Translate": "Yandex Translate",
+ "YYYY or YYYY-MM-DD": "YYYY ou YYYY-MM-DD",
+ "Restore Purchase": "Restaurar Compra",
+ "No purchases found to restore.": "Nenhuma compra encontrada para restaurar.",
+ "Failed to restore purchases.": "Falha ao restaurar compras.",
+ "Failed to manage subscription.": "Falha ao gerenciar assinatura.",
+ "Failed to load subscription plans.": "Falha ao carregar planos de assinatura.",
+ "year": "ano",
+ "Failed to create checkout session": "Falha ao criar sessão de checkout",
+ "Storage": "Armazenamento",
+ "Terms of Service": "Termos de Serviço",
+ "Privacy Policy": "Política de Privacidade",
+ "Disable Double Click": "Desativar Clique Duplo",
+ "TTS not supported for this document": "TTS não suportado para este documento",
+ "Reset Password": "Redefinir Senha",
+ "Show Reading Progress": "Mostrar Progresso de Leitura",
+ "Reading Progress Style": "Estilo de Progresso de Leitura",
+ "Page Number": "Número da Página",
+ "Percentage": "Porcentagem",
+ "Deleted local copy of the book: {{title}}": " cópia local do livro excluída: {{title}}",
+ "Failed to delete cloud backup of the book: {{title}}": "Falha ao excluir backup na nuvem do livro: {{title}}",
+ "Failed to delete local copy of the book: {{title}}": "Falha ao excluir cópia local do livro: {{title}}",
+ "Are you sure to delete the local copy of the selected book?": "Tem certeza de que deseja excluir a cópia local do livro selecionado?",
+ "Remove from Cloud & Device": "Remover da Nuvem & Dispositivo",
+ "Remove from Cloud Only": "Remover apenas da Nuvem",
+ "Remove from Device Only": "Remover apenas do Dispositivo",
+ "Disconnected": "Desconectado",
+ "KOReader Sync Settings": "Configurações de Sincronização KOReader",
+ "Sync Strategy": "Estratégia de Sincronização",
+ "Ask on conflict": "Perguntar em caso de conflito",
+ "Always use latest": "Sempre usar o mais recente",
+ "Send changes only": "Enviar apenas alterações",
+ "Receive changes only": "Receber apenas alterações",
+ "Checksum Method": "Método de Verificação",
+ "File Content (recommended)": "Conteúdo do Arquivo (recomendado)",
+ "File Name": "Nome do Arquivo",
+ "Device Name": "Nome do Dispositivo",
+ "Connect to your KOReader Sync server.": "Conectar ao seu servidor KOReader Sync.",
+ "Server URL": "URL do Servidor",
+ "Username": "Nome de Usuário",
+ "Your Username": "Seu Nome de Usuário",
+ "Password": "Senha",
+ "Connect": "Conectar",
+ "KOReader Sync": "KOReader Sync",
+ "Sync Conflict": "Conflito de Sincronização",
+ "Sync reading progress from \"{{deviceName}}\"?": "Sincronizar progresso de leitura de \"{{deviceName}}\"?",
+ "another device": "outro dispositivo",
+ "Local Progress": "Progresso Local",
+ "Remote Progress": "Progresso Remoto",
+ "Page {{page}} of {{total}} ({{percentage}}%)": "Página {{page}} de {{total}} ({{percentage}}%)",
+ "Current position": "Posição Atual",
+ "Approximately page {{page}} of {{total}} ({{percentage}}%)": "Aproximadamente página {{page}} de {{total}} ({{percentage}}%)",
+ "Approximately {{percentage}}%": "Aproximadamente {{percentage}}%",
+ "Failed to connect": "Falha ao conectar",
+ "Sync Server Connected": "Servidor de Sincronização Conectado",
+ "Sync as {{userDisplayName}}": "Sincronizar como {{userDisplayName}}",
+ "Custom Fonts": "Fontes Personalizadas",
+ "Cancel Delete": "Cancelar Exclusão",
+ "Import Font": "Importar Fonte",
+ "Delete Font": "Excluir Fonte",
+ "Tips": "Dicas",
+ "Custom fonts can be selected from the Font Face menu": "Fontes personalizadas podem ser selecionadas no menu Fonte",
+ "Manage Custom Fonts": "Gerenciar Fontes Personalizadas",
+ "Select Files": "Selecionar Arquivos",
+ "Select Image": "Selecionar Imagem",
+ "Select Video": "Selecionar Vídeo",
+ "Select Audio": "Selecionar Áudio",
+ "Select Fonts": "Selecionar Fontes",
+ "Supported font formats: .ttf, .otf, .woff, .woff2": "Formatos de fonte suportados: .ttf, .otf, .woff, .woff2",
+ "Push Progress": "Enviar Progresso",
+ "Pull Progress": "Obter Progresso",
+ "Previous Paragraph": "Parágrafo anterior",
+ "Previous Sentence": "Frase anterior",
+ "Pause": "Pausar",
+ "Play": "Reproduzir",
+ "Next Sentence": "Próxima frase",
+ "Next Paragraph": "Próximo parágrafo",
+ "Separate Cover Page": "Páginas de Capa Separadas",
+ "Resize Notebook": "Redimensionar Caderno",
+ "Resize Sidebar": "Redimensionar Barra Lateral",
+ "Get Help from the Readest Community": "Obter ajuda da comunidade Readest",
+ "Remove cover image": "Remover imagem da capa",
+ "Bookshelf": "Estante de Livros",
+ "View Menu": "Ver Menu",
+ "Settings Menu": "Menu de Configurações",
+ "View account details and quota": "Ver detalhes da conta e cota",
+ "Library Header": "Cabeçalho da Biblioteca",
+ "Book Content": "Conteúdo do Livro",
+ "Footer Bar": "Barra de Rodapé",
+ "Header Bar": "Barra de Cabeçalho",
+ "View Options": "Opções de Visualização",
+ "Book Menu": "Menu do Livro",
+ "Search Options": "Opções de Pesquisa",
+ "Close": "Fechar",
+ "Delete Book Options": "Opções de Exclusão de Livro",
+ "ON": "LIGADO",
+ "OFF": "DESLIGADO",
+ "Reading Progress": "Progresso de Leitura",
+ "Page Margin": "Margem da Página",
+ "Remove Bookmark": "Remover Marcador",
+ "Add Bookmark": "Adicionar Marcador",
+ "Books Content": "Conteúdo dos Livros",
+ "Jump to Location": "Ir para Localização",
+ "Unpin Notebook": "Desafixar Caderno",
+ "Pin Notebook": "Fixar Caderno",
+ "Hide Search Bar": "Ocultar Barra de Pesquisa",
+ "Show Search Bar": "Mostrar Barra de Pesquisa",
+ "On {{current}} of {{total}} page": "Na {{current}} de {{total}} página",
+ "Section Title": "Título da Seção",
+ "Decrease": "Diminuir",
+ "Increase": "Aumentar",
+ "Settings Panels": "Painéis de Configurações",
+ "Settings": "Configurações",
+ "Unpin Sidebar": "Desafixar Barra Lateral",
+ "Pin Sidebar": "Fixar Barra Lateral",
+ "Toggle Sidebar": "Alternar Barra Lateral",
+ "Toggle Translation": "Alternar Tradução",
+ "Translation Disabled": "Tradução Desativada",
+ "Minimize": "Minimizar",
+ "Maximize or Restore": "Maximizar ou Restaurar",
+ "Exit Parallel Read": "Sair da Leitura Paralela",
+ "Enter Parallel Read": "Entrar na Leitura Paralela",
+ "Zoom Level": "Nivel de Zoom",
+ "Zoom Out": "Reduzir Zoom",
+ "Reset Zoom": "Redefinir Zoom",
+ "Zoom In": "Aumentar Zoom",
+ "Zoom Mode": "Modo de Zoom",
+ "Single Page": "Página Única",
+ "Auto Spread": "Espalhamento Automático",
+ "Fit Page": "Ajustar Página",
+ "Fit Width": "Ajustar Largura",
+ "Failed to select directory": "Falha ao selecionar diretório",
+ "The new data directory must be different from the current one.": "O novo diretório de dados deve ser diferente do atual.",
+ "Migration failed: {{error}}": "A migração falhou: {{error}}",
+ "Change Data Location": "Alterar Localização dos Dados",
+ "Current Data Location": "Localização Atual dos Dados",
+ "Total size: {{size}}": "Tamanho total: {{size}}",
+ "Calculating file info...": "Calculando informações do arquivo...",
+ "New Data Location": "Nova Localização dos Dados",
+ "Choose Different Folder": "Escolher Pasta Diferente",
+ "Choose New Folder": "Escolher Nova Pasta",
+ "Migrating data...": "Migrando dados...",
+ "Copying: {{file}}": "Copiando: {{file}}",
+ "{{current}} of {{total}} files": "{{current}} de {{total}} arquivos",
+ "Migration completed successfully!": "Migração concluída com sucesso!",
+ "Your data has been moved to the new location. Please restart the application to complete the process.": "Seus dados foram movidos para a nova localização. Reinicie o aplicativo para concluir o processo.",
+ "Migration failed": "Migração falhou",
+ "Important Notice": "Aviso Importante",
+ "This will move all your app data to the new location. Make sure the destination has enough free space.": "Isso moverá todos os dados do seu aplicativo para a nova localização. Certifique-se de que o destino tenha espaço livre suficiente.",
+ "Restart App": "Reiniciar Aplicativo",
+ "Start Migration": "Iniciar Migração",
+ "Advanced Settings": "Configurações Avançadas",
+ "File count: {{size}}": "Contagem de arquivos: {{size}}",
+ "Background Read Aloud": "Leitura em Segundo Plano",
+ "Ready to read aloud": "Pronto para leitura em voz alta",
+ "Read Aloud": "Ler em Voz Alta",
+ "Screen Brightness": "Brilho da Tela",
+ "Background Image": "Imagem de Fundo",
+ "Import Image": "Importar Imagem",
+ "Opacity": "Opacidade",
+ "Size": "Tamanho",
+ "Cover": "Capa",
+ "Contain": "Contém",
+ "{{number}} pages left in chapter": "Faltam {{number}} páginas neste capítulo",
+ "Device": "Dispositivo",
+ "E-Ink Mode": "Modo E-Ink",
+ "Highlight Colors": "Cores de Destaque",
+ "Auto Screen Brightness": "Brilho Automático da Tela",
+ "Pagination": "Paginação",
+ "Disable Double Tap": "Desativar Toque Duplo",
+ "Tap to Paginate": "Toque para Paginar",
+ "Click to Paginate": "Clique para Paginar",
+ "Tap Both Sides": "Toque em Ambos os Lados",
+ "Click Both Sides": "Clique em Ambos os Lados",
+ "Swap Tap Sides": "Trocar Lados do Toque",
+ "Swap Click Sides": "Trocar Lados do Clique",
+ "Source and Translated": "Fonte e Traduzido",
+ "Translated Only": "Apenas Traduzido",
+ "Source Only": "Apenas Fonte",
+ "TTS Text": "TTS Texto",
+ "The book file is corrupted": "O arquivo do livro está corrompido",
+ "The book file is empty": "O arquivo do livro está vazio",
+ "Failed to open the book file": "Falha ao abrir o arquivo do livro",
+ "On-Demand Purchase": "Compra sob demanda",
+ "Full Customization": "Personalização Completa",
+ "Lifetime Plan": "Plano Vitalício",
+ "One-Time Payment": "Pagamento Único",
+ "Make a single payment to enjoy lifetime access to specific features on all devices. Purchase specific features or services only when you need them.": "Faça um único pagamento para desfrutar de acesso vitalício a recursos específicos em todos os dispositivos. Compre recursos ou serviços específicos apenas quando precisar deles.",
+ "Expand Cloud Sync Storage": "Expandir Armazenamento de Sincronização em Nuvem",
+ "Expand your cloud storage forever with a one-time purchase. Each additional purchase adds more space.": "Expanda seu armazenamento em nuvem para sempre com uma compra única. Cada compra adicional adiciona mais espaço.",
+ "Unlock All Customization Options": "Desbloquear Todas as Opções de Personalização",
+ "Unlock additional themes, fonts, layout options and read aloud, translators, cloud storage services.": "Desbloquear temas adicionais, fontes, opções de layout e leitura em voz alta, tradutores, serviços de armazenamento em nuvem.",
+ "Purchase Successful!": "Compra Bem-Sucedida!",
+ "lifetime": "vitalício",
+ "Thank you for your purchase! Your payment has been processed successfully.": "Obrigado pela sua compra! Seu pagamento foi processado com sucesso.",
+ "Order ID:": "ID do Pedido:",
+ "TTS Highlighting": "Destaque TTS",
+ "Style": "Estilo",
+ "Underline": "Sublinhado",
+ "Strikethrough": "Tachado",
+ "Squiggly": "Ondulado",
+ "Outline": "Contorno",
+ "Save Current Color": "Salvar cor atual",
+ "Quick Colors": "Cores rápidas",
+ "Highlighter": "Marcador",
+ "Save Book Cover": "Salvar Capa do Livro",
+ "Auto-save last book cover": "Salvar automaticamente a última capa do livro",
+ "Back": "Voltar",
+ "Confirmation email sent! Please check your old and new email addresses to confirm the change.": "E-mail de confirmação enviado! Verifique os seus endereços de e-mail antigo e novo para confirmar a alteração.",
+ "Failed to update email": "Falha ao atualizar o e-mail",
+ "New Email": "Novo e-mail",
+ "Your new email": "O seu novo e-mail",
+ "Updating email ...": "A atualizar o e-mail...",
+ "Update email": "Atualizar e-mail",
+ "Current email": "E-mail atual",
+ "Update Email": "Atualizar e-mail",
+ "All": "Todos",
+ "Unable to open book": "Não foi possível abrir o livro",
+ "Punctuation": "Pontuação",
+ "Replace Quotation Marks": "Substituir Aspas",
+ "Enabled only in vertical layout.": "Habilitado apenas no layout vertical.",
+ "No Conversion": "Sem conversão",
+ "Simplified to Traditional": "Simplificado → Tradicional",
+ "Traditional to Simplified": "Tradicional → Simplificado",
+ "Simplified to Traditional (Taiwan)": "Simplificado → Tradicional (Taiwan)",
+ "Simplified to Traditional (Hong Kong)": "Simplificado → Tradicional (Hong Kong)",
+ "Simplified to Traditional (Taiwan), with phrases": "Simplificado → Tradicional (Taiwan • frases)",
+ "Traditional (Taiwan) to Simplified": "Tradicional (Taiwan) → Simplificado",
+ "Traditional (Hong Kong) to Simplified": "Tradicional (Hong Kong) → Simplificado",
+ "Traditional (Taiwan) to Simplified, with phrases": "Tradicional (Taiwan • frases) → Simplificado",
+ "Convert Simplified and Traditional Chinese": "Converter Chinês Simpl./Trad.",
+ "Convert Mode": "Modo de conversão",
+ "Failed to auto-save book cover for lock screen: {{error}}": "Falha ao salvar automaticamente a capa do livro para a tela de bloqueio: {{error}}",
+ "Download from Cloud": "Baixar da Nuvem",
+ "Upload to Cloud": "Enviar para a Nuvem",
+ "Clear Custom Fonts": "Limpar Fontes Personalizadas",
+ "Columns": "Colunas",
+ "OPDS Catalogs": "Catálogos OPDS",
+ "Adding LAN addresses is not supported in the web app version.": "Adicionar endereços LAN não é suportado na versão web.",
+ "Invalid OPDS catalog. Please check the URL.": "Catálogo OPDS inválido. Verifique o URL.",
+ "Browse and download books from online catalogs": "Navegar e baixar livros de catálogos online",
+ "My Catalogs": "Meus catálogos",
+ "Add Catalog": "Adicionar catálogo",
+ "No catalogs yet": "Nenhum catálogo ainda",
+ "Add your first OPDS catalog to start browsing books": "Adicione seu primeiro catálogo OPDS para começar a navegar pelos livros",
+ "Add Your First Catalog": "Adicione seu primeiro catálogo",
+ "Browse": "Navegar",
+ "Popular Catalogs": "Catálogos populares",
+ "Add": "Adicionar",
+ "Add OPDS Catalog": "Adicionar catálogo OPDS",
+ "Catalog Name": "Nome do catálogo",
+ "My Calibre Library": "Minha biblioteca Calibre",
+ "OPDS URL": "URL do OPDS",
+ "Username (optional)": "Nome de usuário (opcional)",
+ "Password (optional)": "Senha (opcional)",
+ "Description (optional)": "Descrição (opcional)",
+ "A brief description of this catalog": "Uma breve descrição deste catálogo",
+ "Validating...": "Validando...",
+ "View All": "Ver todos",
+ "Forward": "Avançar",
+ "Home": "Início",
+ "{{count}} items_one": "{{count}} item",
+ "{{count}} items_many": "{{count}} itens",
+ "{{count}} items_other": "{{count}} item",
+ "Download completed": "Download concluído",
+ "Download failed": "Falha no download",
+ "Open Access": "Acesso aberto",
+ "Borrow": "Emprestar",
+ "Buy": "Comprar",
+ "Subscribe": "Assinar",
+ "Sample": "Amostra",
+ "Download": "Baixar",
+ "Open & Read": "Abrir e ler",
+ "Tags": "Etiquetas",
+ "Tag": "Etiqueta",
+ "First": "Pierwsza",
+ "Previous": "Poprzednia",
+ "Next": "Następna",
+ "Last": "Ostatnia",
+ "Cannot Load Page": "Nie można załadować strony",
+ "An error occurred": "Wystąpił błąd",
+ "Online Library": "Biblioteca online",
+ "URL must start with http:// or https://": "URL deve começar com http:// ou https://",
+ "Title, Author, Tag, etc...": "Título, Autor, Etiqueta, etc...",
+ "Query": "Consulta",
+ "Subject": "Assunto",
+ "Enter {{terms}}": "Insira {{terms}}",
+ "No search results found": "Nenhum resultado encontrado",
+ "Failed to load OPDS feed: {{status}} {{statusText}}": "Falha ao carregar o feed OPDS: {{status}} {{statusText}}",
+ "Search in {{title}}": "Pesquisar em {{title}}",
+ "Manage Storage": "Gerir Armazenamento",
+ "Failed to load files": "Falha ao carregar arquivos",
+ "Deleted {{count}} file(s)_one": "Apagado {{count}} ficheiro",
+ "Deleted {{count}} file(s)_many": "Apagados {{count}} ficheiros",
+ "Deleted {{count}} file(s)_other": "Apagado {{count}} ficheiro",
+ "Failed to delete {{count}} file(s)_one": "Falha ao apagar {{count}} ficheiro",
+ "Failed to delete {{count}} file(s)_many": "Falha ao apagar {{count}} ficheiros",
+ "Failed to delete {{count}} file(s)_other": "Falha ao apagar {{count}} ficheiro",
+ "Failed to delete files": "Falha ao apagar arquivos",
+ "Total Files": "Total de Arquivos",
+ "Total Size": "Tamanho Total",
+ "Quota": "Quota",
+ "Used": "Usado",
+ "Files": "Arquivos",
+ "Search files...": "Procurar arquivos...",
+ "Newest First": "Mais Recentes Primeiro",
+ "Oldest First": "Mais Antigos Primeiro",
+ "Largest First": "Maiores Primeiro",
+ "Smallest First": "Menores Primeiro",
+ "Name A-Z": "Nome A-Z",
+ "Name Z-A": "Nome Z-A",
+ "{{count}} selected_one": "{{count}} selecionado",
+ "{{count}} selected_many": "{{count}} selecionados",
+ "{{count}} selected_other": "{{count}} selecionado",
+ "Delete Selected": "Apagar Selecionados",
+ "Created": "Criado",
+ "No files found": "Nenhum arquivo encontrado",
+ "No files uploaded yet": "Nenhum arquivo enviado ainda",
+ "files": "arquivos",
+ "Page {{current}} of {{total}}": "Página {{current}} de {{total}}",
+ "Are you sure to delete {{count}} selected file(s)?_one": "Tem certeza de que deseja apagar {{count}} ficheiro selecionado?",
+ "Are you sure to delete {{count}} selected file(s)?_many": "Tem certeza de que deseja apagar {{count}} ficheiros selecionados?",
+ "Are you sure to delete {{count}} selected file(s)?_other": "Tem certeza de que deseja apagar {{count}} ficheiro selecionado?",
+ "Cloud Storage Usage": "Uso de Armazenamento na Nuvem",
+ "Rename Group": "Renomear Grupo",
+ "From Directory": "Do Diretório",
+ "Successfully imported {{count}} book(s)_one": "Importado com sucesso 1 livro",
+ "Successfully imported {{count}} book(s)_many": "Importados com sucesso {{count}} livros",
+ "Successfully imported {{count}} book(s)_other": "Importados com sucesso {{count}} livros",
+ "Count": "Contagem",
+ "Start Page": "Página Inicial",
+ "Search in OPDS Catalog...": "Pesquisar no Catálogo OPDS...",
+ "Please log in to use advanced TTS features": "Por favor, faça login para usar recursos avançados de TTS",
+ "Word limit of 30 words exceeded.": "O limite de 30 palavras foi excedido.",
+ "Proofread": "Revisão",
+ "Current selection": "Seleção atual",
+ "All occurrences in this book": "Todas as ocorrências neste livro",
+ "All occurrences in your library": "Todas as ocorrências na sua biblioteca",
+ "Selected text:": "Texto selecionado:",
+ "Replace with:": "Substituir por:",
+ "Enter text...": "Introduzir texto…",
+ "Case sensitive:": "Diferenciar maiúsculas e minúsculas:",
+ "Scope:": "Âmbito:",
+ "Selection": "Seleção",
+ "Library": "Biblioteca",
+ "Yes": "Sim",
+ "No": "Não",
+ "Proofread Replacement Rules": "Regras de substituição da revisão",
+ "Selected Text Rules": "Regras do texto selecionado",
+ "No selected text replacement rules": "Não existem regras de substituição para o texto selecionado",
+ "Book Specific Rules": "Regras específicas do livro",
+ "No book-level replacement rules": "Não existem regras de substituição ao nível do livro",
+ "Disable Quick Action": "Desativar Ação Rápida",
+ "Enable Quick Action on Selection": "Ativar Ação Rápida na Seleção",
+ "None": "Nenhum",
+ "Annotation Tools": "Ferramentas de Anotação",
+ "Enable Quick Actions": "Ativar Ações Rápidas",
+ "Quick Action": "Ação Rápida",
+ "Copy to Notebook": "Copiar para o Caderno",
+ "Copy text after selection": "Copiar texto após a seleção",
+ "Highlight text after selection": "Destacar texto após a seleção",
+ "Annotate text after selection": "Anotar texto após a seleção",
+ "Search text after selection": "Pesquisar texto após a seleção",
+ "Look up text in dictionary after selection": "Procurar texto no dicionário após a seleção",
+ "Look up text in Wikipedia after selection": "Procurar texto na Wikipedia após a seleção",
+ "Translate text after selection": "Traduzir texto após a seleção",
+ "Read text aloud after selection": "Ler texto em voz alta após a seleção",
+ "Proofread text after selection": "Revisar texto após a seleção",
+ "{{activeCount}} active, {{pendingCount}} pending": "{{activeCount}} ativos, {{pendingCount}} pendentes",
+ "{{failedCount}} failed": "{{failedCount}} falharam",
+ "Waiting...": "Aguardando...",
+ "Failed": "Falhou",
+ "Completed": "Concluído",
+ "Cancelled": "Cancelado",
+ "Retry": "Tentar novamente",
+ "Active": "Ativos",
+ "Transfer Queue": "Fila de Transferências",
+ "Upload All": "Enviar Todos",
+ "Download All": "Baixar Todos",
+ "Resume Transfers": "Retomar Transferências",
+ "Pause Transfers": "Pausar Transferências",
+ "Pending": "Pendentes",
+ "No transfers": "Sem transferências",
+ "Retry All": "Tentar Todos Novamente",
+ "Clear Completed": "Limpar Concluídos",
+ "Clear Failed": "Limpar Falhos",
+ "Upload queued: {{title}}": "Upload na fila: {{title}}",
+ "Download queued: {{title}}": "Download na fila: {{title}}",
+ "Book not found in library": "Livro não encontrado na biblioteca",
+ "Unknown error": "Erro desconhecido",
+ "Please log in to continue": "Faça login para continuar",
+ "Cloud File Transfers": "Transferências de Arquivos",
+ "Show Search Results": "Mostrar resultados",
+ "Search results for '{{term}}'": "Resultados para '{{term}}'",
+ "Close Search": "Fechar pesquisa",
+ "Previous Result": "Resultado anterior",
+ "Next Result": "Próximo resultado",
+ "Bookmarks": "Marcadores",
+ "Annotations": "Anotações",
+ "Show Results": "Mostrar resultados",
+ "Clear search": "Limpar pesquisa",
+ "Clear search history": "Limpar histórico de pesquisa",
+ "Tap to Toggle Footer": "Toque para alternar rodapé",
+ "Exported successfully": "Exportado com sucesso",
+ "Book exported successfully.": "Livro exportado com sucesso.",
+ "Failed to export the book.": "Falha ao exportar o livro.",
+ "Export Book": "Exportar livro",
+ "Whole word:": "Palavra inteira:",
+ "Error": "Erro",
+ "Unable to load the article. Try searching directly on {{link}}.": "Não foi possível carregar o artigo. Tente pesquisar diretamente em {{link}}.",
+ "Unable to load the word. Try searching directly on {{link}}.": "Não foi possível carregar a palavra. Tente pesquisar diretamente em {{link}}.",
+ "Date Published": "Data de publicação",
+ "Only for TTS:": "Apenas para TTS:",
+ "Uploaded": "Enviado",
+ "Downloaded": "Baixado",
+ "Deleted": "Excluído",
+ "Note:": "Nota:",
+ "Time:": "Hora:",
+ "Format Options": "Opções de formato",
+ "Export Date": "Data de exportação",
+ "Chapter Titles": "Títulos dos capítulos",
+ "Chapter Separator": "Separador de capítulos",
+ "Highlights": "Destaques",
+ "Note Date": "Data da nota",
+ "Advanced": "Avançado",
+ "Hide": "Ocultar",
+ "Show": "Mostrar",
+ "Use Custom Template": "Usar modelo personalizado",
+ "Export Template": "Modelo de exportação",
+ "Template Syntax:": "Sintaxe do modelo:",
+ "Insert value": "Inserir valor",
+ "Format date (locale)": "Formatar data (local)",
+ "Format date (custom)": "Formatar data (personalizado)",
+ "Conditional": "Condicional",
+ "Loop": "Loop",
+ "Available Variables:": "Variáveis disponíveis:",
+ "Book title": "Título do livro",
+ "Book author": "Autor do livro",
+ "Export date": "Data de exportação",
+ "Array of chapters": "Lista de capítulos",
+ "Chapter title": "Título do capítulo",
+ "Array of annotations": "Lista de anotações",
+ "Highlighted text": "Texto destacado",
+ "Annotation note": "Nota de anotação",
+ "Date Format Tokens:": "Tokens de formato de data:",
+ "Year (4 digits)": "Ano (4 dígitos)",
+ "Month (01-12)": "Mês (01-12)",
+ "Day (01-31)": "Dia (01-31)",
+ "Hour (00-23)": "Hora (00-23)",
+ "Minute (00-59)": "Minuto (00-59)",
+ "Second (00-59)": "Segundo (00-59)",
+ "Show Source": "Mostrar fonte",
+ "No content to preview": "Sem conteúdo para visualizar",
+ "Export": "Exportar",
+ "Set Timeout": "Definir tempo limite",
+ "Select Voice": "Selecionar voz",
+ "Toggle Sticky Bottom TTS Bar": "Alternar barra TTS fixada",
+ "Display what I'm reading on Discord": "Mostrar o que estou lendo no Discord",
+ "Show on Discord": "Mostrar no Discord",
+ "Instant {{action}}": "{{action}} instantâneo",
+ "Instant {{action}} Disabled": "{{action}} instantâneo desativado",
+ "Annotation": "Anotação",
+ "Reset Template": "Redefinir modelo",
+ "Annotation style": "Estilo de anotação",
+ "Annotation color": "Cor da anotação",
+ "Annotation time": "Hora da anotação",
+ "AI": "IA",
+ "Are you sure you want to re-index this book?": "Tem certeza de que deseja reindexar este livro?",
+ "Enable AI in Settings": "Ativar IA nas configurações",
+ "Index This Book": "Indexar este livro",
+ "Enable AI search and chat for this book": "Ativar pesquisa e chat com IA para este livro",
+ "Start Indexing": "Iniciar indexação",
+ "Indexing book...": "Indexando livro...",
+ "Preparing...": "Preparando...",
+ "Delete this conversation?": "Excluir esta conversa?",
+ "No conversations yet": "Ainda não há conversas",
+ "Start a new chat to ask questions about this book": "Inicie um novo chat para fazer perguntas sobre este livro",
+ "Rename": "Renomear",
+ "New Chat": "Novo chat",
+ "Chat": "Chat",
+ "Please enter a model ID": "Por favor, insira um ID de modelo",
+ "Model not available or invalid": "Modelo não disponível ou inválido",
+ "Failed to validate model": "Falha ao validar modelo",
+ "Couldn't connect to Ollama. Is it running?": "Não foi possível conectar ao Ollama. Está em execução?",
+ "Invalid API key or connection failed": "Chave API inválida ou falha na conexão",
+ "Connection failed": "Falha na conexão",
+ "AI Assistant": "Assistente de IA",
+ "Enable AI Assistant": "Ativar assistente de IA",
+ "Provider": "Provedor",
+ "Ollama (Local)": "Ollama (Local)",
+ "AI Gateway (Cloud)": "Gateway de IA (Nuvem)",
+ "Ollama Configuration": "Configuração do Ollama",
+ "Refresh Models": "Atualizar modelos",
+ "AI Model": "Modelo de IA",
+ "No models detected": "Nenhum modelo detectado",
+ "AI Gateway Configuration": "Configuração do gateway de IA",
+ "Choose from a selection of high-quality, economical AI models. You can also bring your own model by selecting \"Custom Model\" below.": "Escolha entre uma seleção de modelos de IA de alta qualidade e econômicos. Você também pode usar seu próprio modelo selecionando \"Modelo personalizado\" abaixo.",
+ "API Key": "Chave API",
+ "Get Key": "Obter chave",
+ "Model": "Modelo",
+ "Custom Model...": "Modelo personalizado...",
+ "Custom Model ID": "ID do modelo personalizado",
+ "Validate": "Validar",
+ "Model available": "Modelo disponível",
+ "Connection": "Conexão",
+ "Test Connection": "Testar conexão",
+ "Connected": "Conectado",
+ "Custom Colors": "Cores personalizadas",
+ "Color E-Ink Mode": "Modo E-Ink colorido",
+ "Reading Ruler": "Régua de leitura",
+ "Enable Reading Ruler": "Ativar régua de leitura",
+ "Lines to Highlight": "Linhas para destacar",
+ "Ruler Color": "Cor da régua",
+ "Command Palette": "Paleta de Comandos",
+ "Search settings and actions...": "Pesquisar definições e ações...",
+ "No results found for": "Nenhum resultado encontrado para",
+ "Type to search settings and actions": "Digite para pesquisar definições e ações",
+ "Recent": "Recente",
+ "navigate": "navegar",
+ "select": "selecionar",
+ "close": "fechar",
+ "Search Settings": "Pesquisar Definições",
+ "Page Margins": "Margens da Página",
+ "AI Provider": "Fornecedor de IA",
+ "Ollama URL": "URL do Ollama",
+ "Ollama Model": "Modelo do Ollama",
+ "AI Gateway Model": "Modelo de AI Gateway",
+ "Actions": "Ações",
+ "Navigation": "Navegação",
+ "Set status for {{count}} book(s)_one": "Definir estado para {{count}} livro",
+ "Set status for {{count}} book(s)_other": "Definir estado para {{count}} livros",
+ "Mark as Unread": "Marcar como não lido",
+ "Mark as Finished": "Marcar como concluído",
+ "Finished": "Concluído",
+ "Unread": "Não lido",
+ "Clear Status": "Limpar estado",
+ "Status": "Estado",
+ "Set status for {{count}} book(s)_many": "Definir status para {{count}} livros",
+ "Loading": "Carregando...",
+ "Exit Paragraph Mode": "Sair do modo de parágrafo",
+ "Paragraph Mode": "Modo de parágrafo",
+ "Embedding Model": "Modelo de incorporação",
+ "{{count}} book(s) synced_one": "{{count}} livro sincronizado",
+ "{{count}} book(s) synced_many": "{{count}} livros sincronizados",
+ "{{count}} book(s) synced_other": "{{count}} livros sincronizados",
+ "Unable to start RSVP": "Não foi possível iniciar o RSVP",
+ "RSVP not supported for PDF": "RSVP não suportado para PDF",
+ "Select Chapter": "Selecionar capítulo",
+ "Context": "Contexto",
+ "Ready": "Pronto",
+ "Chapter Progress": "Progresso do capítulo",
+ "words": "palavras",
+ "{{time}} left": "{{time}} restante",
+ "Reading progress": "Progresso de leitura",
+ "Click to seek": "Clique para navegar",
+ "Skip back 15 words": "Voltar 15 palavras",
+ "Back 15 words (Shift+Left)": "Voltar 15 palavras (Shift+Esquerda)",
+ "Pause (Space)": "Pausar (Espaço)",
+ "Play (Space)": "Reproduzir (Espaço)",
+ "Skip forward 15 words": "Avançar 15 palavras",
+ "Forward 15 words (Shift+Right)": "Avançar 15 palavras (Shift+Direita)",
+ "Pause:": "Pausa:",
+ "Decrease speed": "Diminuir velocidade",
+ "Slower (Left/Down)": "Mais lento (Esquerda/Baixo)",
+ "Current speed": "Velocidade atual",
+ "Increase speed": "Aumentar velocidade",
+ "Faster (Right/Up)": "Mais rápido (Direita/Cima)",
+ "Start RSVP Reading": "Iniciar leitura RSVP",
+ "Choose where to start reading": "Escolha onde começar a ler",
+ "From Chapter Start": "Do início do capítulo",
+ "Start reading from the beginning of the chapter": "Começar a ler do início do capítulo",
+ "Resume": "Retomar",
+ "Continue from where you left off": "Continuar de onde parou",
+ "From Current Page": "Da página atual",
+ "Start from where you are currently reading": "Começar de onde está lendo no momento",
+ "From Selection": "Da seleção",
+ "Speed Reading Mode": "Modo de leitura rápida",
+ "Scroll left": "Rolar para a esquerda",
+ "Scroll right": "Rolar para a direita",
+ "Library Sync Progress": "Progresso de sincronização da biblioteca",
+ "Back to library": "Voltar à biblioteca",
+ "Group by...": "Agrupar por...",
+ "Export as Plain Text": "Exportar como texto simples",
+ "Export as Markdown": "Exportar como Markdown",
+ "Show Page Navigation Buttons": "Botões de navegação",
+ "Page {{number}}": "Página {{number}}",
+ "highlight": "destaque",
+ "underline": "sublinhado",
+ "squiggly": "ondulado",
+ "red": "vermelho",
+ "violet": "violeta",
+ "blue": "azul",
+ "green": "verde",
+ "yellow": "amarelo",
+ "Select {{style}} style": "Selecionar estilo {{style}}",
+ "Select {{color}} color": "Selecionar cor {{color}}",
+ "Close Book": "Fechar livro",
+ "Speed Reading": "Leitura rápida",
+ "Close Speed Reading": "Fechar leitura rápida",
+ "Authors": "Autores",
+ "Books": "Livros",
+ "Groups": "Grupos",
+ "Back to TTS Location": "Voltar para a localização do TTS",
+ "Metadata": "Metadados",
+ "Image viewer": "Visualizador de imagens",
+ "Previous Image": "Imagem anterior",
+ "Next Image": "Próxima imagem",
+ "Zoomed": "Com zoom",
+ "Zoom level": "Nível de zoom",
+ "Table viewer": "Visualizador de tabelas",
+ "Unable to connect to Readwise. Please check your network connection.": "Não foi possível conectar ao Readwise. Por favor, verifique sua conexão de rede.",
+ "Invalid Readwise access token": "Token de acesso do Readwise inválido",
+ "Disconnected from Readwise": "Desconectado do Readwise",
+ "Never": "Nunca",
+ "Readwise Settings": "Configurações do Readwise",
+ "Connected to Readwise": "Conectado ao Readwise",
+ "Last synced: {{time}}": "Última sincronização: {{time}}",
+ "Sync Enabled": "Sincronização ativada",
+ "Disconnect": "Desconectar",
+ "Connect your Readwise account to sync highlights.": "Conecte sua conta do Readwise para sincronizar os destaques.",
+ "Get your access token at": "Obtenha seu token de acesso em",
+ "Access Token": "Token de acesso",
+ "Paste your Readwise access token": "Cole seu token de acesso do Readwise",
+ "Config": "Configuração",
+ "Readwise Sync": "Sincronização com o Readwise",
+ "Push Highlights": "Enviar destaques",
+ "Highlights synced to Readwise": "Destaques sincronizados com o Readwise",
+ "Readwise sync failed: no internet connection": "Sincronização com o Readwise falhou: sem conexão com a internet",
+ "Readwise sync failed: {{error}}": "Sincronização com o Readwise falhou: {{error}}"
+}
diff --git a/apps/readest-app/public/locales/ru/translation.json b/apps/readest-app/public/locales/ru/translation.json
new file mode 100644
index 0000000000000000000000000000000000000000..e34a774ba832c706cf8c47035876f6deae4a234d
--- /dev/null
+++ b/apps/readest-app/public/locales/ru/translation.json
@@ -0,0 +1,1084 @@
+{
+ "(detected)": "(обнаружено)",
+ "About Readest": "О Readest",
+ "Add your notes here...": "Добавьте свои заметки здесь...",
+ "Animation": "Анимация",
+ "Annotate": "Аннотация",
+ "Apply": "Применить",
+ "Auto Mode": "Автоматический режим",
+ "Behavior": "Поведение",
+ "Book": "Книга",
+ "Bookmark": "Закладка",
+ "Cancel": "Отмена",
+ "Chapter": "Глава",
+ "Cherry": "Вишня",
+ "Color": "Цвет",
+ "Confirm": "Подтвердить",
+ "Confirm Deletion": "Подтвердить удаление",
+ "Copied to notebook": "Скопировано в блокнот",
+ "Copy": "Копировать",
+ "Dark Mode": "Тёмная тема",
+ "Default": "По умолчанию",
+ "Default Font": "Шрифт по умолчанию",
+ "Default Font Size": "Размер шрифта по умолчанию",
+ "Delete": "Удалить",
+ "Delete Highlight": "Удалить выделение",
+ "Dictionary": "Словарь",
+ "Download Readest": "Скачать Readest",
+ "Edit": "Редактировать",
+ "Excerpts": "Отрывки",
+ "Failed to import book(s): {{filenames}}": "Не удалось импортировать книгу(и): {{filenames}}",
+ "Fast": "Быстро",
+ "Font": "Шрифт",
+ "Font & Layout": "Шрифт и макет",
+ "Font Face": "Начертание шрифта",
+ "Font Family": "Семейство шрифтов",
+ "Font Size": "Размер шрифта",
+ "Full Justification": "Полное выравнивание",
+ "Global Settings": "Общие настройки",
+ "Go Back": "Назад",
+ "Go Forward": "Вперёд",
+ "Grass": "Трава",
+ "Gray": "Серый",
+ "Gruvbox": "Gruvbox",
+ "Highlight": "Выделить",
+ "Horizontal Direction": "Горизонтальное направление",
+ "Hyphenation": "Перенос слов",
+ "Import Books": "Импорт книг",
+ "Layout": "Макет",
+ "Light Mode": "Светлая тема",
+ "Loading...": "Загрузка...",
+ "Logged in": "Выполнен вход",
+ "Logged in as {{userDisplayName}}": "Вход выполнен как {{userDisplayName}}",
+ "Match Case": "Учитывать регистр",
+ "Match Diacritics": "Учитывать диакритические знаки",
+ "Match Whole Words": "Только целые слова",
+ "Maximum Number of Columns": "Максимальное количество колонок",
+ "Minimum Font Size": "Минимальный размер шрифта",
+ "Monospace Font": "Моноширинный шрифт",
+ "More Info": "Подробнее",
+ "Nord": "Nord",
+ "Notebook": "Блокнот",
+ "Notes": "Заметки",
+ "Open": "Открыть",
+ "Original Text": "Оригинальный текст",
+ "Page": "Страница",
+ "Paging Animation": "Анимация перелистывания",
+ "Paragraph": "Абзац",
+ "Parallel Read": "Параллельное чтение",
+ "Published": "Опубликовано",
+ "Publisher": "Издатель",
+ "Reading Progress Synced": "Синхронизирован прогресс чтения",
+ "Reload Page": "Перезагрузить страницу",
+ "Reveal in File Explorer": "Показать в проводнике",
+ "Reveal in Finder": "Показать в Finder",
+ "Reveal in Folder": "Показать в папке",
+ "Sans-Serif Font": "Шрифт без засечек",
+ "Save": "Сохранить",
+ "Scrolled Mode": "Режим прокрутки",
+ "Search": "Поиск",
+ "Search Books...": "Поиск книг...",
+ "Search...": "Поиск...",
+ "Select Book": "Выбрать книгу",
+ "Select Books": "Выбрать книги",
+ "Sepia": "Сепия",
+ "Serif Font": "Шрифт с засечками",
+ "Show Book Details": "Показать детали книги",
+ "Sidebar": "Боковая панель",
+ "Sign In": "Войти",
+ "Sign Out": "Выйти",
+ "Sky": "Небесный",
+ "Slow": "Медленно",
+ "Solarized": "Солнечный",
+ "Speak": "Произнести",
+ "Subjects": "Темы",
+ "System Fonts": "Системные шрифты",
+ "Theme Color": "Цвет темы",
+ "Theme Mode": "Режим темы",
+ "Translate": "Перевести",
+ "Translated Text": "Переведённый текст",
+ "Unknown": "Неизвестно",
+ "Untitled": "Без названия",
+ "Updated": "Обновлено",
+ "Version {{version}}": "Версия {{version}}",
+ "Vertical Direction": "Вертикальное направление",
+ "Welcome to your library. You can import your books here and read them anytime.": "Добро пожаловать в вашу библиотеку. Вы можете импортировать сюда книги и читать их в любое время.",
+ "Wikipedia": "Википедия",
+ "Writing Mode": "Режим записи",
+ "Your Library": "Ваша библиотека",
+ "TTS not supported for PDF": "TTS не поддерживается для PDF",
+ "Override Book Font": "Переопределить шрифт книги",
+ "Apply to All Books": "Применить ко всем книгам",
+ "Apply to This Book": "Применить к этой книге",
+ "Unable to fetch the translation. Try again later.": "Не удалось получить перевод. Попробуйте позже.",
+ "Check Update": "Проверить обновление",
+ "Already the latest version": "Уже последняя версия",
+ "Book Details": "Детали книги",
+ "From Local File": "Из локального файла",
+ "TOC": "Содержание",
+ "Table of Contents": "Содержание",
+ "Book uploaded: {{title}}": "Книга загружена: {{title}}",
+ "Failed to upload book: {{title}}": "Не удалось загрузить книгу: {{title}}",
+ "Book downloaded: {{title}}": "Книга скачана: {{title}}",
+ "Failed to download book: {{title}}": "Не удалось скачать книгу: {{title}}",
+ "Upload Book": "Загрузить книгу",
+ "Auto Upload Books to Cloud": "Автоматическая загрузка книг в облако",
+ "Book deleted: {{title}}": "Книга удалена: {{title}}",
+ "Failed to delete book: {{title}}": "Не удалось удалить книгу: {{title}}",
+ "Check Updates on Start": "Проверять обновления при запуске",
+ "Insufficient storage quota": "Недостаточно квоты хранилища",
+ "Font Weight": "Насыщенность шрифта",
+ "Line Spacing": "Межстрочный интервал",
+ "Word Spacing": "Межсловный интервал",
+ "Letter Spacing": "Межбуквенный интервал",
+ "Text Indent": "Отступ текста",
+ "Paragraph Margin": "Отступ абзаца",
+ "Override Book Layout": "Переопределить макет книги",
+ "Untitled Group": "Группа без названия",
+ "Group Books": "Группировать книги",
+ "Remove From Group": "Удалить из группы",
+ "Create New Group": "Создать новую группу",
+ "Deselect Book": "Отменить выбор книги",
+ "Download Book": "Скачать книгу",
+ "Deselect Group": "Отменить выбор группы",
+ "Select Group": "Выбрать группу",
+ "Keep Screen Awake": "Не выключать экран",
+ "Email address": "Адрес электронной почты",
+ "Your Password": "Ваш пароль",
+ "Your email address": "Ваш адрес электронной почты",
+ "Your password": "Ваш пароль",
+ "Sign in": "Войти",
+ "Signing in...": "Вход...",
+ "Sign in with {{provider}}": "Войти с помощью {{provider}}",
+ "Already have an account? Sign in": "Уже есть аккаунт? Войдите",
+ "Create a Password": "Создать пароль",
+ "Sign up": "Зарегистрироваться",
+ "Signing up...": "Регистрация...",
+ "Don't have an account? Sign up": "Нет аккаунта? Зарегистрируйтесь",
+ "Check your email for the confirmation link": "Проверьте свою почту для подтверждающей ссылки",
+ "Signing in ...": "Вход ...",
+ "Send a magic link email": "Отправить магическую ссылку по электронной почте",
+ "Check your email for the magic link": "Проверьте свою почту для магической ссылки",
+ "Send reset password instructions": "Отправить инструкции по сбросу пароля",
+ "Sending reset instructions ...": "Отправка инструкций по сбросу пароля ...",
+ "Forgot your password?": "Забыли пароль?",
+ "Check your email for the password reset link": "Проверьте свою почту для ссылки для сброса пароля",
+ "New Password": "Новый пароль",
+ "Your new password": "Ваш новый пароль",
+ "Update password": "Обновить пароль",
+ "Updating password ...": "Обновление пароля ...",
+ "Your password has been updated": "Ваш пароль был обновлен",
+ "Phone number": "Номер телефона",
+ "Your phone number": "Ваш номер телефона",
+ "Token": "Токен",
+ "Your OTP token": "Ваш OTP токен",
+ "Verify token": "Проверить токен",
+ "Account": "Аккаунт",
+ "Failed to delete user. Please try again later.": "Не удалось удалить пользователя. Пожалуйста, повторите попытку позже.",
+ "Community Support": "Поддержка сообщества",
+ "Priority Support": "Приоритетная поддержка",
+ "Loading profile...": "Загрузка профиля...",
+ "Delete Account": "Удалить аккаунт",
+ "Delete Your Account?": "Удалить ваш аккаунт?",
+ "This action cannot be undone. All your data in the cloud will be permanently deleted.": "Это действие нельзя отменить. Все ваши данные в облаке будут удалены безвозвратно.",
+ "Delete Permanently": "Удалить навсегда",
+ "RTL Direction": "Направление RTL",
+ "Maximum Column Height": "Максимальная высота колонки",
+ "Maximum Column Width": "Максимальная ширина колонки",
+ "Continuous Scroll": "Непрерывная прокрутка",
+ "Fullscreen": "Полноэкранный режим",
+ "No supported files found. Supported formats: {{formats}}": "Поддерживаемые файлы не найдены. Поддерживаемые форматы: {{formats}}",
+ "Drop to Import Books": "Перетащите сюда книги для импорта",
+ "Custom": "Пользовательский",
+ "All the world's a stage,\nAnd all the men and women merely players;\nThey have their exits and their entrances,\nAnd one man in his time plays many parts,\nHis acts being seven ages.\n\n— William Shakespeare": "Весь мир — театр,\nИ все мужчины и женщины — просто актёры;\nУ них есть свои выходы и входы,\nИ один человек в своё время играет много ролей,\nЕго поступки — это семь веков.\n\n— Уильям Шекспир",
+ "Custom Theme": "Пользовательская тема",
+ "Theme Name": "Название темы",
+ "Text Color": "Цвет текста",
+ "Background Color": "Цвет фона",
+ "Preview": "Предпросмотр",
+ "Contrast": "Контраст",
+ "Sunset": "Закат",
+ "Double Border": "Двойная граница",
+ "Border Color": "Цвет границы",
+ "Border Frame": "Граница рамки",
+ "Show Header": "Показать заголовок",
+ "Show Footer": "Показать нижний колонтитул",
+ "Small": "Маленький",
+ "Large": "Большой",
+ "Auto": "Авто",
+ "Language": "Язык",
+ "No annotations to export": "Нет аннотаций для экспорта",
+ "Author": "Автор",
+ "Exported from Readest": "Экспортировано из Readest",
+ "Highlights & Annotations": "Выделения и аннотации",
+ "Note": "Заметка",
+ "Copied to clipboard": "Скопировано в буфер обмена",
+ "Export Annotations": "Экспортировать аннотации",
+ "Auto Import on File Open": "Автоматический импорт при открытии файла",
+ "LXGW WenKai GB Screen": "LXGW WenKai SC",
+ "LXGW WenKai TC": "LXGW WenKai TC",
+ "No chapters detected": "Не обнаружено глав",
+ "Failed to parse the EPUB file": "Не удалось разобрать файл EPUB",
+ "This book format is not supported": "Этот формат книги не поддерживается",
+ "Unable to fetch the translation. Please log in first and try again.": "Не удалось получить перевод. Пожалуйста, войдите в систему и попробуйте снова.",
+ "Group": "Группа",
+ "Always on Top": "Всегда сверху",
+ "No Timeout": "Нет таймаута",
+ "{{value}} minute": "{{value}} минута",
+ "{{value}} minutes": "{{value}} минуты",
+ "{{value}} hour": "{{value}} час",
+ "{{value}} hours": "{{value}} часа",
+ "CJK Font": "CJK Шрифт",
+ "Clear Search": "Очистить поиск",
+ "Header & Footer": "Заголовок и нижний колонтитул",
+ "Apply also in Scrolled Mode": "Применить также в прокручиваемом режиме",
+ "A new version of Readest is available!": "Доступна новая версия Readest!",
+ "Readest {{newVersion}} is available (installed version {{currentVersion}}).": "Readest {{newVersion}} доступен (установленная версия {{currentVersion}}).",
+ "Download and install now?": "Скачать и установить сейчас?",
+ "Downloading {{downloaded}} of {{contentLength}}": "Скачано {{downloaded}} из {{contentLength}}",
+ "Download finished": "Загрузка завершена",
+ "DOWNLOAD & INSTALL": "СКАЧАТЬ И УСТАНОВИТЬ",
+ "Changelog": "Изменения",
+ "Software Update": "Обновление программного обеспечения",
+ "Title": "Название",
+ "Date Read": "Дата прочтения",
+ "Date Added": "Дата добавления",
+ "Format": "Формат",
+ "Ascending": "По возрастанию",
+ "Descending": "По убыванию",
+ "Sort by...": "Сортировать по...",
+ "Added": "Добавлено",
+ "GuanKiapTsingKhai-T": "GuanKiapTsingKhai-T",
+ "Description": "Описание",
+ "No description available": "Нет доступного описания",
+ "List": "Список",
+ "Grid": "Сетка",
+ "(from 'As You Like It', Act II)": "(из 'Как вам это понравится', Акт II)",
+ "Link Color": "Цвет ссылки",
+ "Volume Keys for Page Flip": "Клавиши громкости для перелистывания страниц",
+ "Screen": "Экран",
+ "Orientation": "Ориентация",
+ "Portrait": "Портрет",
+ "Landscape": "Ландшафт",
+ "Open Last Book on Start": "Открыть последнюю книгу при запуске",
+ "Checking for updates...": "Проверка обновлений...",
+ "Error checking for updates": "Ошибка при проверке обновлений",
+ "Details": "Инфо",
+ "File Size": "Размер файла",
+ "Auto Detect": "Автоопределение",
+ "Next Section": "Следующий раздел",
+ "Previous Section": "Предыдущий раздел",
+ "Next Page": "Следующая страница",
+ "Previous Page": "Предыдущая страница",
+ "Are you sure to delete {{count}} selected book(s)?_one": "Вы уверены, что хотите удалить {{count}} выбранную книгу?",
+ "Are you sure to delete {{count}} selected book(s)?_few": "Вы уверены, что хотите удалить {{count}} выбранные книги?",
+ "Are you sure to delete {{count}} selected book(s)?_many": "Вы уверены, что хотите удалить {{count}} выбранных книг?",
+ "Are you sure to delete {{count}} selected book(s)?_other": "Вы уверены, что хотите удалить {{count}} выбранных книг?",
+ "Are you sure to delete the selected book?": "Вы уверены, что хотите удалить выбранную книгу?",
+ "Deselect": "Снять",
+ "Select All": "Выбрать все",
+ "No translation available.": "Нет доступного перевода.",
+ "Translated by {{provider}}.": "Переведено {{provider}}.",
+ "DeepL": "DeepL",
+ "Google Translate": "Google Translate",
+ "Azure Translator": "Azure Translator",
+ "Invert Image In Dark Mode": "Инвертировать в тёмной теме",
+ "Help improve Readest": "Помогите улучшить Readest",
+ "Sharing anonymized statistics": "Отправка анонимной статистики",
+ "Interface Language": "Язык интерфейса",
+ "Translation": "Перевод",
+ "Enable Translation": "Включить перевод",
+ "Translation Service": "Сервис перевода",
+ "Translate To": "Перевести на",
+ "Disable Translation": "Отключить перевод",
+ "Scroll": "Прокрутка",
+ "Overlap Pixels": "Перекрывающиеся пиксели",
+ "System Language": "Системный язык",
+ "Security": "Безопасность",
+ "Allow JavaScript": "Разрешить JavaScript",
+ "Enable only if you trust the file.": "Включите только если доверяете файлу.",
+ "Sort TOC by Page": "Сортировать содержание по странице",
+ "Search in {{count}} Book(s)..._one": "Поиск в {{count}} книге...",
+ "Search in {{count}} Book(s)..._few": "Поиск в {{count}} книгах...",
+ "Search in {{count}} Book(s)..._many": "Поиск в {{count}} книгах...",
+ "Search in {{count}} Book(s)..._other": "Поиск в {{count}} книгах...",
+ "No notes match your search": "Записи не найдены",
+ "Search notes and excerpts...": "Искать записи...",
+ "Sign in to Sync": "Войти",
+ "Synced at {{time}}": "Синхр. в {{time}}",
+ "Never synced": "Не синхр.",
+ "Show Remaining Time": "Показать оставшееся время",
+ "{{time}} min left in chapter": "{{time}} мин осталось в главе",
+ "Override Book Color": "Переопределить цвет книги",
+ "Login Required": "Требуется вход",
+ "Quota Exceeded": "Лимит превышен",
+ "{{percentage}}% of Daily Translation Characters Used.": "Использовано {{percentage}}% от суточного лимита символов перевода.",
+ "Translation Characters": "Символы перевода",
+ "{{engine}}: {{count}} voices_one": "{{engine}}: {{count}} голос",
+ "{{engine}}: {{count}} voices_few": "{{engine}}: {{count}} голоса",
+ "{{engine}}: {{count}} voices_many": "{{engine}}: {{count}} голосов",
+ "{{engine}}: {{count}} voices_other": "{{engine}}: {{count}} голоса",
+ "Something went wrong. Don't worry, our team has been notified and we're working on a fix.": "Что-то пошло не так. Не волнуйтесь, наша команда уведомлена и работает над исправлением.",
+ "Error Details:": "Подробности ошибки:",
+ "Try Again": "Попробовать снова",
+ "Need help?": "Нужна помощь?",
+ "Contact Support": "Связаться с поддержкой",
+ "Code Highlighting": "Подсветка кода",
+ "Enable Highlighting": "Включить подсветку",
+ "Code Language": "Язык кода",
+ "Top Margin (px)": "Верхний отступ (пикс)",
+ "Bottom Margin (px)": "Нижний отступ (пикс)",
+ "Right Margin (px)": "Правый отступ (пикс)",
+ "Left Margin (px)": "Левый отступ (пикс)",
+ "Column Gap (%)": "Промежуток между колонками (%)",
+ "Always Show Status Bar": "Всегда показывать панель состояния",
+ "Custom Content CSS": "CSS содержимого",
+ "Enter CSS for book content styling...": "Введите CSS для оформления содержимого книги...",
+ "Custom Reader UI CSS": "CSS интерфейса",
+ "Enter CSS for reader interface styling...": "Введите CSS для оформления интерфейса ридера...",
+ "Crop": "Обрезать",
+ "Book Covers": "Обложки книг",
+ "Fit": "Подогнать",
+ "Reset {{settings}}": "Сбросить {{settings}}",
+ "Reset Settings": "Сбросить настройки",
+ "{{count}} pages left in chapter_one": "Осталась {{count}} страница в главе",
+ "{{count}} pages left in chapter_few": "Осталось {{count}} страницы в главе",
+ "{{count}} pages left in chapter_many": "Осталось {{count}} страниц в главе",
+ "{{count}} pages left in chapter_other": "Осталось {{count}} страниц в главе",
+ "Show Remaining Pages": "Показать оставшиеся страницы",
+ "Source Han Serif CN": "Source Han Serif",
+ "Huiwen-MinchoGBK": "Huiwen Mincho",
+ "KingHwa_OldSong": "KingHwa Song",
+ "Manage Subscription": "Управление подпиской",
+ "Coming Soon": "Скоро будет",
+ "Upgrade to {{plan}}": "Обновить до {{plan}}",
+ "Upgrade to Plus or Pro": "Обновить до Plus или Pro",
+ "Current Plan": "Текущий план",
+ "Plan Limits": "Лимиты плана",
+ "Processing your payment...": "Обработка платежа...",
+ "Please wait while we confirm your subscription.": "Пожалуйста, подождите, пока мы подтверждаем вашу подписку.",
+ "Payment Processing": "Обработка платежа",
+ "Your payment is being processed. This usually takes a few moments.": "Ваш платеж обрабатывается. Обычно это занимает несколько секунд.",
+ "Payment Failed": "Не удалось провести платеж",
+ "We couldn't process your subscription. Please try again or contact support if the issue persists.": "Не удалось обработать подписку. Пожалуйста, попробуйте еще раз или свяжитесь с поддержкой, если проблема сохраняется.",
+ "Back to Profile": "Назад в профиль",
+ "Subscription Successful!": "Подписка успешно оформлена!",
+ "Thank you for your subscription! Your payment has been processed successfully.": "Спасибо за подписку! Ваш платеж успешно обработан.",
+ "Email:": "Электронная почта:",
+ "Plan:": "План:",
+ "Amount:": "Сумма:",
+ "Go to Library": "Перейти в библиотеку",
+ "Need help? Contact our support team at support@readest.com": "Нужна помощь? Свяжитесь с нашей поддержкой: support@readest.com",
+ "Free Plan": "Бесплатный план",
+ "month": "месяц",
+ "AI Translations (per day)": "Переводы ИИ (в день)",
+ "Plus Plan": "План Plus",
+ "Includes All Free Plan Benefits": "Включает все преимущества бесплатного плана",
+ "Pro Plan": "План Pro",
+ "More AI Translations": "Больше переводов ИИ",
+ "Complete Your Subscription": "Завершите подписку",
+ "{{percentage}}% of Cloud Sync Space Used.": "Использовано {{percentage}}% облачного пространства для синхронизации.",
+ "Cloud Sync Storage": "Облачное хранилище",
+ "Disable": "Отключить",
+ "Enable": "Включить",
+ "Upgrade to Readest Premium": "Обновить до Readest Premium",
+ "Show Source Text": "Показать исходный текст",
+ "Cross-Platform Sync": "Кроссплатформенная Синхронизация",
+ "Seamlessly sync your library, progress, highlights, and notes across all your devices—never lose your place again.": "Беспрепятственно синхронизируйте свою библиотеку, прогресс, заметки и выделения на всех устройствах—больше никогда не теряйте свое место.",
+ "Customizable Reading": "Настраиваемое Чтение",
+ "Personalize every detail with adjustable fonts, layouts, themes, and advanced display settings for the perfect reading experience.": "Персонализируйте каждую деталь с настраиваемыми шрифтами, макетами, темами и расширенными настройками отображения для идеального чтения.",
+ "AI Read Aloud": "Озвучивание ИИ",
+ "Enjoy hands-free reading with natural-sounding AI voices that bring your books to life.": "Наслаждайтесь чтением без рук с естественно звучащими голосами ИИ, которые оживляют ваши книги.",
+ "AI Translations": "Переводы ИИ",
+ "Translate any text instantly with the power of Google, Azure, or DeepL—understand content in any language.": "Переводите любой текст мгновенно с помощью Google, Azure или DeepL—понимайте содержание на любом языке.",
+ "Connect with fellow readers and get help fast in our friendly community channels.": "Общайтесь с другими читателями и получайте быструю помощь в наших дружелюбных каналах сообщества.",
+ "Unlimited AI Read Aloud Hours": "Неограниченные Часы Озвучивания ИИ",
+ "Listen without limits—convert as much text as you like into immersive audio.": "Слушайте без ограничений—преобразуйте столько текста, сколько хотите, в захватывающее аудио.",
+ "Unlock enhanced translation capabilities with more daily usage and advanced options.": "Разблокируйте улучшенные возможности перевода с большим ежедневным использованием и расширенными опциями.",
+ "DeepL Pro Access": "Доступ к DeepL Pro",
+ "Enjoy faster responses and dedicated assistance whenever you need help.": "Наслаждайтесь более быстрыми ответами и персональной помощью, когда вам нужна поддержка.",
+ "Daily translation quota reached. Upgrade your plan to continue using AI translations.": "Достигнута дневная квота переводов. Обновите план, чтобы продолжить использовать переводы ИИ.",
+ "Includes All Plus Plan Benefits": "Включает Все Преимущества Plus Плана",
+ "Early Feature Access": "Ранний Доступ к Функциям",
+ "Be the first to explore new features, updates, and innovations before anyone else.": "Исследуйте новые функции, обновления и инновации первыми.",
+ "Advanced AI Tools": "Продвинутые ИИ Инструменты",
+ "Harness powerful AI tools for smarter reading, translation, and content discovery.": "Используйте мощные ИИ инструменты для умного чтения, перевода и поиска контента.",
+ "Translate up to 100,000 characters daily with the most accurate translation engine available.": "Переводите до 100 000 символов ежедневно с самым точным доступным движком перевода.",
+ "Translate up to 500,000 characters daily with the most accurate translation engine available.": "Переводите до 500 000 символов ежедневно с самым точным доступным движком перевода.",
+ "Securely store and access your entire reading collection with up to 5 GB of cloud storage.": "Безопасно храните и получайте доступ ко всей коллекции чтения с до 5 ГБ облачного хранилища.",
+ "Securely store and access your entire reading collection with up to 20 GB of cloud storage.": "Безопасно храните и получайте доступ ко всей коллекции чтения с до 20 ГБ облачного хранилища.",
+ "Deleted cloud backup of the book: {{title}}": "Удалено облачное резервное копирование книги: {{title}}",
+ "Are you sure to delete the cloud backup of the selected book?": "Вы уверены, что хотите удалить облачное резервное копирование выбранной книги?",
+ "What's New in Readest": "Что нового в Readest",
+ "Enter book title": "Введите название книги",
+ "Subtitle": "Подзаголовок",
+ "Enter book subtitle": "Введите подзаголовок книги",
+ "Enter author name": "Введите имя автора",
+ "Series": "Серия",
+ "Enter series name": "Введите название серии",
+ "Series Index": "Номер в серии",
+ "Enter series index": "Введите номер в серии",
+ "Total in Series": "Всего в серии",
+ "Enter total books in series": "Введите общее количество книг в серии",
+ "Enter publisher": "Введите издательство",
+ "Publication Date": "Дата публикации",
+ "Identifier": "Идентификатор",
+ "Enter book description": "Введите описание книги",
+ "Change cover image": "Изменить обложку",
+ "Replace": "Заменить",
+ "Unlock cover": "Разблокировать обложку",
+ "Lock cover": "Заблокировать обложку",
+ "Auto-Retrieve Metadata": "Автоматически получить метаданные",
+ "Auto-Retrieve": "Автоматическое получение",
+ "Unlock all fields": "Разблокировать все поля",
+ "Unlock All": "Разблокировать всё",
+ "Lock all fields": "Заблокировать все поля",
+ "Lock All": "Заблокировать всё",
+ "Reset": "Сбросить",
+ "Edit Metadata": "Редактировать метаданные",
+ "Locked": "Заблокировано",
+ "Select Metadata Source": "Выберите источник метаданных",
+ "Keep manual input": "Сохранить ручной ввод",
+ "Google Books": "Google Книги",
+ "Open Library": "Open Library",
+ "Fiction, Science, History": "Художественная литература, Наука, История",
+ "Open Book in New Window": "Открыть книгу в новом окне",
+ "Voices for {{lang}}": "Голоса для {{lang}}",
+ "Yandex Translate": "Yandex Translate",
+ "YYYY or YYYY-MM-DD": "YYYY или YYYY-MM-DD",
+ "Restore Purchase": "Восстановить покупку",
+ "No purchases found to restore.": "Не найдено покупок для восстановления.",
+ "Failed to restore purchases.": "Не удалось восстановить покупки.",
+ "Failed to manage subscription.": "Не удалось управлять подпиской.",
+ "Failed to load subscription plans.": "Не удалось загрузить планы подписки.",
+ "year": "год",
+ "Failed to create checkout session": "Не удалось создать сессию оформления заказа",
+ "Storage": "Хранилище",
+ "Terms of Service": "Условия использования",
+ "Privacy Policy": "Политика конфиденциальности",
+ "Disable Double Click": "Отключить двойной клик",
+ "TTS not supported for this document": "TTS не поддерживается для этого документа",
+ "Reset Password": "Сбросить пароль",
+ "Show Reading Progress": "Показать прогресс чтения",
+ "Reading Progress Style": "Стиль прогресса чтения",
+ "Page Number": "Номер страницы",
+ "Percentage": "Процент",
+ "Deleted local copy of the book: {{title}}": "Удалена локальная копия книги: {{title}}",
+ "Failed to delete cloud backup of the book: {{title}}": "Не удалось удалить резервную копию книги в облаке: {{title}}",
+ "Failed to delete local copy of the book: {{title}}": "Не удалось удалить локальную копию книги: {{title}}",
+ "Are you sure to delete the local copy of the selected book?": "Вы уверены, что хотите удалить локальную копию выбранной книги?",
+ "Remove from Cloud & Device": "Удалить из облака и устройства",
+ "Remove from Cloud Only": "Удалить только из облака",
+ "Remove from Device Only": "Удалить только с устройства",
+ "Disconnected": "Отключено",
+ "KOReader Sync Settings": "Настройки синхронизации KOReader",
+ "Sync Strategy": "Стратегия синхронизации",
+ "Ask on conflict": "Спрашивать при конфликте",
+ "Always use latest": "Всегда использовать последнюю",
+ "Send changes only": "Отправлять только изменения",
+ "Receive changes only": "Получать только изменения",
+ "Checksum Method": "Метод контрольной суммы",
+ "File Content (recommended)": "Содержимое файла (рекомендуется)",
+ "File Name": "Имя файла",
+ "Device Name": "Имя устройства",
+ "Connect to your KOReader Sync server.": "Подключитесь к вашему серверу синхронизации KOReader.",
+ "Server URL": "URL сервера",
+ "Username": "Имя пользователя",
+ "Your Username": "Ваше имя пользователя",
+ "Password": "Пароль",
+ "Connect": "Подключиться",
+ "KOReader Sync": "KOReader Sync",
+ "Sync Conflict": "Конфликт синхронизации",
+ "Sync reading progress from \"{{deviceName}}\"?": "Синхронизировать прогресс чтения с \"{{deviceName}}\"?",
+ "another device": "другом устройстве",
+ "Local Progress": "Локальный прогресс",
+ "Remote Progress": "Удаленный прогресс",
+ "Page {{page}} of {{total}} ({{percentage}}%)": "Страница {{page}} из {{total}} ({{percentage}}%)",
+ "Current position": "Текущая позиция",
+ "Approximately page {{page}} of {{total}} ({{percentage}}%)": "Приблизительно страница {{page}} из {{total}} ({{percentage}}%)",
+ "Approximately {{percentage}}%": "Приблизительно {{percentage}}%",
+ "Failed to connect": "Не удалось подключиться",
+ "Sync Server Connected": "Сервер синхронизации подключен",
+ "Sync as {{userDisplayName}}": "Синхронизировать как {{userDisplayName}}",
+ "Custom Fonts": "Пользовательские Шрифты",
+ "Cancel Delete": "Отменить Удаление",
+ "Import Font": "Импортировать Шрифт",
+ "Delete Font": "Удалить Шрифт",
+ "Tips": "Советы",
+ "Custom fonts can be selected from the Font Face menu": "Пользовательские шрифты можно выбрать в меню Шрифт",
+ "Manage Custom Fonts": "Управление Пользовательскими Шрифтами",
+ "Select Files": "Выбрать Файлы",
+ "Select Image": "Выбрать Изображение",
+ "Select Video": "Выбрать Видео",
+ "Select Audio": "Выбрать Аудио",
+ "Select Fonts": "Выбрать Шрифты",
+ "Supported font formats: .ttf, .otf, .woff, .woff2": "Поддерживаемые форматы шрифтов: .ttf, .otf, .woff, .woff2",
+ "Push Progress": "Отправить прогресс",
+ "Pull Progress": "Получить прогресс",
+ "Previous Paragraph": "Предыдущий абзац",
+ "Previous Sentence": "Предыдущее предложение",
+ "Pause": "Пауза",
+ "Play": "Воспроизвести",
+ "Next Sentence": "Следующее предложение",
+ "Next Paragraph": "Следующий абзац",
+ "Separate Cover Page": "Отдельная страница обложки",
+ "Resize Notebook": "Изменить размер блокнота",
+ "Resize Sidebar": "Изменить размер боковой панели",
+ "Get Help from the Readest Community": "Получить помощь от сообщества Readest",
+ "Remove cover image": "Удалить изображение обложки",
+ "Bookshelf": "Книжная полка",
+ "View Menu": "Просмотр меню",
+ "Settings Menu": "Меню настроек",
+ "View account details and quota": "Просмотр данных аккаунта и квоты",
+ "Library Header": "Заголовок библиотеки",
+ "Book Content": "Содержание книги",
+ "Footer Bar": "Нижняя панель",
+ "Header Bar": "Верхняя панель",
+ "View Options": "Параметры просмотра",
+ "Book Menu": "Меню книги",
+ "Search Options": "Параметры поиска",
+ "Close": "Закрыть",
+ "Delete Book Options": "Параметры удаления книги",
+ "ON": "ВКЛ",
+ "OFF": "ВЫКЛ",
+ "Reading Progress": "Прогресс чтения",
+ "Page Margin": "Поля страницы",
+ "Remove Bookmark": "Удалить закладку",
+ "Add Bookmark": "Добавить закладку",
+ "Books Content": "Содержимое книг",
+ "Jump to Location": "Перейти к местоположению",
+ "Unpin Notebook": "Открепить блокнот",
+ "Pin Notebook": "Закрепить блокнот",
+ "Hide Search Bar": "Скрыть панель поиска",
+ "Show Search Bar": "Показать панель поиска",
+ "On {{current}} of {{total}} page": "На {{current}} из {{total}} страницы",
+ "Section Title": "Заголовок раздела",
+ "Decrease": "Уменьшить",
+ "Increase": "Увеличить",
+ "Settings Panels": "Панели настроек",
+ "Settings": "Настройки",
+ "Unpin Sidebar": "Открепить боковую панель",
+ "Pin Sidebar": "Закрепить боковую панель",
+ "Toggle Sidebar": "Переключить боковую панель",
+ "Toggle Translation": "Переключить перевод",
+ "Translation Disabled": "Перевод отключен",
+ "Minimize": "Свернуть",
+ "Maximize or Restore": "Максимизировать или восстановить",
+ "Exit Parallel Read": "Выйти из параллельного чтения",
+ "Enter Parallel Read": "Войти в параллельное чтение",
+ "Zoom Level": "Уровень масштабирования",
+ "Zoom Out": "Уменьшить масштаб",
+ "Reset Zoom": "Сбросить масштаб",
+ "Zoom In": "Увеличить масштаб",
+ "Zoom Mode": "Режим масштабирования",
+ "Single Page": "Одна страница",
+ "Auto Spread": "Автоматическое растяжение",
+ "Fit Page": "Подогнать страницу",
+ "Fit Width": "Подогнать ширину",
+ "Failed to select directory": "Не удалось выбрать каталог",
+ "The new data directory must be different from the current one.": "Новая директория данных должна отличаться от текущей.",
+ "Migration failed: {{error}}": "Ошибка миграции: {{error}}",
+ "Change Data Location": "Изменить расположение данных",
+ "Current Data Location": "Текущее расположение данных",
+ "Total size: {{size}}": "Общий размер: {{size}}",
+ "Calculating file info...": "Вычисление информации о файле...",
+ "New Data Location": "Новое расположение данных",
+ "Choose Different Folder": "Выбрать другую папку",
+ "Choose New Folder": "Выбрать новую папку",
+ "Migrating data...": "Миграция данных...",
+ "Copying: {{file}}": "Копирование: {{file}}",
+ "{{current}} of {{total}} files": "{{current}} из {{total}} файлов",
+ "Migration completed successfully!": "Миграция завершена успешно!",
+ "Your data has been moved to the new location. Please restart the application to complete the process.": "Ваши данные были перемещены в новое расположение. Пожалуйста, перезапустите приложение, чтобы завершить процесс.",
+ "Migration failed": "Ошибка миграции",
+ "Important Notice": "Важное уведомление",
+ "This will move all your app data to the new location. Make sure the destination has enough free space.": "Это переместит все ваши данные приложения в новое расположение. Убедитесь, что в целевом месте достаточно свободного места.",
+ "Restart App": "Перезапустить приложение",
+ "Start Migration": "Начать миграцию",
+ "Advanced Settings": "Расширенные настройки",
+ "File count: {{size}}": "Количество файлов: {{size}}",
+ "Background Read Aloud": "Озвучивание в фоне",
+ "Ready to read aloud": "Готов к чтению вслух",
+ "Read Aloud": "Читать вслух",
+ "Screen Brightness": "Яркость экрана",
+ "Background Image": "Фоновое изображение",
+ "Import Image": "Импортировать изображение",
+ "Opacity": "Непрозрачность",
+ "Size": "Размер",
+ "Cover": "Обложка",
+ "Contain": "Содержать",
+ "{{number}} pages left in chapter": "Осталось {{number}} страниц в главе",
+ "Device": "Устройство",
+ "E-Ink Mode": "E-Ink режим",
+ "Highlight Colors": "Цвета выделения",
+ "Auto Screen Brightness": "Автояркость экрана",
+ "Pagination": "Пагинация",
+ "Disable Double Tap": "Отключить двойной тап",
+ "Tap to Paginate": "Тапните, чтобы разбить на страницы",
+ "Click to Paginate": "Нажмите, чтобы разбить на страницы",
+ "Tap Both Sides": "Тапните обе стороны",
+ "Click Both Sides": "Нажмите обе стороны",
+ "Swap Tap Sides": "Переключить стороны касания",
+ "Swap Click Sides": "Переключить стороны клика",
+ "Source and Translated": "Источник и перевод",
+ "Translated Only": "Только перевод",
+ "Source Only": "Только источник",
+ "TTS Text": "TTS Текст",
+ "The book file is corrupted": "Файл книги поврежден",
+ "The book file is empty": "Файл книги пуст",
+ "Failed to open the book file": "Не удалось открыть файл книги",
+ "On-Demand Purchase": "Покупка по запросу",
+ "Full Customization": "Полная настройка",
+ "Lifetime Plan": "Пожизненный план",
+ "One-Time Payment": "Единовременный платеж",
+ "Make a single payment to enjoy lifetime access to specific features on all devices. Purchase specific features or services only when you need them.": "Сделайте единовременный платеж, чтобы получить пожизненный доступ к определенным функциям на всех устройствах. Покупайте конкретные функции или услуги только тогда, когда они вам нужны.",
+ "Expand Cloud Sync Storage": "Расширить облачное хранилище",
+ "Expand your cloud storage forever with a one-time purchase. Each additional purchase adds more space.": "Расширьте свое облачное хранилище навсегда с помощью единовременной покупки. Каждая дополнительная покупка добавляет больше места.",
+ "Unlock All Customization Options": "Разблокировать Все Опции Настройки",
+ "Unlock additional themes, fonts, layout options and read aloud, translators, cloud storage services.": "Разблокировать дополнительные темы, шрифты, параметры макета и чтения вслух, переводчики, услуги облачного хранилища.",
+ "Purchase Successful!": "Покупка Успешна!",
+ "lifetime": "пожизненный",
+ "Thank you for your purchase! Your payment has been processed successfully.": "Спасибо за вашу покупку! Ваш платеж был успешно обработан.",
+ "Order ID:": "ID заказа:",
+ "TTS Highlighting": "Выделение TTS",
+ "Style": "Стиль",
+ "Underline": "Подчёркивание",
+ "Strikethrough": "Зачёркивание",
+ "Squiggly": "Волнистая линия",
+ "Outline": "Контур",
+ "Save Current Color": "Сохранить текущий цвет",
+ "Quick Colors": "Быстрые цвета",
+ "Highlighter": "Маркер",
+ "Save Book Cover": "Сохранить обложку книги",
+ "Auto-save last book cover": "Автоматически сохранять последнюю обложку книги",
+ "Back": "Назад",
+ "Confirmation email sent! Please check your old and new email addresses to confirm the change.": "Письмо с подтверждением отправлено! Пожалуйста, проверьте старый и новый адреса электронной почты, чтобы подтвердить изменение.",
+ "Failed to update email": "Не удалось обновить электронную почту",
+ "New Email": "Новый адрес электронной почты",
+ "Your new email": "Ваш новый адрес электронной почты",
+ "Updating email ...": "Обновление электронной почты ...",
+ "Update email": "Обновить электронную почту",
+ "Current email": "Текущий адрес электронной почты",
+ "Update Email": "Обновить электронную почту",
+ "All": "Все",
+ "Unable to open book": "Не удалось открыть книгу",
+ "Punctuation": "Пунктуация",
+ "Replace Quotation Marks": "Заменить кавычки",
+ "Enabled only in vertical layout.": "Включено только в вертикальной раскладке.",
+ "No Conversion": "Без преобразования",
+ "Simplified to Traditional": "Упрощённый → Традиционный",
+ "Traditional to Simplified": "Традиционный → Упрощённый",
+ "Simplified to Traditional (Taiwan)": "Упрощённый → Традиционный (Тайвань)",
+ "Simplified to Traditional (Hong Kong)": "Упрощённый → Традиционный (Гонконг)",
+ "Simplified to Traditional (Taiwan), with phrases": "Упрощённый → Традиционный (Тайвань • фразы)",
+ "Traditional (Taiwan) to Simplified": "Традиционный (Тайвань) → Упрощённый",
+ "Traditional (Hong Kong) to Simplified": "Традиционный (Гонконг) → Упрощённый",
+ "Traditional (Taiwan) to Simplified, with phrases": "Традиционный (Тайвань • фразы) → Упрощённый",
+ "Convert Simplified and Traditional Chinese": "Преобразовать упрощённый/традиционный китайский",
+ "Convert Mode": "Режим преобразования",
+ "Failed to auto-save book cover for lock screen: {{error}}": "Не удалось автоматически сохранить обложку книги для экрана блокировки: {{error}}",
+ "Download from Cloud": "Скачать из облака",
+ "Upload to Cloud": "Загрузить в облако",
+ "Clear Custom Fonts": "Очистить пользовательские шрифты",
+ "Columns": "Колонки",
+ "OPDS Catalogs": "Каталоги OPDS",
+ "Adding LAN addresses is not supported in the web app version.": "Добавление LAN-адресов не поддерживается в веб-версии.",
+ "Invalid OPDS catalog. Please check the URL.": "Недействительный каталог OPDS. Пожалуйста, проверьте URL.",
+ "Browse and download books from online catalogs": "Просматривать и скачивать книги из онлайн-каталогов",
+ "My Catalogs": "Мои каталоги",
+ "Add Catalog": "Добавить каталог",
+ "No catalogs yet": "Каталоги отсутствуют",
+ "Add your first OPDS catalog to start browsing books": "Добавьте первый каталог OPDS, чтобы начать просмотр книг",
+ "Add Your First Catalog": "Добавьте первый каталог",
+ "Browse": "Просмотр",
+ "Popular Catalogs": "Популярные каталоги",
+ "Add": "Добавить",
+ "Add OPDS Catalog": "Добавить каталог OPDS",
+ "Catalog Name": "Название каталога",
+ "My Calibre Library": "Моя библиотека Calibre",
+ "OPDS URL": "URL OPDS",
+ "Username (optional)": "Имя пользователя (необязательно)",
+ "Password (optional)": "Пароль (необязательно)",
+ "Description (optional)": "Описание (необязательно)",
+ "A brief description of this catalog": "Краткое описание каталога",
+ "Validating...": "Проверка...",
+ "View All": "Посмотреть все",
+ "Forward": "Вперёд",
+ "Home": "Главная",
+ "{{count}} items_one": "{{count}} элемент",
+ "{{count}} items_few": "{{count}} элемента",
+ "{{count}} items_many": "{{count}} элементов",
+ "{{count}} items_other": "{{count}} элемента",
+ "Download completed": "Загрузка завершена",
+ "Download failed": "Загрузка не удалась",
+ "Open Access": "Открытый доступ",
+ "Borrow": "Взять в аренду",
+ "Buy": "Купить",
+ "Subscribe": "Подписаться",
+ "Sample": "Образец",
+ "Download": "Скачать",
+ "Open & Read": "Открыть и читать",
+ "Tags": "Теги",
+ "Tag": "Тег",
+ "First": "Первая",
+ "Previous": "Предыдущая",
+ "Next": "Следующая",
+ "Last": "Последняя",
+ "Cannot Load Page": "Не удалось загрузить страницу",
+ "An error occurred": "Произошла ошибка",
+ "Online Library": "Онлайн библиотека",
+ "URL must start with http:// or https://": "URL должен начинаться с http:// или https://",
+ "Title, Author, Tag, etc...": "Название, Автор, Тег и т.д...",
+ "Query": "Запрос",
+ "Subject": "Тема",
+ "Enter {{terms}}": "Введите {{terms}}",
+ "No search results found": "Результаты поиска не найдены",
+ "Failed to load OPDS feed: {{status}} {{statusText}}": "Не удалось загрузить ленту OPDS: {{status}} {{statusText}}",
+ "Search in {{title}}": "Поиск в {{title}}",
+ "Manage Storage": "Управление хранилищем",
+ "Failed to load files": "Не удалось загрузить файлы",
+ "Deleted {{count}} file(s)_one": "Удалён {{count}} файл",
+ "Deleted {{count}} file(s)_few": "Удалено {{count}} файла",
+ "Deleted {{count}} file(s)_many": "Удалено {{count}} файлов",
+ "Deleted {{count}} file(s)_other": "Удалён {{count}} файл",
+ "Failed to delete {{count}} file(s)_one": "Не удалось удалить {{count}} файл",
+ "Failed to delete {{count}} file(s)_few": "Не удалось удалить {{count}} файла",
+ "Failed to delete {{count}} file(s)_many": "Не удалось удалить {{count}} файлов",
+ "Failed to delete {{count}} file(s)_other": "Не удалось удалить {{count}} файл",
+ "Failed to delete files": "Не удалось удалить файлы",
+ "Total Files": "Всего файлов",
+ "Total Size": "Общий размер",
+ "Quota": "Квота",
+ "Used": "Использовано",
+ "Files": "Файлы",
+ "Search files...": "Поиск файлов...",
+ "Newest First": "Сначала новые",
+ "Oldest First": "Сначала старые",
+ "Largest First": "Сначала крупные",
+ "Smallest First": "Сначала мелкие",
+ "Name A-Z": "Имя A-Z",
+ "Name Z-A": "Имя Z-A",
+ "{{count}} selected_one": "{{count}} выбранный",
+ "{{count}} selected_few": "{{count}} выбранных",
+ "{{count}} selected_many": "{{count}} выбранных",
+ "{{count}} selected_other": "{{count}} выбранный",
+ "Delete Selected": "Удалить выбранные",
+ "Created": "Создано",
+ "No files found": "Файлы не найдены",
+ "No files uploaded yet": "Файлы ещё не загружены",
+ "files": "файлы",
+ "Page {{current}} of {{total}}": "Страница {{current}} из {{total}}",
+ "Are you sure to delete {{count}} selected file(s)?_one": "Вы уверены, что хотите удалить {{count}} выбранный файл?",
+ "Are you sure to delete {{count}} selected file(s)?_few": "Вы уверены, что хотите удалить {{count}} выбранных файла?",
+ "Are you sure to delete {{count}} selected file(s)?_many": "Вы уверены, что хотите удалить {{count}} выбранных файлов?",
+ "Are you sure to delete {{count}} selected file(s)?_other": "Вы уверены, что хотите удалить {{count}} выбранный файл?",
+ "Cloud Storage Usage": "Использование облачного хранилища",
+ "Rename Group": "Переименовать группу",
+ "From Directory": "Из каталога",
+ "Successfully imported {{count}} book(s)_one": "Успешно импортирован 1 книга",
+ "Successfully imported {{count}} book(s)_few": "Успешно импортировано {{count}} книги",
+ "Successfully imported {{count}} book(s)_many": "Успешно импортировано {{count}} книг",
+ "Successfully imported {{count}} book(s)_other": "Успешно импортировано {{count}} книг",
+ "Count": "Количество",
+ "Start Page": "Начальная страница",
+ "Search in OPDS Catalog...": "Поиск в каталоге OPDS...",
+ "Please log in to use advanced TTS features": "Пожалуйста, войдите в систему, чтобы использовать расширенные функции TTS",
+ "Word limit of 30 words exceeded.": "Превышен лимит в 30 слов.",
+ "Proofread": "Корректура",
+ "Current selection": "Текущее выделение",
+ "All occurrences in this book": "Все вхождения в этой книге",
+ "All occurrences in your library": "Все вхождения в вашей библиотеке",
+ "Selected text:": "Выделенный текст:",
+ "Replace with:": "Заменить на:",
+ "Enter text...": "Введите текст…",
+ "Case sensitive:": "Учитывать регистр:",
+ "Scope:": "Область применения:",
+ "Selection": "Выделение",
+ "Library": "Библиотека",
+ "Yes": "Да",
+ "No": "Нет",
+ "Proofread Replacement Rules": "Правила замены для корректуры",
+ "Selected Text Rules": "Правила для выделенного текста",
+ "No selected text replacement rules": "Нет правил замены для выделенного текста",
+ "Book Specific Rules": "Правила для конкретной книги",
+ "No book-level replacement rules": "Нет правил замены на уровне книги",
+ "Disable Quick Action": "Отключить быстрые действия",
+ "Enable Quick Action on Selection": "Включить быстрые действия при выборе",
+ "None": "Нет",
+ "Annotation Tools": "Инструменты для аннотаций",
+ "Enable Quick Actions": "Включить быстрые действия",
+ "Quick Action": "Быстрое действие",
+ "Copy to Notebook": "Скопировать в блокнот",
+ "Copy text after selection": "Копировать текст после выделения",
+ "Highlight text after selection": "Выделить текст после выделения",
+ "Annotate text after selection": "Аннотировать текст после выделения",
+ "Search text after selection": "Искать текст после выделения",
+ "Look up text in dictionary after selection": "Искать текст в словаре после выделения",
+ "Look up text in Wikipedia after selection": "Искать текст в Википедии после выделения",
+ "Translate text after selection": "Перевести текст после выделения",
+ "Read text aloud after selection": "Прочитать текст вслух после выделения",
+ "Proofread text after selection": "Корректировать текст после выделения",
+ "{{activeCount}} active, {{pendingCount}} pending": "{{activeCount}} активных, {{pendingCount}} ожидающих",
+ "{{failedCount}} failed": "{{failedCount}} неудачных",
+ "Waiting...": "Ожидание...",
+ "Failed": "Ошибка",
+ "Completed": "Завершено",
+ "Cancelled": "Отменено",
+ "Retry": "Повторить",
+ "Active": "Активные",
+ "Transfer Queue": "Очередь передачи",
+ "Upload All": "Загрузить все",
+ "Download All": "Скачать все",
+ "Resume Transfers": "Возобновить передачу",
+ "Pause Transfers": "Приостановить передачу",
+ "Pending": "Ожидающие",
+ "No transfers": "Нет передач",
+ "Retry All": "Повторить все",
+ "Clear Completed": "Очистить завершенные",
+ "Clear Failed": "Очистить неудачные",
+ "Upload queued: {{title}}": "Загрузка в очереди: {{title}}",
+ "Download queued: {{title}}": "Скачивание в очереди: {{title}}",
+ "Book not found in library": "Книга не найдена в библиотеке",
+ "Unknown error": "Неизвестная ошибка",
+ "Please log in to continue": "Войдите, чтобы продолжить",
+ "Cloud File Transfers": "Передача файлов в облако",
+ "Show Search Results": "Показать результаты",
+ "Search results for '{{term}}'": "Результаты для «{{term}}»",
+ "Close Search": "Закрыть поиск",
+ "Previous Result": "Предыдущий результат",
+ "Next Result": "Следующий результат",
+ "Bookmarks": "Закладки",
+ "Annotations": "Аннотации",
+ "Show Results": "Показать результаты",
+ "Clear search": "Очистить поиск",
+ "Clear search history": "Очистить историю поиска",
+ "Tap to Toggle Footer": "Нажмите для переключения нижнего колонтитула",
+ "Exported successfully": "Успешно экспортировано",
+ "Book exported successfully.": "Книга успешно экспортирована.",
+ "Failed to export the book.": "Не удалось экспортировать книгу.",
+ "Export Book": "Экспорт книги",
+ "Whole word:": "Слово целиком:",
+ "Error": "Ошибка",
+ "Unable to load the article. Try searching directly on {{link}}.": "Не удалось загрузить статью. Попробуйте искать напрямую на {{link}}.",
+ "Unable to load the word. Try searching directly on {{link}}.": "Не удалось загрузить слово. Попробуйте искать напрямую на {{link}}.",
+ "Date Published": "Дата публикации",
+ "Only for TTS:": "Только для TTS:",
+ "Uploaded": "Загружено",
+ "Downloaded": "Скачано",
+ "Deleted": "Удалено",
+ "Note:": "Примечание:",
+ "Time:": "Время:",
+ "Format Options": "Параметры формата",
+ "Export Date": "Дата экспорта",
+ "Chapter Titles": "Названия глав",
+ "Chapter Separator": "Разделитель глав",
+ "Highlights": "Выделения",
+ "Note Date": "Дата примечания",
+ "Advanced": "Дополнительно",
+ "Hide": "Скрыть",
+ "Show": "Показать",
+ "Use Custom Template": "Использовать свой шаблон",
+ "Export Template": "Шаблон экспорта",
+ "Template Syntax:": "Синтаксис шаблона:",
+ "Insert value": "Вставить значение",
+ "Format date (locale)": "Форматировать дату (локаль)",
+ "Format date (custom)": "Форматировать дату (свой)",
+ "Conditional": "Условный",
+ "Loop": "Цикл",
+ "Available Variables:": "Доступные переменные:",
+ "Book title": "Название книги",
+ "Book author": "Автор книги",
+ "Export date": "Дата экспорта",
+ "Array of chapters": "Массив глав",
+ "Chapter title": "Название главы",
+ "Array of annotations": "Массив примечаний",
+ "Highlighted text": "Выделенный текст",
+ "Annotation note": "Примечание аннотации",
+ "Date Format Tokens:": "Токены формата даты:",
+ "Year (4 digits)": "Год (4 цифры)",
+ "Month (01-12)": "Месяц (01-12)",
+ "Day (01-31)": "День (01-31)",
+ "Hour (00-23)": "Час (00-23)",
+ "Minute (00-59)": "Минута (00-59)",
+ "Second (00-59)": "Секунда (00-59)",
+ "Show Source": "Показать источник",
+ "No content to preview": "Нет содержимого для просмотра",
+ "Export": "Экспортировать",
+ "Set Timeout": "Установить тайм-аут",
+ "Select Voice": "Выбрать голос",
+ "Toggle Sticky Bottom TTS Bar": "Переключить закреплённую панель TTS",
+ "Display what I'm reading on Discord": "Показывать книгу в Discord",
+ "Show on Discord": "Показать в Discord",
+ "Instant {{action}}": "Мгновенное {{action}}",
+ "Instant {{action}} Disabled": "Мгновенное {{action}} отключено",
+ "Annotation": "Аннотация",
+ "Reset Template": "Сбросить шаблон",
+ "Annotation style": "Стиль аннотации",
+ "Annotation color": "Цвет аннотации",
+ "Annotation time": "Время аннотации",
+ "AI": "ИИ",
+ "Are you sure you want to re-index this book?": "Вы уверены, что хотите переиндексировать эту книгу?",
+ "Enable AI in Settings": "Включить ИИ в настройках",
+ "Index This Book": "Индексировать эту книгу",
+ "Enable AI search and chat for this book": "Включить ИИ-поиск и чат для этой книги",
+ "Start Indexing": "Начать индексацию",
+ "Indexing book...": "Индексация книги...",
+ "Preparing...": "Подготовка...",
+ "Delete this conversation?": "Удалить этот разговор?",
+ "No conversations yet": "Пока нет разговоров",
+ "Start a new chat to ask questions about this book": "Начните новый чат, чтобы задать вопросы об этой книге",
+ "Rename": "Переименовать",
+ "New Chat": "Новый чат",
+ "Chat": "Чат",
+ "Please enter a model ID": "Пожалуйста, введите ID модели",
+ "Model not available or invalid": "Модель недоступна или недействительна",
+ "Failed to validate model": "Не удалось проверить модель",
+ "Couldn't connect to Ollama. Is it running?": "Не удалось подключиться к Ollama. Он запущен?",
+ "Invalid API key or connection failed": "Недействительный API-ключ или ошибка подключения",
+ "Connection failed": "Ошибка подключения",
+ "AI Assistant": "ИИ-ассистент",
+ "Enable AI Assistant": "Включить ИИ-ассистента",
+ "Provider": "Провайдер",
+ "Ollama (Local)": "Ollama (Локальный)",
+ "AI Gateway (Cloud)": "ИИ-шлюз (Облако)",
+ "Ollama Configuration": "Настройка Ollama",
+ "Refresh Models": "Обновить модели",
+ "AI Model": "ИИ-модель",
+ "No models detected": "Модели не обнаружены",
+ "AI Gateway Configuration": "Настройка ИИ-шлюза",
+ "Choose from a selection of high-quality, economical AI models. You can also bring your own model by selecting \"Custom Model\" below.": "Выберите из высококачественных, экономичных ИИ-моделей. Вы также можете использовать свою модель, выбрав \"Пользовательская модель\" ниже.",
+ "API Key": "API-ключ",
+ "Get Key": "Получить ключ",
+ "Model": "Модель",
+ "Custom Model...": "Пользовательская модель...",
+ "Custom Model ID": "ID пользовательской модели",
+ "Validate": "Проверить",
+ "Model available": "Модель доступна",
+ "Connection": "Соединение",
+ "Test Connection": "Проверить соединение",
+ "Connected": "Подключено",
+ "Custom Colors": "Пользовательские цвета",
+ "Color E-Ink Mode": "Режим цветных электронных чернил",
+ "Reading Ruler": "Линейка для чтения",
+ "Enable Reading Ruler": "Включить линейку для чтения",
+ "Lines to Highlight": "Строк для выделения",
+ "Ruler Color": "Цвет линейки",
+ "Command Palette": "Палитра команд",
+ "Search settings and actions...": "Поиск настроек и действий...",
+ "No results found for": "Результатов не найдено для",
+ "Type to search settings and actions": "Введите для поиска настроек и действий",
+ "Recent": "Недавние",
+ "navigate": "навигация",
+ "select": "выбрать",
+ "close": "закрыть",
+ "Search Settings": "Поиск настроек",
+ "Page Margins": "Поля страницы",
+ "AI Provider": "Провайдер ИИ",
+ "Ollama URL": "URL Ollama",
+ "Ollama Model": "Модель Ollama",
+ "AI Gateway Model": "Модель AI Gateway",
+ "Actions": "Действия",
+ "Navigation": "Навигация",
+ "Set status for {{count}} book(s)_one": "Установить статус для {{count}} книги",
+ "Set status for {{count}} book(s)_other": "Установить статус для {{count}} книг",
+ "Mark as Unread": "Отметить как непрочитанное",
+ "Mark as Finished": "Отметить как прочитанное",
+ "Finished": "Прочитано",
+ "Unread": "Не прочитано",
+ "Clear Status": "Очистить статус",
+ "Status": "Статус",
+ "Set status for {{count}} book(s)_few": "Установить статус для {{count}} книг",
+ "Set status for {{count}} book(s)_many": "Установить статус для {{count}} книг",
+ "Loading": "Загрузка...",
+ "Exit Paragraph Mode": "Выйти из режима абзаца",
+ "Paragraph Mode": "Режим абзаца",
+ "Embedding Model": "Модель встраивания",
+ "{{count}} book(s) synced_one": "{{count}} книга синхронизирована",
+ "{{count}} book(s) synced_few": "{{count}} книги синхронизированы",
+ "{{count}} book(s) synced_many": "{{count}} книг синхронизировано",
+ "{{count}} book(s) synced_other": "{{count}} книг синхронизировано",
+ "Unable to start RSVP": "Не удалось запустить RSVP",
+ "RSVP not supported for PDF": "RSVP не поддерживается для PDF",
+ "Select Chapter": "Выбрать главу",
+ "Context": "Контекст",
+ "Ready": "Готово",
+ "Chapter Progress": "Прогресс главы",
+ "words": "слов",
+ "{{time}} left": "осталось {{time}}",
+ "Reading progress": "Прогресс чтения",
+ "Click to seek": "Нажмите для поиска",
+ "Skip back 15 words": "Назад на 15 слов",
+ "Back 15 words (Shift+Left)": "Назад на 15 слов (Shift+Влево)",
+ "Pause (Space)": "Пауза (Пробел)",
+ "Play (Space)": "Воспроизведение (Пробел)",
+ "Skip forward 15 words": "Вперед на 15 слов",
+ "Forward 15 words (Shift+Right)": "Вперед на 15 слов (Shift+Вправо)",
+ "Pause:": "Пауза:",
+ "Decrease speed": "Уменьшить скорость",
+ "Slower (Left/Down)": "Медленнее (Влево/Вниз)",
+ "Current speed": "Текущая скорость",
+ "Increase speed": "Увеличить скорость",
+ "Faster (Right/Up)": "Быстрее (Вправо/Вверх)",
+ "Start RSVP Reading": "Начать чтение RSVP",
+ "Choose where to start reading": "Выберите, где начать чтение",
+ "From Chapter Start": "С начала главы",
+ "Start reading from the beginning of the chapter": "Начать чтение с начала главы",
+ "Resume": "Продолжить",
+ "Continue from where you left off": "Продолжить с того места, где вы остановились",
+ "From Current Page": "С текущей страницы",
+ "Start from where you are currently reading": "Начать с того места, где вы сейчас читаете",
+ "From Selection": "Из выбранного",
+ "Speed Reading Mode": "Режим быстрого чтения",
+ "Scroll left": "Прокрутить влево",
+ "Scroll right": "Прокрутить вправо",
+ "Library Sync Progress": "Прогресс синхронизации библиотеки",
+ "Back to library": "Назад в библиотеку",
+ "Group by...": "Группировать по...",
+ "Export as Plain Text": "Экспортировать как обычный текст",
+ "Export as Markdown": "Экспортировать как Markdown",
+ "Show Page Navigation Buttons": "Кнопки навигации",
+ "Page {{number}}": "Страница {{number}}",
+ "highlight": "выделение",
+ "underline": "подчеркивание",
+ "squiggly": "волнистая линия",
+ "red": "красный",
+ "violet": "фиолетовый",
+ "blue": "синий",
+ "green": "зеленый",
+ "yellow": "желтый",
+ "Select {{style}} style": "Выбрать стиль {{style}}",
+ "Select {{color}} color": "Выбрать цвет {{color}}",
+ "Close Book": "Закрыть книгу",
+ "Speed Reading": "Скорочтение",
+ "Close Speed Reading": "Закрыть скорочтение",
+ "Authors": "Авторы",
+ "Books": "Книги",
+ "Groups": "Группы",
+ "Back to TTS Location": "Вернуться к местоположению TTS",
+ "Metadata": "Метаданные",
+ "Image viewer": "Просмотрщик изображений",
+ "Previous Image": "Предыдущее изображение",
+ "Next Image": "Следующее изображение",
+ "Zoomed": "Увеличено",
+ "Zoom level": "Уровень масштаба",
+ "Table viewer": "Просмотрщик таблиц",
+ "Unable to connect to Readwise. Please check your network connection.": "Не удалось подключиться к Readwise. Пожалуйста, проверьте ваше сетевое соединение.",
+ "Invalid Readwise access token": "Недействительный токен доступа Readwise",
+ "Disconnected from Readwise": "Отключено от Readwise",
+ "Never": "Никогда",
+ "Readwise Settings": "Настройки Readwise",
+ "Connected to Readwise": "Подключено к Readwise",
+ "Last synced: {{time}}": "Последняя синхронизация: {{time}}",
+ "Sync Enabled": "Синхронизация включена",
+ "Disconnect": "Отключить",
+ "Connect your Readwise account to sync highlights.": "Подключите ваш аккаунт Readwise для синхронизации выделений.",
+ "Get your access token at": "Получите ваш токен доступа на",
+ "Access Token": "Токен доступа",
+ "Paste your Readwise access token": "Вставьте ваш токен доступа Readwise",
+ "Config": "Конфигурация",
+ "Readwise Sync": "Синхронизация Readwise",
+ "Push Highlights": "Отправить выделения",
+ "Highlights synced to Readwise": "Выделения синхронизированы с Readwise",
+ "Readwise sync failed: no internet connection": "Синхронизация Readwise не удалась: нет интернет-соединения",
+ "Readwise sync failed: {{error}}": "Синхронизация Readwise не удалась: {{error}}"
+}
diff --git a/apps/readest-app/public/locales/si/translation.json b/apps/readest-app/public/locales/si/translation.json
new file mode 100644
index 0000000000000000000000000000000000000000..ed989443236357a54ef4368f1e3c07684dc1c068
--- /dev/null
+++ b/apps/readest-app/public/locales/si/translation.json
@@ -0,0 +1,1060 @@
+{
+ "Email address": "ඊමේල් ලිපිනය",
+ "Your Password": "ඔබේ මුරපදය",
+ "Your email address": "ඔබේ ඊමේල් ලිපිනය",
+ "Your password": "ඔබේ මුරපදය",
+ "Sign in": "ඇතුල් වන්න",
+ "Signing in...": "ඇතුල් වෙමින්...",
+ "Sign in with {{provider}}": "{{provider}} සමඟ ඇතුල් වන්න",
+ "Already have an account? Sign in": "දැනටමත් ගිණුමක් තිබේද? ඇතුල් වන්න",
+ "Create a Password": "මුරපදයක් සාදන්න",
+ "Sign up": "ලියාපදිංචි වන්න",
+ "Signing up...": "ලියාපදිංචි වෙමින්...",
+ "Don't have an account? Sign up": "ගිණුමක් නැද්ද? ලියාපදිංචි වන්න",
+ "Check your email for the confirmation link": "තහවුරු කිරීමේ සබැඳිය සඳහා ඔබේ ඊමේල් පරීක්ෂා කරන්න",
+ "Signing in ...": "ඇතුල් වෙමින්...",
+ "Send a magic link email": "මැජික් සබැඳි ඊමේල් යවන්න",
+ "Check your email for the magic link": "මැජික් සබැඳිය සඳහා ඔබේ ඊමේල් පරීක්ෂා කරන්න",
+ "Send reset password instructions": "මුරපදය නැවත සැකසීමේ උපදෙස් යවන්න",
+ "Sending reset instructions ...": "නැවත සැකසීමේ උපදෙස් යවමින්...",
+ "Forgot your password?": "මුරපදය අමතකද?",
+ "Check your email for the password reset link": "මුරපදය නැවත සැකසීමේ සබැඳිය සඳහා ඊමේල් පරීක්ෂා කරන්න",
+ "Phone number": "දුරකථන අංකය",
+ "Your phone number": "ඔබේ දුරකථන අංකය",
+ "Token": "ටෝකනය",
+ "Your OTP token": "ඔබේ OTP ටෝකනය",
+ "Verify token": "ටෝකනය තහවුරු කරන්න",
+ "New Password": "නව මුරපදය",
+ "Your new password": "ඔබේ නව මුරපදය",
+ "Update password": "මුරපදය යාවත්කාලීන කරන්න",
+ "Updating password ...": "මුරපදය යාවත්කාලීන කරමින්...",
+ "Your password has been updated": "ඔබේ මුරපදය යාවත්කාලීන කරන ලදී",
+ "Something went wrong. Don't worry, our team has been notified and we're working on a fix.": "යමක් වැරදුණි. කනගාටු නොවන්න, අපේ කණ්ඩායමට දැනුම් දී ඇති අතර අපි විසඳුමක් සඳහා කටයුතු කරමින් සිටිමු.",
+ "Error Details:": "දෝෂ විස්තර:",
+ "Try Again": "නැවත උත්සාහ කරන්න",
+ "Go Back": "ආපසු යන්න",
+ "Your Library": "ඔබේ පුස්තකාලය",
+ "Need help?": "උදව් අවශ්යද?",
+ "Contact Support": "සහාය සඳහා සම්බන්ධ වන්න",
+ "Open": "විවෘත කරන්න",
+ "Group": "කණ්ඩායම",
+ "Details": "විස්තර",
+ "Delete": "මකන්න",
+ "Cancel": "අවලංගු කරන්න",
+ "Confirm Deletion": "මකා දැමීම තහවුරු කරන්න",
+ "Are you sure to delete {{count}} selected book(s)?_one": "ඔබට විශ්වාසද තෝරාගත් පොත මකා දැමීමට?",
+ "Are you sure to delete {{count}} selected book(s)?_other": "ඔබට විශ්වාසද තෝරාගත් පොත් {{count}} මකා දැමීමට?",
+ "Deselect Book": "පොත අනිශ්චිත කරන්න",
+ "Select Book": "පොත තෝරන්න",
+ "Show Book Details": "පොතේ විස්තර පෙන්වන්න",
+ "Download Book": "පොත බාගන්න",
+ "Upload Book": "පොත උඩුගත කරන්න",
+ "Deselect Group": "කණ්ඩායම අනිශ්චිත කරන්න",
+ "Select Group": "කණ්ඩායම තෝරන්න",
+ "Untitled Group": "නම් නැති කණ්ඩායම",
+ "Group Books": "පොත් කණ්ඩායම් කරන්න",
+ "Remove From Group": "කණ්ඩායමෙන් ඉවත් කරන්න",
+ "Create New Group": "නව කණ්ඩායමක් සාදන්න",
+ "Save": "සුරකින්න",
+ "Confirm": "තහවුරු කරන්න",
+ "From Local File": "දේශීය ගොනුවෙන්",
+ "Search in {{count}} Book(s)..._one": "පොතක සොයන්න...",
+ "Search in {{count}} Book(s)..._other": "පොත් {{count}} කින් සොයන්න...",
+ "Search Books...": "පොත් සොයන්න...",
+ "Clear Search": "සෙවීම මකන්න",
+ "Import Books": "පොත් ආයාත කරන්න",
+ "Select Books": "පොත් තෝරන්න",
+ "Deselect": "අනිශ්චිත කරන්න",
+ "Select All": "සියල්ල තෝරන්න",
+ "Logged in as {{userDisplayName}}": "{{userDisplayName}} ලෙස පුරන්ගද්",
+ "Logged in": "පුරනගද්",
+ "Account": "ගිණුම",
+ "Sign In": "ඇතුල් වන්න",
+ "Auto Upload Books to Cloud": "ස්වයංක්රීයව cloud එකට පොත් උඩුගත කරන්න",
+ "Auto Import on File Open": "ගොනුව විවෘත කිරීමේදී ස්වයංක්රීයව ආයාත කරන්න",
+ "Open Last Book on Start": "ආරම්භයේදී අන්තිම පොත විවෘත කරන්න",
+ "Check Updates on Start": "ආරම්භයේදී යාවත්කාලීන පරීක්ෂා කරන්න",
+ "Open Book in New Window": "නව කවුළුවක පොත විවෘත කරන්න",
+ "Fullscreen": "සම්පූර්ණ තිරය",
+ "Always on Top": "සෑම විටම ඉහළින්",
+ "Always Show Status Bar": "සෑම විටම තත්ත්ව තීරුව පෙන්වන්න",
+ "Keep Screen Awake": "තිරය අවදි තබන්න",
+ "Reload Page": "පිටුව නැවත පූරණය කරන්න",
+ "Dark Mode": "අඳුරු ආකාරය",
+ "Light Mode": "ආලෝකමය ආකාරය",
+ "Auto Mode": "ස්වයංක්රීය ආකාරය",
+ "Upgrade to Readest Premium": "Readest Premium වෙත උසස් කරන්න",
+ "Download Readest": "Readest බාගන්න",
+ "About Readest": "Readest ගැන",
+ "Help improve Readest": "Readest වැඩිදියුණු කිරීමට උදව් කරන්න",
+ "Sharing anonymized statistics": "අනන්ය සංඛ්යාලේඛන බෙදාගැනීම",
+ "List": "ලැයිස්තුව",
+ "Grid": "ජාලකය",
+ "Crop": "කපන්න",
+ "Fit": "ගැලපෙන",
+ "Title": "නම",
+ "Author": "කතෘ",
+ "Format": "ආකෘතිය",
+ "Date Read": "කියැවූ දිනය",
+ "Date Added": "එක් කළ දිනය",
+ "Ascending": "ආරෝහණ",
+ "Descending": "අවරෝහණ",
+ "Book Covers": "පොත් ආවරණ",
+ "Sort by...": "අනුව සකස් කරන්න...",
+ "No supported files found. Supported formats: {{formats}}": "සහාය දක්වන ගොනු හමුනොවිණි. සහාය දක්වන ආකෘති: {{formats}}",
+ "No chapters detected": "කොටස් හඳුනානොගැනිණි",
+ "Failed to parse the EPUB file": "EPUB ගොනුව විග්රහ කිරීමට අසමත්",
+ "This book format is not supported": "මෙම පොත ආකෘතියට සහාය නොදක්වයි",
+ "Failed to import book(s): {{filenames}}": "පොත් ආයාත කිරීමට අසමත්: {{filenames}}",
+ "Book uploaded: {{title}}": "පොත උඩුගත විය: {{title}}",
+ "Insufficient storage quota": "ප්රමාණවත් නොවන ගබඩා ප්රමාණය",
+ "Failed to upload book: {{title}}": "පොත උඩුගත කිරීමට අසමත්: {{title}}",
+ "Book downloaded: {{title}}": "පොත බාගන්නා ලදී: {{title}}",
+ "Failed to download book: {{title}}": "පොත බාගැනීමට අසමත්: {{title}}",
+ "Book deleted: {{title}}": "පොත මකා දමන ලදී: {{title}}",
+ "Deleted cloud backup of the book: {{title}}": "පොතේ cloud backup මකා දමන ලදී: {{title}}",
+ "Deleted local copy of the book: {{title}}": "පොතේ දේශීය පිටපත මකා දමන ලදී: {{title}}",
+ "Failed to delete book: {{title}}": "පොත මකා දැමීමට අසමත්: {{title}}",
+ "Failed to delete cloud backup of the book: {{title}}": "පොතේ cloud backup මකා දැමීමට අසමත්: {{title}}",
+ "Failed to delete local copy of the book: {{title}}": "පොතේ දේශීය පිටපත මකා දැමීමට අසමත්: {{title}}",
+ "Welcome to your library. You can import your books here and read them anytime.": "ඔබේ පුස්තකාලයට සාදරයෙන් පිළිගනිමු. ඔබට මෙහි ඔබේ පොත් ආයාත කර ඕනෑම වේලාවක කියවිය හැක.",
+ "Copied to notebook": "සටහන් පොතට පිටපත් කරන ලදී",
+ "No annotations to export": "නිර්යාත කිරීමට සටහන් නැත",
+ "Exported from Readest": "Readest වෙතින් නිර්යාත කරන ලදී",
+ "Highlights & Annotations": "ඉස්මතු කිරීම් සහ සටහන්",
+ "Untitled": "නම් නැති",
+ "Note": "සටහන",
+ "Copied to clipboard": "clipboard එකට පිටපත් කරන ලදී",
+ "Copy": "පිටපත් කරන්න",
+ "Delete Highlight": "ඉස්මතු කිරීම මකන්න",
+ "Highlight": "ඉස්මතු කරන්න",
+ "Annotate": "සටහන් තබන්න",
+ "Search": "සොයන්න",
+ "Dictionary": "ශබ්දකෝෂය",
+ "Wikipedia": "විකිපීඩියා",
+ "Translate": "පරිවර්තනය කරන්න",
+ "Speak": "කථා කරන්න",
+ "Login Required": "පිවිසීම අවශ්ය",
+ "Quota Exceeded": "ප්රමාණය ඉක්මවන ලදී",
+ "Unable to fetch the translation. Please log in first and try again.": "පරිවර්තනය ලබා ගැනීමට නොහැකි. කරුණාකර පළමුව ඇතුල් වී නැවත උත්සාහ කරන්න.",
+ "Unable to fetch the translation. Try again later.": "පරිවර්තනය ලබා ගැනීමට නොහැකි. පසුව නැවත උත්සාහ කරන්න.",
+ "Original Text": "මුල් පෙළ",
+ "Auto Detect": "ස්වයංක්රීයව අනාවරණය",
+ "(detected)": "(අනාවරණය විය)",
+ "Translated Text": "පරිවර්තනය කළ පෙළ",
+ "System Language": "පද්ධති භාෂාව",
+ "Loading...": "පූරණය වෙමින්...",
+ "No translation available.": "පරිවර්තනය ලබා ගත නොහැක.",
+ "Translated by {{provider}}.": "{{provider}} විසින් පරිවර්තනය කරන ලදී.",
+ "Bookmark": "පොත් සලකුණ",
+ "Next Section": "ඊළඟ කොටස",
+ "Previous Section": "පෙර කොටස",
+ "Next Page": "ඊළඟ පිටුව",
+ "Previous Page": "පෙර පිටුව",
+ "Go Forward": "ඉදිරියට යන්න",
+ "Small": "කුඩා",
+ "Large": "විශාල",
+ "Sync Conflict": "සමමුහුර්ත ගැටුම",
+ "Sync reading progress from \"{{deviceName}}\"?": "\"{{deviceName}}\" වෙතින් කියවීමේ ප්රගතිය සමමුහුර්ත කරන්නද?",
+ "another device": "වෙනත් උපකරණයක්",
+ "Local Progress": "දේශීය ප්රගතිය",
+ "Remote Progress": "දුරස්ථ ප්රගතිය",
+ "Failed to connect": "සම්බන්ධ වීමට අසමත්",
+ "Disconnected": "විසන්ධි වුණි",
+ "KOReader Sync Settings": "KOReader සමමුහුර්ත සැකසුම්",
+ "Sync as {{userDisplayName}}": "{{userDisplayName}} ලෙස සමමුහුර්ත කරන්න",
+ "Sync Server Connected": "සමමුහුර්ත සේවාදායකය සම්බන්ධ විය",
+ "Sync Strategy": "සමමුහුර්ත උපාය",
+ "Ask on conflict": "ගැටුමේදී විමසන්න",
+ "Always use latest": "සෑම විටම නවතම භාවිතා කරන්න",
+ "Send changes only": "වෙනස්කම් පමණක් යවන්න",
+ "Receive changes only": "වෙනස්කම් පමණක් ලබන්න",
+ "Checksum Method": "පරීක්ෂණ ක්රමය",
+ "File Content (recommended)": "ගොනු අන්තර්ගතය (නිර්දේශිත)",
+ "File Name": "ගොනුවේ නම",
+ "Device Name": "උපකරණයේ නම",
+ "Connect to your KOReader Sync server.": "ඔබේ KOReader සමමුහුර්ත සේවාදායකයට සම්බන්ධ වන්න.",
+ "Server URL": "සේවාදායක URL",
+ "Username": "පරිශීලක නම",
+ "Your Username": "ඔබේ පරිශීලක නම",
+ "Password": "මුරපදය",
+ "Connect": "සම්බන්ධ කරන්න",
+ "Notebook": "සටහන් පොත",
+ "No notes match your search": "ඔබේ සෙවීමට ගැලපෙන සටහන් නැත",
+ "Excerpts": "උදාහරණ",
+ "Notes": "සටහන්",
+ "Add your notes here...": "මෙහි ඔබේ සටහන් එක් කරන්න...",
+ "Search notes and excerpts...": "සටහන් සහ උදාහරණ සොයන්න...",
+ "{{time}} min left in chapter": "පරිච්ඡේදයේ මිනිත්තු {{time}} ක් ඉතිරි",
+ "{{count}} pages left in chapter_one": "පරිච්ඡේදයේ පිටුව 1 ක් ඉතිරි",
+ "{{count}} pages left in chapter_other": "පරිච්ඡේදයේ පිටු {{count}} ක් ඉතිරි",
+ "Theme Mode": "තේමා ආකාරය",
+ "Invert Image In Dark Mode": "අඳුරු ආකාරයේදී රූපය පරිවර්තනය කරන්න",
+ "Override Book Color": "පොතේ වර්ණය අභිබවන්න",
+ "Theme Color": "තේමා වර්ණය",
+ "Custom": "අභිරුචි",
+ "Code Highlighting": "කේත ඉස්මතු කිරීම",
+ "Enable Highlighting": "ඉස්මතු කිරීම සක්රීය කරන්න",
+ "Code Language": "කේත භාෂාව",
+ "Auto": "ස්වයංක්රීය",
+ "Scroll": "අනුචලනය",
+ "Scrolled Mode": "අනුචලන ආකාරය",
+ "Continuous Scroll": "අඛණ්ඩ අනුචලනය",
+ "Overlap Pixels": "අතිච්ඡාදන පික්සල්",
+ "Disable Double Click": "ද්විත්ව ක්ලික් අබල කරන්න",
+ "Volume Keys for Page Flip": "පිටු පෙරැළීම සඳහා ශබ්ද යතුර",
+ "Animation": "සජීවිකරණය",
+ "Paging Animation": "පිටු සජීවිකරණය",
+ "Security": "ආරක්ෂාව",
+ "Allow JavaScript": "JavaScript ට ඉඩ දෙන්න",
+ "Enable only if you trust the file.": "ගොනුව විශ්වාසදායක නම් පමණක් සක්රීය කරන්න.",
+ "Font": "අකුරු වර්ගය",
+ "Custom Fonts": "අභිරුචි අකුරු",
+ "Cancel Delete": "මකා දැමීම අවලංගු කරන්න",
+ "Delete Font": "අකුරු මකන්න",
+ "Import Font": "අකුරු ආයාත කරන්න",
+ "Tips": "ඉඟි",
+ "Supported font formats: .ttf, .otf, .woff, .woff2": "සහාය දක්වන අකුරු ආකෘති: .ttf, .otf, .woff, .woff2",
+ "Custom fonts can be selected from the Font Face menu": "Font Face මෙනුවෙන් අභිරුචි අකුරු තෝරා ගත හැක",
+ "Global Settings": "ගෝලීය සැකසුම්",
+ "Apply to All Books": "සියලු පොත් වලට අනුගත කරන්න",
+ "Apply to This Book": "මෙම පොතට අනුගත කරන්න",
+ "Reset Settings": "සැකසුම් නැවත සකස් කරන්න",
+ "Manage Custom Fonts": "අභිරුචි අකුරු කළමනාකරණය කරන්න",
+ "System Fonts": "පද්ධති අකුරු",
+ "Serif Font": "Serif අකුරු",
+ "Sans-Serif Font": "Sans-Serif අකුරු",
+ "Override Book Font": "පොතේ අකුරු අභිබවන්න",
+ "Font Size": "අකුරු ප්රමාණය",
+ "Default Font Size": "සාමාන්ය අකුරු ප්රමාණය",
+ "Minimum Font Size": "අවම අකුරු ප්රමාණය",
+ "Font Weight": "අකුරු බර",
+ "Font Family": "අකුරු පවුල",
+ "Default Font": "සාමාන්ය අකුරු",
+ "CJK Font": "CJK අකුරු",
+ "Font Face": "අකුරු මුහුණ",
+ "Monospace Font": "Monospace අකුරු",
+ "Language": "භාෂාව",
+ "Interface Language": "අතුරුමුහුණතේ භාෂාව",
+ "Translation": "පරිවර්තනය",
+ "Enable Translation": "පරිවර්තනය සක්රීය කරන්න",
+ "Show Source Text": "මූලාශ්ර පෙළ පෙන්වන්න",
+ "Translation Service": "පරිවර්තන සේවාව",
+ "Translate To": "වෙත පරිවර්තනය කරන්න",
+ "Override Book Layout": "පොතේ පිරිසැලසුම අභිබවන්න",
+ "Writing Mode": "ලේඛන ආකාරය",
+ "Default": "සාමාන්ය",
+ "Horizontal Direction": "තිරස් දිශාව",
+ "Vertical Direction": "සිරස් දිශාව",
+ "RTL Direction": "RTL දිශාව",
+ "Border Frame": "මායිම් රාමුව",
+ "Double Border": "ද්විත්ව මායිම",
+ "Border Color": "මායිම් වර්ණය",
+ "Paragraph": "ඡේදය",
+ "Paragraph Margin": "ඡේද මායිම",
+ "Line Spacing": "පේළි අන්තරය",
+ "Word Spacing": "වචන අන්තරය",
+ "Letter Spacing": "අකුරු අන්තරය",
+ "Text Indent": "පෙළ අභ්යන්තරය",
+ "Full Justification": "සම්පූර්ණ සාධාරණීකරණය",
+ "Hyphenation": "යොමු කිරීම",
+ "Page": "පිටුව",
+ "Top Margin (px)": "ඉහළ මායිම (px)",
+ "Bottom Margin (px)": "පහළ මායිම (px)",
+ "Left Margin (px)": "වම් මායිම (px)",
+ "Right Margin (px)": "දකුණු මායිම (px)",
+ "Column Gap (%)": "තීරු පරතරය (%)",
+ "Maximum Number of Columns": "අවරෝධ තීරු ගණන",
+ "Maximum Column Height": "අවරෝධ තීරු උස",
+ "Maximum Column Width": "අවරෝධ තීරු පළල",
+ "Header & Footer": "ශිර්ෂය සහ පාදය",
+ "Show Header": "ශිර්ෂය පෙන්වන්න",
+ "Show Footer": "පාදය පෙන්වන්න",
+ "Show Remaining Time": "ඉතිරි වේලාව පෙන්වන්න",
+ "Show Remaining Pages": "ඉතිරි පිටු පෙන්වන්න",
+ "Show Reading Progress": "කියවීමේ ප්රගතිය පෙන්වන්න",
+ "Reading Progress Style": "කියවීමේ ප්රගති ශෛලිය",
+ "Page Number": "පිටු අංකය",
+ "Percentage": "ප්රතිශතය",
+ "Apply also in Scrolled Mode": "අනුචලන ආකාරයේදීද අනුගත කරන්න",
+ "Screen": "තිරය",
+ "Orientation": "දිශානතිය",
+ "Portrait": "සිරස්",
+ "Landscape": "තිරස්",
+ "Apply": "අනුගත කරන්න",
+ "Custom Content CSS": "අභිරුචි අන්තර්ගත CSS",
+ "Enter CSS for book content styling...": "පොතේ අන්තර්ගත ශෛලිකරණය සඳහා CSS ඇතුල් කරන්න...",
+ "Custom Reader UI CSS": "අභිරුචි කියවන්නා UI CSS",
+ "Enter CSS for reader interface styling...": "කියවන්නා අතුරුමුහුණත ශෛලිකරණය සඳහා CSS ඇතුල් කරන්න...",
+ "Layout": "පිරිසැලසුම",
+ "Color": "වර්ණය",
+ "Behavior": "හැසිරීම",
+ "Reset {{settings}}": "{{settings}} නැවත සකස් කරන්න",
+ "All the world's a stage,\nAnd all the men and women merely players;\nThey have their exits and their entrances,\nAnd one man in his time plays many parts,\nHis acts being seven ages.\n\n— William Shakespeare": "සියලු ලෝකය වේදිකාවක්,\nසහ සියලු පුරුෂයන් සහ ගැහැණියන් හුදු රංගන ශිල්පීන්;\nඔවුන්ට පිටවීම් සහ ඇතුල්වීම් ඇත,\nසහ එක් මනුෂ්යයෙක් ඔහුගේ කාලයේ බොහෝ භාගයන් ඉටු කරයි,\nඔහුගේ ක්රියා වයස් හතකි.\n\n— විලියම් ශේක්ස්පියර්",
+ "(from 'As You Like It', Act II)": "('ඔබට අවශ්ය ලෙස', දෙවන අංකයෙන්)",
+ "Custom Theme": "අභිරුචි තේමාව",
+ "Theme Name": "තේමා නාමය",
+ "Text Color": "පෙළ වර්ණය",
+ "Background Color": "පසුබිම් වර්ණය",
+ "Link Color": "සබැඳි වර්ණය",
+ "Preview": "පෙර දසුන",
+ "Font & Layout": "අකුරු සහ පිරිසැලසුම",
+ "More Info": "තවත් තොරතුරු",
+ "Parallel Read": "සමාන්තර කියවීම",
+ "Disable": "අබල කරන්න",
+ "Enable": "සක්රීය කරන්න",
+ "KOReader Sync": "KOReader සමමුහුර්තය",
+ "Push Progress": "ප්රගතිය ඉදිරියට",
+ "Pull Progress": "ප්රගතිය අදින්න",
+ "Export Annotations": "සටහන් නිර්යාත කරන්න",
+ "Sort TOC by Page": "පිටුව අනුව TOC සකස් කරන්න",
+ "Edit": "සංස්කරණය",
+ "Search...": "සොයන්න...",
+ "Book": "පොත",
+ "Chapter": "පරිච්ඡේදය",
+ "Match Case": "අකුරු ගැළපීම",
+ "Match Whole Words": "සම්පූර්ණ වචන ගැළපීම",
+ "Match Diacritics": "ධ්වනි ලකුණු ගැළපීම",
+ "TOC": "සූචිය",
+ "Table of Contents": "සූචිය",
+ "Sidebar": "පැති තීරුව",
+ "Disable Translation": "පරිවර්තනය අබල කරන්න",
+ "TTS not supported for PDF": "PDF සඳහා TTS සහාය නොදක්වයි",
+ "TTS not supported for this document": "මෙම ලේඛනය සඳහා TTS සහාය නොදක්වයි",
+ "No Timeout": "කාල සීමාවක් නැත",
+ "{{value}} minute": "මිනිත්තු {{value}}",
+ "{{value}} minutes": "මිනිත්තු {{value}}",
+ "{{value}} hour": "පැය {{value}}",
+ "{{value}} hours": "පැය {{value}}",
+ "Voices for {{lang}}": "{{lang}} සඳහා හඬ",
+ "Slow": "මන්දගාමී",
+ "Fast": "වේගවත්",
+ "{{engine}}: {{count}} voices_one": "{{engine}}: හඬ 1",
+ "{{engine}}: {{count}} voices_other": "{{engine}}: හඬ {{count}}",
+ "Sign in to Sync": "සමමුහුර්ත කිරීම සඳහා ඇතුල් වන්න",
+ "Synced at {{time}}": "{{time}} වේලාවේ සමමුහුර්ත විය",
+ "Never synced": "කිසි විටෙක සමමුහුර්ත නොවිණි",
+ "Reading Progress Synced": "කියවීමේ ප්රගතිය සමමුහුර්ත විය",
+ "Page {{page}} of {{total}} ({{percentage}}%)": "{{total}} න් {{page}} පිටුව ({{percentage}}%)",
+ "Current position": "වර්තමාන ස්ථානය",
+ "Approximately page {{page}} of {{total}} ({{percentage}}%)": "දළ වශයෙන් {{total}} න් {{page}} පිටුව ({{percentage}}%)",
+ "Approximately {{percentage}}%": "දළ වශයෙන් {{percentage}}%",
+ "Delete Your Account?": "ඔබේ ගිණුම මකන්නද?",
+ "This action cannot be undone. All your data in the cloud will be permanently deleted.": "මෙම ක්රියාව අවලංගු කළ නොහැක. cloud හි ඔබේ සියලු දත්ත ස්ථිරවම මකා දැමෙනු ඇත.",
+ "Delete Permanently": "ස්ථිරවම මකන්න",
+ "Restore Purchase": "මිලදී ගැනීම ප්රතිෂ්ඨාපනය කරන්න",
+ "Manage Subscription": "දායකත්වය කළමනාකරණය කරන්න",
+ "Reset Password": "මුරපදය නැවත සකස් කරන්න",
+ "Sign Out": "ඉවත් වන්න",
+ "Delete Account": "ගිණුම මකන්න",
+ "Upgrade to {{plan}}": "{{plan}} වෙත උසස් කරන්න",
+ "Complete Your Subscription": "ඔබේ දායකත්වය සම්පූර්ණ කරන්න",
+ "Coming Soon": "ඉක්මනින් පැමිණේ",
+ "Upgrade to Plus or Pro": "Plus හෝ Pro වෙත උසස් කරන්න",
+ "Current Plan": "වර්තමාන සැලැස්ම",
+ "Plan Limits": "සැලැස්මේ සීමා",
+ "Failed to delete user. Please try again later.": "පරිශීලකයා මකා දැමීමට අසමත්. කරුණාකර පසුව නැවත උත්සාහ කරන්න.",
+ "Failed to create checkout session": "checkout session නිර්මාණය කිරීමට අසමත්",
+ "No purchases found to restore.": "ප්රතිෂ්ඨාපනය කිරීමට මිලදී ගැනීම් නොමැත.",
+ "Failed to restore purchases.": "මිලදී ගැනීම් ප්රතිෂ්ඨාපනය කිරීමට අසමත්.",
+ "Failed to manage subscription.": "දායකත්වය කළමනාකරණය කිරීමට අසමත්.",
+ "Failed to load subscription plans.": "දායකත්ව සැලැස්ම් පූරණය කිරීමට අසමත්.",
+ "Loading profile...": "පැතිකඩ පූරණය වෙමින්...",
+ "Processing your payment...": "ඔබේ ගෙවීම සැකසෙමින්...",
+ "Please wait while we confirm your subscription.": "අපි ඔබේ දායකත්වය තහවුරු කරන අතරතුර කරුණාකර රැඳී සිටින්න.",
+ "Payment Processing": "ගෙවීම් සැකසීම",
+ "Your payment is being processed. This usually takes a few moments.": "ඔබේ ගෙවීම සැකසෙමින් පවතී. මෙය සාමාන්යයෙන් මොහොතකින් සිදු වේ.",
+ "Payment Failed": "ගෙවීම අසමත්",
+ "We couldn't process your subscription. Please try again or contact support if the issue persists.": "අපට ඔබේ දායකත්වය සැකසීමට නොහැකි විය. කරුණාකර නැවත උත්සාහ කරන්න හෝ ගැටලුව දිගටම පවතින්නේ නම් සහාය සඳහා සම්බන්ධ වන්න.",
+ "Back to Profile": "පැතිකඩට ආපසු",
+ "Subscription Successful!": "දායකත්වය සාර්ථක!",
+ "Thank you for your subscription! Your payment has been processed successfully.": "ඔබේ දායකත්වයට ස්තූතිය! ඔබේ ගෙවීම සාර්ථකව සැකසිණි.",
+ "Email:": "ඊමේල්:",
+ "Plan:": "සැලැස්ම:",
+ "Amount:": "මුදල:",
+ "Go to Library": "පුස්තකාලයට යන්න",
+ "Need help? Contact our support team at support@readest.com": "උදව් අවශ්යද? support@readest.com හි අපගේ සහාය කණ්ඩායමට සම්බන්ධ වන්න",
+ "Free Plan": "නොමිලේ සැලැස්ම",
+ "month": "මාසය",
+ "year": "වර්ෂය",
+ "Cross-Platform Sync": "හරස් වේදිකා සමමුහුර්තය",
+ "Seamlessly sync your library, progress, highlights, and notes across all your devices—never lose your place again.": "ඔබේ සියලු උපකරණ හරහා ඔබේ පුස්තකාලය, ප්රගතිය, ඉස්මතු කිරීම් සහ සටහන් බාධාවකින් තොරව සමමුහුර්ත කරන්න - ඔබේ ස්ථානය නැවත කිසි දිනෙක නැති නොකරන්න.",
+ "Customizable Reading": "අභිරුචිකරණය කළ හැකි කියවීම",
+ "Personalize every detail with adjustable fonts, layouts, themes, and advanced display settings for the perfect reading experience.": "පරිපූර්ණ කියවීමේ අත්දැකීම සඳහා සකස් කළ හැකි අකුරු, පිරිසැලසුම්, තේමා සහ උසස් ප්රදර්ශන සැකසුම් සමඟ සෑම විස්තරයක්ම පුද්ගලීකරණය කරන්න.",
+ "AI Read Aloud": "AI පවසා කියවීම",
+ "Enjoy hands-free reading with natural-sounding AI voices that bring your books to life.": "ඔබේ පොත් ජීවයට ගෙන එන ස්වභාවික ශබ්ද සහිත AI හඬ සමඟ අත් නිදහස් කියවීම රස විඳින්න.",
+ "AI Translations": "AI පරිවර්තන",
+ "Translate any text instantly with the power of Google, Azure, or DeepL—understand content in any language.": "Google, Azure, හෝ DeepL හි බලය සමඟ ඕනෑම පෙළක් ක්ෂණිකව පරිවර්තනය කරන්න - ඕනෑම භාෂාවකින් අන්තර්ගතය තේරුම් ගන්න.",
+ "Community Support": "ප්රජා සහාය",
+ "Connect with fellow readers and get help fast in our friendly community channels.": "සහෘදී පාඨකයන් සමඟ සම්බන්ධ වන්න සහ අපගේ මිත්රශීලී ප්රජා නාලිකා වල ඉක්මනින් උදව් ලබා ගන්න.",
+ "Cloud Sync Storage": "Cloud සමමුහුර්ත ගබඩාව",
+ "AI Translations (per day)": "AI පරිවර්තන (දිනකට)",
+ "Plus Plan": "Plus සැලැස්ම",
+ "Includes All Free Plan Benefits": "සියලු නොමිලේ සැලැස්මේ ප්රතිලාභ ඇතුළත්",
+ "Unlimited AI Read Aloud Hours": "අසීමිත AI පවසා කියවීමේ පැය",
+ "Listen without limits—convert as much text as you like into immersive audio.": "සීමාවකින් තොරව සවන් දෙන්න - ඔබට අවශ්ය තරම් පෙළ ගිලී යන ශ්රව්ය බවට පරිවර්තනය කරන්න.",
+ "More AI Translations": "තවත් AI පරිවර්තන",
+ "Unlock enhanced translation capabilities with more daily usage and advanced options.": "වැඩි දෛනික භාවිතය සහ උසස් විකල්ප සමඟ වැඩිදියුණු කළ පරිවර්තන හැකියාවන් අනවරණය කරන්න.",
+ "DeepL Pro Access": "DeepL Pro ප්රවේශය",
+ "Translate up to 100,000 characters daily with the most accurate translation engine available.": "ලබා ගත හැකි වඩාත් නිරවද්ය පරිවර්තන එන්ජිම සමඟ දිනකට අක්ෂර 100,000 ක් දක්වා පරිවර්තනය කරන්න.",
+ "Securely store and access your entire reading collection with up to 5 GB of cloud storage.": "GB 5 ක් දක්වා cloud ගබඩාව සමඟ ඔබේ සම්පූර්ණ කියවීමේ එකතුව ආරක්ෂිතව ගබඩා කරන්න සහ ප්රවේශ වන්න.",
+ "Priority Support": "ප්රමුඛතා සහාය",
+ "Enjoy faster responses and dedicated assistance whenever you need help.": "ඔබට උදව් අවශ්ය වන විට ඉක්මන් ප්රතිචාර සහ කැප වූ සහාය රස විඳින්න.",
+ "Pro Plan": "Pro සැලැස්ම",
+ "Includes All Plus Plan Benefits": "සියලු Plus සැලැස්මේ ප්රතිලාභ ඇතුළත්",
+ "Early Feature Access": "පූර්ව විශේෂාංග ප්රවේශය",
+ "Be the first to explore new features, updates, and innovations before anyone else.": "අන් කවුරුන්ටත් වඩා පළමුව නව විශේෂාංග, යාවත්කාලීන සහ නවෝත්පාදන ගවේෂණය කරන්න.",
+ "Advanced AI Tools": "උසස් AI මෙවලම්",
+ "Harness powerful AI tools for smarter reading, translation, and content discovery.": "දක්ෂ කියවීම, පරිවර්තනය සහ අන්තර්ගත සොයාගැනීම සඳහා ප්රබල AI මෙවලම් භාවිතා කරන්න.",
+ "Translate up to 500,000 characters daily with the most accurate translation engine available.": "ලබා ගත හැකි වඩාත් නිරවද්ය පරිවර්තන එන්ජිම සමඟ දිනකට අක්ෂර 500,000 ක් දක්වා පරිවර්තනය කරන්න.",
+ "Securely store and access your entire reading collection with up to 20 GB of cloud storage.": "GB 20 ක් දක්වා cloud ගබඩාව සමඟ ඔබේ සම්පූර්ණ කියවීමේ එකතුව ආරක්ෂිතව ගබඩා කරන්න සහ ප්රවේශ වන්න.",
+ "Version {{version}}": "සංස්කරණය {{version}}",
+ "Check Update": "යාවත්කාලීන පරීක්ෂා කරන්න",
+ "Already the latest version": "දැනටමත් නවතම සංස්කරණය",
+ "Checking for updates...": "යාවත්කාලීන සඳහා පරීක්ෂා කරමින්...",
+ "Error checking for updates": "යාවත්කාලීන පරීක්ෂා කිරීමේ දෝෂය",
+ "Drop to Import Books": "පොත් ආයාත කිරීමට අතහරින්න",
+ "Terms of Service": "සේවා නියමයන්",
+ "Privacy Policy": "පෞද්ගලිකත්ව ප්රතිපත්තිය",
+ "Enter book title": "පොතේ නම ඇතුල් කරන්න",
+ "Subtitle": "උප නාමය",
+ "Enter book subtitle": "පොතේ උප නාමය ඇතුල් කරන්න",
+ "Enter author name": "කතුවරයාගේ නම ඇතුල් කරන්න",
+ "Series": "කතා මාලාව",
+ "Enter series name": "කතා මාලාවේ නම ඇතුල් කරන්න",
+ "Series Index": "කතා මාලා සූචිය",
+ "Enter series index": "කතා මාලා සූචිය ඇතුල් කරන්න",
+ "Total in Series": "කතා මාලාවේ මුළු ගණන",
+ "Enter total books in series": "කතා මාලාවේ මුළු පොත් ගණන ඇතුල් කරන්න",
+ "Publisher": "ප්රකාශක",
+ "Enter publisher": "ප්රකාශක ඇතුල් කරන්න",
+ "Publication Date": "ප්රකාශන දිනය",
+ "YYYY or YYYY-MM-DD": "YYYY හෝ YYYY-MM-DD",
+ "Identifier": "හඳුනාගැනීම",
+ "Subjects": "විෂයන්",
+ "Fiction, Science, History": "ප්රබන්ධ, විද්යාව, ඉතිහාසය",
+ "Description": "විස්තරය",
+ "Enter book description": "පොතේ විස්තරය ඇතුල් කරන්න",
+ "Change cover image": "ආවරණ රූපය වෙනස් කරන්න",
+ "Replace": "ආදේශ කරන්න",
+ "Unlock cover": "ආවරණය අගුළු ඇරින්න",
+ "Lock cover": "ආවරණය අගුළු දමන්න",
+ "Auto-Retrieve Metadata": "Metadata ස්වයංක්රීයව ලබා ගන්න",
+ "Auto-Retrieve": "ස්වයංක්රීයව ලබා ගන්න",
+ "Unlock all fields": "සියලු ක්ෂේත්ර අගුළු ඇරින්න",
+ "Unlock All": "සියල්ල අගුළු ඇරින්න",
+ "Lock all fields": "සියලු ක්ෂේත්ර අගුළු දමන්න",
+ "Lock All": "සියල්ල අගුළු දමන්න",
+ "Reset": "නැවත සකස් කරන්න",
+ "Are you sure to delete the selected book?": "ඔබට විශ්වාසද තෝරාගත් පොත මකා දැමීමට?",
+ "Are you sure to delete the cloud backup of the selected book?": "ඔබට විශ්වාසද තෝරාගත් පොතේ cloud backup මකා දැමීමට?",
+ "Are you sure to delete the local copy of the selected book?": "ඔබට විශ්වාසද තෝරාගත් පොතේ දේශීය පිටපත මකා දැමීමට?",
+ "Edit Metadata": "Metadata සංස්කරණය කරන්න",
+ "Book Details": "පොතේ විස්තර",
+ "Unknown": "නොදන්නා",
+ "Remove from Cloud & Device": "Cloud සහ උපකරණයෙන් ඉවත් කරන්න",
+ "Remove from Cloud Only": "Cloud එකෙන් පමණක් ඉවත් කරන්න",
+ "Remove from Device Only": "උපකරණයෙන් පමණක් ඉවත් කරන්න",
+ "Published": "ප්රකාශිතය",
+ "Updated": "යාවත්කාලීන කරන ලදී",
+ "Added": "එක් කරන ලදී",
+ "File Size": "ගොනු ප්රමාණය",
+ "No description available": "විස්තරයක් ලබා ගත නොහැක",
+ "Locked": "අගුළු දමන ලදී",
+ "Select Metadata Source": "Metadata මූලාශ්රය තෝරන්න",
+ "Keep manual input": "අතින් ඇතුල් කළ දේ තබාගන්න",
+ "A new version of Readest is available!": "Readest හි නව සංස්කරණයක් ලබා ගත හැක!",
+ "Readest {{newVersion}} is available (installed version {{currentVersion}}).": "Readest {{newVersion}} ලබා ගත හැක (ස්ථාපිත සංස්කරණය {{currentVersion}}).",
+ "Download and install now?": "දැන් බාගන්න සහ ස්ථාපනය කරන්නද?",
+ "Downloading {{downloaded}} of {{contentLength}}": "{{contentLength}} න් {{downloaded}} බාගනිමින්",
+ "Download finished": "බාගැනීම සම්පූර්ණයි",
+ "DOWNLOAD & INSTALL": "බාගන්න සහ ස්ථාපනය කරන්න",
+ "Changelog": "වෙනස්කම් ලිපිය",
+ "Software Update": "මෘදුකාංග යාවත්කාලීන",
+ "What's New in Readest": "Readest හි නවතම දේ",
+ "Select Files": "ගොනු තෝරන්න",
+ "Select Image": "රූපය තෝරන්න",
+ "Select Video": "වීඩියෝව තෝරන්න",
+ "Select Audio": "ශ්රව්ය තෝරන්න",
+ "Select Fonts": "අකුරු තෝරන්න",
+ "Storage": "ගබඩාව",
+ "{{percentage}}% of Cloud Sync Space Used.": "Cloud සමමුහුර්ත ඉඩෙන් {{percentage}}% භාවිතා කර ඇත.",
+ "Translation Characters": "පරිවර්තන අක්ෂර",
+ "{{percentage}}% of Daily Translation Characters Used.": "දෛනික පරිවර්තන අක්ෂර වලින් {{percentage}}% භාවිතා කර ඇත.",
+ "Daily translation quota reached. Upgrade your plan to continue using AI translations.": "දෛනික පරිවර්තන කෝටාව ළඟා විය. AI පරිවර්තන භාවිතා කරමින් සිටීමට ඔබේ සැලැස්ම උසස් කරන්න.",
+ "LXGW WenKai GB Screen": "LXGW WenKai GB Screen",
+ "LXGW WenKai TC": "LXGW WenKai TC",
+ "GuanKiapTsingKhai-T": "GuanKiapTsingKhai-T",
+ "Source Han Serif CN": "Source Han Serif CN",
+ "Huiwen-MinchoGBK": "Huiwen Mincho",
+ "KingHwa_OldSong": "KingHwa_OldSong",
+ "Google Books": "Google Books",
+ "Open Library": "Open Library",
+ "Azure Translator": "Azure Translator",
+ "DeepL": "DeepL",
+ "Google Translate": "Google Translate",
+ "Yandex Translate": "Yandex Translate",
+ "Gray": "අළු",
+ "Sepia": "සීපියා",
+ "Grass": "තණකොළ",
+ "Cherry": "චෙරි",
+ "Sky": "අහස",
+ "Solarized": "සූර්යකිරණ",
+ "Gruvbox": "Gruvbox",
+ "Nord": "Nord",
+ "Contrast": "පරස්පර",
+ "Sunset": "හිරු බැස්ම",
+ "Reveal in Finder": "Finder හි පෙන්වන්න",
+ "Reveal in File Explorer": "File Explorer හි පෙන්වන්න",
+ "Reveal in Folder": "ෆෝල්ඩරයේ පෙන්වන්න",
+ "Previous Paragraph": "කලින් ඡේදය",
+ "Previous Sentence": "කලින් වාක්යය",
+ "Pause": "විරාමය",
+ "Play": "වාදනය කරන්න",
+ "Next Sentence": "මීළඟ වාක්යය",
+ "Next Paragraph": "මීළඟ ඡේදය",
+ "Separate Cover Page": "වෙන් වූ ආවරණ පිටුව",
+ "Resize Notebook": "සටහන් පොතේ ප්රමාණය වෙනස් කරන්න",
+ "Resize Sidebar": "පැති තීරුවේ ප්රමාණය වෙනස් කරන්න",
+ "Get Help from the Readest Community": "Readest ප්රජාවෙන් උදව් ලබා ගන්න",
+ "Remove cover image": "ආවරණ රූපය ඉවත් කරන්න",
+ "Bookshelf": "පොත් රාක්කය",
+ "View Menu": "මෙනුව බලන්න",
+ "Settings Menu": "සැකසුම් මෙනුව",
+ "View account details and quota": "ගිණුම් විස්තර සහ කොටස බලන්න",
+ "Library Header": "පුස්තකාල ශීර්ෂය",
+ "Book Content": "පොතේ අන්තර්ගතය",
+ "Footer Bar": "පාදක තීරුව",
+ "Header Bar": "ශීර්ෂ තීරුව",
+ "View Options": "දැක්ම විකල්ප",
+ "Book Menu": "පොත් මෙනුව",
+ "Search Options": "සෙවුම් විකල්ප",
+ "Close": "වසන්න",
+ "Delete Book Options": "පොත මකන විකල්ප",
+ "ON": "ඇක්ටිව්",
+ "OFF": "ඩිසැක්ටිව්",
+ "Reading Progress": "කියවීමේ ප්රගතිය",
+ "Page Margin": "පිටු මාර්ජින්",
+ "Remove Bookmark": "සටහන් ඉවත් කරන්න",
+ "Add Bookmark": "සටහන් එකතු කරන්න",
+ "Books Content": "පොත් අන්තර්ගතය",
+ "Jump to Location": "ස්ථානයට යන්න",
+ "Unpin Notebook": "බ්ලොක්නොට් අකුරු කරන්න",
+ "Pin Notebook": "බ්ලොක්නොට් අකුරු කරන්න",
+ "Hide Search Bar": "සෙවුම් තීරුව සඟවා ඇත",
+ "Show Search Bar": "සෙවුම් තීරුව පෙන්වන්න",
+ "On {{current}} of {{total}} page": "පිටුව {{current}}/{{total}}",
+ "Section Title": "අංශය ශීර්ෂය",
+ "Decrease": "අඩු කරන්න",
+ "Increase": "ඉහළ නැංවීම",
+ "Settings Panels": "සැකසුම් පැනල්",
+ "Settings": "සැකසුම්",
+ "Unpin Sidebar": "බොක්කේ අකුරු කරන්න",
+ "Pin Sidebar": "බොක්කේ අකුරු කරන්න",
+ "Toggle Sidebar": "බොක්කේ ස්ථානය වෙනස් කරන්න",
+ "Toggle Translation": "පරිවර්තනය ස්ථානය වෙනස් කරන්න",
+ "Translation Disabled": "පරිවර්තනය අක්රීය කර ඇත",
+ "Minimize": "අඩු කරන්න",
+ "Maximize or Restore": "ඉහළ නැංවීම හෝ ප්රතිසංස්කරණය",
+ "Exit Parallel Read": "සමාන්තර කියවීමෙන් පිටවන්න",
+ "Enter Parallel Read": "සමාන්තර කියවීමේදී පිවිසෙන්න",
+ "Zoom Level": "සංයුතිය මට්ටම",
+ "Zoom Out": "සංයුතිය අඩු කරන්න",
+ "Reset Zoom": "සංයුතිය නැවත සකසන්න",
+ "Zoom In": "සංයුතිය වැඩි කරන්න",
+ "Zoom Mode": "සංයුතිය ආකාරය",
+ "Single Page": "එක් පිටුව",
+ "Auto Spread": "ස්වයංක්රීය ව්යාප්තිය",
+ "Fit Page": "පිටුවට ගැලපෙන ලෙස",
+ "Fit Width": "පැතිකඩට ගැලපෙන ලෙස",
+ "Failed to select directory": "ෆෝල්ඩරය තෝරා ගැනීමට අසමත්",
+ "The new data directory must be different from the current one.": "නව දත්ත ෆෝල්ඩරය වර්තමාන ෆෝල්ඩරයෙන් වෙනස් විය යුතුය.",
+ "Migration failed: {{error}}": "මැතිවරණය අසමත් විය: {{error}}",
+ "Change Data Location": "දත්ත ස්ථානය වෙනස් කරන්න",
+ "Current Data Location": "වර්තමාන දත්ත ස්ථානය",
+ "Total size: {{size}}": "මුළු ප්රමාණය: {{size}}",
+ "Calculating file info...": "ගොනු තොරතුරු ගණනය කරමින්...",
+ "New Data Location": "නව දත්ත ස්ථානය",
+ "Choose Different Folder": "වෙනත් ෆෝල්ඩරයක් තෝරන්න",
+ "Choose New Folder": "නව ෆෝල්ඩරයක් තෝරන්න",
+ "Migrating data...": "දත්ත මැතිවරණය කරමින්...",
+ "Copying: {{file}}": "පිටපත් කරමින්: {{file}}",
+ "{{current}} of {{total}} files": "{{current}}/{{total}} ගොනු",
+ "Migration completed successfully!": "මැතිවරණය සාර්ථකව නිමවිය!",
+ "Your data has been moved to the new location. Please restart the application to complete the process.": "ඔබගේ දත්ත නව ස්ථානයට මාරු කර ඇත. ක්රියාවලිය සම්පූර්ණ කිරීමට කරුණාකර යෙදුම නැවත ආරම්භ කරන්න.",
+ "Migration failed": "මැතිවරණය අසමත් විය",
+ "Important Notice": "මහත් අවධානයක්",
+ "This will move all your app data to the new location. Make sure the destination has enough free space.": "මෙය ඔබගේ යෙදුම් දත්ත සියල්ල නව ස්ථානයට මාරු කරනු ඇත. ගමන් මාර්ගය ප්රමාණවත් නිදහස් ස්ථානයක් ඇති බවට සහතික වන්න.",
+ "Restart App": "යෙදුම නැවත ආරම්භ කරන්න",
+ "Start Migration": "මැතිවරණය ආරම්භ කරන්න",
+ "Advanced Settings": "උසස් සැකසුම්",
+ "File count: {{size}}": "ගොනු ගණන: {{size}}",
+ "Background Read Aloud": "පසුබිම් පවසා කියවීම",
+ "Ready to read aloud": "වාදනය කිරීමට සූදානම්",
+ "Read Aloud": "පවසා කියවීම",
+ "Screen Brightness": "තිරයේ දිදුලනුම",
+ "Background Image": "පසුබිම් රූපය",
+ "Import Image": "රූපය ආයාත කරන්න",
+ "Opacity": "පැහැදිලිත්වය",
+ "Size": "ප්රමාණය",
+ "Cover": "ආවරණය",
+ "Contain": "අඩංගු වන්න",
+ "{{number}} pages left in chapter": "පරිච්ඡේදයේ පිටු {{number}} ඉතිරිව ඇත",
+ "Device": "උපකරණය",
+ "E-Ink Mode": "E-Ink ආකාරය",
+ "Highlight Colors": "ඉස්මතු වර්ණ",
+ "Auto Screen Brightness": "ස්වයංක්රීය තිර දිදුලනුම",
+ "Pagination": "පිටුගත කිරීම",
+ "Disable Double Tap": "දෙවරක් ටැප් කිරීම අබල කරන්න",
+ "Tap to Paginate": "පිටුගත කිරීමට ටැප් කරන්න",
+ "Click to Paginate": "පිටුගත කිරීමට ක්ලික් කරන්න",
+ "Tap Both Sides": "පැත්ත දෙකම ටැප් කරන්න",
+ "Click Both Sides": "පැත්ත දෙකම ක්ලික් කරන්න",
+ "Swap Tap Sides": "පැත්ත දෙකම ටැප් කරන්න",
+ "Swap Click Sides": "පැත්ත දෙකම ක්ලික් කරන්න",
+ "Source and Translated": "මූලාශ්ර සහ පරිවර්තනය",
+ "Translated Only": "පරිවර්තනය පමණක්",
+ "Source Only": "මූලාශ්රය පමණක්",
+ "TTS Text": "TTS පෙළ",
+ "The book file is corrupted": "පොතේ ගොනුව අසමත් වී ඇත",
+ "The book file is empty": "පොතේ ගොනුව හිස් වේ",
+ "Failed to open the book file": "පොතේ ගොනුව විවෘත කිරීමට අසමත් විය",
+ "On-Demand Purchase": "අවශ්යතාවය මත මිලදී ගැනීම",
+ "Full Customization": "සම්පූර්ණ අභිරුචි",
+ "Lifetime Plan": "පොදුකාලීන සැලැස්ම",
+ "One-Time Payment": "එක්වර ගෙවීම",
+ "Make a single payment to enjoy lifetime access to specific features on all devices. Purchase specific features or services only when you need them.": "සියලු උපකරණ සඳහා විශේෂිත විශේෂාංග සඳහා පොදුකාලීන ප්රවේශය ලබා ගැනීමට එක්වර ගෙවීමක් කරන්න. ඔබට අවශ්ය වන විශේෂිත විශේෂාංග හෝ සේවා මිලදී ගන්න.",
+ "Expand Cloud Sync Storage": "කලාප සමාන්ය ගබඩා විශාල කරන්න",
+ "Expand your cloud storage forever with a one-time purchase. Each additional purchase adds more space.": "එක්වර මිලදී ගැනීමක් මඟින් ඔබගේ කලාප ගබඩාව සදාකාලිකව විශාල කරන්න. එක් එක් අමතර මිලදී ගැනීමක් තවත් ස්ථානයක් එක් කරයි.",
+ "Unlock All Customization Options": "සියලු අභිරුචි විකල්ප විවෘත කරන්න",
+ "Unlock additional themes, fonts, layout options and read aloud, translators, cloud storage services.": "අමතර තේමාවන්, ෆොන්ට්, ආකෘති විකල්ප සහ පවසා කියවීම, පරිවර්තක, කලාප ගබඩා සේවා විවෘත කරන්න.",
+ "Purchase Successful!": "මිලදී ගැනීම සාර්ථකයි!",
+ "lifetime": "පොදුකාලීන",
+ "Thank you for your purchase! Your payment has been processed successfully.": "ඔබේ මිලදී ගැනීමට ස්තූතියි! ඔබේ ගෙවීම සාර්ථකව සැකසිණි.",
+ "Order ID:": "ඇණවුම් හැඳුනුම්පත:",
+ "TTS Highlighting": "TTS උද්දීපනය",
+ "Style": "රූපය",
+ "Underline": "ඇටය",
+ "Strikethrough": "ඇඳුම",
+ "Squiggly": "වැලි රේඛාව",
+ "Outline": "පරිසීමාව",
+ "Save Current Color": "දැන් ඇති වර්ණය සුරකින්න",
+ "Quick Colors": "ක්ෂණික වර්ණ",
+ "Highlighter": "ඉස්මතු කරන්නා",
+ "Save Book Cover": "පොත් ආවරණය සුරකින්න",
+ "Auto-save last book cover": "අවසන් පොත් ආවරණය ස්වයංක්රීයව සුරකින්න",
+ "Back": "ආපසු",
+ "Confirmation email sent! Please check your old and new email addresses to confirm the change.": "තහවුරු කිරීමේ විද්යුත් තැපැල් පණිවිඩය යවන්නා! වෙනස්කම තහවුරු කිරීම සඳහා ඔබගේ පැරණි සහ නව විද්යුත් තැපැල් ලිපින පරීක්ෂා කරන්න.",
+ "Failed to update email": "විද්යුත් තැපැල් යාවත්කාලීන කිරීමට අසමත් විය",
+ "New Email": "නව විද්යුත් තැපැල්",
+ "Your new email": "ඔබේ නව විද්යුත් තැපැල්",
+ "Updating email ...": "විද්යුත් තැපැල් යාවත්කාලීන කරමින් ...",
+ "Update email": "විද්යුත් තැපැල් යාවත්කාලීන කරන්න",
+ "Current email": "වත්මන් විද්යුත් තැපැල්",
+ "Update Email": "විද්යුත් තැපැල් යාවත්කාලීන කරන්න",
+ "All": "සියල්ල",
+ "Unable to open book": "පොත විවෘත කිරීමට නොහැක",
+ "Punctuation": "ලකුණු",
+ "Replace Quotation Marks": "උද්ධෘත ලකුණු ප්රතිස්ථාපනය කරන්න",
+ "Enabled only in vertical layout.": "සිරස් ආකෘතියේ පමණක් සක්රීයයි.",
+ "No Conversion": "ප්රතිවර්තනයක් නැත",
+ "Simplified to Traditional": "සරල → සාම්ප්රදායික",
+ "Traditional to Simplified": "සාම්ප්රදායික → සරල",
+ "Simplified to Traditional (Taiwan)": "සරල → සාම්ප්රදායික (තායිවான்)",
+ "Simplified to Traditional (Hong Kong)": "සරල → සාම්ප්රදායික (හොං කොං)",
+ "Simplified to Traditional (Taiwan), with phrases": "සරල → සාම්ප්රදායික (තායිවාන • වාක්ය)",
+ "Traditional (Taiwan) to Simplified": "සාම්ප්රදායික (තායිවාන) → සරල",
+ "Traditional (Hong Kong) to Simplified": "සාම්ප්රදායික (හොං කොං) → සරල",
+ "Traditional (Taiwan) to Simplified, with phrases": "සාම්ප්රදායික (තායිවාන • වාක්ය) → සරල",
+ "Convert Simplified and Traditional Chinese": "සරල/සාම්ප්රදායික චීන පරිවර්තනය",
+ "Convert Mode": "පරිවර්තන මෝඩියුලය",
+ "Failed to auto-save book cover for lock screen: {{error}}": "අගුළු තිරය සඳහා පොත් ආවරණය ස්වයංක්රීයව සුරකිීමට අසමත් විය: {{error}}",
+ "Download from Cloud": "කලාඬයෙන් බාගත කරන්න",
+ "Upload to Cloud": "කලාඬයට උඩුගත කරන්න",
+ "Clear Custom Fonts": "අභිරුචි අකුරු පැහැදිලි කරන්න",
+ "Columns": "තීරු",
+ "OPDS Catalogs": "OPDS දත්තසමුදා",
+ "Adding LAN addresses is not supported in the web app version.": "වෙබ් යෙදුම් අනුවාදයේ LAN ලිපින එක් කිරීම සහය නොදක්වයි.",
+ "Invalid OPDS catalog. Please check the URL.": "අවලංගු OPDS දත්තසමුදායකි. කරුණාකර URL පරීක්ෂා කරන්න.",
+ "Browse and download books from online catalogs": "ඔන්ලයින් දත්තසමුදා වලින් පොත් බ්රවුස් සහ බාගන්න",
+ "My Catalogs": "මගේ දත්තසමුදා",
+ "Add Catalog": "දත්තසමුදා එක් කරන්න",
+ "No catalogs yet": "තවම දත්තසමුදා නැත",
+ "Add your first OPDS catalog to start browsing books": "පොත් බ්රවුස් කිරීමට ඔබේ පළමු OPDS දත්තසමුදා එක් කරන්න",
+ "Add Your First Catalog": "ඔබේ පළමු දත්තසමුදා එක් කරන්න",
+ "Browse": "බ්රවුස් කරන්න",
+ "Popular Catalogs": "ප්රසිද්ධ දත්තසමුදා",
+ "Add": "එකතු කරන්න",
+ "Add OPDS Catalog": "OPDS දත්තසමුදා එක් කරන්න",
+ "Catalog Name": "දත්තසමුදා නාමය",
+ "My Calibre Library": "මගේ Calibre පුස්තකාලය",
+ "OPDS URL": "OPDS URL",
+ "Username (optional)": "පරිශීලක නාමය (අත්යාවශ්ය නොවේ)",
+ "Password (optional)": "මුරපදය (අත්යාවශ්ය නොවේ)",
+ "Description (optional)": "විස්තරය (අත්යාවශ්ය නොවේ)",
+ "A brief description of this catalog": "මෙම දත්තසමුදායේ කෙටි විස්තරයක්",
+ "Validating...": "තහවුරු කරමින්...",
+ "View All": "සියල්ල බලන්න",
+ "Forward": "ඉදිරියට",
+ "Home": "මුල් පිටුව",
+ "{{count}} items_one": "{{count}} අයිතමය",
+ "{{count}} items_other": "{{count}} අයිතම",
+ "Download completed": "බාගත කිරීම සම්පූර්ණයි",
+ "Download failed": "බාගත කිරීම අසාර්ථකයි",
+ "Open Access": "විවෘත ප්රවේශය",
+ "Borrow": "උधාර ගන්න",
+ "Buy": "ගන්න",
+ "Subscribe": "දායක වන්න",
+ "Sample": "නම්නය",
+ "Download": "බාගන්න",
+ "Open & Read": "විවෘත කර කියවන්න",
+ "Tags": "ටැග්",
+ "Tag": "ටැග්",
+ "First": "පළමුවා",
+ "Previous": "පෙර",
+ "Next": "ඊළඟ",
+ "Last": "අවසාන",
+ "Cannot Load Page": "පිටුවට ප්රවේශ විය නොහැක",
+ "An error occurred": "දෝෂයක් සිදු විය",
+ "Online Library": "ඔන්ලයින් පුස්තකාලය",
+ "URL must start with http:// or https://": "URL එක http:// හෝ https:// සමඟ ආරම්භ විය යුතුය",
+ "Title, Author, Tag, etc...": "ශීර්ෂය, කතුවරයා, ටැග්, ආදිය...",
+ "Query": "විමසුම",
+ "Subject": "විෂය",
+ "Enter {{terms}}": "{{terms}} ඇතුළත් කරන්න",
+ "No search results found": "සෙවුම් ප්රතිඵල නොමැත",
+ "Failed to load OPDS feed: {{status}} {{statusText}}": "OPDS ආහාරය පූරණය කිරීමට අසමත් විය: {{status}} {{statusText}}",
+ "Search in {{title}}": "{{title}} තුළ සෙවීම",
+ "Manage Storage": "ගබඩා කළමනාකරණය කරන්න",
+ "Failed to load files": "ගොනු උඩුගත කිරීමට නොහැකි විය",
+ "Deleted {{count}} file(s)_one": "ගොනුව මකා දමා ඇත",
+ "Deleted {{count}} file(s)_other": "ගොනු මකා දමා ඇත",
+ "Failed to delete {{count}} file(s)_one": "ගොනුව මකා දැමිය නොහැකි විය",
+ "Failed to delete {{count}} file(s)_other": "ගොනු මකා දැමිය නොහැකි විය",
+ "Failed to delete files": "ගොනු මකා දැමිය නොහැකි විය",
+ "Total Files": "මුළු ගොනු",
+ "Total Size": "මුළු ප්රමාණය",
+ "Quota": "කොටස",
+ "Used": "භාවිතා කරන ලදී",
+ "Files": "ගොනු",
+ "Search files...": "ගොනු සොයන්න...",
+ "Newest First": "නවතම පළමුව",
+ "Oldest First": "පැරණිම පළමුව",
+ "Largest First": "විශාලතම පළමුව",
+ "Smallest First": "කුඩාතම පළමුව",
+ "Name A-Z": "නම A-Z",
+ "Name Z-A": "නම Z-A",
+ "{{count}} selected_one": "තෝරාගත් ගොනුව",
+ "{{count}} selected_other": "තෝරාගත් ගොනු",
+ "Delete Selected": "තෝරාගත් මකා දමන්න",
+ "Created": "තනන ලදී",
+ "No files found": "ගොනු හමු නොවීය",
+ "No files uploaded yet": "ගොනු තවම උඩුගත කර නැත",
+ "files": "ගොනු",
+ "Page {{current}} of {{total}}": "පිටුව {{current}} / {{total}}",
+ "Are you sure to delete {{count}} selected file(s)?_one": "තෝරාගත් ගොනුව මකන්නට විශ්වාසද?",
+ "Are you sure to delete {{count}} selected file(s)?_other": "තෝරාගත් ගොනු මකන්නට විශ්වාසද?",
+ "Cloud Storage Usage": "කලාප ගබඩා භාවිතය",
+ "Rename Group": "කණ්ඩායම නැවත නම් කරන්න",
+ "From Directory": "ෆෝල්ඩරයෙන්",
+ "Successfully imported {{count}} book(s)_one": "සාර්ථකව ආයාත කළ 1 පොත",
+ "Successfully imported {{count}} book(s)_other": "සාර්ථකව ආයාත කළ {{count}} පොත්",
+ "Count": "ගණන",
+ "Start Page": "ආරම්භක පිටුව",
+ "Search in OPDS Catalog...": "OPDS දත්තසමුදා තුළ සෙවීම...",
+ "Please log in to use advanced TTS features": "උසස් TTS විශේෂාංග භාවිතා කිරීමට කරුණාකර පිවිසෙන්න",
+ "Word limit of 30 words exceeded.": "වචන 30ක සීමාව ඉක්මවා ඇත.",
+ "Proofread": "සංශෝධනය",
+ "Current selection": "වත්මන් තේරීම",
+ "All occurrences in this book": "මෙම පොත තුළ ඇති සියලුම පෙනීම්",
+ "All occurrences in your library": "ඔබගේ පුස්තකාලයේ ඇති සියලුම පෙනීම්",
+ "Selected text:": "තේරූ පෙළ:",
+ "Replace with:": "මෙයින් ප්රතිස්ථාපනය කරන්න:",
+ "Enter text...": "පෙළ ඇතුළත් කරන්න…",
+ "Case sensitive:": "අකුරු විශාල/කුඩා භේදය සලකා බලන්න:",
+ "Scope:": "පරාසය:",
+ "Selection": "තේරීම",
+ "Library": "පුස්තකාලය",
+ "Yes": "ඔව්",
+ "No": "නැහැ",
+ "Proofread Replacement Rules": "සංශෝධන ප්රතිස්ථාපන නියමයන්",
+ "Selected Text Rules": "තේරූ පෙළ සඳහා නියමයන්",
+ "No selected text replacement rules": "තේරූ පෙළ සඳහා ප්රතිස්ථාපන නියමයන් නොමැත",
+ "Book Specific Rules": "පොතට විශේෂිත නියමයන්",
+ "No book-level replacement rules": "පොත් මට්ටමේ ප්රතිස්ථාපන නියමයන් නොමැත",
+ "Disable Quick Action": "තට්ටු ක්රියාව අක්රිය කරන්න",
+ "Enable Quick Action on Selection": "තෝරා ගැනීමේදී තට්ටු ක්රියාව සක්රීය කරන්න",
+ "None": "කිසිවක් නැත",
+ "Annotation Tools": "සටහන් මෙවලම්",
+ "Enable Quick Actions": "තට්ටු ක්රියාවන් සක්රීය කරන්න",
+ "Quick Action": "තට්ටු ක්රියාව",
+ "Copy to Notebook": "සටහන් පොතට පිටපත් කරන්න",
+ "Copy text after selection": "තේරීමෙන් පසු පෙළ පිටපත් කරන්න",
+ "Highlight text after selection": "තේරීමෙන් පසු පෙළ හයිලයිට් කරන්න",
+ "Annotate text after selection": "තේරීමෙන් පසු පෙළ සටහන් කරන්න",
+ "Search text after selection": "තේරීමෙන් පසු පෙළ සෙවීම",
+ "Look up text in dictionary after selection": "තේරීමෙන් පසු ශබ්දකෝෂයේ පෙළ සෙවීම",
+ "Look up text in Wikipedia after selection": "තේරීමෙන් පසු විකිපීඩියාවේ පෙළ සෙවීම",
+ "Translate text after selection": "තේරීමෙන් පසු පෙළ පරිවර්තනය කරන්න",
+ "Read text aloud after selection": "තේරීමෙන් පසු පෙළ උච්චාරණය කරන්න",
+ "Proofread text after selection": "තේරීමෙන් පසු පෙළ සංශෝධනය කරන්න",
+ "{{activeCount}} active, {{pendingCount}} pending": "{{activeCount}} සක්රීය, {{pendingCount}} බලාපොරොත්තුවේ",
+ "{{failedCount}} failed": "{{failedCount}} අසාර්ථක",
+ "Waiting...": "බලාපොරොත්තුවේ...",
+ "Failed": "අසාර්ථකයි",
+ "Completed": "සම්පූර්ණයි",
+ "Cancelled": "අවලංගුයි",
+ "Retry": "නැවත උත්සාහ කරන්න",
+ "Active": "සක්රීය",
+ "Transfer Queue": "හුවමාරු පෝලිම",
+ "Upload All": "සියල්ල උඩුගත කරන්න",
+ "Download All": "සියල්ල බාගන්න",
+ "Resume Transfers": "හුවමාරු නැවත ආරම්භ කරන්න",
+ "Pause Transfers": "හුවමාරු විරාම කරන්න",
+ "Pending": "බලාපොරොත්තුවේ",
+ "No transfers": "හුවමාරු නැත",
+ "Retry All": "සියල්ල නැවත උත්සාහ කරන්න",
+ "Clear Completed": "සම්පූර්ණ කළ ඒවා මකන්න",
+ "Clear Failed": "අසාර්ථක ඒවා මකන්න",
+ "Upload queued: {{title}}": "උඩුගත කිරීම පෝලිමේ: {{title}}",
+ "Download queued: {{title}}": "බාගත කිරීම පෝලිමේ: {{title}}",
+ "Book not found in library": "පුස්තකාලයේ පොත හමු නොවීය",
+ "Unknown error": "නොදන්නා දෝෂයක්",
+ "Please log in to continue": "ඉදිරියට යාමට පිවිසෙන්න",
+ "Cloud File Transfers": "කලාප ගොනු හුවමාරු",
+ "Show Search Results": "සෙවුම් ප්රතිඵල පෙන්වන්න",
+ "Search results for '{{term}}'": "'{{term}}' සඳහා ප්රතිඵල",
+ "Close Search": "සෙවුම වසන්න",
+ "Previous Result": "පෙර ප්රතිඵලය",
+ "Next Result": "ඊළඟ ප්රතිඵලය",
+ "Bookmarks": "පොත් සලකුණු",
+ "Annotations": "අනුසටහන්",
+ "Show Results": "ප්රතිඵල පෙන්වන්න",
+ "Clear search": "සෙවුම හිස් කරන්න",
+ "Clear search history": "සෙවුම් ඉතිහාසය හිස් කරන්න",
+ "Tap to Toggle Footer": "පාදකය ටොගල් කිරීමට තට්ටු කරන්න",
+ "Exported successfully": "සාර්ථකව අපනයනය කරන ලදී",
+ "Book exported successfully.": "පොත සාර්ථකව අපනයනය කරන ලදී.",
+ "Failed to export the book.": "පොත අපනයනය කිරීමට අසමත් විය.",
+ "Export Book": "පොත අපනයනය කරන්න",
+ "Whole word:": "සම්පූර්ණ වචනය:",
+ "Error": "දෝෂය",
+ "Unable to load the article. Try searching directly on {{link}}.": "ලිපිය පූරණය කළ නොහැක. {{link}} හි කෙලින්ම සෙවීමට උත්සාහ කරන්න.",
+ "Unable to load the word. Try searching directly on {{link}}.": "වචනය පූරණය කළ නොහැක. {{link}} හි කෙලින්ම සෙවීමට උත්සාහ කරන්න.",
+ "Date Published": "ප්රකාශන දිනය",
+ "Only for TTS:": "TTS සඳහා පමණක්:",
+ "Uploaded": "උඩුගත කරන ලදී",
+ "Downloaded": "බාගත කරන ලදී",
+ "Deleted": "මකා දමන ලදී",
+ "Note:": "සටහන:",
+ "Time:": "කාලය:",
+ "Format Options": "ආකෘති විකල්ප",
+ "Export Date": "අපනයන දිනය",
+ "Chapter Titles": "කොටස් මාතෘකා",
+ "Chapter Separator": "කොටස් වෙන්කරු",
+ "Highlights": "ඉස්මතු කිරීම්",
+ "Note Date": "සටහන දිනය",
+ "Advanced": "උසස්",
+ "Hide": "සඟවන්න",
+ "Show": "පෙන්වන්න",
+ "Use Custom Template": "අභිරුචි සැකිල්ල භාවිතා කරන්න",
+ "Export Template": "අපනයන සැකිල්ල",
+ "Template Syntax:": "සැකිල්ලේ ව්යවස්ථාව:",
+ "Insert value": "වටිනාකම ඇතුළත් කරන්න",
+ "Format date (locale)": "දිනය ආකෘතිය (දේශීය)",
+ "Format date (custom)": "අභිරුචි දිනය ආකෘතිය",
+ "Conditional": "ශර්තමය",
+ "Loop": "ලූප්",
+ "Available Variables:": "ලබා ගත හැකි විචල්ය:",
+ "Book title": "පොත් මාතෘකාව",
+ "Book author": "පොත් රචකයා",
+ "Export date": "අපනයන දිනය",
+ "Array of chapters": "කොටස් අරය",
+ "Chapter title": "කොටස් මාතෘකාව",
+ "Array of annotations": "අනුසටහන් අරය",
+ "Highlighted text": "ඉස්මතු කළ පෙළ",
+ "Annotation note": "අනුසටහන් සටහන",
+ "Date Format Tokens:": "දිනය ආකෘති ටෝකන:",
+ "Year (4 digits)": "වසර (අංක 4)",
+ "Month (01-12)": "මාසය (01-12)",
+ "Day (01-31)": "දින (01-31)",
+ "Hour (00-23)": "පැය (00-23)",
+ "Minute (00-59)": "මිනිත්තු (00-59)",
+ "Second (00-59)": "තත්පර (00-59)",
+ "Show Source": "මූලාශ්රය පෙන්වන්න",
+ "No content to preview": "පෙරදසුන සඳහා අන්තර්ගතයක් නැත",
+ "Export": "අපනයනය කරන්න",
+ "Set Timeout": "කාල සීමාව සකසන්න",
+ "Select Voice": "හඬ තෝරන්න",
+ "Toggle Sticky Bottom TTS Bar": "ඇලවූ TTS තීරුව මාරු කරන්න",
+ "Display what I'm reading on Discord": "Discord හි කියවන පොත පෙන්වන්න",
+ "Show on Discord": "Discord හි පෙන්වන්න",
+ "Instant {{action}}": "ක්ෂණික {{action}}",
+ "Instant {{action}} Disabled": "ක්ෂණික {{action}} අබල කර ඇත",
+ "Annotation": "විවරණය",
+ "Reset Template": "සැකිල්ල නැවත සකස් කරන්න",
+ "Annotation style": "විවරණ විලාසය",
+ "Annotation color": "විවරණ වර්ණය",
+ "Annotation time": "විවරණ වේලාව",
+ "AI": "කෘතිම බුද්ධිය (AI)",
+ "Are you sure you want to re-index this book?": "ඔබට මෙම පොත නැවත දර්ශකය කිරීමට අවශ්ය බව සහතිකද?",
+ "Enable AI in Settings": "සැකසුම් තුළ AI සක්රීය කරන්න",
+ "Index This Book": "මෙම පොත දර්ශකය කරන්න",
+ "Enable AI search and chat for this book": "මෙම පොත සඳහා AI සෙවීම සහ කතාබස් සක්රීය කරන්න",
+ "Start Indexing": "දර්ශකය කිරීම ආරම්භ කරන්න",
+ "Indexing book...": "පොත දර්ශකය කරමින්...",
+ "Preparing...": "සූදානම් වෙමින්...",
+ "Delete this conversation?": "මෙම සංවාදය මකා දමන්නද?",
+ "No conversations yet": "තවම සංවාද නැත",
+ "Start a new chat to ask questions about this book": "මෙම පොත ගැන ප්රශ්න ඇසීමට නව කතාබහක් ආරම්භ කරන්න",
+ "Rename": "නම වෙනස් කරන්න",
+ "New Chat": "නව කතාබහ",
+ "Chat": "කතාබහ",
+ "Please enter a model ID": "කරුණාකර මාදිලි හැඳුනුම්පතක් ඇතුළත් කරන්න",
+ "Model not available or invalid": "මාදිලිය ලබා ගත නොහැක හෝ අවලංගුයි",
+ "Failed to validate model": "මාදිලිය තහවුරු කිරීමට අසමත් විය",
+ "Couldn't connect to Ollama. Is it running?": "Ollama වෙත සම්බන්ධ වීමට නොහැකි විය. එය ක්රියාත්මක වේද?",
+ "Invalid API key or connection failed": "අවලංගු API යතුරක් හෝ සම්බන්ධතාවය අසාර්ථක විය",
+ "Connection failed": "සම්බන්ධතාවය අසාර්ථක විය",
+ "AI Assistant": "AI සහායකයා",
+ "Enable AI Assistant": "AI සහායකයා සක්රීය කරන්න",
+ "Provider": "සපයන්නා",
+ "Ollama (Local)": "Ollama (දේශීය)",
+ "AI Gateway (Cloud)": "AI Gateway (Cloud)",
+ "Ollama Configuration": "Ollama වින්යාසය",
+ "Refresh Models": "මාදිලි යාවත්කාලීන කරන්න",
+ "AI Model": "AI මාදිලිය",
+ "No models detected": "කිසිදු මාදිලියක් හඳුනාගෙන නැත",
+ "AI Gateway Configuration": "AI Gateway වින්යාසය",
+ "Choose from a selection of high-quality, economical AI models. You can also bring your own model by selecting \"Custom Model\" below.": "උසස් තත්ත්වයේ, ලාභදායී AI මාදිලි එකතුවකින් තෝරන්න. පහතින් \"අභිරුචි මාදිලිය\" තේරීමෙන් ඔබට ඔබේම මාදිලියක් ද ගෙන ඒමට හැකිය.",
+ "API Key": "API යතුර",
+ "Get Key": "යතුර ලබා ගන්න",
+ "Model": "මාදිලිය",
+ "Custom Model...": "අභිරුචි මාදිලිය...",
+ "Custom Model ID": "අභිරුචි මාදිලි හැඳුනුම්පත",
+ "Validate": "තහවුරු කරන්න",
+ "Model available": "මාදිලිය ලබා ගත හැකිය",
+ "Connection": "සම්බන්ධතාවය",
+ "Test Connection": "සම්බන්ධතාවය පරීක්ෂා කරන්න",
+ "Connected": "සම්බන්ධ විය",
+ "Custom Colors": "අභිමත වර්ණ",
+ "Color E-Ink Mode": "වර්ණ E-Ink මාදිලිය",
+ "Reading Ruler": "කියවීමේ රූල",
+ "Enable Reading Ruler": "කියවීමේ රූල සක්රීය කරන්න",
+ "Lines to Highlight": "මතුකර පෙන්විය යුතු පේළි",
+ "Ruler Color": "රූලේ වර්ණය",
+ "Command Palette": "විධාන පුවරුව",
+ "Search settings and actions...": "සැකසුම් සහ ක්රියා සොයන්න...",
+ "No results found for": "සඳහා ප්රතිඵල හමු නොවීය",
+ "Type to search settings and actions": "සැකසුම් සහ ක්රියා සෙවීමට ටයිප් කරන්න",
+ "Recent": "මෑත කාලීන",
+ "navigate": "සංචාලනය",
+ "select": "තෝරන්න",
+ "close": "වසා දමන්න",
+ "Search Settings": "සැකසුම් සොයන්න",
+ "Page Margins": "පිටු මායිම්",
+ "AI Provider": "AI සපයන්නා",
+ "Ollama URL": "Ollama URL",
+ "Ollama Model": "Ollama ආකෘතිය",
+ "AI Gateway Model": "AI ਗੇਟਵੇ ਆਕෘතිය",
+ "Actions": "ක්රියා",
+ "Navigation": "සංචාලනය",
+ "Set status for {{count}} book(s)_one": "{{count}} පොත සඳහා තත්ත්වය සකසන්න",
+ "Set status for {{count}} book(s)_other": "{{count}} පොත් සඳහා තත්ත්වය සකසන්න",
+ "Mark as Unread": "නොකියවූ ලෙස සලකුණු කරන්න",
+ "Mark as Finished": "අවසන් වූ ලෙස සලකුණු කරන්න",
+ "Finished": "අවසන්",
+ "Unread": "නොකියවූ",
+ "Clear Status": "තත්ත්වය හිස් කරන්න",
+ "Status": "තත්ත්වය",
+ "Loading": "පූරණය වෙමින් පවතී...",
+ "Exit Paragraph Mode": "ඡේද ප්රකාරයෙන් ඉවත් වන්න",
+ "Paragraph Mode": "ඡේද ප්රකාරය",
+ "Embedding Model": "එබ්බවීමේ ආකෘතිය",
+ "{{count}} book(s) synced_one": "{{count}} පොතක් සමමුහුර්ත කරන ලදී",
+ "{{count}} book(s) synced_other": "{{count}} පොත් සමමුහුර්ත කරන ලදී",
+ "Unable to start RSVP": "RSVP ආරම්භ කිරීමට නොහැක",
+ "RSVP not supported for PDF": "PDF සඳහා RSVP සහාය නොදක්වයි",
+ "Select Chapter": "පරිච්ඡේදය තෝරන්න",
+ "Context": "සන්දර්භය",
+ "Ready": "සූදානම්",
+ "Chapter Progress": "පරිච්ඡේදයේ ප්රගතිය",
+ "words": "වචන",
+ "{{time}} left": "{{time}} ඉතිරිව ඇත",
+ "Reading progress": "කියවීමේ ප්රගතිය",
+ "Click to seek": "සොයා බැලීමට ක්ලික් කරන්න",
+ "Skip back 15 words": "වචන 15ක් පසුපසට",
+ "Back 15 words (Shift+Left)": "වචන 15ක් පසුපසට (Shift+Left)",
+ "Pause (Space)": "විරාමය (Space)",
+ "Play (Space)": "ධාවනය (Space)",
+ "Skip forward 15 words": "වචන 15ක් ඉදිරියට",
+ "Forward 15 words (Shift+Right)": "වචන 15ක් ඉදිරියට (Shift+Right)",
+ "Pause:": "විරාමය:",
+ "Decrease speed": "වේගය අඩු කරන්න",
+ "Slower (Left/Down)": "මන්දගාමී (Left/Down)",
+ "Current speed": "වත්මන් වේගය",
+ "Increase speed": "වේගය වැඩි කරන්න",
+ "Faster (Right/Up)": "වේගවත් (Right/Up)",
+ "Start RSVP Reading": "RSVP කියවීම ආරම්භ කරන්න",
+ "Choose where to start reading": "කියවීම ආරම්භ කළ යුතු ස්ථානය තෝරන්න",
+ "From Chapter Start": "පරිච්ඡේදයේ ආරම්භයේ සිට",
+ "Start reading from the beginning of the chapter": "පරිච්ඡේදයේ ආරම්භයේ සිට කියවීම ආරම්භ කරන්න",
+ "Resume": "නැවත ආරම්භ කරන්න",
+ "Continue from where you left off": "ඔබ නතර කළ තැන සිට දිගටම කරගෙන යන්න",
+ "From Current Page": "වත්මන් පිටුවේ සිට",
+ "Start from where you are currently reading": "ඔබ දැනට කියවන තැනින් ආරම්භ කරන්න",
+ "From Selection": "තේරීමෙන්",
+ "Speed Reading Mode": "වේගයෙන් කියවීමේ ක්රමය",
+ "Scroll left": "වමට අනුචලනය කරන්න",
+ "Scroll right": "දකුණට අනුචලනය කරන්න",
+ "Library Sync Progress": "පුස්තකාල සමමුහුර්ත කිරීමේ ප්රගතිය",
+ "Back to library": "පුස්තකාලයට ආපසු",
+ "Group by...": "මගින් සමූහනය කරන්න...",
+ "Export as Plain Text": "සාමාන්ය පෙළ ලෙස අපනයනය කරන්න",
+ "Export as Markdown": "Markdown ලෙස අපනයනය කරන්න",
+ "Show Page Navigation Buttons": "සංචාලන බොත්තම්",
+ "Page {{number}}": "පිටුව {{number}}",
+ "highlight": "මතුකර පෙන්වීම",
+ "underline": "යටින් ඉරි ඇඳීම",
+ "squiggly": "zigzag",
+ "red": "රතු",
+ "violet": "දම්",
+ "blue": "නිල්",
+ "green": "කොළ",
+ "yellow": "කහ",
+ "Select {{style}} style": "{{style}} විලාසය තෝරන්න",
+ "Select {{color}} color": "{{color}} වර්ණය තෝරන්න",
+ "Close Book": "පොත වසා දමන්න",
+ "Speed Reading": "වේග කියවීම",
+ "Close Speed Reading": "වේග කියවීම වසන්න",
+ "Authors": "කතුවරුන්",
+ "Books": "පොත්",
+ "Groups": "කණ්ඩායම්",
+ "Back to TTS Location": "TTS ස්ථානයට ආපසු යන්න",
+ "Metadata": "මෙටාඩේටා",
+ "Image viewer": "රූප නරඹන්නා",
+ "Previous Image": "පූර්ව රූපය",
+ "Next Image": "මීළඟ රූපය",
+ "Zoomed": "විශාලනය කරන ලදී",
+ "Zoom level": "විශාලන මට්ටම",
+ "Table viewer": "වගු නරඹන්නා",
+ "Unable to connect to Readwise. Please check your network connection.": "Readwise වෙත සම්බන්ධ වීමට නොහැක. කරුණාකර ඔබගේ ජාල සම්බන්ධතාවය පරීක්ෂා කරන්න.",
+ "Invalid Readwise access token": "අවලංගු Readwise ප්රවේශ ටෝකනය",
+ "Disconnected from Readwise": "Readwise වෙතින් විසන්ධි විය",
+ "Never": "කවදාවත් නැහැ",
+ "Readwise Settings": "Readwise සැකසුම්",
+ "Connected to Readwise": "Readwise වෙත සම්බන්ධ විය",
+ "Last synced: {{time}}": "අවසානයට සමමුහුර්ත කළේ: {{time}}",
+ "Sync Enabled": "සමමුහුර්ත කිරීම සබල කර ඇත",
+ "Disconnect": "විසන්ධි කරන්න",
+ "Connect your Readwise account to sync highlights.": "විශේෂ අවස්ථා සමමුහුර්ත කිරීමට ඔබගේ Readwise ගිණුම සම්බන්ධ කරන්න.",
+ "Get your access token at": "ඔබගේ ප්රවේශ ටෝකනය මෙතැනින් ලබා ගන්න",
+ "Access Token": "ප්රවේශ ටෝකනය",
+ "Paste your Readwise access token": "ඔබගේ Readwise ප්රවේශ ටෝකනය මෙහි අලවන්න",
+ "Config": "වින්යාසය",
+ "Readwise Sync": "Readwise සමමුහුර්තකරණය",
+ "Push Highlights": "විශේෂ අවස්ථා යොමු කරන්න",
+ "Highlights synced to Readwise": "විශේෂ අවස්ථා Readwise සමඟ සමමුහුර්ත විය",
+ "Readwise sync failed: no internet connection": "Readwise සමමුහුර්තකරණය අසාර්ථක විය: අන්තර්ජාල සම්බන්ධතාවයක් නොමැත",
+ "Readwise sync failed: {{error}}": "Readwise සමමුහුර්තකරණය අසාර්ථක විය: {{error}}"
+}
diff --git a/apps/readest-app/public/locales/sv/translation.json b/apps/readest-app/public/locales/sv/translation.json
new file mode 100644
index 0000000000000000000000000000000000000000..64606d8b1286d9109a86b234d0985a558123efb6
--- /dev/null
+++ b/apps/readest-app/public/locales/sv/translation.json
@@ -0,0 +1,1060 @@
+{
+ "Email address": "E-postadress",
+ "Your Password": "Ditt lösenord",
+ "Your email address": "Din e-postadress",
+ "Your password": "Ditt lösenord",
+ "Sign in": "Logga in",
+ "Signing in...": "Loggar in...",
+ "Sign in with {{provider}}": "Logga in med {{provider}}",
+ "Already have an account? Sign in": "Har du konto? Logga in",
+ "Create a Password": "Skapa lösenord",
+ "Sign up": "Registrera",
+ "Signing up...": "Registrerar...",
+ "Don't have an account? Sign up": "Inget konto? Registrera",
+ "Check your email for the confirmation link": "Kolla din e-post för bekräftelselänk",
+ "Signing in ...": "Loggar in...",
+ "Send a magic link email": "Skicka magisk länk",
+ "Check your email for the magic link": "Kolla din e-post för magisk länk",
+ "Send reset password instructions": "Skicka återställningsinstruktioner",
+ "Sending reset instructions ...": "Skickar instruktioner...",
+ "Forgot your password?": "Glömt lösenord?",
+ "Check your email for the password reset link": "Kolla din e-post för återställningslänk",
+ "Phone number": "Telefonnummer",
+ "Your phone number": "Ditt telefonnummer",
+ "Token": "Token",
+ "Your OTP token": "Din OTP-token",
+ "Verify token": "Verifiera token",
+ "Go Back": "Tillbaka",
+ "New Password": "Nytt lösenord",
+ "Your new password": "Ditt nya lösenord",
+ "Update password": "Uppdatera lösenord",
+ "Updating password ...": "Uppdaterar lösenord...",
+ "Your password has been updated": "Ditt lösenord har uppdaterats",
+ "Something went wrong. Don't worry, our team has been notified and we're working on a fix.": "Något gick fel. Oroa dig inte, vårt team har meddelats och vi arbetar på en lösning.",
+ "Error Details:": "Feldetaljer:",
+ "Try Again": "Försök igen",
+ "Your Library": "Ditt bibliotek",
+ "Need help?": "Behöver du hjälp?",
+ "Contact Support": "Kontakta support",
+ "Show Book Details": "Visa bokdetaljer",
+ "Bookshelf": "Bokhylla",
+ "Import Books": "Importera böcker",
+ "Open": "Öppna",
+ "Group": "Grupp",
+ "Details": "Detaljer",
+ "Delete": "Ta bort",
+ "Cancel": "Avbryt",
+ "Confirm Deletion": "Bekräfta borttagning",
+ "Are you sure to delete {{count}} selected book(s)?_one": "Vill du ta bort {{count}} vald bok?",
+ "Are you sure to delete {{count}} selected book(s)?_other": "Vill du ta bort {{count}} valda böcker?",
+ "Deselect Book": "Avmarkera bok",
+ "Select Book": "Välj bok",
+ "Download Book": "Ladda ner bok",
+ "Upload Book": "Ladda upp bok",
+ "Deselect Group": "Avmarkera grupp",
+ "Select Group": "Välj grupp",
+ "Untitled Group": "Namnlös grupp",
+ "Group Books": "Gruppera böcker",
+ "Remove From Group": "Ta bort från grupp",
+ "Create New Group": "Skapa ny grupp",
+ "Save": "Spara",
+ "Confirm": "Bekräfta",
+ "From Local File": "Från lokal fil",
+ "Search in {{count}} Book(s)..._one": "Sök i {{count}} bok...",
+ "Search in {{count}} Book(s)..._other": "Sök i {{count}} böcker...",
+ "Search Books...": "Sök böcker...",
+ "Clear Search": "Rensa sökning",
+ "Select Books": "Välj böcker",
+ "Deselect": "Avmarkera",
+ "Select All": "Välj alla",
+ "View Menu": "Visa meny",
+ "Settings Menu": "Inställningsmeny",
+ "Failed to select directory": "Kunde inte välja katalog",
+ "The new data directory must be different from the current one.": "Den nya datakatalogen måste skilja sig från den nuvarande.",
+ "Migration failed: {{error}}": "Migrering misslyckades: {{error}}",
+ "Change Data Location": "Ändra dataplats",
+ "Current Data Location": "Nuvarande dataplats",
+ "Loading...": "Laddar...",
+ "File count: {{size}}": "Antal filer: {{size}}",
+ "Total size: {{size}}": "Total storlek: {{size}}",
+ "Calculating file info...": "Beräknar filinfo...",
+ "New Data Location": "Ny dataplats",
+ "Choose New Folder": "Välj ny mapp",
+ "Choose Different Folder": "Välj annan mapp",
+ "Migrating data...": "Migrerar data...",
+ "Copying: {{file}}": "Kopierar: {{file}}",
+ "{{current}} of {{total}} files": "{{current}} av {{total}} filer",
+ "Migration completed successfully!": "Migrering slutförd!",
+ "Your data has been moved to the new location. Please restart the application to complete the process.": "Din data har flyttats till den nya platsen. Starta om appen för att slutföra processen.",
+ "Migration failed": "Migrering misslyckades",
+ "Important Notice": "Viktigt meddelande",
+ "This will move all your app data to the new location. Make sure the destination has enough free space.": "Detta flyttar all din appdata till den nya platsen. Se till att målet har tillräckligt med utrymme.",
+ "Close": "Stäng",
+ "Restart App": "Starta om app",
+ "Start Migration": "Starta migrering",
+ "Dark Mode": "Mörkt läge",
+ "Light Mode": "Ljust läge",
+ "Auto Mode": "Auto-läge",
+ "Logged in as {{userDisplayName}}": "Inloggad som {{userDisplayName}}",
+ "Logged in": "Inloggad",
+ "View account details and quota": "Visa kontodetaljer och kvot",
+ "Account": "Konto",
+ "Sign In": "Logga in",
+ "Auto Upload Books to Cloud": "Auto-ladda upp böcker till moln",
+ "Auto Import on File Open": "Auto-importera vid filöppning",
+ "Open Last Book on Start": "Öppna senaste bok vid start",
+ "Check Updates on Start": "Sök uppdateringar vid start",
+ "Open Book in New Window": "Öppna bok i nytt fönster",
+ "Fullscreen": "Helskärm",
+ "Always on Top": "Alltid överst",
+ "Always Show Status Bar": "Visa alltid statusfält",
+ "Keep Screen Awake": "Håll skärm vaken",
+ "Background Read Aloud": "Läs upp i bakgrunden",
+ "Reload Page": "Ladda om sida",
+ "Settings": "Inställningar",
+ "Advanced Settings": "Avancerade inställningar",
+ "Upgrade to Readest Premium": "Uppgradera till Readest Premium",
+ "Download Readest": "Ladda ner Readest",
+ "About Readest": "Om Readest",
+ "Help improve Readest": "Hjälp förbättra Readest",
+ "Sharing anonymized statistics": "Dela anonymiserad statistik",
+ "List": "Lista",
+ "Grid": "Rutnät",
+ "Crop": "Beskär",
+ "Fit": "Anpassa",
+ "Title": "Titel",
+ "Author": "Författare",
+ "Format": "Format",
+ "Date Read": "Läsdatum",
+ "Date Added": "Datum tillagd",
+ "Ascending": "Stigande",
+ "Descending": "Fallande",
+ "Book Covers": "Bokomslag",
+ "Sort by...": "Sortera efter...",
+ "No supported files found. Supported formats: {{formats}}": "Inga filer hittades. Format som stöds: {{formats}}",
+ "No chapters detected": "Inga kapitel hittades",
+ "Failed to parse the EPUB file": "Kunde inte läsa EPUB-filen",
+ "This book format is not supported": "Detta bokformat stöds inte",
+ "Failed to import book(s): {{filenames}}": "Kunde inte importera bok(er): {{filenames}}",
+ "Book uploaded: {{title}}": "Bok uppladdad: {{title}}",
+ "Insufficient storage quota": "Otillräcklig lagringskvot",
+ "Failed to upload book: {{title}}": "Kunde inte ladda upp bok: {{title}}",
+ "Book downloaded: {{title}}": "Bok nedladdad: {{title}}",
+ "Failed to download book: {{title}}": "Kunde inte ladda ner bok: {{title}}",
+ "Book deleted: {{title}}": "Bok borttagen: {{title}}",
+ "Deleted cloud backup of the book: {{title}}": "Raderade molnkopia av bok: {{title}}",
+ "Deleted local copy of the book: {{title}}": "Raderade lokal kopia av bok: {{title}}",
+ "Failed to delete book: {{title}}": "Kunde inte ta bort bok: {{title}}",
+ "Failed to delete cloud backup of the book: {{title}}": "Kunde inte radera molnkopia av bok: {{title}}",
+ "Failed to delete local copy of the book: {{title}}": "Kunde inte radera lokal kopia av bok: {{title}}",
+ "Library Header": "Bibliotekshuvud",
+ "Welcome to your library. You can import your books here and read them anytime.": "Välkommen till ditt bibliotek. Du kan importera dina böcker här och läsa dem när som helst.",
+ "Copied to notebook": "Kopierat till anteckningsbok",
+ "No annotations to export": "Inga anteckningar att exportera",
+ "Exported from Readest": "Exporterad från Readest",
+ "Highlights & Annotations": "Markeringar & anteckningar",
+ "Untitled": "Namnlös",
+ "Note": "Anteckning",
+ "Copied to clipboard": "Kopierat",
+ "Copy": "Kopiera",
+ "Delete Highlight": "Ta bort markering",
+ "Highlight": "Markera",
+ "Annotate": "Anteckna",
+ "Search": "Sök",
+ "Dictionary": "Ordbok",
+ "Wikipedia": "Wikipedia",
+ "Translate": "Översätt",
+ "Speak": "Läs upp",
+ "Login Required": "Inloggning krävs",
+ "Quota Exceeded": "Kvot överskriden",
+ "Unable to fetch the translation. Please log in first and try again.": "Kunde inte hämta översättning. Logga in och försök igen.",
+ "Unable to fetch the translation. Try again later.": "Kunde inte hämta översättning. Försök senare.",
+ "Original Text": "Originaltext",
+ "Auto Detect": "Auto-identifiera",
+ "(detected)": "(identifierad)",
+ "Translated Text": "Översatt text",
+ "System Language": "Systemspråk",
+ "No translation available.": "Ingen översättning tillgänglig.",
+ "Translated by {{provider}}.": "Översatt av {{provider}}.",
+ "Remove Bookmark": "Ta bort bokmärke",
+ "Add Bookmark": "Lägg till bokmärke",
+ "Books Content": "Bokinnehåll",
+ "Book Content": "Bokinnehåll",
+ "Footer Bar": "Sidfot",
+ "Reading Progress": "Läsframsteg",
+ "Next Section": "Nästa sektion",
+ "Previous Section": "Föregående sektion",
+ "Next Page": "Nästa sida",
+ "Previous Page": "Föregående sida",
+ "Go Forward": "Framåt",
+ "Font Size": "Teckenstorlek",
+ "Page Margin": "Sidmarginal",
+ "Small": "Liten",
+ "Large": "Stor",
+ "Line Spacing": "Radavstånd",
+ "Table of Contents": "Innehåll",
+ "Notes": "Anteckningar",
+ "Font & Layout": "Typsnitt & layout",
+ "Jump to Location": "Hoppa till plats",
+ "Header Bar": "Sidhuvud",
+ "View Options": "Visningsalternativ",
+ "Sync Conflict": "Synkkonflikt",
+ "Sync reading progress from \"{{deviceName}}\"?": "Synka läsframsteg från \"{{deviceName}}\"?",
+ "another device": "annan enhet",
+ "Local Progress": "Lokalt framsteg",
+ "Remote Progress": "Fjärrframsteg",
+ "Failed to connect": "Kunde inte ansluta",
+ "Disconnected": "Frånkopplad",
+ "KOReader Sync Settings": "KOReader-synkinställningar",
+ "Sync as {{userDisplayName}}": "Synka som {{userDisplayName}}",
+ "Sync Server Connected": "Synkserver ansluten",
+ "Sync Strategy": "Synkstrategi",
+ "Ask on conflict": "Fråga vid konflikt",
+ "Always use latest": "Använd alltid senaste",
+ "Send changes only": "Skicka endast ändringar",
+ "Receive changes only": "Ta endast emot ändringar",
+ "Checksum Method": "Kontrollsummemetod",
+ "File Content (recommended)": "Filinnehåll (rekommenderas)",
+ "File Name": "Filnamn",
+ "Device Name": "Enhetsnamn",
+ "Connect to your KOReader Sync server.": "Anslut till din KOReader-synkserver.",
+ "Server URL": "Server-URL",
+ "Username": "Användarnamn",
+ "Your Username": "Ditt användarnamn",
+ "Password": "Lösenord",
+ "Connect": "Anslut",
+ "Notebook": "Anteckningsbok",
+ "Unpin Notebook": "Lossa anteckningsbok",
+ "Pin Notebook": "Fäst anteckningsbok",
+ "Hide Search Bar": "Dölj sökfält",
+ "Show Search Bar": "Visa sökfält",
+ "Resize Notebook": "Ändra storlek på anteckningsbok",
+ "No notes match your search": "Inga anteckningar matchar din sökning",
+ "Excerpts": "Utdrag",
+ "Add your notes here...": "Lägg till dina anteckningar här...",
+ "Search notes and excerpts...": "Sök anteckningar och utdrag...",
+ "{{time}} min left in chapter": "{{time}} min kvar i kapitlet",
+ "{{count}} pages left in chapter_one": "{{count}} sida kvar i kapitlet",
+ "{{count}} pages left in chapter_other": "{{count}} sidor kvar i kapitlet",
+ "On {{current}} of {{total}} page": "På {{current}} av {{total}} sidor",
+ "Section Title": "Sektionstitel",
+ "More Info": "Mer info",
+ "Parallel Read": "Parallell läsning",
+ "Disable": "Inaktivera",
+ "Enable": "Aktivera",
+ "Exit Parallel Read": "Avsluta parallell läsning",
+ "Enter Parallel Read": "Starta parallell läsning",
+ "KOReader Sync": "KOReader-synk",
+ "Push Progress": "Skicka framsteg",
+ "Pull Progress": "Hämta framsteg",
+ "Export Annotations": "Exportera anteckningar",
+ "Sort TOC by Page": "Sortera innehåll efter sida",
+ "Edit": "Redigera",
+ "Go to Library": "Gå till bibliotek",
+ "Book Menu": "Bokmeny",
+ "Unpin Sidebar": "Lossa sidofält",
+ "Pin Sidebar": "Fäst sidofält",
+ "Search...": "Sök...",
+ "Search Options": "Sökalternativ",
+ "Book": "Bok",
+ "Chapter": "Kapitel",
+ "Match Case": "Matchning av versaler",
+ "Match Whole Words": "Matchning av hela ord",
+ "Match Diacritics": "Matchning av diakritiska tecken",
+ "Sidebar": "Sidofält",
+ "Resize Sidebar": "Ändra storlek på sidofält",
+ "TOC": "Innehåll",
+ "Bookmark": "Bokmärke",
+ "Toggle Sidebar": "Visa/dölj sidofält",
+ "Toggle Translation": "Visa/dölj översättning",
+ "Disable Translation": "Inaktivera översättning",
+ "Enable Translation": "Aktivera översättning",
+ "Translation Disabled": "Översättning inaktiverad",
+ "Previous Paragraph": "Föregående stycke",
+ "Previous Sentence": "Föregående mening",
+ "Pause": "Pausa",
+ "Play": "Spela",
+ "Next Sentence": "Nästa mening",
+ "Next Paragraph": "Nästa stycke",
+ "Read Aloud": "Läs upp",
+ "Ready to read aloud": "Redo att läsa upp",
+ "TTS not supported for PDF": "Uppläsning stöds inte för PDF",
+ "TTS not supported for this document": "Uppläsning stöds inte för detta dokument",
+ "No Timeout": "Ingen timeout",
+ "{{value}} minute": "{{value}} minut",
+ "{{value}} minutes": "{{value}} minuter",
+ "{{value}} hour": "{{value}} timme",
+ "{{value}} hours": "{{value}} timmar",
+ "Voices for {{lang}}": "Röster för {{lang}}",
+ "Slow": "Långsam",
+ "Fast": "Snabb",
+ "{{engine}}: {{count}} voices_one": "{{engine}}: {{count}} röst",
+ "{{engine}}: {{count}} voices_other": "{{engine}}: {{count}} röster",
+ "Zoom Level": "Zoomnivå",
+ "Zoom Out": "Zooma ut",
+ "Reset Zoom": "Återställ zoom",
+ "Zoom In": "Zooma in",
+ "Zoom Mode": "Zoomläge",
+ "Single Page": "Enkel sida",
+ "Auto Spread": "Auto-uppslag",
+ "Fit Page": "Anpassa sida",
+ "Fit Width": "Anpassa bredd",
+ "Separate Cover Page": "Separat omslagssida",
+ "Scrolled Mode": "Rullningsläge",
+ "Sign in to Sync": "Logga in för synk",
+ "Synced at {{time}}": "Synkad {{time}}",
+ "Never synced": "Aldrig synkad",
+ "Invert Image In Dark Mode": "Invertera bild i mörkt läge",
+ "Reading Progress Synced": "Läsframsteg synkat",
+ "Page {{page}} of {{total}} ({{percentage}}%)": "Sida {{page}} av {{total}} ({{percentage}}%)",
+ "Current position": "Nuvarande position",
+ "Approximately page {{page}} of {{total}} ({{percentage}}%)": "Cirka sida {{page}} av {{total}} ({{percentage}}%)",
+ "Approximately {{percentage}}%": "Cirka {{percentage}}%",
+ "Delete Your Account?": "Ta bort ditt konto?",
+ "This action cannot be undone. All your data in the cloud will be permanently deleted.": "Detta kan inte ångras. All din data i molnet raderas permanent.",
+ "Delete Permanently": "Ta bort permanent",
+ "Restore Purchase": "Återställ köp",
+ "Manage Subscription": "Hantera prenumeration",
+ "Reset Password": "Återställ lösenord",
+ "Sign Out": "Logga ut",
+ "Delete Account": "Ta bort konto",
+ "Upgrade to {{plan}}": "Uppgradera till {{plan}}",
+ "Complete Your Subscription": "Slutför din prenumeration",
+ "Coming Soon": "Kommer snart",
+ "Upgrade to Plus or Pro": "Uppgradera till Plus eller Pro",
+ "Current Plan": "Nuvarande plan",
+ "Plan Limits": "Plangränser",
+ "Failed to delete user. Please try again later.": "Kunde inte ta bort användare. Försök senare.",
+ "Failed to create checkout session": "Kunde inte skapa betalningssession",
+ "No purchases found to restore.": "Inga köp att återställa.",
+ "Failed to restore purchases.": "Kunde inte återställa köp.",
+ "Failed to manage subscription.": "Kunde inte hantera prenumeration.",
+ "Failed to load subscription plans.": "Kunde inte ladda prenumerationsplaner.",
+ "Loading profile...": "Laddar profil...",
+ "Processing your payment...": "Behandlar din betalning...",
+ "Please wait while we confirm your subscription.": "Vänta medan vi bekräftar din prenumeration.",
+ "Payment Processing": "Betalning behandlas",
+ "Your payment is being processed. This usually takes a few moments.": "Din betalning behandlas. Detta tar vanligtvis några ögonblick.",
+ "Payment Failed": "Betalning misslyckades",
+ "We couldn't process your subscription. Please try again or contact support if the issue persists.": "Vi kunde inte behandla din prenumeration. Försök igen eller kontakta support om problemet kvarstår.",
+ "Back to Profile": "Tillbaka till profil",
+ "Subscription Successful!": "Prenumeration lyckades!",
+ "Thank you for your subscription! Your payment has been processed successfully.": "Tack för din prenumeration! Din betalning har behandlats.",
+ "Email:": "E-post:",
+ "Plan:": "Plan:",
+ "Amount:": "Belopp:",
+ "Need help? Contact our support team at support@readest.com": "Behöver du hjälp? Kontakta vår support på support@readest.com",
+ "Free Plan": "Gratisplan",
+ "month": "månad",
+ "year": "år",
+ "Cross-Platform Sync": "Plattformsoberoende synk",
+ "Seamlessly sync your library, progress, highlights, and notes across all your devices—never lose your place again.": "Synka sömlöst ditt bibliotek, framsteg, markeringar och anteckningar mellan alla dina enheter.",
+ "Customizable Reading": "Anpassningsbar läsning",
+ "Personalize every detail with adjustable fonts, layouts, themes, and advanced display settings for the perfect reading experience.": "Anpassa varje detalj med justerbara typsnitt, layouter, teman och avancerade visningsinställningar.",
+ "AI Read Aloud": "AI-uppläsning",
+ "Enjoy hands-free reading with natural-sounding AI voices that bring your books to life.": "Njut av handsfree-läsning med naturligt ljudande AI-röster som ger dina böcker liv.",
+ "AI Translations": "AI-översättningar",
+ "Translate any text instantly with the power of Google, Azure, or DeepL—understand content in any language.": "Översätt vilken text som helst direkt med Google, Azure eller DeepL.",
+ "Community Support": "Community-support",
+ "Connect with fellow readers and get help fast in our friendly community channels.": "Anslut med andra läsare och få snabb hjälp i våra vänliga community-kanaler.",
+ "Cloud Sync Storage": "Molnsynklagring",
+ "AI Translations (per day)": "AI-översättningar (per dag)",
+ "Plus Plan": "Plus-plan",
+ "Includes All Free Plan Benefits": "Inkluderar alla gratisplanfördelar",
+ "Unlimited AI Read Aloud Hours": "Obegränsad AI-uppläsning",
+ "Listen without limits—convert as much text as you like into immersive audio.": "Lyssna obegränsat—konvertera så mycket text du vill till ljud.",
+ "More AI Translations": "Fler AI-översättningar",
+ "Unlock enhanced translation capabilities with more daily usage and advanced options.": "Lås upp förbättrad översättning med mer daglig användning och avancerade alternativ.",
+ "DeepL Pro Access": "DeepL Pro-åtkomst",
+ "Translate up to 100,000 characters daily with the most accurate translation engine available.": "Översätt upp till 100 000 tecken dagligen med den mest exakta översättningsmotorn.",
+ "Securely store and access your entire reading collection with up to 5 GB of cloud storage.": "Lagra säkert hela din lässamling med upp till 5 GB molnlagring.",
+ "Priority Support": "Prioriterad support",
+ "Enjoy faster responses and dedicated assistance whenever you need help.": "Få snabbare svar och dedikerad hjälp när du behöver det.",
+ "Pro Plan": "Pro-plan",
+ "Includes All Plus Plan Benefits": "Inkluderar alla Plus-planfördelar",
+ "Early Feature Access": "Tidig funktionsåtkomst",
+ "Be the first to explore new features, updates, and innovations before anyone else.": "Var först att utforska nya funktioner och uppdateringar innan andra.",
+ "Advanced AI Tools": "Avancerade AI-verktyg",
+ "Harness powerful AI tools for smarter reading, translation, and content discovery.": "Använd kraftfulla AI-verktyg för smartare läsning, översättning och innehållsupptäckt.",
+ "Translate up to 500,000 characters daily with the most accurate translation engine available.": "Översätt upp till 500 000 tecken dagligen med den mest exakta översättningsmotorn.",
+ "Securely store and access your entire reading collection with up to 20 GB of cloud storage.": "Lagra säkert hela din lässamling med upp till 20 GB molnlagring.",
+ "Version {{version}}": "Version {{version}}",
+ "Check Update": "Sök uppdatering",
+ "Already the latest version": "Redan senaste versionen",
+ "Checking for updates...": "Söker uppdateringar...",
+ "Error checking for updates": "Fel vid uppdateringskontroll",
+ "Drop to Import Books": "Släpp för att importera böcker",
+ "Terms of Service": "Användarvillkor",
+ "Privacy Policy": "Integritetspolicy",
+ "ON": "PÅ",
+ "OFF": "AV",
+ "Enter book title": "Ange boktitel",
+ "Subtitle": "Undertitel",
+ "Enter book subtitle": "Ange underrubrik",
+ "Enter author name": "Ange författarnamn",
+ "Series": "Serie",
+ "Enter series name": "Ange serienamn",
+ "Series Index": "Serieindex",
+ "Enter series index": "Ange serieindex",
+ "Total in Series": "Totalt i serien",
+ "Enter total books in series": "Ange totalt antal böcker i serien",
+ "Publisher": "Förlag",
+ "Enter publisher": "Ange förlag",
+ "Publication Date": "Publiceringsdatum",
+ "YYYY or YYYY-MM-DD": "ÅÅÅÅ eller ÅÅÅÅ-MM-DD",
+ "Language": "Språk",
+ "Identifier": "Identifierare",
+ "Subjects": "Ämnen",
+ "Fiction, Science, History": "Skönlitteratur, Vetenskap, Historia",
+ "Description": "Beskrivning",
+ "Enter book description": "Ange bokbeskrivning",
+ "Change cover image": "Ändra omslagsbild",
+ "Replace": "Ersätt",
+ "Remove cover image": "Ta bort omslagsbild",
+ "Unlock cover": "Lås upp omslag",
+ "Lock cover": "Lås omslag",
+ "Auto-Retrieve Metadata": "Auto-hämta metadata",
+ "Auto": "Auto",
+ "Auto-Retrieve": "Auto-hämta",
+ "Unlock all fields": "Lås upp alla fält",
+ "Unlock All": "Lås upp alla",
+ "Lock all fields": "Lås alla fält",
+ "Lock All": "Lås alla",
+ "Reset": "Återställ",
+ "Are you sure to delete the selected book?": "Vill du ta bort den valda boken?",
+ "Are you sure to delete the cloud backup of the selected book?": "Vill du ta bort molnkopian av den valda boken?",
+ "Are you sure to delete the local copy of the selected book?": "Vill du ta bort den lokala kopian av den valda boken?",
+ "Edit Metadata": "Redigera metadata",
+ "Book Details": "Bokdetaljer",
+ "Unknown": "Okänd",
+ "Delete Book Options": "Ta bort bokalternativ",
+ "Remove from Cloud & Device": "Ta bort från moln & enhet",
+ "Remove from Cloud Only": "Ta bort endast från moln",
+ "Remove from Device Only": "Ta bort endast från enhet",
+ "Published": "Publicerad",
+ "Updated": "Uppdaterad",
+ "Added": "Tillagd",
+ "File Size": "Filstorlek",
+ "No description available": "Ingen beskrivning tillgänglig",
+ "Locked": "Låst",
+ "Select Metadata Source": "Välj metadatakälla",
+ "Keep manual input": "Behåll manuell inmatning",
+ "Theme Mode": "Temaläge",
+ "Override Book Color": "Åsidosätt bokfärg",
+ "Theme Color": "Temafärg",
+ "Custom": "Anpassad",
+ "Code Highlighting": "Kodmarkering",
+ "Enable Highlighting": "Aktivera markering",
+ "Code Language": "Kodspråk",
+ "Scroll": "Rullning",
+ "Continuous Scroll": "Kontinuerlig rullning",
+ "Overlap Pixels": "Överlappande pixlar",
+ "Disable Double Click": "Inaktivera dubbelklick",
+ "Volume Keys for Page Flip": "Volymknappar för sidbyte",
+ "Animation": "Animation",
+ "Paging Animation": "Sidanimation",
+ "Security": "Säkerhet",
+ "Allow JavaScript": "Tillåt JavaScript",
+ "Enable only if you trust the file.": "Aktivera endast om du litar på filen.",
+ "Font": "Typsnitt",
+ "Custom Fonts": "Anpassade typsnitt",
+ "Cancel Delete": "Avbryt borttagning",
+ "Delete Font": "Ta bort typsnitt",
+ "Import Font": "Importera typsnitt",
+ "Tips": "Tips",
+ "Supported font formats: .ttf, .otf, .woff, .woff2": "Format som stöds: .ttf, .otf, .woff, .woff2",
+ "Custom fonts can be selected from the Font Face menu": "Anpassade typsnitt kan väljas från typsnittsmeny",
+ "Global Settings": "Globala inställningar",
+ "Apply to All Books": "Tillämpa på alla böcker",
+ "Apply to This Book": "Tillämpa på denna bok",
+ "Reset Settings": "Återställ inställningar",
+ "Manage Custom Fonts": "Hantera anpassade typsnitt",
+ "System Fonts": "Systemtypsnitt",
+ "Serif Font": "Serif-typsnitt",
+ "Sans-Serif Font": "Sans-serif-typsnitt",
+ "Override Book Font": "Åsidosätt boktypsnitt",
+ "Default Font Size": "Standard teckenstorlek",
+ "Minimum Font Size": "Minsta teckenstorlek",
+ "Font Weight": "Typsnittsvikt",
+ "Font Family": "Typsnittsfamilj",
+ "Default Font": "Standardtypsnitt",
+ "CJK Font": "CJK-typsnitt",
+ "Font Face": "Typsnittssnitt",
+ "Monospace Font": "Monospace-typsnitt",
+ "Interface Language": "Gränssnittsspråk",
+ "Translation": "Översättning",
+ "Show Source Text": "Visa källtext",
+ "Translation Service": "Översättningstjänst",
+ "Translate To": "Översätt till",
+ "Override Book Layout": "Åsidosätt boklayout",
+ "Writing Mode": "Skrivläge",
+ "Default": "Standard",
+ "Horizontal Direction": "Horisontell riktning",
+ "Vertical Direction": "Vertikal riktning",
+ "RTL Direction": "RTL-riktning",
+ "Border Frame": "Kantram",
+ "Double Border": "Dubbel kant",
+ "Border Color": "Kantfärg",
+ "Paragraph": "Stycke",
+ "Paragraph Margin": "Styckemarginal",
+ "Word Spacing": "Ordavstånd",
+ "Letter Spacing": "Bokstavsavstånd",
+ "Text Indent": "Textindrag",
+ "Full Justification": "Full justering",
+ "Hyphenation": "Avstavning",
+ "Page": "Sida",
+ "Top Margin (px)": "Övre marginal (px)",
+ "Bottom Margin (px)": "Nedre marginal (px)",
+ "Left Margin (px)": "Vänster marginal (px)",
+ "Right Margin (px)": "Höger marginal (px)",
+ "Column Gap (%)": "Kolumnavstånd (%)",
+ "Maximum Number of Columns": "Max antal kolumner",
+ "Maximum Column Height": "Max kolumnhöjd",
+ "Maximum Column Width": "Max kolumnbredd",
+ "Header & Footer": "Sidhuvud & sidfot",
+ "Show Header": "Visa sidhuvud",
+ "Show Footer": "Visa sidfot",
+ "Show Remaining Time": "Visa återstående tid",
+ "Show Remaining Pages": "Visa återstående sidor",
+ "Show Reading Progress": "Visa läsframsteg",
+ "Reading Progress Style": "Läsframstegsstil",
+ "Page Number": "Sidnummer",
+ "Percentage": "Procent",
+ "Apply also in Scrolled Mode": "Tillämpa även i rullningsläge",
+ "Screen": "Skärm",
+ "Orientation": "Orientering",
+ "Portrait": "Porträtt",
+ "Landscape": "Landskap",
+ "Apply": "Tillämpa",
+ "Custom Content CSS": "Anpassad innehålls-CSS",
+ "Enter CSS for book content styling...": "Ange CSS för bokinnehållsstil...",
+ "Custom Reader UI CSS": "Anpassad läsar-UI CSS",
+ "Enter CSS for reader interface styling...": "Ange CSS för läsargränssnittsstil...",
+ "Decrease": "Minska",
+ "Increase": "Öka",
+ "Layout": "Layout",
+ "Color": "Färg",
+ "Behavior": "Beteende",
+ "Settings Panels": "Inställningspaneler",
+ "Reset {{settings}}": "Återställ {{settings}}",
+ "All the world's a stage,\nAnd all the men and women merely players;\nThey have their exits and their entrances,\nAnd one man in his time plays many parts,\nHis acts being seven ages.\n\n— William Shakespeare": "Hela världen är en scen,\nOch alla män och kvinnor bara spelare;\nDe har sina utgångar och entréer,\nOch en man spelar i sin tid många roller,\nHans akter är sju åldrar.\n\n— William Shakespeare",
+ "(from 'As You Like It', Act II)": "(från 'Som ni behagar', Akt II)",
+ "Custom Theme": "Anpassat tema",
+ "Theme Name": "Temanamn",
+ "Text Color": "Textfärg",
+ "Background Color": "Bakgrundsfärg",
+ "Link Color": "Länkfärg",
+ "Preview": "Förhandsgranska",
+ "Get Help from the Readest Community": "Få hjälp från Readest-communityn",
+ "A new version of Readest is available!": "En ny version av Readest finns!",
+ "Readest {{newVersion}} is available (installed version {{currentVersion}}).": "Readest {{newVersion}} finns tillgänglig (installerad version {{currentVersion}}).",
+ "Download and install now?": "Ladda ner och installera nu?",
+ "Downloading {{downloaded}} of {{contentLength}}": "Laddar ner {{downloaded}} av {{contentLength}}",
+ "Download finished": "Nedladdning klar",
+ "DOWNLOAD & INSTALL": "LADDA NER & INSTALLERA",
+ "Changelog": "Ändringslogg",
+ "Software Update": "Programuppdatering",
+ "What's New in Readest": "Nyheter i Readest",
+ "Minimize": "Minimera",
+ "Maximize or Restore": "Maximera eller återställ",
+ "Select Files": "Välj filer",
+ "Select Image": "Välj bild",
+ "Select Video": "Välj video",
+ "Select Audio": "Välj ljud",
+ "Select Fonts": "Välj typsnitt",
+ "Storage": "Lagring",
+ "{{percentage}}% of Cloud Sync Space Used.": "{{percentage}}% av molnsynkutrymme använt.",
+ "Translation Characters": "Översättningstecken",
+ "{{percentage}}% of Daily Translation Characters Used.": "{{percentage}}% av dagliga översättningstecken använt.",
+ "Daily translation quota reached. Upgrade your plan to continue using AI translations.": "Daglig översättningskvot nådd. Uppgradera din plan för att fortsätta använda AI-översättningar.",
+ "LXGW WenKai GB Screen": "LXGW WenKai GB Screen",
+ "LXGW WenKai TC": "LXGW WenKai TC",
+ "GuanKiapTsingKhai-T": "GuanKiapTsingKhai-T",
+ "Source Han Serif CN": "Source Han Serif CN",
+ "Huiwen-MinchoGBK": "Huiwen Mincho",
+ "KingHwa_OldSong": "KingHwa_OldSong",
+ "Google Books": "Google Böcker",
+ "Open Library": "Open Library",
+ "Azure Translator": "Azure Translator",
+ "DeepL": "DeepL",
+ "Google Translate": "Google Translate",
+ "Yandex Translate": "Yandex Translate",
+ "Gray": "Grå",
+ "Sepia": "Sepia",
+ "Grass": "Gräs",
+ "Cherry": "Körsbär",
+ "Sky": "Himmel",
+ "Solarized": "Solarized",
+ "Gruvbox": "Gruvbox",
+ "Nord": "Nord",
+ "Contrast": "Kontrast",
+ "Sunset": "Solnedgång",
+ "Reveal in Finder": "Visa i Finder",
+ "Reveal in File Explorer": "Visa i Utforskaren",
+ "Reveal in Folder": "Visa i mapp",
+ "Screen Brightness": "Skärmens ljusstyrka",
+ "Background Image": "Bakgrundsbild",
+ "Import Image": "Importera bild",
+ "Opacity": "Opacitet",
+ "Size": "Storlek",
+ "Cover": "Omslag",
+ "Contain": "Innehålla",
+ "{{number}} pages left in chapter": "{{number}} sidor kvar i kapitlet",
+ "Device": "Enhet",
+ "E-Ink Mode": "E-Ink-läge",
+ "Highlight Colors": "Markeringsfärger",
+ "Auto Screen Brightness": "Auto-skärmens ljusstyrka",
+ "Pagination": "Pagination",
+ "Disable Double Tap": "Inaktivera dubbeltryck",
+ "Tap to Paginate": "Tryck för att bläddra",
+ "Click to Paginate": "Klicka för att bläddra",
+ "Tap Both Sides": "Tryck på båda sidor",
+ "Click Both Sides": "Klicka på båda sidor",
+ "Swap Tap Sides": "Byt plats på tap-sidor",
+ "Swap Click Sides": "Byt plats på klick-sidor",
+ "Source and Translated": "Källa och översatt",
+ "Translated Only": "Översatt endast",
+ "Source Only": "Endast källa",
+ "TTS Text": "TTS-text",
+ "The book file is corrupted": "Bokfilen är skadad",
+ "The book file is empty": "Bokfilen är tom",
+ "Failed to open the book file": "Kunde inte öppna bokfilen",
+ "On-Demand Purchase": "Köp på begäran",
+ "Full Customization": "Full anpassning",
+ "Lifetime Plan": "Livstidsplan",
+ "One-Time Payment": "Engångsbetalning",
+ "Make a single payment to enjoy lifetime access to specific features on all devices. Purchase specific features or services only when you need them.": "Gör en engångsbetalning för att få livstidsåtkomst till specifika funktioner på alla enheter. Köp specifika funktioner eller tjänster endast när du behöver dem.",
+ "Expand Cloud Sync Storage": "Utöka molnsynkroniseringslagring",
+ "Expand your cloud storage forever with a one-time purchase. Each additional purchase adds more space.": "Utöka din molnlagring för alltid med ett engångsköp. Varje ytterligare köp lägger till mer utrymme.",
+ "Unlock All Customization Options": "Lås upp alla anpassningsalternativ",
+ "Unlock additional themes, fonts, layout options and read aloud, translators, cloud storage services.": "Lås upp ytterligare teman, typsnitt, layoutalternativ och uppläsning, översättare, molnlagringstjänster.",
+ "Purchase Successful!": "Köp lyckades!",
+ "lifetime": "livstid",
+ "Thank you for your purchase! Your payment has been processed successfully.": "Tack för ditt köp! Din betalning har behandlats.",
+ "Order ID:": "Order-ID:",
+ "TTS Highlighting": "TTS-markering",
+ "Style": "Stil",
+ "Underline": "Understrykning",
+ "Strikethrough": "Genomstrykning",
+ "Squiggly": "Vågig linje",
+ "Outline": "Kontur",
+ "Save Current Color": "Spara aktuell färg",
+ "Quick Colors": "Snabba färger",
+ "Highlighter": "Markeringspenna",
+ "Save Book Cover": "Spara bokomslag",
+ "Auto-save last book cover": "Automatiskt spara senaste bokomslag",
+ "Back": "Tillbaka",
+ "Confirmation email sent! Please check your old and new email addresses to confirm the change.": "Bekräftelsemail skickat! Kontrollera din gamla och nya e-postadress för att bekräfta ändringen.",
+ "Failed to update email": "Misslyckades med att uppdatera e-post",
+ "New Email": "Ny e-post",
+ "Your new email": "Din nya e-post",
+ "Updating email ...": "Uppdaterar e-post ...",
+ "Update email": "Uppdatera e-post",
+ "Current email": "Nuvarande e-post",
+ "Update Email": "Uppdatera e-post",
+ "All": "Alla",
+ "Unable to open book": "Kunde inte öppna bok",
+ "Punctuation": "Interpunktion",
+ "Replace Quotation Marks": "Ersätt citattecken",
+ "Enabled only in vertical layout.": "Aktiverad endast i vertikal layout.",
+ "No Conversion": "Ingen konvertering",
+ "Simplified to Traditional": "Förenklad → Traditionell",
+ "Traditional to Simplified": "Traditionell → Förenklad",
+ "Simplified to Traditional (Taiwan)": "Förenklad → Traditionell (Taiwan)",
+ "Simplified to Traditional (Hong Kong)": "Förenklad → Traditionell (Hongkong)",
+ "Simplified to Traditional (Taiwan), with phrases": "Förenklad → Traditionell (Taiwan • fraser)",
+ "Traditional (Taiwan) to Simplified": "Traditionell (Taiwan) → Förenklad",
+ "Traditional (Hong Kong) to Simplified": "Traditionell (Hongkong) → Förenklad",
+ "Traditional (Taiwan) to Simplified, with phrases": "Traditionell (Taiwan • fraser) → Förenklad",
+ "Convert Simplified and Traditional Chinese": "Konvertera förenklad/traditionell kinesiska",
+ "Convert Mode": "Konverteringsläge",
+ "Failed to auto-save book cover for lock screen: {{error}}": "Kunde inte autospara bokomslag för låsskärm: {{error}}",
+ "Download from Cloud": "Ladda ner från molnet",
+ "Upload to Cloud": "Ladda upp till molnet",
+ "Clear Custom Fonts": "Rensa anpassade typsnitt",
+ "Columns": "Kolumner",
+ "OPDS Catalogs": "OPDS-kataloger",
+ "Adding LAN addresses is not supported in the web app version.": "Att lägga till LAN-adresser stöds inte i webbappen.",
+ "Invalid OPDS catalog. Please check the URL.": "Ogiltig OPDS-katalog. Kontrollera URL:en.",
+ "Browse and download books from online catalogs": "Bläddra och ladda ner böcker från onlinekataloger",
+ "My Catalogs": "Mina kataloger",
+ "Add Catalog": "Lägg till katalog",
+ "No catalogs yet": "Inga kataloger än",
+ "Add your first OPDS catalog to start browsing books": "Lägg till din första OPDS-katalog för att börja bläddra i böcker",
+ "Add Your First Catalog": "Lägg till din första katalog",
+ "Browse": "Bläddra",
+ "Popular Catalogs": "Populära kataloger",
+ "Add": "Lägg till",
+ "Add OPDS Catalog": "Lägg till OPDS-katalog",
+ "Catalog Name": "Katalognamn",
+ "My Calibre Library": "Mitt Calibre-bibliotek",
+ "OPDS URL": "OPDS-URL",
+ "Username (optional)": "Användarnamn (valfritt)",
+ "Password (optional)": "Lösenord (valfritt)",
+ "Description (optional)": "Beskrivning (valfritt)",
+ "A brief description of this catalog": "En kort beskrivning av denna katalog",
+ "Validating...": "Verifierar...",
+ "View All": "Visa alla",
+ "Forward": "Framåt",
+ "Home": "Start",
+ "{{count}} items_one": "{{count}} objekt",
+ "{{count}} items_other": "{{count}} objekt",
+ "Download completed": "Nedladdning klar",
+ "Download failed": "Nedladdning misslyckades",
+ "Open Access": "Öppen åtkomst",
+ "Borrow": "Låna",
+ "Buy": "Köp",
+ "Subscribe": "Prenumerera",
+ "Sample": "Prov",
+ "Download": "Ladda ner",
+ "Open & Read": "Öppna & Läs",
+ "Tags": "Taggar",
+ "Tag": "Tagg",
+ "First": "Första",
+ "Previous": "Föregående",
+ "Next": "Nästa",
+ "Last": "Sista",
+ "Cannot Load Page": "Kan inte ladda sidan",
+ "An error occurred": "Ett fel uppstod",
+ "Online Library": "Onlinebibliotek",
+ "URL must start with http:// or https://": "URL måste börja med http:// eller https://",
+ "Title, Author, Tag, etc...": "Titel, författare, tagg, etc...",
+ "Query": "Fråga",
+ "Subject": "Ämne",
+ "Enter {{terms}}": "Ange {{terms}}",
+ "No search results found": "Inga sökresultat hittades",
+ "Failed to load OPDS feed: {{status}} {{statusText}}": "Misslyckades med att ladda OPDS-flöde: {{status}} {{statusText}}",
+ "Search in {{title}}": "Sök i {{title}}",
+ "Manage Storage": "Hantera lagring",
+ "Failed to load files": "Misslyckades att ladda filer",
+ "Deleted {{count}} file(s)_one": "Raderade filen",
+ "Deleted {{count}} file(s)_other": "Raderade filerna",
+ "Failed to delete {{count}} file(s)_one": "Kunde inte radera filen",
+ "Failed to delete {{count}} file(s)_other": "Kunde inte radera filerna",
+ "Failed to delete files": "Kunde inte radera filer",
+ "Total Files": "Totalt antal filer",
+ "Total Size": "Total storlek",
+ "Quota": "Kvot",
+ "Used": "Använd",
+ "Files": "Filer",
+ "Search files...": "Sök filer...",
+ "Newest First": "Nyast först",
+ "Oldest First": "Äldst först",
+ "Largest First": "Störst först",
+ "Smallest First": "Minskst först",
+ "Name A-Z": "Namn A-Ö",
+ "Name Z-A": "Namn Ö-A",
+ "{{count}} selected_one": "Vald fil",
+ "{{count}} selected_other": "Valda filer",
+ "Delete Selected": "Radera valda",
+ "Created": "Skapad",
+ "No files found": "Inga filer hittades",
+ "No files uploaded yet": "Inga filer har laddats upp än",
+ "files": "filer",
+ "Page {{current}} of {{total}}": "Sida {{current}} av {{total}}",
+ "Are you sure to delete {{count}} selected file(s)?_one": "Är du säker på att du vill radera filen?",
+ "Are you sure to delete {{count}} selected file(s)?_other": "Är du säker på att du vill radera filerna?",
+ "Cloud Storage Usage": "Användning av molnlagring",
+ "Rename Group": "Byt namn på grupp",
+ "From Directory": "Från katalog",
+ "Successfully imported {{count}} book(s)_one": "Importerat 1 bok",
+ "Successfully imported {{count}} book(s)_other": "Importerat {{count}} böcker",
+ "Count": "Antal",
+ "Start Page": "Start sida",
+ "Search in OPDS Catalog...": "Sök i OPDS-katalog...",
+ "Please log in to use advanced TTS features": "Logga in för att använda avancerade TTS-funktioner",
+ "Word limit of 30 words exceeded.": "Gränsen på 30 ord har överskridits.",
+ "Proofread": "Korrekturläsning",
+ "Current selection": "Aktuell markering",
+ "All occurrences in this book": "Alla förekomster i den här boken",
+ "All occurrences in your library": "Alla förekomster i ditt bibliotek",
+ "Selected text:": "Markerad text:",
+ "Replace with:": "Ersätt med:",
+ "Enter text...": "Ange text…",
+ "Case sensitive:": "Skiftlägeskänslig:",
+ "Scope:": "Omfattning:",
+ "Selection": "Markering",
+ "Library": "Bibliotek",
+ "Yes": "Ja",
+ "No": "Nej",
+ "Proofread Replacement Rules": "Ersättningsregler för korrekturläsning",
+ "Selected Text Rules": "Regler för markerad text",
+ "No selected text replacement rules": "Inga ersättningsregler för markerad text",
+ "Book Specific Rules": "Bokspecifika regler",
+ "No book-level replacement rules": "Inga ersättningsregler på boknivå",
+ "Disable Quick Action": "Inaktivera snabbåtgärd",
+ "Enable Quick Action on Selection": "Aktivera snabbåtgärd vid val",
+ "None": "Ingen",
+ "Annotation Tools": "Anteckningsverktyg",
+ "Enable Quick Actions": "Aktivera snabba åtgärder",
+ "Quick Action": "Snabbåtgärd",
+ "Copy to Notebook": "Kopiera till anteckningsbok",
+ "Copy text after selection": "Kopiera text efter markering",
+ "Highlight text after selection": "Markera text efter markering",
+ "Annotate text after selection": "Anteckna text efter markering",
+ "Search text after selection": "Sök text efter markering",
+ "Look up text in dictionary after selection": "Slå upp text i ordbok efter markering",
+ "Look up text in Wikipedia after selection": "Slå upp text i Wikipedia efter markering",
+ "Translate text after selection": "Översätt text efter markering",
+ "Read text aloud after selection": "Läs upp text efter markering",
+ "Proofread text after selection": "Korrekturläs text efter markering",
+ "{{activeCount}} active, {{pendingCount}} pending": "{{activeCount}} aktiva, {{pendingCount}} väntande",
+ "{{failedCount}} failed": "{{failedCount}} misslyckades",
+ "Waiting...": "Väntar...",
+ "Failed": "Misslyckades",
+ "Completed": "Slutförd",
+ "Cancelled": "Avbruten",
+ "Retry": "Försök igen",
+ "Active": "Aktiva",
+ "Transfer Queue": "Överföringskö",
+ "Upload All": "Ladda upp alla",
+ "Download All": "Ladda ner alla",
+ "Resume Transfers": "Återuppta överföringar",
+ "Pause Transfers": "Pausa överföringar",
+ "Pending": "Väntande",
+ "No transfers": "Inga överföringar",
+ "Retry All": "Försök alla igen",
+ "Clear Completed": "Rensa slutförda",
+ "Clear Failed": "Rensa misslyckade",
+ "Upload queued: {{title}}": "Uppladdning köad: {{title}}",
+ "Download queued: {{title}}": "Nedladdning köad: {{title}}",
+ "Book not found in library": "Boken hittades inte i biblioteket",
+ "Unknown error": "Okänt fel",
+ "Please log in to continue": "Logga in för att fortsätta",
+ "Cloud File Transfers": "Molnfilöverföringar",
+ "Show Search Results": "Visa sökresultat",
+ "Search results for '{{term}}'": "Resultat för '{{term}}'",
+ "Close Search": "Stäng sökning",
+ "Previous Result": "Föregående resultat",
+ "Next Result": "Nästa resultat",
+ "Bookmarks": "Bokmärken",
+ "Annotations": "Anteckningar",
+ "Show Results": "Visa resultat",
+ "Clear search": "Rensa sökning",
+ "Clear search history": "Rensa sökhistorik",
+ "Tap to Toggle Footer": "Tryck för att växla sidfot",
+ "Exported successfully": "Exporterad",
+ "Book exported successfully.": "Boken har exporterats.",
+ "Failed to export the book.": "Det gick inte att exportera boken.",
+ "Export Book": "Exportera bok",
+ "Whole word:": "Hela ordet:",
+ "Error": "Fel",
+ "Unable to load the article. Try searching directly on {{link}}.": "Kan inte ladda artikeln. Försök söka direkt på {{link}}.",
+ "Unable to load the word. Try searching directly on {{link}}.": "Kan inte ladda ordet. Försök söka direkt på {{link}}.",
+ "Date Published": "Publiceringsdatum",
+ "Only for TTS:": "Endast för TTS:",
+ "Uploaded": "Uppladdad",
+ "Downloaded": "Nedladdad",
+ "Deleted": "Borttagen",
+ "Note:": "Anteckning:",
+ "Time:": "Tid:",
+ "Format Options": "Formatalternativ",
+ "Export Date": "Exportdatum",
+ "Chapter Titles": "Kapiteltitlar",
+ "Chapter Separator": "Kapitelavgränsare",
+ "Highlights": "Markeringar",
+ "Note Date": "Anteckningsdatum",
+ "Advanced": "Avancerat",
+ "Hide": "Dölj",
+ "Show": "Visa",
+ "Use Custom Template": "Använd anpassad mall",
+ "Export Template": "Exportmall",
+ "Template Syntax:": "Mallsyntax:",
+ "Insert value": "Infoga värde",
+ "Format date (locale)": "Formatera datum (lokal)",
+ "Format date (custom)": "Formatera datum (anpassad)",
+ "Conditional": "Villkorlig",
+ "Loop": "Loop",
+ "Available Variables:": "Tillgängliga variabler:",
+ "Book title": "Boktitel",
+ "Book author": "Bokförfattare",
+ "Export date": "Exportdatum",
+ "Array of chapters": "Lista med kapitel",
+ "Chapter title": "Kapiteltitel",
+ "Array of annotations": "Lista med anteckningar",
+ "Highlighted text": "Markerad text",
+ "Annotation note": "Anteckningsnotering",
+ "Date Format Tokens:": "Datumformattecken:",
+ "Year (4 digits)": "År (4 siffror)",
+ "Month (01-12)": "Månad (01-12)",
+ "Day (01-31)": "Dag (01-31)",
+ "Hour (00-23)": "Timme (00-23)",
+ "Minute (00-59)": "Minut (00-59)",
+ "Second (00-59)": "Sekund (00-59)",
+ "Show Source": "Visa källa",
+ "No content to preview": "Inget innehåll att förhandsgranska",
+ "Export": "Exportera",
+ "Set Timeout": "Ställ in timeout",
+ "Select Voice": "Välj röst",
+ "Toggle Sticky Bottom TTS Bar": "Växla fast TTS-fält",
+ "Display what I'm reading on Discord": "Visa vad jag läser på Discord",
+ "Show on Discord": "Visa på Discord",
+ "Instant {{action}}": "Omedelbar {{action}}",
+ "Instant {{action}} Disabled": "Omedelbar {{action}} inaktiverad",
+ "Annotation": "Anteckning",
+ "Reset Template": "Återställ mall",
+ "Annotation style": "Anteckningsstil",
+ "Annotation color": "Anteckningsfärg",
+ "Annotation time": "Anteckningstid",
+ "AI": "AI",
+ "Are you sure you want to re-index this book?": "Är du säker på att du vill indexera om denna bok?",
+ "Enable AI in Settings": "Aktivera AI i inställningar",
+ "Index This Book": "Indexera denna bok",
+ "Enable AI search and chat for this book": "Aktivera AI-sökning och chatt för denna bok",
+ "Start Indexing": "Starta indexering",
+ "Indexing book...": "Indexerar bok...",
+ "Preparing...": "Förbereder...",
+ "Delete this conversation?": "Ta bort denna konversation?",
+ "No conversations yet": "Inga konversationer ännu",
+ "Start a new chat to ask questions about this book": "Starta en ny chatt för att ställa frågor om denna bok",
+ "Rename": "Byt namn",
+ "New Chat": "Ny chatt",
+ "Chat": "Chatt",
+ "Please enter a model ID": "Ange ett modell-ID",
+ "Model not available or invalid": "Modell ej tillgänglig eller ogiltig",
+ "Failed to validate model": "Misslyckades att validera modell",
+ "Couldn't connect to Ollama. Is it running?": "Kunde inte ansluta till Ollama. Körs den?",
+ "Invalid API key or connection failed": "Ogiltig API-nyckel eller anslutningen misslyckades",
+ "Connection failed": "Anslutningen misslyckades",
+ "AI Assistant": "AI-assistent",
+ "Enable AI Assistant": "Aktivera AI-assistent",
+ "Provider": "Leverantör",
+ "Ollama (Local)": "Ollama (Lokal)",
+ "AI Gateway (Cloud)": "AI-gateway (Moln)",
+ "Ollama Configuration": "Ollama-konfiguration",
+ "Refresh Models": "Uppdatera modeller",
+ "AI Model": "AI-modell",
+ "No models detected": "Inga modeller hittades",
+ "AI Gateway Configuration": "AI-gateway-konfiguration",
+ "Choose from a selection of high-quality, economical AI models. You can also bring your own model by selecting \"Custom Model\" below.": "Välj bland ett urval av högkvalitativa, ekonomiska AI-modeller. Du kan också använda din egen modell genom att välja \"Anpassad modell\" nedan.",
+ "API Key": "API-nyckel",
+ "Get Key": "Hämta nyckel",
+ "Model": "Modell",
+ "Custom Model...": "Anpassad modell...",
+ "Custom Model ID": "Anpassat modell-ID",
+ "Validate": "Validera",
+ "Model available": "Modell tillgänglig",
+ "Connection": "Anslutning",
+ "Test Connection": "Testa anslutning",
+ "Connected": "Ansluten",
+ "Custom Colors": "Anpassade färger",
+ "Color E-Ink Mode": "Färg-E-Ink-läge",
+ "Reading Ruler": "Läs-linjal",
+ "Enable Reading Ruler": "Aktivera läs-linjal",
+ "Lines to Highlight": "Rader att markera",
+ "Ruler Color": "Linjalens färg",
+ "Command Palette": "Kommandopalett",
+ "Search settings and actions...": "Sök inställningar och åtgärder...",
+ "No results found for": "Inga resultat hittades för",
+ "Type to search settings and actions": "Skriv för att söka inställningar och åtgärder",
+ "Recent": "Senaste",
+ "navigate": "navigera",
+ "select": "välj",
+ "close": "stäng",
+ "Search Settings": "Sök inställningar",
+ "Page Margins": "Sidmarginaler",
+ "AI Provider": "AI-leverantör",
+ "Ollama URL": "Ollama-URL",
+ "Ollama Model": "Ollama-modell",
+ "AI Gateway Model": "AI Gateway-modell",
+ "Actions": "Åtgärder",
+ "Navigation": "Navigering",
+ "Set status for {{count}} book(s)_one": "Ange status för {{count}} bok",
+ "Set status for {{count}} book(s)_other": "Ange status för {{count}} böcker",
+ "Mark as Unread": "Markera som oläst",
+ "Mark as Finished": "Markera som läst",
+ "Finished": "Läst",
+ "Unread": "Oläst",
+ "Clear Status": "Rensa status",
+ "Status": "Status",
+ "Loading": "Laddar...",
+ "Exit Paragraph Mode": "Avsluta styckeläge",
+ "Paragraph Mode": "Styckeläge",
+ "Embedding Model": "Inbäddningsmodell",
+ "{{count}} book(s) synced_one": "{{count}} bok synkroniserad",
+ "{{count}} book(s) synced_other": "{{count}} böcker synkroniserade",
+ "Unable to start RSVP": "Kunde inte starta RSVP",
+ "RSVP not supported for PDF": "RSVP stöds inte för PDF",
+ "Select Chapter": "Välj kapitel",
+ "Context": "Sammanhang",
+ "Ready": "Klar",
+ "Chapter Progress": "Kapitelframsteg",
+ "words": "ord",
+ "{{time}} left": "{{time}} kvar",
+ "Reading progress": "Läsningens framsteg",
+ "Click to seek": "Klicka för att söka",
+ "Skip back 15 words": "Hoppa bakåt 15 ord",
+ "Back 15 words (Shift+Left)": "Bakåt 15 ord (Shift+Vänster)",
+ "Pause (Space)": "Pausa (Mellanslag)",
+ "Play (Space)": "Spela (Mellanslag)",
+ "Skip forward 15 words": "Hoppa framåt 15 ord",
+ "Forward 15 words (Shift+Right)": "Framåt 15 ord (Shift+Höger)",
+ "Pause:": "Paus:",
+ "Decrease speed": "Sänk hastigheten",
+ "Slower (Left/Down)": "Långsammare (Vänster/Nedåt)",
+ "Current speed": "Nuvarande hastighet",
+ "Increase speed": "Höj hastigheten",
+ "Faster (Right/Up)": "Snabbare (Höger/Uppåt)",
+ "Start RSVP Reading": "Starta RSVP-läsning",
+ "Choose where to start reading": "Välj var du vill börja läsa",
+ "From Chapter Start": "Från början av kapitlet",
+ "Start reading from the beginning of the chapter": "Börja läsa från början av kapitlet",
+ "Resume": "Återuppta",
+ "Continue from where you left off": "Fortsätt där du slutade",
+ "From Current Page": "Från den aktuella sidan",
+ "Start from where you are currently reading": "Börja där du läser just nu",
+ "From Selection": "Från markeringen",
+ "Speed Reading Mode": "Snabbläsningsläge",
+ "Scroll left": "Scrolla åt vänster",
+ "Scroll right": "Scrolla åt höger",
+ "Library Sync Progress": "Synkroniseringsframsteg för bibliotek",
+ "Back to library": "Tillbaka till biblioteket",
+ "Group by...": "Gruppera efter...",
+ "Export as Plain Text": "Exportera som vanlig text",
+ "Export as Markdown": "Exportera som Markdown",
+ "Show Page Navigation Buttons": "Navigeringsknappar",
+ "Page {{number}}": "Sida {{number}}",
+ "highlight": "markering",
+ "underline": "understrykning",
+ "squiggly": "vågig linje",
+ "red": "röd",
+ "violet": "lila",
+ "blue": "blå",
+ "green": "grön",
+ "yellow": "gul",
+ "Select {{style}} style": "Välj stil {{style}}",
+ "Select {{color}} color": "Välj färg {{color}}",
+ "Close Book": "Stäng bok",
+ "Speed Reading": "Snabbläsning",
+ "Close Speed Reading": "Stäng snabbläsning",
+ "Authors": "Författare",
+ "Books": "Böcker",
+ "Groups": "Grupper",
+ "Back to TTS Location": "Tillbaka till TTS-plats",
+ "Metadata": "Metadata",
+ "Image viewer": "Bildvisare",
+ "Previous Image": "Föregående bild",
+ "Next Image": "Nästa bild",
+ "Zoomed": "Zoomad",
+ "Zoom level": "Zoomnivå",
+ "Table viewer": "Tabellvisare",
+ "Unable to connect to Readwise. Please check your network connection.": "Kunde inte ansluta till Readwise. Kontrollera din nätverksanslutning.",
+ "Invalid Readwise access token": "Ogiltig Readwise-åtkomsttoken",
+ "Disconnected from Readwise": "Frånkopplad från Readwise",
+ "Never": "Aldrig",
+ "Readwise Settings": "Readwise-inställningar",
+ "Connected to Readwise": "Ansluten till Readwise",
+ "Last synced: {{time}}": "Senast synkroniserad: {{time}}",
+ "Sync Enabled": "Synkronisering aktiverad",
+ "Disconnect": "Koppla från",
+ "Connect your Readwise account to sync highlights.": "Anslut ditt Readwise-konto för att synkronisera markeringar.",
+ "Get your access token at": "Hämta din åtkomsttoken på",
+ "Access Token": "Åtkomsttoken",
+ "Paste your Readwise access token": "Klistra in din Readwise-åtkomsttoken",
+ "Config": "Konfiguration",
+ "Readwise Sync": "Readwise-synkronisering",
+ "Push Highlights": "Skicka markeringar",
+ "Highlights synced to Readwise": "Markeringar synkroniserade till Readwise",
+ "Readwise sync failed: no internet connection": "Readwise-synkronisering misslyckades: ingen internetanslutning",
+ "Readwise sync failed: {{error}}": "Readwise-synkronisering misslyckades: {{error}}"
+}
diff --git a/apps/readest-app/public/locales/ta/translation.json b/apps/readest-app/public/locales/ta/translation.json
new file mode 100644
index 0000000000000000000000000000000000000000..94f5d4f9f049afe01c4e55dd691860fe82b36c7e
--- /dev/null
+++ b/apps/readest-app/public/locales/ta/translation.json
@@ -0,0 +1,1060 @@
+{
+ "Email address": "மின்னஞ்சல் முகவரி",
+ "Your Password": "உங்கள் கடவுச்சொல்",
+ "Your email address": "உங்கள் மின்னஞ்சல் முகவரி",
+ "Your password": "உங்கள் கடவுச்சொல்",
+ "Sign in": "உள்நுழையவும்",
+ "Signing in...": "உள்நுழைகிறது...",
+ "Sign in with {{provider}}": "{{provider}} மூலம் உள்நுழையவும்",
+ "Already have an account? Sign in": "ஏற்கனவே கணக்கு உள்ளதா? உள்நுழையவும்",
+ "Create a Password": "கடவுச்சொல் உருவாக்கவும்",
+ "Sign up": "பதிவு செய்யவும்",
+ "Signing up...": "பதிவு செய்கிறது...",
+ "Don't have an account? Sign up": "கணக்கு இல்லையா? பதிவு செய்யவும்",
+ "Check your email for the confirmation link": "உறுதிப்படுத்தல் இணைப்பிற்கு உங்கள் மின்னஞ்சலைச் சரிபார்க்கவும்",
+ "Signing in ...": "உள்நுழைகிறது...",
+ "Send a magic link email": "மேஜிக் இணைப்பு மின்னஞ்சல் அனுப்பவும்",
+ "Check your email for the magic link": "மேஜிக் இணைப்பிற்கு உங்கள் மின்னஞ்சலைச் சரிபார்க்கவும்",
+ "Send reset password instructions": "கடவுச்சொல் மீட்டமைப்பு வழிமுறைகளை அனுப்பவும்",
+ "Sending reset instructions ...": "மீட்டமைப்பு வழிமுறைகள் அனுப்புகிறது...",
+ "Forgot your password?": "கடவுச்சொல் மறந்துவிட்டதா?",
+ "Check your email for the password reset link": "கடவுச்சொல் மீட்டமைப்பு இணைப்பிற்கு மின்னஞ்சலைச் சரிபார்க்கவும்",
+ "Phone number": "தொலைபேசி எண்",
+ "Your phone number": "உங்கள் தொலைபேசி எண்",
+ "Token": "டோக்கன்",
+ "Your OTP token": "உங்கள் OTP டோக்கன்",
+ "Verify token": "டோக்கனை சரிபார்க்கவும்",
+ "New Password": "புதிய கடவுச்சொல்",
+ "Your new password": "உங்கள் புதிய கடவுச்சொல்",
+ "Update password": "கடவுச்சொல் புதுப்பிக்கவும்",
+ "Updating password ...": "கடவுச்சொல் புதுப்பிக்கிறது...",
+ "Your password has been updated": "உங்கள் கடவுச்சொல் புதுப்பிக்கப்பட்டது",
+ "Something went wrong. Don't worry, our team has been notified and we're working on a fix.": "ஏதோ தவறு நடந்துள்ளது. கவலைப்பட வேண்டாம், எங்கள் குழு அறிவிக்கப்பட்டுள்ளது மற்றும் நாங்கள் தீர்வு செய்து கொண்டிருக்கிறோம்.",
+ "Error Details:": "பிழை விவரங்கள்:",
+ "Try Again": "மீண்டும் முயற்சிக்கவும்",
+ "Go Back": "பின் செல்லவும்",
+ "Your Library": "உங்கள் நூலகம்",
+ "Need help?": "உதவி தேவையா?",
+ "Contact Support": "ஆதரவை தொடர்பு கொள்ளவும்",
+ "Open": "திறக்கவும்",
+ "Group": "குழு",
+ "Details": "விவரங்கள்",
+ "Delete": "நீக்கவும்",
+ "Cancel": "ரத்து செய்யவும்",
+ "Confirm Deletion": "நீக்குதலை உறுதிசெய்யவும்",
+ "Are you sure to delete {{count}} selected book(s)?_one": "தேர்ந்தெடுக்கப்பட்ட புத்தகத்தை நீக்க உறுதியா?",
+ "Are you sure to delete {{count}} selected book(s)?_other": "தேர்ந்தெடுக்கப்பட்ட {{count}} புத்தகங்களை நீக்க உறுதியா?",
+ "Deselect Book": "புத்தகத்தை தேர்வுநீக்கவум்",
+ "Select Book": "புத்தகத்தை தேர்வு செய்யவும்",
+ "Show Book Details": "புத்தக விவரங்களைக் காட்டவும்",
+ "Download Book": "புத்தகத்தை பதிவிறக்கவும்",
+ "Upload Book": "புத்தகத்தை பதிவேற்றவும்",
+ "Deselect Group": "குழுவை தேர்வுநீক்கவும்",
+ "Select Group": "குழுவை தேர்வு செய்யவும்",
+ "Untitled Group": "பெயரிடப்படாத குழு",
+ "Group Books": "புத்தகங்களை குழுவாக்கவும்",
+ "Remove From Group": "குழுவிலிருந்து நீக்கவும்",
+ "Create New Group": "புதிய குழு உருவாக்கவும்",
+ "Save": "சேமிக்கவும்",
+ "Confirm": "உறுதிசெய்யவும்",
+ "From Local File": "உள்ளூர் கோப்பிலிருந்து",
+ "Search in {{count}} Book(s)..._one": "புத்தகத்தில் தேடவும்...",
+ "Search in {{count}} Book(s)..._other": "{{count}} புத்தகங்களில் தேடவும்...",
+ "Search Books...": "புத்தகங்களைத் தேடவும்...",
+ "Clear Search": "தேடலை அழிக்கவும்",
+ "Import Books": "புத்தகங்களை இறக்குமதி செய்யவும்",
+ "Select Books": "புத்தகங்களை தேர்வு செய்யவும்",
+ "Deselect": "தேர்வுநீக்கவும்",
+ "Select All": "அனைத்தையும் தேர்வு செய்யவும்",
+ "Logged in as {{userDisplayName}}": "{{userDisplayName}} ஆக உள்நுழைந்துள்ளீர்கள்",
+ "Logged in": "உள்நுழைந்துள்ளீர்கள்",
+ "Account": "கணக்கு",
+ "Sign In": "உள்நுழையவும்",
+ "Auto Upload Books to Cloud": "புத்தகங்களை cloud இல் தானாக பதிவேற்றவும்",
+ "Auto Import on File Open": "கோப்பு திறக்கும்போது தானாக இறக்குமதி",
+ "Open Last Book on Start": "தொடங்கும்போது கடைசி புத்தகத்தைத் திறக்கவும்",
+ "Check Updates on Start": "தொடங்கும்போது புதுப்பிப்புகளைச் சரிபார்க்கவும்",
+ "Open Book in New Window": "புதிய சாளரத்தில் புத்தகத்தைத் திறக்கவும்",
+ "Fullscreen": "முழுத்திரை",
+ "Always on Top": "எப்போதும் மேலே",
+ "Always Show Status Bar": "எப்போதும் நிலைப் பட்டியைக் காட்டவும்",
+ "Keep Screen Awake": "திரையை விழித்திருக்கச் செய்யவும்",
+ "Reload Page": "பக்கத்தை மீண்டும் ஏற்றவும்",
+ "Dark Mode": "இருட்டு பயன்முறை",
+ "Light Mode": "வெளிச்ச பயன்முறை",
+ "Auto Mode": "தானியங்கி பயன்முறை",
+ "Upgrade to Readest Premium": "Readest Premium க்கு மேம்படுத்தவும்",
+ "Download Readest": "Readest பதிவிறக்கவும்",
+ "About Readest": "Readest பற்றி",
+ "Help improve Readest": "Readest மேம்படுத்த உதவவும்",
+ "Sharing anonymized statistics": "அடையாள விவரங்களை நீக்கிய புள்ளிவிவரங்களைப் பகிர்தல்",
+ "List": "பட்டியல்",
+ "Grid": "கட்டம்",
+ "Crop": "வெட்டவும்",
+ "Fit": "பொருத்தவும்",
+ "Title": "தலைப்பு",
+ "Author": "ஆசிரியர்",
+ "Format": "வடிவம்",
+ "Date Read": "படித்த தேதி",
+ "Date Added": "சேர்த்த தேதி",
+ "Ascending": "ஏறுவரிசை",
+ "Descending": "இறங்குவரிசை",
+ "Book Covers": "புத்தக அட்டைகள்",
+ "Sort by...": "வரிசைப்படுத்து...",
+ "No supported files found. Supported formats: {{formats}}": "ஆதரிக்கப்படும் கோப்புகள் இல்லை. ஆதரிக்கப்படும் வடிவங்கள்: {{formats}}",
+ "No chapters detected": "அத்தியாயங்கள் கண்டறியப்படவில்லை",
+ "Failed to parse the EPUB file": "EPUB கோப்பை பகுப்பாய்வு செய்ய முடியவில்லை",
+ "This book format is not supported": "இந்த புத்தக வடிவம் ஆதரிக்கப்படவில்லை",
+ "Failed to import book(s): {{filenames}}": "புத்தகங்களை இறக்குமதி செய்ய முடியவில்லை: {{filenames}}",
+ "Book uploaded: {{title}}": "புத்தகம் பதிவேற்றப்பட்டது: {{title}}",
+ "Insufficient storage quota": "போதுமான சேமிப்பக ஒதுக்கீடு இல்லை",
+ "Failed to upload book: {{title}}": "புத்தகத்தை பதிவேற்ற முடியவில்லை: {{title}}",
+ "Book downloaded: {{title}}": "புத்தகம் பதிவிறக்கப்பட்டது: {{title}}",
+ "Failed to download book: {{title}}": "புத்தகத்தை பதிவிறக்க முடியவில்லை: {{title}}",
+ "Book deleted: {{title}}": "புத்தகம் நீக்கப்பட்டது: {{title}}",
+ "Deleted cloud backup of the book: {{title}}": "புத்தகத்தின் cloud backup நீக்கப்பட்டது: {{title}}",
+ "Deleted local copy of the book: {{title}}": "புத்தகத்தின் உள்ளூர் நகல் நீக்கப்பட்டது: {{title}}",
+ "Failed to delete book: {{title}}": "புத்தகத்தை நீக்க முடியவில்லை: {{title}}",
+ "Failed to delete cloud backup of the book: {{title}}": "புத்தகத்தின் cloud backup நீக்க முடியவில்லை: {{title}}",
+ "Failed to delete local copy of the book: {{title}}": "புத்தகத்தின் உள்ளூர் நகல் நீக்க முடியவில்லை: {{title}}",
+ "Welcome to your library. You can import your books here and read them anytime.": "உங்கள் நூலகத்திற்கு வரவேற்கிறோம். நீங்கள் இங்கே உங்கள் புத்தகங்களை இறக்குமதி செய்து எப்போது வேண்டுமானாலும் படிக்கலாம்.",
+ "Copied to notebook": "குறிப்பேட்டில் நகலெடுக்கப்பட்டது",
+ "No annotations to export": "ஏற்றுமதி செய்ய குறிப்புகள் இல்லை",
+ "Exported from Readest": "Readest இல் இருந்து ஏற்றுமதி செய்யப்பட்டது",
+ "Highlights & Annotations": "முத்திரைகள் மற்றும் குறிப்புகள்",
+ "Untitled": "பெயரிடப்படாதது",
+ "Note": "குறிப்பு",
+ "Copied to clipboard": "clipboard இல் நகலெடுக்கப்பட்டது",
+ "Copy": "நகல்",
+ "Delete Highlight": "முத்திரையை நீக்கவும்",
+ "Highlight": "முத்திரை",
+ "Annotate": "குறிப்பிடவும்",
+ "Search": "தேடவும்",
+ "Dictionary": "அகராதி",
+ "Wikipedia": "விக்கிபீடியா",
+ "Translate": "மொழிபெயர்க்கவும்",
+ "Speak": "பேசவும்",
+ "Login Required": "உள்நுழைவு தேவை",
+ "Quota Exceeded": "ஒதுக்கீடு மீறப்பட்டது",
+ "Unable to fetch the translation. Please log in first and try again.": "மொழிபெயர்ப்பைப் பெற முடியவில்லை. முதலில் உள்நுழைந்து மீண்டும் முயற்சிக்கவும்.",
+ "Unable to fetch the translation. Try again later.": "மொழிபெயர்ப்பைப் பெற முடியவில்லை. பின்னர் மீண்டும் முயற்சிக்கவும்.",
+ "Original Text": "மூல உரை",
+ "Auto Detect": "தானாக கண்டறிதல்",
+ "(detected)": "(கண்டறியப்பட்டது)",
+ "Translated Text": "மொழிபெயர்க்கப்பட்ட உரை",
+ "System Language": "கணினி மொழி",
+ "Loading...": "ஏற்றுகிறது...",
+ "No translation available.": "மொழிபெயர்ப்பு கிடைக்கவில்லை.",
+ "Translated by {{provider}}.": "{{provider}} மூலம் மொழிபெயர்க்கப்பட்டது.",
+ "Bookmark": "புக்மார்க்",
+ "Next Section": "அடுத்த பிரிவு",
+ "Previous Section": "முந்தைய பிரிவு",
+ "Next Page": "அடுத்த பக்கம்",
+ "Previous Page": "முந்தைய பக்கம்",
+ "Go Forward": "முன்னோக்கி செல்லவும்",
+ "Small": "சிறிய",
+ "Large": "பெரிய",
+ "Sync Conflict": "ஒத்திசைவு முரண்பாடு",
+ "Sync reading progress from \"{{deviceName}}\"?": "\"{{deviceName}}\" இல் இருந்து வாசிப்பு முன்னேற்றத்தை ஒத்திசைக்கவா?",
+ "another device": "மற்றொரு சாதனம்",
+ "Local Progress": "உள்ளூர் முன்னேற்றம்",
+ "Remote Progress": "தொலை முன்னேற்றம்",
+ "Failed to connect": "இணைக்க முடியவில்லை",
+ "Disconnected": "துண்டிக்கப்பட்டது",
+ "KOReader Sync Settings": "KOReader ஒத்திசைவு அமைப்புகள்",
+ "Sync as {{userDisplayName}}": "{{userDisplayName}} ஆக ஒத்திசைக்கவும்",
+ "Sync Server Connected": "ஒத்திசைவு சர்வர் இணைக்கப்பட்டது",
+ "Sync Strategy": "ஒத்திசைவு உத்தி",
+ "Ask on conflict": "முரண்பாட்டில் கேட்கவும்",
+ "Always use latest": "எப்போதும் சமீபத்தியதைப் பயன்படுத்தவும்",
+ "Send changes only": "மாற்றங்களை மட்டும் அனுப்பவும்",
+ "Receive changes only": "மாற்றங்களை மட்டும் பெறவும்",
+ "Checksum Method": "சரிபார்ப்பு முறை",
+ "File Content (recommended)": "கோப்பு உள்ளடக்கம் (பரிந்துரைக்கப்பட்டது)",
+ "File Name": "கோப்பு பெயர்",
+ "Device Name": "சாதன பெயர்",
+ "Connect to your KOReader Sync server.": "உங்கள் KOReader ஒத்திசைவு சர்வருடன் இணையவும்.",
+ "Server URL": "சர்வர் URL",
+ "Username": "பயனர்பெயர்",
+ "Your Username": "உங்கள் பயனர்பெயர்",
+ "Password": "கடவுச்சொல்",
+ "Connect": "இணைக்கவும்",
+ "Notebook": "குறிப்பேடு",
+ "No notes match your search": "உங்கள் தேடலுக்கு பொருந்தும் குறிப்புகள் இல்லை",
+ "Excerpts": "உதாரணங்கள்",
+ "Notes": "குறிப்புகள்",
+ "Add your notes here...": "உங்கள் குறிப்புகளை இங்கே சேர்க்கவும்...",
+ "Search notes and excerpts...": "குறிப்புகள் மற்றும் உதாரணங்களைத் தேடவும்...",
+ "{{time}} min left in chapter": "அத்தியாயத்தில் {{time}} நிமிடங்கள் மீதமுள்ளன",
+ "{{count}} pages left in chapter_one": "அத்தியாயத்தில் 1 பக்கம் மீதமுள்ளது",
+ "{{count}} pages left in chapter_other": "அத்தியாயத்தில் {{count}} பக்கங்கள் மீதமுள்ளன",
+ "Theme Mode": "தீம் பயன்முறை",
+ "Invert Image In Dark Mode": "இருட்டு பயன்முறையில் படத்தை தலைகீழாக மாற்றவும்",
+ "Override Book Color": "புத்தக நிறத்தை மேலெழுதவும்",
+ "Theme Color": "தீம் நிறம்",
+ "Custom": "தனிப்பயன்",
+ "Code Highlighting": "குறியீடு முத்திரை",
+ "Enable Highlighting": "முத்திரையிடுதலை இயக்கவும்",
+ "Code Language": "குறியீடு மொழி",
+ "Auto": "தானியங்கி",
+ "Scroll": "உருட்டவும்",
+ "Scrolled Mode": "உருட்டல் பயன்முறை",
+ "Continuous Scroll": "தொடர்ச்சியான உருட்டல்",
+ "Overlap Pixels": "ஒன்றுடன் ஒன்று பிக்சல்கள்",
+ "Disable Double Click": "இரட்டை கிளிக்கை முடக்கவும்",
+ "Volume Keys for Page Flip": "பக்கம் புரட்டுவதற்கு ஒலி விசைகள்",
+ "Animation": "அனிமேஷன்",
+ "Paging Animation": "பக்க அனிமேஷன்",
+ "Security": "பாதுகாப்பு",
+ "Allow JavaScript": "JavaScript அனுமதிக்கவும்",
+ "Enable only if you trust the file.": "கோப்பை நம்பினால் மட்டும் இயக்கவும்.",
+ "Font": "எழுத்துரு",
+ "Custom Fonts": "தனிப்பயன் எழுத்துருக்கள்",
+ "Cancel Delete": "நீக்குதலை ரத்துசெய்யவும்",
+ "Delete Font": "எழுத்துருவை நீக்கவும்",
+ "Import Font": "எழுத்துருவை இறக்குமதி செய்யவும்",
+ "Tips": "குறிப்புகள்",
+ "Supported font formats: .ttf, .otf, .woff, .woff2": "ஆதரிக்கப்படும் எழுத்துரு வடிவங்கள்: .ttf, .otf, .woff, .woff2",
+ "Custom fonts can be selected from the Font Face menu": "Font Face மெனுவிலிருந்து தனிப்பயன் எழுத்துருக்களை தேர்வு செய்யலாம்",
+ "Global Settings": "உலகளாவிய அமைப்புகள்",
+ "Apply to All Books": "அனைத்து புத்தகங்களுக்கும் பொருந்தும்",
+ "Apply to This Book": "இந்த புத்தகத்திற்கு பொருந்தும்",
+ "Reset Settings": "அமைப்புகளை மீட்டமைக்கவும்",
+ "Manage Custom Fonts": "தனிப்பயன் எழுத்துருக்களை நிர்வகிக்கவும்",
+ "System Fonts": "கணினி எழுத்துருக்கள்",
+ "Serif Font": "Serif எழுத்துரு",
+ "Sans-Serif Font": "Sans-Serif எழுத்துரு",
+ "Override Book Font": "புத்தக எழுத்துருவை மேலெழுதவும்",
+ "Font Size": "எழுத்துரு அளவு",
+ "Default Font Size": "இயல்புநிலை எழுத்துரு அளவு",
+ "Minimum Font Size": "குறைந்தபட்ச எழுத்துரு அளவு",
+ "Font Weight": "எழுத்துரு எடை",
+ "Font Family": "எழுத்துரு குடும்பம்",
+ "Default Font": "இயல்புநிலை எழுத்துரு",
+ "CJK Font": "CJK எழுத்துரு",
+ "Font Face": "எழுத்துரு முகம்",
+ "Monospace Font": "Monospace எழுத்துரு",
+ "Language": "மொழி",
+ "Interface Language": "இடைமுக மொழி",
+ "Translation": "மொழிபெயர்ப்பு",
+ "Enable Translation": "மொழிபெயர்ப்பை இயக்கவும்",
+ "Show Source Text": "மூல உரையைக் காட்டவும்",
+ "Translation Service": "மொழிபெயர்ப்பு சேவை",
+ "Translate To": "இதற்கு மொழிபெயர்க்கவும்",
+ "Override Book Layout": "புத்தக அமைப்பை மேலெழுதவும்",
+ "Writing Mode": "எழுதும் பயன்முறை",
+ "Default": "இயல்புநிலை",
+ "Horizontal Direction": "கிடைமட்ட திசை",
+ "Vertical Direction": "செங்குத்து திசை",
+ "RTL Direction": "RTL திசை",
+ "Border Frame": "எல்லை சட்டகம்",
+ "Double Border": "இரட்டை எல்லை",
+ "Border Color": "எல்லை நிறம்",
+ "Paragraph": "பத்தி",
+ "Paragraph Margin": "பத்தி விளிம்பு",
+ "Line Spacing": "வரி இடைவெளி",
+ "Word Spacing": "சொல் இடைவெளி",
+ "Letter Spacing": "எழுத்து இடைவெளி",
+ "Text Indent": "உரை உள்தள்ளல்",
+ "Full Justification": "முழு நியாயம்",
+ "Hyphenation": "இணைக்கோடு",
+ "Page": "பக்கம்",
+ "Top Margin (px)": "மேல் விளிம்பு (px)",
+ "Bottom Margin (px)": "கீழ் விளிம்பு (px)",
+ "Left Margin (px)": "இடது விளிம்பு (px)",
+ "Right Margin (px)": "வலது விளிம்பு (px)",
+ "Column Gap (%)": "நெடுவரிசை இடைவெளி (%)",
+ "Maximum Number of Columns": "அதிகபட்ச நெடுவரிசை எண்ணிக்கை",
+ "Maximum Column Height": "அதிகபட்ச நெடுவரிசை உயரம்",
+ "Maximum Column Width": "அதிகபட்ச நெடுவரிசை அகலம்",
+ "Header & Footer": "தலைப்பு மற்றும் அடிக்குறிப்பு",
+ "Show Header": "தலைப்பைக் காட்டவும்",
+ "Show Footer": "அடிக்குறிப்பைக் காட்டவும்",
+ "Show Remaining Time": "மீதமுள்ள நேரத்தைக் காட்டவும்",
+ "Show Remaining Pages": "மீதமுள்ள பக்கங்களைக் காட்டவும்",
+ "Show Reading Progress": "வாசிப்பு முன்னேற்றத்தைக் காட்டவும்",
+ "Reading Progress Style": "வாசிப்பு முன்னேற்ற பாணி",
+ "Page Number": "பக்க எண்",
+ "Percentage": "சதவீதம்",
+ "Apply also in Scrolled Mode": "உருட்டல் பயன்முறையிலும் பொருந்தும்",
+ "Screen": "திரை",
+ "Orientation": "திசைநிலை",
+ "Portrait": "நிலைமான்",
+ "Landscape": "கிடைமான்",
+ "Apply": "பொருந்தும்",
+ "Custom Content CSS": "தனிப்பயன் உள்ளடக்க CSS",
+ "Enter CSS for book content styling...": "புத்தக உள்ளடக்க வடிவமைப்பிற்கு CSS ஐ உள்ளிடவும்...",
+ "Custom Reader UI CSS": "தனிப்பயன் வாசிப்பான் UI CSS",
+ "Enter CSS for reader interface styling...": "வாசிப்பான் இடைமுக வடிவமைப்பிற்கு CSS ஐ உள்ளிடவும்...",
+ "Layout": "அமைப்பு",
+ "Color": "நிறம்",
+ "Behavior": "நடத்தை",
+ "Reset {{settings}}": "{{settings}} மீட்டமைக்கவும்",
+ "All the world's a stage,\nAnd all the men and women merely players;\nThey have their exits and their entrances,\nAnd one man in his time plays many parts,\nHis acts being seven ages.\n\n— William Shakespeare": "உலகம் முழுவதும் ஒரு மேடை,\nஅதில் ஆண்களும் பெண்களும் வெறும் நடிகர்கள்;\nஅவர்களுக்கு வெளியேறுதலும் நுழைவும் உண்டு,\nஒரு மனிதன் தன் காலத்தில் பல பாத்திரங்களை வகிக்கிறான்,\nஅவனுடைய செயல்கள் ஏழு வயதுகளாக இருக்கின்றன.\n\n— வில்லியம் ஷேக்ஸ்பியர்",
+ "(from 'As You Like It', Act II)": "('ஆஸ் யூ லைக் இட்', இரண்டாவது அங்கத்திலிருந்து)",
+ "Custom Theme": "தனிப்பயன் தீம்",
+ "Theme Name": "தீம் பெயர்",
+ "Text Color": "உரை நிறம்",
+ "Background Color": "பின்னணி நிறம்",
+ "Link Color": "இணைப்பு நிறம்",
+ "Preview": "முன்னோட்டம்",
+ "Font & Layout": "எழுத்துரு மற்றும் அமைப்பு",
+ "More Info": "மேலும் தகவல்",
+ "Parallel Read": "இணை வாசிப்பு",
+ "Disable": "முடக்கவும்",
+ "Enable": "இயக்கவும்",
+ "KOReader Sync": "KOReader ஒத்திசைவு",
+ "Push Progress": "முன்னேற்றத்தை அனுப்பவும்",
+ "Pull Progress": "முன்னேற்றத்தை இழுக்கவும்",
+ "Export Annotations": "குறிப்புகளை ஏற்றுமதி செய்யவும்",
+ "Sort TOC by Page": "பக்கத்தின்படி TOC வரிசைப்படுத்தவும்",
+ "Edit": "திருத்தவும்",
+ "Search...": "தேடவும்...",
+ "Book": "புத்தகம்",
+ "Chapter": "அத்தியாயம்",
+ "Match Case": "எழுத்து பொருத்தம்",
+ "Match Whole Words": "முழு வார்த்தைகள் பொருத்தம்",
+ "Match Diacritics": "உச்சரிப்பு குறிகள் பொருத்தம்",
+ "TOC": "உள்ளடக்கம்",
+ "Table of Contents": "உள்ளடக்கம்",
+ "Sidebar": "பக்கப்பட்டி",
+ "Disable Translation": "மொழிபெயர்ப்பை முடக்கவும்",
+ "TTS not supported for PDF": "PDF க்கு TTS ஆதரிக்கப்படவில்லை",
+ "TTS not supported for this document": "இந்த ஆவணத்திற்கு TTS ஆதரிக்கப்படவில்லை",
+ "No Timeout": "நேர வரம்பு இல்லை",
+ "{{value}} minute": "{{value}} நிமிடம்",
+ "{{value}} minutes": "{{value}} நிமிடங்கள்",
+ "{{value}} hour": "{{value}} மணிநேரம்",
+ "{{value}} hours": "{{value}} மணிநேரங்கள்",
+ "Voices for {{lang}}": "{{lang}} க்கான குரல்கள்",
+ "Slow": "மெதுவாக",
+ "Fast": "வேகமாக",
+ "{{engine}}: {{count}} voices_one": "{{engine}}: 1 குரல்",
+ "{{engine}}: {{count}} voices_other": "{{engine}}: {{count}} குரல்கள்",
+ "Sign in to Sync": "ஒத்திசைக்க உள்நுழையவும்",
+ "Synced at {{time}}": "{{time}} இல் ஒத்திசைக்கப்பட்டது",
+ "Never synced": "ஒத்திசைக்கப்படவில்லை",
+ "Reading Progress Synced": "வாசிப்பு முன்னேற்றம் ஒத்திசைக்கப்பட்டது",
+ "Page {{page}} of {{total}} ({{percentage}}%)": "{{total}} இல் {{page}} பக்கம் ({{percentage}}%)",
+ "Current position": "தற்போதைய நிலை",
+ "Approximately page {{page}} of {{total}} ({{percentage}}%)": "தோராயமாக {{total}} இல் {{page}} பக்கம் ({{percentage}}%)",
+ "Approximately {{percentage}}%": "தோராயமாக {{percentage}}%",
+ "Delete Your Account?": "உங்கள் கணக்கை நீக்கவா?",
+ "This action cannot be undone. All your data in the cloud will be permanently deleted.": "இந்த செயலை மாற்ற முடியாது. cloud இல் உள்ள உங்கள் எல்லா தரவும் நிரந்தரமாக நீக்கப்படும்.",
+ "Delete Permanently": "நிரந்தரமாக நீக்கவும்",
+ "Restore Purchase": "வாங்குதலை மீட்டெடுக்கவும்",
+ "Manage Subscription": "சந்தாவை நிர்வகிக்கவும்",
+ "Reset Password": "கடவுச்சொல் மீட்டமைக்கவும்",
+ "Sign Out": "வெளியேறவும்",
+ "Delete Account": "கணக்கை நீக்கவும்",
+ "Upgrade to {{plan}}": "{{plan}} க்கு மேம்படுத்தவும்",
+ "Complete Your Subscription": "உங்கள் சந்தாவை நிறைவு செய்யவும்",
+ "Coming Soon": "விரைவில் வரும்",
+ "Upgrade to Plus or Pro": "Plus அல்லது Pro க்கு மேம்படுத்தவும்",
+ "Current Plan": "தற்போதைய திட்டம்",
+ "Plan Limits": "திட்ட வரம்புகள்",
+ "Failed to delete user. Please try again later.": "பயனரை நீக்க முடியவில்லை. பின்னர் மீண்டும் முயற்சிக்கவும்.",
+ "Failed to create checkout session": "checkout session உருவாக்க முடியவில்லை",
+ "No purchases found to restore.": "மீட்டெடுக்க வாங்குதல்கள் இல்லை.",
+ "Failed to restore purchases.": "வாங்குதல்களை மீட்டெடுக்க முடியவில்லை.",
+ "Failed to manage subscription.": "சந்தாவை நிர்வகிக்க முடியவில்லை.",
+ "Failed to load subscription plans.": "சந்தா திட்டங்களை ஏற்ற முடியவில்லை.",
+ "Loading profile...": "சுயவிவரம் ஏற்றுகிறது...",
+ "Processing your payment...": "உங்கள் கட்டணத்தை செயல்படுத்துகிறது...",
+ "Please wait while we confirm your subscription.": "நாங்கள் உங்கள் சந்தாவை உறுதிசெய்யும் வரை காத்திருக்கவும்.",
+ "Payment Processing": "கட்டண செயலாக்கம்",
+ "Your payment is being processed. This usually takes a few moments.": "உங்கள் கட்டணம் செயல்படுத்தப்படுகிறது. இது பொதுவாக சில நிமிடங்கள் ஆகும்.",
+ "Payment Failed": "கட்டணம் தோல்வியடைந்தது",
+ "We couldn't process your subscription. Please try again or contact support if the issue persists.": "உங்கள் சந்தாவை செயல்படுத்த முடியவில்லை. மீண்டும் முயற்சிக்கவும் அல்லது பிரச்சனை தொடர்ந்தால் ஆதரவைத் தொடர்பு கொள்ளவும்.",
+ "Back to Profile": "சுயவிவரத்திற்கு திரும்பவும்",
+ "Subscription Successful!": "சந்தா வெற்றிகரமானது!",
+ "Thank you for your subscription! Your payment has been processed successfully.": "உங்கள் சந்தாவிற்கு நன்றி! உங்கள் கட்டணம் வெற்றிகரமாக செயல்படுத்தப்பட்டது.",
+ "Email:": "மின்னஞ்சல்:",
+ "Plan:": "திட்டம்:",
+ "Amount:": "தொகை:",
+ "Go to Library": "நூலகத்திற்கு செல்லவும்",
+ "Need help? Contact our support team at support@readest.com": "உதவி தேவையா? support@readest.com இல் எங்கள் ஆதரவு குழுவைத் தொடர்பு கொள்ளவும்",
+ "Free Plan": "இலவச திட்டம்",
+ "month": "மாதம்",
+ "year": "வருடம்",
+ "Cross-Platform Sync": "குறுக்கு தளம் ஒத்திசைவு",
+ "Seamlessly sync your library, progress, highlights, and notes across all your devices—never lose your place again.": "உங்கள் அனைத்து சாதனங்களிலும் உங்கள் நூலகம், முன்னேற்றம், முத்திரைகள் மற்றும் குறிப்புகளை தடையின்றி ஒத்திசைக்கவும் - உங்கள் இடத்தை மீண்டும் இழக்க வேண்டாம்.",
+ "Customizable Reading": "தனிப்பயனாக்கக்கூடிய வாசிப்பு",
+ "Personalize every detail with adjustable fonts, layouts, themes, and advanced display settings for the perfect reading experience.": "சரியான வாசிப்பு அனுபவத்திற்காக சரிசெய்யக்கூடிய எழுத்துருக்கள், அமைப்புகள், தீம்கள் மற்றும் மேம்பட்ட காட்சி அமைப்புகளுடன் ஒவ்வொரு விவரத்தையும் தனிப்பயனாக்கவும்.",
+ "AI Read Aloud": "AI உரை வாசிப்பு",
+ "Enjoy hands-free reading with natural-sounding AI voices that bring your books to life.": "உங்கள் புத்தகங்களை உயிர்ப்பிக்கும் இயற்கையான ஒலியுடைய AI குரல்களுடன் கைகள் இல்லாமல் வாசிப்பை அனுபவிக்கவும்.",
+ "AI Translations": "AI மொழிபெயர்ப்புகள்",
+ "Translate any text instantly with the power of Google, Azure, or DeepL—understand content in any language.": "Google, Azure அல்லது DeepL இன் சக்தியுடன் எந்த உரையையும் உடனடியாக மொழிபெயர்க்கவும் - எந்த மொழியிலும் உள்ளடக்கத்தை புரிந்துகொள்ளவும்.",
+ "Community Support": "சமூக ஆதரவு",
+ "Connect with fellow readers and get help fast in our friendly community channels.": "சக வாசகர்களுடன் இணையுங்கள் மற்றும் எங்கள் நட்பு சமூக சேனல்களில் விரைவாக உதவி பெறுங்கள்.",
+ "Cloud Sync Storage": "Cloud ஒத்திசைவு சேமிப்பு",
+ "AI Translations (per day)": "AI மொழிபெயர்ப்புகள் (ஒரு நாளுக்கு)",
+ "Plus Plan": "Plus திட்டம்",
+ "Includes All Free Plan Benefits": "அனைத்து இலவச திட்ட நன்மைகளும் உள்ளடங்கும்",
+ "Unlimited AI Read Aloud Hours": "வரம்பற்ற AI வாசிப்பு மணிநேரங்கள்",
+ "Listen without limits—convert as much text as you like into immersive audio.": "வரம்பு இல்லாமல் கேளுங்கள் - நீங்கள் விரும்பும் அளவு உரையை அழுத்தமான ஆடியோவாக மாற்றுங்கள்.",
+ "More AI Translations": "மேலும் AI மொழிபெயர்ப்புகள்",
+ "Unlock enhanced translation capabilities with more daily usage and advanced options.": "அதிக தினசரி பயன்பாடு மற்றும் மேம்பட்ட விருப்பங்களுடன் மேம்பட்ட மொழிபெயர்ப்பு திறன்களை திறக்கவும்.",
+ "DeepL Pro Access": "DeepL Pro அணுகல்",
+ "Translate up to 100,000 characters daily with the most accurate translation engine available.": "கிடைக்கக்கூடிய மிகவும் துல்லியமான மொழிபெயர்ப்பு இயந்திரத்துடன் தினசரி 100,000 எழுத்துகள் வரை மொழிபெயர்க்கவும்.",
+ "Securely store and access your entire reading collection with up to 5 GB of cloud storage.": "5 GB cloud சேமிப்புடன் உங்கள் முழு வாசிப்பு சேகரிப்பையும் பாதுகாப்பாக சேமித்து அணுகவும்.",
+ "Priority Support": "முன்னுரிமை ஆதரவு",
+ "Enjoy faster responses and dedicated assistance whenever you need help.": "உங்களுக்கு உதவி தேவைப்படும் போதெல்லாம் விரைவான பதில்கள் மற்றும் அர்ப்பணிப்புள்ள உதவியை அனுபவிக்கவும்.",
+ "Pro Plan": "Pro திட்டம்",
+ "Includes All Plus Plan Benefits": "அனைத்து Plus திட்ட நன்மைகளும் உள்ளடங்கும்",
+ "Early Feature Access": "முந்தைய அம்சம் அணுகல்",
+ "Be the first to explore new features, updates, and innovations before anyone else.": "மற்றவர்களுக்கு முன்பே புதிய அம்சங்கள், புதுப்பிப்புகள் மற்றும் கண்டுபிடிப்புகளை ஆராயும் முதல் நபராக இருங்கள்.",
+ "Advanced AI Tools": "மேம்பட்ட AI கருவிகள்",
+ "Harness powerful AI tools for smarter reading, translation, and content discovery.": "புத்திசாலித்தனமான வாசிப்பு, மொழிபெயர்ப்பு மற்றும் உள்ளடக்க கண்டுபிடிப்புக்காக சக்திவாய்ந்த AI கருவிகளைப் பயன்படுத்துங்கள்.",
+ "Translate up to 500,000 characters daily with the most accurate translation engine available.": "கிடைக்கக்கூடிய மிகவும் துல்லியமான மொழிபெயர்ப்பு இயந்திரத்துடன் தினசரி 500,000 எழுத்துகள் வரை மொழிபெயர்க்கவும்.",
+ "Securely store and access your entire reading collection with up to 20 GB of cloud storage.": "20 GB cloud சேமிப்புடன் உங்கள் முழு வாசிப்பு சேகரிப்பையும் பாதுகாப்பாக சேமித்து அணுகவும்.",
+ "Version {{version}}": "பதிப்பு {{version}}",
+ "Check Update": "புதுப்பிப்பு சரிபார்க்கவும்",
+ "Already the latest version": "ஏற்கனவே சமீபத்திய பதிப்பு",
+ "Checking for updates...": "புதுப்பிப்புகளுக்கு சரிபார்க்கிறது...",
+ "Error checking for updates": "புதுப்பிப்புகள் சரிபார்க்கும்போது பிழை",
+ "Drop to Import Books": "புத்தகங்களை இறக்குமதி செய்ய இழுத்து விடவும்",
+ "Terms of Service": "சேவை விதிமுறைகள்",
+ "Privacy Policy": "தனியுரிமைக் கொள்கை",
+ "Enter book title": "புத்தக தலைப்பை உள்ளிடவும்",
+ "Subtitle": "துணைத்தலைப்பு",
+ "Enter book subtitle": "புத்தக துணைத்தலைப்பை உள்ளிடவும்",
+ "Enter author name": "ஆசிரியர் பெயரை உள்ளிடவும்",
+ "Series": "தொடர்",
+ "Enter series name": "தொடர் பெயரை உள்ளிடவும்",
+ "Series Index": "தொடர் குறியீடு",
+ "Enter series index": "தொடர் குறியீட்டை உள்ளிடவும்",
+ "Total in Series": "தொடரில் மொத்தம்",
+ "Enter total books in series": "தொடரில் மொத்த புத்தகங்களை உள்ளிடவும்",
+ "Publisher": "வெளியீட்டாளர்",
+ "Enter publisher": "வெளியீட்டாளரை உள்ளிடவும்",
+ "Publication Date": "வெளியீட்டு தேதி",
+ "YYYY or YYYY-MM-DD": "YYYY அல்லது YYYY-MM-DD",
+ "Identifier": "அடையாளங்காட்டி",
+ "Subjects": "பாடங்கள்",
+ "Fiction, Science, History": "கற்பனை, அறிவியல், வரலாறு",
+ "Description": "விளக்கம்",
+ "Enter book description": "புத்தக விளக்கத்தை உள்ளிடவும்",
+ "Change cover image": "அட்டை படத்தை மாற்றவும்",
+ "Replace": "மாற்றவும்",
+ "Unlock cover": "அட்டையை திறக்கவும்",
+ "Lock cover": "அட்டையை பூட்டவும்",
+ "Auto-Retrieve Metadata": "Metadata ஐ தானாக பெறவும்",
+ "Auto-Retrieve": "தானாக பெறவும்",
+ "Unlock all fields": "அனைத்து புலங்களையும் திறக்கவும்",
+ "Unlock All": "அனைத்தையும் திறக்கவும்",
+ "Lock all fields": "அனைத்து புலங்களையும் பூட்டவும்",
+ "Lock All": "அனைத்தையும் பூட்டவும்",
+ "Reset": "மீட்டமைக்கவும்",
+ "Are you sure to delete the selected book?": "தேர்ந்தெடுக்கப்பட்ட புத்தகத்தை நீக்க உறுதியா?",
+ "Are you sure to delete the cloud backup of the selected book?": "தேர்ந்தெடுக்கப்பட்ட புத்தகத்தின் cloud backup ஐ நீக்க உறுதியா?",
+ "Are you sure to delete the local copy of the selected book?": "தேர்ந்தெடுக்கப்பட்ட புத்தகத்தின் உள்ளூர் நகலை நீக்க உறுதியா?",
+ "Edit Metadata": "Metadata ஐ திருத்தவும்",
+ "Book Details": "புத்தக விவரங்கள்",
+ "Unknown": "தெரியாதது",
+ "Remove from Cloud & Device": "Cloud மற்றும் சாதனத்திலிருந்து நீக்கவும்",
+ "Remove from Cloud Only": "Cloud இலிருந்து மட்டும் நீக்கவும்",
+ "Remove from Device Only": "சாதனத்திலிருந்து மட்டும் நீக்கவும்",
+ "Published": "வெளியிடப்பட்டது",
+ "Updated": "புதுப்பிக்கப்பட்டது",
+ "Added": "சேர்க்கப்பட்டது",
+ "File Size": "கோப்பு அளவு",
+ "No description available": "விளக்கம் கிடைக்கவில்லை",
+ "Locked": "பூட்டப்பட்டது",
+ "Select Metadata Source": "Metadata மூலத்தைத் தேர்வுசெய்யவும்",
+ "Keep manual input": "கைமுறை உள்ளீட்டைத் தக்கவைக்கவும்",
+ "A new version of Readest is available!": "Readest இன் புதிய பதிப்பு கிடைக்கிறது!",
+ "Readest {{newVersion}} is available (installed version {{currentVersion}}).": "Readest {{newVersion}} கிடைக்கிறது (நிறுவப்பட்ட பதிப்பு {{currentVersion}}).",
+ "Download and install now?": "இப்போது பதிவிறக்கி நிறுவ வேண்டுமா?",
+ "Downloading {{downloaded}} of {{contentLength}}": "{{contentLength}} இல் {{downloaded}} பதிவிறக்கம்",
+ "Download finished": "பதிவிறக்கம் முடிந்தது",
+ "DOWNLOAD & INSTALL": "பதிவிறக்கம் மற்றும் நிறுவல்",
+ "Changelog": "மாற்ற பதிவு",
+ "Software Update": "மென்பொருள் புதுப்பிப்பு",
+ "What's New in Readest": "Readest இல் புதியது",
+ "Select Files": "கோப்புகளைத் தேர்வுசெய்யவும்",
+ "Select Image": "படத்தைத் தேர்வுசெய்யவும்",
+ "Select Video": "வீடியோவைத் தேர்வுசெய்யவும்",
+ "Select Audio": "ஆடியோவைத் தேர்வுசெய்யவும்",
+ "Select Fonts": "எழுத்துருக்களைத் தேர்வுசெய்யவும்",
+ "Storage": "சேமிப்பு",
+ "{{percentage}}% of Cloud Sync Space Used.": "Cloud Sync இடத்தில் {{percentage}}% பயன்படுத்தப்பட்டுள்ளது.",
+ "Translation Characters": "மொழிபெயர்ப்பு எழுத்துகள்",
+ "{{percentage}}% of Daily Translation Characters Used.": "தினசரி மொழிபெயர்ப்பு எழுத்துகளில் {{percentage}}% பயன்படுத்தப்பட்டுள்ளது.",
+ "Daily translation quota reached. Upgrade your plan to continue using AI translations.": "தினசரி மொழிபெயர்ப்பு ஒதுக்கீட்டை அடைந்துவிட்டது. AI மொழிபெயர்ப்புகளைத் தொடர்ந்து பயன்படுத்த உங்கள் திட்டத்தை மேம்படுத்தவும்.",
+ "LXGW WenKai GB Screen": "LXGW WenKai GB Screen",
+ "LXGW WenKai TC": "LXGW WenKai TC",
+ "GuanKiapTsingKhai-T": "GuanKiapTsingKhai-T",
+ "Source Han Serif CN": "Source Han Serif CN",
+ "Huiwen-MinchoGBK": "Huiwen Mincho",
+ "KingHwa_OldSong": "KingHwa_OldSong",
+ "Google Books": "Google Books",
+ "Open Library": "Open Library",
+ "Azure Translator": "Azure Translator",
+ "DeepL": "DeepL",
+ "Google Translate": "Google Translate",
+ "Yandex Translate": "Yandex Translate",
+ "Gray": "சாம்பல்",
+ "Sepia": "செபியா",
+ "Grass": "புல்",
+ "Cherry": "செர்ரி",
+ "Sky": "வானம்",
+ "Solarized": "சூரியமயம்",
+ "Gruvbox": "Gruvbox",
+ "Nord": "Nord",
+ "Contrast": "மாறுபாடு",
+ "Sunset": "சூரிய அஸ்தமனம்",
+ "Reveal in Finder": "Finder இல் காட்டவும்",
+ "Reveal in File Explorer": "File Explorer இல் காட்டவும்",
+ "Reveal in Folder": "கோப்புறையில் காட்டவும்",
+ "Previous Paragraph": "முந்தைய பத்தி",
+ "Previous Sentence": "முந்தைய வாக்கியம்",
+ "Pause": "இடைநிறுத்தம்",
+ "Play": "இயக்கு",
+ "Next Sentence": "அடுத்த வாக்கியம்",
+ "Next Paragraph": "அடுத்த பத்தி",
+ "Separate Cover Page": "தனித்த அட்டை பக்கம்",
+ "Resize Notebook": "குறிப்பேட்டை மீட்டமைக்கவும்",
+ "Resize Sidebar": "பக்கப்பட்டியை மீட்டமைக்கவும்",
+ "Get Help from the Readest Community": "Readest சமூகத்திலிருந்து உதவி பெறவும்",
+ "Remove cover image": "அட்டை படத்தை நீக்கவும்",
+ "Bookshelf": "புத்தக அலமாரி",
+ "View Menu": "மெனுவை பார்க்கவும்",
+ "Settings Menu": "அமைப்புகள் மெனு",
+ "View account details and quota": "கணக்கு விவரங்கள் மற்றும் ஒதுக்கீட்டை பார்க்கவும்",
+ "Library Header": "நூலக தலைப்பு",
+ "Book Content": "புத்தக உள்ளடக்கம்",
+ "Footer Bar": "அடிக்குறிப்பு பட்டை",
+ "Header Bar": "தலைப்பு பட்டை",
+ "View Options": "காணும் விருப்பங்கள்",
+ "Book Menu": "புத்தக மெனு",
+ "Search Options": "தேடல் விருப்பங்கள்",
+ "Close": "மூடு",
+ "Delete Book Options": "புத்தகத்தை நீக்கும் விருப்பங்கள்",
+ "ON": "செயல்படுத்தவும்",
+ "OFF": "நிறுத்தவும்",
+ "Reading Progress": "வாசிப்பு முன்னேற்றம்",
+ "Page Margin": "பக்கம் மாறின",
+ "Remove Bookmark": "புக்மார்க் நீக்கவும்",
+ "Add Bookmark": "புக்மார்க் சேர்க்கவும்",
+ "Books Content": "புத்தகங்கள் உள்ளடக்கம்",
+ "Jump to Location": "இடத்திற்கு குதிக்கவும்",
+ "Unpin Notebook": "நோட்புக் அசைவு",
+ "Pin Notebook": "நோட்புக் பின்பற்றவும்",
+ "Hide Search Bar": "சேவல் பட்டையை மறைக்கவும்",
+ "Show Search Bar": "சேவல் பட்டையை காட்டவும்",
+ "On {{current}} of {{total}} page": "பக்கம் {{current}}/{{total}} இல்",
+ "Section Title": "அத்தியாயம் தலைப்பு",
+ "Decrease": "குறைப்பு",
+ "Increase": "அதிகரிப்பு",
+ "Settings Panels": "அமைப்புகள் பானல்கள்",
+ "Settings": "அமைப்புகள்",
+ "Unpin Sidebar": "பக்கப்பட்டியை அசைவு",
+ "Pin Sidebar": "பக்கப்பட்டியை பின்பற்றவும்",
+ "Toggle Sidebar": "பக்கப்பட்டியை மாற்றவும்",
+ "Toggle Translation": "மொழிபெயர்ப்பை மாற்றவும்",
+ "Translation Disabled": "மொழிபெயர்ப்பு முடக்கப்பட்டுள்ளது",
+ "Minimize": "சிறிது செய்யவும்",
+ "Maximize or Restore": "அதிகரிக்கவும் அல்லது மீட்டமைக்கவும்",
+ "Exit Parallel Read": "இணை வாசிப்பை வெளியேறு",
+ "Enter Parallel Read": "இணை வாசிப்பில் நுழையவும்",
+ "Zoom Level": "ஜூம் நிலை",
+ "Zoom Out": "ஜூம் குறைக்கவும்",
+ "Reset Zoom": "ஜூம் மீட்டமைக்கவும்",
+ "Zoom In": "ஜூம் அதிகரிக்கவும்",
+ "Zoom Mode": "ஜூம் முறை",
+ "Single Page": "ஒரு பக்கம்",
+ "Auto Spread": "தானாக பரவல்",
+ "Fit Page": "பக்கத்திற்கு பொருந்தும்",
+ "Fit Width": "அகலத்திற்கு பொருந்தும்",
+ "Failed to select directory": "கோப்புறையைத் தேர்வுசெய்ய முடியவில்லை",
+ "The new data directory must be different from the current one.": "புதிய தரவுக் கோப்புறை தற்போதையதைப் போலவே இருக்கக்கூடாது.",
+ "Migration failed: {{error}}": "மொத்தமாக்கல் தோல்வியுற்றது: {{error}}",
+ "Change Data Location": "தரவுப் இடத்தை மாற்றவும்",
+ "Current Data Location": "தற்போதைய தரவுப் இடம்",
+ "Total size: {{size}}": "மொத்த அளவு: {{size}}",
+ "Calculating file info...": "கோப்பு தகவலை கணக்கிடுகிறது...",
+ "New Data Location": "புதிய தரவுப் இடம்",
+ "Choose Different Folder": "வேறுபட்ட கோப்புறையைத் தேர்ந்தெடுக்கவும்",
+ "Choose New Folder": "புதிய கோப்புறையைத் தேர்ந்தெடுக்கவும்",
+ "Migrating data...": "தரவை மாறுகிறது...",
+ "Copying: {{file}}": "பகுப்பாய்வு: {{file}}",
+ "{{current}} of {{total}} files": "{{current}}/{{total}} கோப்புகள்",
+ "Migration completed successfully!": "மொத்தமாக்கல் வெற்றிகரமாக முடிந்தது!",
+ "Your data has been moved to the new location. Please restart the application to complete the process.": "உங்கள் தரவுகள் புதிய இடத்திற்கு மாறியுள்ளன. செயலியை மீண்டும் தொடங்கவும்.",
+ "Migration failed": "மொத்தமாக்கல் தோல்வியுற்றது",
+ "Important Notice": "முக்கிய அறிவிப்பு",
+ "This will move all your app data to the new location. Make sure the destination has enough free space.": "இது உங்கள் செயலியின் அனைத்து தரவுகளையும் புதிய இடத்திற்கு நகர்த்தும். இலக்கு இடத்தில் போதுமான இலவச இடம் உள்ளதா என்பதை உறுதிப்படுத்தவும்.",
+ "Restart App": "செயலியை மீண்டும் தொடங்கவும்",
+ "Start Migration": "மொத்தமாக்கலை தொடங்கவும்",
+ "Advanced Settings": "மேம்பட்ட அமைப்புகள்",
+ "File count: {{size}}": "கோப்பு எண்ணிக்கை: {{size}}",
+ "Background Read Aloud": "பின்னணி உரை வாசிப்பு",
+ "Ready to read aloud": "வாசிக்க தயாராக உள்ளது",
+ "Read Aloud": "உரை வாசிப்பு",
+ "Screen Brightness": "திரை பிரகாசம்",
+ "Background Image": "பின்னணி படம்",
+ "Import Image": "புகைப்படம் இறக்குமதி",
+ "Opacity": "பார்வை",
+ "Size": "அளவு",
+ "Cover": "மூடு",
+ "Contain": "அடங்கும்",
+ "{{number}} pages left in chapter": "அத்தியாயத்தில் {{number}} பக்கங்கள் மீதமுள்ளன",
+ "Device": "சாதனம்",
+ "E-Ink Mode": "E-Ink முறை",
+ "Highlight Colors": "முத்திரை நிறங்கள்",
+ "Auto Screen Brightness": "தானியங்கி திரை பிரகாசம்",
+ "Pagination": "பக்கமிடுதல்",
+ "Disable Double Tap": "இரட்டை தொடுதலை முடக்கு",
+ "Tap to Paginate": "பக்கம் மாற்ற தொடுங்கள்",
+ "Click to Paginate": "பக்கம் மாற்ற கிளிக் செய்யவும்",
+ "Tap Both Sides": "இரு பக்கங்களையும் தொடுங்கள்",
+ "Click Both Sides": "இரு பக்கங்களையும் கிளிக் செய்யவும்",
+ "Swap Tap Sides": "இரு பக்கங்களின் இடத்தை மாற்றவும்",
+ "Swap Click Sides": "இரு பக்கங்களின் இடத்தை மாற்றவும்",
+ "Source and Translated": "மூல மற்றும் மொழிபெயர்க்கப்பட்டது",
+ "Translated Only": "மொழிபெயர்க்கப்பட்டது மட்டும்",
+ "Source Only": "மூல மட்டும்",
+ "TTS Text": "TTS உரை",
+ "The book file is corrupted": "பொதுவாக, புத்தகக் கோப்பு சேதமடைந்துள்ளது",
+ "The book file is empty": "புத்தகக் கோப்பு காலியாக உள்ளது",
+ "Failed to open the book file": "புத்தகக் கோப்பைத் திறக்க முடியவில்லை",
+ "On-Demand Purchase": "தேவைப்படும் போது வாங்குதல்",
+ "Full Customization": "முழு தனிப்பயனாக்கம்",
+ "Lifetime Plan": "ஆயுள்திருத்தம்",
+ "One-Time Payment": "ஒரே முறை கட்டணம்",
+ "Make a single payment to enjoy lifetime access to specific features on all devices. Purchase specific features or services only when you need them.": "எல்லா சாதனங்களிலும் குறிப்பிட்ட அம்சங்களுக்கு ஆயுள்திருத்தம் பெற ஒரே முறை கட்டணம் செலுத்தவும். நீங்கள் தேவைப்படும் போது மட்டுமே குறிப்பிட்ட அம்சங்கள் அல்லது சேவைகளை வாங்கவும்.",
+ "Expand Cloud Sync Storage": "மோலச் சின்க் சேமிப்பிடத்தை விரிவாக்கவும்",
+ "Expand your cloud storage forever with a one-time purchase. Each additional purchase adds more space.": "ஒரே முறை வாங்குதலுடன் உங்கள் மேக சேமிப்பிடத்தை எப்போதும் விரிவாக்கவும். ஒவ்வொரு கூடுதல் வாங்குதலும் மேலும் இடத்தைச் சேர்க்கிறது.",
+ "Unlock All Customization Options": "அனைத்து தனிப்பயனாக்க விருப்பங்களைத் திறக்கவும்",
+ "Unlock additional themes, fonts, layout options and read aloud, translators, cloud storage services.": "கூடுதல் தீமைகள், எழுத்துருக்கள், வடிவமைப்பு விருப்பங்கள் மற்றும் வாசிக்க, மொழிபெயர்க்க, மேக சேமிப்பு சேவைகளைத் திறக்கவும்.",
+ "Purchase Successful!": "கொள்முதல் வெற்றிகரமாக முடிந்தது!",
+ "lifetime": "ஆயுள்திருத்தம்",
+ "Thank you for your purchase! Your payment has been processed successfully.": "உங்கள் வாங்குதலுக்கு நன்றி! உங்கள் கட்டணம் வெற்றிகரமாக செயல்படுத்தப்பட்டது.",
+ "Order ID:": "ஆர்டர் ஐடி:",
+ "TTS Highlighting": "TTS சிறப்பித்தல்",
+ "Style": "பாணி",
+ "Underline": "அடிக்கோடு",
+ "Strikethrough": "குறிக்கோடு",
+ "Squiggly": "சுருள் கோடு",
+ "Outline": "வட்டம்",
+ "Save Current Color": "தற்போதைய நிறத்தை சேமிக்கவும்",
+ "Quick Colors": "விரைவு நிறங்கள்",
+ "Highlighter": "ஹைலைட்டர்",
+ "Save Book Cover": "புத்தகக் கோப்பைச் சேமிக்கவும்",
+ "Auto-save last book cover": "அවසන් புத்தகக் கோப்பு காலியாக உள்ளது",
+ "Back": "பின் செல்ல",
+ "Confirmation email sent! Please check your old and new email addresses to confirm the change.": "உறுதிப்பத்திர மின்னஞ்சல் அனுப்பப்பட்டுள்ளது! மாற்றத்தை உறுதிப்படுத்த உங்கள் பழைய மற்றும் புதிய மின்னஞ்சல் முகவரிகளை சரிபார்க்கவும்.",
+ "Failed to update email": "மின்னஞ்சல் புதுப்பிப்பில் தோல்வி",
+ "New Email": "புதிய மின்னஞ்சல்",
+ "Your new email": "உங்கள் புதிய மின்னஞ்சல்",
+ "Updating email ...": "மின்னஞ்சல் புதுப்பிக்கப்படுகிறது ...",
+ "Update email": "மின்னஞ்சல் புதுப்பிக்கவும்",
+ "Current email": "தற்போதைய மின்னஞ்சல்",
+ "Update Email": "மின்னஞ்சல் புதுப்பிக்கவும்",
+ "All": "அனைத்து",
+ "Unable to open book": "புத்தகத்தைத் திறக்க முடியவில்லை",
+ "Punctuation": "விருத்தி",
+ "Replace Quotation Marks": "உதயம்சுட்டிகளை மாற்றவும்",
+ "Enabled only in vertical layout.": "செங்குத்து அமைப்பில் மட்டுமே இயலுமைப்படுத்தப்பட்டது.",
+ "No Conversion": "மாற்றம் செய்யவில்லை",
+ "Simplified to Traditional": "எளிய → பாரம்பரிய",
+ "Traditional to Simplified": "பாரம்பரிய → எளிய",
+ "Simplified to Traditional (Taiwan)": "எளிய → பாரம்பரிய (தைவான்)",
+ "Simplified to Traditional (Hong Kong)": "எளிய → பாரம்பரிய (ஹாங்காங்)",
+ "Simplified to Traditional (Taiwan), with phrases": "எளிய → பாரம்பரிய (தைவான் • வசனங்கள்)",
+ "Traditional (Taiwan) to Simplified": "பாரம்பரிய (தைவான்) → எளிய",
+ "Traditional (Hong Kong) to Simplified": "பாரம்பரிய (ஹாங்காங்) → எளிய",
+ "Traditional (Taiwan) to Simplified, with phrases": "பாரம்பரிய (தைவான் • வசனங்கள்) → எளிய",
+ "Convert Simplified and Traditional Chinese": "எளிய/பாரம்பரிய சீன மொழி மாற்றம்",
+ "Convert Mode": "மாற்ற முறை",
+ "Failed to auto-save book cover for lock screen: {{error}}": "பூட்டு திரைக்கான புத்தகக் கோப்பை தானாகச் சேமிக்க முடியவில்லை: {{error}}",
+ "Download from Cloud": "மேகத்திலிருந்து பதிவிறக்கு செய்யவும்",
+ "Upload to Cloud": "மேகத்திற்கு பதிவேற்றவும்",
+ "Clear Custom Fonts": "தனிப்பயன் எழுத்துருக்களை அழிக்கவும்",
+ "Columns": "நெடுவரிசைகள்",
+ "OPDS Catalogs": "OPDS பட்டியல்கள்",
+ "Adding LAN addresses is not supported in the web app version.": "LAN முகவரிகளைச் சேர்ப்பது வலை பயன்பாட்டில் ஆதரிக்கப்படவில்லை.",
+ "Invalid OPDS catalog. Please check the URL.": "தவறான OPDS பட்டியல். URL ஐச் சரிபார்க்கவும்.",
+ "Browse and download books from online catalogs": "ஆன்லைன் பட்டியல்களில் இருந்து புத்தகங்களை உலாவவும் மற்றும் பதிவிறக்கவும்",
+ "My Catalogs": "என் பட்டியல்கள்",
+ "Add Catalog": "பட்டியலைச் சேர்க்கவும்",
+ "No catalogs yet": "இன்னும் எந்த பட்டியலும் இல்லை",
+ "Add your first OPDS catalog to start browsing books": "புத்தகங்களை உலாவ தொடங்க உங்கள் முதல் OPDS பட்டியலைச் சேர்க்கவும்",
+ "Add Your First Catalog": "உங்கள் முதல் பட்டியலைச் சேர்க்கவும்",
+ "Browse": "உலாவவும்",
+ "Popular Catalogs": "பிரபல பட்டியல்கள்",
+ "Add": "சேர்க்கவும்",
+ "Add OPDS Catalog": "OPDS பட்டியலைச் சேர்க்கவும்",
+ "Catalog Name": "பட்டியல் பெயர்",
+ "My Calibre Library": "என் Calibre நூலகம்",
+ "OPDS URL": "OPDS URL",
+ "Username (optional)": "பயனர் பெயர் (விருப்பம்)",
+ "Password (optional)": "கடவுச்சொல் (விருப்பம்)",
+ "Description (optional)": "விவரிப்பு (விருப்பம்)",
+ "A brief description of this catalog": "இந்த பட்டியலின் சுருக்கமான விளக்கம்",
+ "Validating...": "சரிபார்க்கப்படுகிறது...",
+ "View All": "அனைத்தையும் பார்க்கவும்",
+ "Forward": "முன்னேற்று",
+ "Home": "முகப்பு",
+ "{{count}} items_one": "{{count}} பொருள்",
+ "{{count}} items_other": "{{count}} பொருட்கள்",
+ "Download completed": "பதிவிறக்கம் முடிந்தது",
+ "Download failed": "பதிவிறக்கம் தோல்வியடைந்தது",
+ "Open Access": "திறந்த அணுகல்",
+ "Borrow": "கடன் எடுக்கவும்",
+ "Buy": "வாங்கவும்",
+ "Subscribe": "சந்தா செய்யவும்",
+ "Sample": "மாதிரிப் புத்தகம்",
+ "Download": "பதிவிறக்கம் செய்யவும்",
+ "Open & Read": "திறந்து வாசிக்கவும்",
+ "Tags": "குறிச்சொற்கள்",
+ "Tag": "குறிச்சொல்",
+ "First": "முதல்",
+ "Previous": "முந்தையது",
+ "Next": "அடுத்தது",
+ "Last": "இறுதி",
+ "Cannot Load Page": "பக்கம் ஏற்ற முடியவில்லை",
+ "An error occurred": "ஒரு பிழை ஏற்பட்டது",
+ "Online Library": "ஆன்லைன் நூலகம்",
+ "URL must start with http:// or https://": "URL http:// அல்லது https:// கொண்டு தொடங்க வேண்டும்",
+ "Title, Author, Tag, etc...": "தலைப்பு, ஆசிரியர், குறிச்சொல், மற்றும் பல...",
+ "Query": "கேள்வி",
+ "Subject": "பொருள்",
+ "Enter {{terms}}": "{{terms}} உள்ளிடவும்",
+ "No search results found": "தேடல் முடிவுகள் இல்லை",
+ "Failed to load OPDS feed: {{status}} {{statusText}}": "OPDS ஊட்டத்தை ஏற்ற முடியவில்லை: {{status}} {{statusText}}",
+ "Search in {{title}}": "{{title}} இல் தேடவும்",
+ "Manage Storage": "சேமிப்பை நிர்வகி",
+ "Failed to load files": "கோப்புகளை ஏற்ற முடியவில்லை",
+ "Deleted {{count}} file(s)_one": "கோப்பு நீக்கப்பட்டது",
+ "Deleted {{count}} file(s)_other": "கோப்புகள் நீக்கப்பட்டன",
+ "Failed to delete {{count}} file(s)_one": "கோப்பை நீக்க முடியவில்லை",
+ "Failed to delete {{count}} file(s)_other": "கோப்புகளை நீக்க முடியவில்லை",
+ "Failed to delete files": "கோப்புகளை நீக்க முடியவில்லை",
+ "Total Files": "மொத்த கோப்புகள்",
+ "Total Size": "மொத்த அளவு",
+ "Quota": "கோட்டா",
+ "Used": "பயன்படுத்தப்பட்டது",
+ "Files": "கோப்புகள்",
+ "Search files...": "கோப்புகளைத் தேடு...",
+ "Newest First": "புதியவை முதலில்",
+ "Oldest First": "பழையவை முதலில்",
+ "Largest First": "பெரியவை முதலில்",
+ "Smallest First": "சிறியவை முதலில்",
+ "Name A-Z": "பெயர் A-ஆல்",
+ "Name Z-A": "பெயர் ஆல்-A",
+ "{{count}} selected_one": "தேர்ந்தெடுக்கப்பட்ட கோப்பு",
+ "{{count}} selected_other": "தேர்ந்தெடுக்கப்பட்ட கோப்புகள்",
+ "Delete Selected": "தேர்ந்தெடுத்தவை நீக்கு",
+ "Created": "உருவாக்கப்பட்டது",
+ "No files found": "கோப்புகள் இல்லை",
+ "No files uploaded yet": "இன்னும் எந்த கோப்பும் பதிவேற்றப்படவில்லை",
+ "files": "கோப்புகள்",
+ "Page {{current}} of {{total}}": "பக்கம் {{current}} / {{total}}",
+ "Are you sure to delete {{count}} selected file(s)?_one": "இந்த கோப்பை நீக்க விரும்புகிறீர்களா?",
+ "Are you sure to delete {{count}} selected file(s)?_other": "இந்த கோப்புகளை நீக்க விரும்புகிறீர்களா?",
+ "Cloud Storage Usage": "மேக சேமிப்பு பயன்பாடு",
+ "Rename Group": "குழுவை மறுபெயரிடவும்",
+ "From Directory": "கோப்புறையிலிருந்து",
+ "Successfully imported {{count}} book(s)_one": "வெற்றிகரமாக 1 புத்தகம் இறக்குமதி செய்யப்பட்டது",
+ "Successfully imported {{count}} book(s)_other": "வெற்றிகரமாக {{count}} புத்தகங்கள் இறக்குமதி செய்யப்பட்டது",
+ "Count": "எண்ணிக்கை",
+ "Start Page": "தொடக்கப் பக்கம்",
+ "Search in OPDS Catalog...": "OPDS பட்டியலில் தேடவும்...",
+ "Please log in to use advanced TTS features": "மேம்பட்ட TTS அம்சங்களை பயன்படுத்த உள்நுழையவும்",
+ "Word limit of 30 words exceeded.": "30 சொற்களின் வரம்பை மீறியுள்ளது.",
+ "Proofread": "திருத்தம்",
+ "Current selection": "தற்போதைய தேர்வு",
+ "All occurrences in this book": "இந்த புத்தகத்தில் உள்ள அனைத்து நிகழ்வுகளும்",
+ "All occurrences in your library": "உங்கள் நூலகத்தில் உள்ள அனைத்து நிகழ்வுகளும்",
+ "Selected text:": "தேர்ந்தெடுக்கப்பட்ட உரை:",
+ "Replace with:": "இதனால் மாற்றவும்:",
+ "Enter text...": "உரையை உள்ளிடவும்…",
+ "Case sensitive:": "எழுத்து பெரிய/சிறிய வேறுபாட்டை கருத்தில் கொள்ளவும்:",
+ "Scope:": "வளயம்:",
+ "Selection": "தேர்வு",
+ "Library": "நூலகம்",
+ "Yes": "ஆம்",
+ "No": "இல்லை",
+ "Proofread Replacement Rules": "திருத்த மாற்று விதிகள்",
+ "Selected Text Rules": "தேர்ந்தெடுக்கப்பட்ட உரைக்கான விதிகள்",
+ "No selected text replacement rules": "தேர்ந்தெடுக்கப்பட்ட உரைக்கான மாற்று விதிகள் இல்லை",
+ "Book Specific Rules": "புத்தகத்திற்கு குறிப்பிட்ட விதிகள்",
+ "No book-level replacement rules": "புத்தக மட்டத்தில் மாற்று விதிகள் இல்லை",
+ "Disable Quick Action": "விரைவு செயலை முடக்கு",
+ "Enable Quick Action on Selection": "தேர்வில் விரைவு செயலை இயக்கு",
+ "None": "எதுவும் இல்லை",
+ "Annotation Tools": "கருத்துரை கருவிகள்",
+ "Enable Quick Actions": "விரைவு செயல்களை இயக்கு",
+ "Quick Action": "விரைவு செயல்",
+ "Copy to Notebook": "குறிப்பேட்டியில் நகலெடு",
+ "Copy text after selection": "உரையை தேர்வுக்குப் பிறகு நகலெடு",
+ "Highlight text after selection": "உரையை தேர்வுக்குப் பிறகு முத்திரை இடு",
+ "Annotate text after selection": "உரையை தேர்வுக்குப் பிறகு கருத்துரை இடு",
+ "Search text after selection": "உரையை தேர்வுக்குப் பிறகு தேடு",
+ "Look up text in dictionary after selection": "தேர்வுக்குப் பிறகு அகராதியில் உரையைத் தேடு",
+ "Look up text in Wikipedia after selection": "தேர்வுக்குப் பிறகு விக்கிப்பீடியாவில் உரையைத் தேடு",
+ "Translate text after selection": "தேர்வுக்குப் பிறகு உரையை மொழிபெயர்",
+ "Read text aloud after selection": "தேர்வுக்குப் பிறகு உரையை ஓதுக",
+ "Proofread text after selection": "தேர்வுக்குப் பிறகு உரையை திருத்துக",
+ "{{activeCount}} active, {{pendingCount}} pending": "{{activeCount}} செயலில், {{pendingCount}} காத்திருப்பு",
+ "{{failedCount}} failed": "{{failedCount}} தோல்வி",
+ "Waiting...": "காத்திருக்கிறது...",
+ "Failed": "தோல்வி",
+ "Completed": "முடிந்தது",
+ "Cancelled": "ரத்து செய்யப்பட்டது",
+ "Retry": "மீண்டும் முயற்சிக்கவும்",
+ "Active": "செயலில்",
+ "Transfer Queue": "பரிமாற்ற வரிசை",
+ "Upload All": "அனைத்தையும் பதிவேற்றவும்",
+ "Download All": "அனைத்தையும் பதிவிறக்கவும்",
+ "Resume Transfers": "பரிமாற்றங்களை தொடரவும்",
+ "Pause Transfers": "பரிமாற்றங்களை இடைநிறுத்தவும்",
+ "Pending": "காத்திருப்பு",
+ "No transfers": "பரிமாற்றங்கள் இல்லை",
+ "Retry All": "அனைத்தையும் மீண்டும் முயற்சிக்கவும்",
+ "Clear Completed": "முடிந்ததை அழிக்கவும்",
+ "Clear Failed": "தோல்வியை அழிக்கவும்",
+ "Upload queued: {{title}}": "பதிவேற்றம் வரிசையில்: {{title}}",
+ "Download queued: {{title}}": "பதிவிறக்கம் வரிசையில்: {{title}}",
+ "Book not found in library": "நூலகத்தில் புத்தகம் கிடைக்கவில்லை",
+ "Unknown error": "தெரியாத பிழை",
+ "Please log in to continue": "தொடர உள்நுழையவும்",
+ "Cloud File Transfers": "மேகக் கோப்பு பரிமாற்றங்கள்",
+ "Show Search Results": "தேடல் முடிவுகளைக் காட்டு",
+ "Search results for '{{term}}'": "'{{term}}' க்கான முடிவுகள்",
+ "Close Search": "தேடலை மூடு",
+ "Previous Result": "முந்தைய முடிவு",
+ "Next Result": "அடுத்த முடிவு",
+ "Bookmarks": "புக்மார்க்குகள்",
+ "Annotations": "சிறுகுறிப்புகள்",
+ "Show Results": "முடிவுகளைக் காட்டு",
+ "Clear search": "தேடலை அழி",
+ "Clear search history": "தேடல் வரலாற்றை அழி",
+ "Tap to Toggle Footer": "அடிக்குறிப்பை மாற்ற தட்டவும்",
+ "Exported successfully": "ஏற்றுமதி வெற்றி",
+ "Book exported successfully.": "புத்தகம் வெற்றிகரமாக ஏற்றுமதி செய்யப்பட்டது.",
+ "Failed to export the book.": "புத்தகத்தை ஏற்றுமதி செய்ய இயலவில்லை.",
+ "Export Book": "புத்தகத்தை ஏற்றுமதி செய்",
+ "Whole word:": "முழு சொல்:",
+ "Error": "பிழை",
+ "Unable to load the article. Try searching directly on {{link}}.": "கட்டுரையை ஏற்ற முடியவில்லை. நேரடியாக {{link}} இல் தேடவும்.",
+ "Unable to load the word. Try searching directly on {{link}}.": "சொல்லை ஏற்ற முடியவில்லை. நேரடியாக {{link}} இல் தேடவும்.",
+ "Date Published": "வெளியீட்டு தேதி",
+ "Only for TTS:": "TTS க்கு மட்டும்:",
+ "Uploaded": "பதிவேற்றப்பட்டது",
+ "Downloaded": "பதிவிறக்கப்பட்டது",
+ "Deleted": "நீக்கப்பட்டது",
+ "Note:": "குறிப்பு:",
+ "Time:": "நேரம்:",
+ "Format Options": "வடிவமைப்பு விருப்பங்கள்",
+ "Export Date": "ஏற்றுமதி தேதி",
+ "Chapter Titles": "அத்தியாயத் தலைப்புகள்",
+ "Chapter Separator": "அத்தியாய பிரிப்பான்",
+ "Highlights": "சிறப்பம்சங்கள்",
+ "Note Date": "குறிப்பு தேதி",
+ "Advanced": "மேம்பட்ட",
+ "Hide": "மறை",
+ "Show": "காட்டு",
+ "Use Custom Template": "தனிப்பயன் வார்ப்புரு பயன்படுத்து",
+ "Export Template": "ஏற்றுமதி வார்ப்புரு",
+ "Template Syntax:": "வார்ப்புரு தொடரியல்:",
+ "Insert value": "மதிப்பு செருகு",
+ "Format date (locale)": "தேதி வடிவமைப்பு (உள்ளூர்)",
+ "Format date (custom)": "தேதி வடிவமைப்பு (தனிப்பயன்)",
+ "Conditional": "நிபந்தனை",
+ "Loop": "சுழற்சி",
+ "Available Variables:": "கிடைக்கும் மாறிகள்:",
+ "Book title": "புத்தகத் தலைப்பு",
+ "Book author": "புத்தக ஆசிரியர்",
+ "Export date": "ஏற்றுமதி தேதி",
+ "Array of chapters": "அத்தியாயங்களின் பட்டியல்",
+ "Chapter title": "அத்தியாய தலைப்பு",
+ "Array of annotations": "குறிப்புகளின் பட்டியல்",
+ "Highlighted text": "முன்னிலைப்படுத்தப்பட்ட உரை",
+ "Annotation note": "குறிப்பு குறிப்பு",
+ "Date Format Tokens:": "தேதி வடிவமைப்பு டோக்கன்கள்:",
+ "Year (4 digits)": "ஆண்டு (4 இலக்கங்கள்)",
+ "Month (01-12)": "மாதம் (01-12)",
+ "Day (01-31)": "நாள் (01-31)",
+ "Hour (00-23)": "மணி (00-23)",
+ "Minute (00-59)": "நிமிடம் (00-59)",
+ "Second (00-59)": "விநாடி (00-59)",
+ "Show Source": "மூலத்தைக் காட்டு",
+ "No content to preview": "முன்னோட்டத்திற்கு உள்ளடக்கம் இல்லை",
+ "Export": "ஏற்றுமதி",
+ "Set Timeout": "நேர வரம்பை அமைக்கவும்",
+ "Select Voice": "குரலைத் தேர்ந்தெடுக்கவும்",
+ "Toggle Sticky Bottom TTS Bar": "நிலையான TTS பட்டியை மாற்றவும்",
+ "Display what I'm reading on Discord": "Discord இல் படிக்கும் புத்தகத்தை காட்டு",
+ "Show on Discord": "Discord இல் காட்டு",
+ "Instant {{action}}": "உடனடி {{action}}",
+ "Instant {{action}} Disabled": "உடனடி {{action}} முடக்கப்பட்டது",
+ "Annotation": "குறிப்பு",
+ "Reset Template": "வார்ப்புருவை மீட்டமைக்கவும்",
+ "Annotation style": "சிறுகுறிப்பு பாணி",
+ "Annotation color": "சிறுகுறிப்பு நிறம்",
+ "Annotation time": "சிறுகுறிப்பு நேரம்",
+ "AI": "செயற்கை நுண்ணறிவு (AI)",
+ "Are you sure you want to re-index this book?": "இந்த புத்தகத்தை மீண்டும் அட்டவணைப்படுத்த உறுதியாக இருக்கிறீர்களா?",
+ "Enable AI in Settings": "அமைப்புகளில் AI ஐ இயக்கவும்",
+ "Index This Book": "இந்த புத்தகத்தை அட்டவணைப்படுத்தவும்",
+ "Enable AI search and chat for this book": "இந்த புத்தகத்திற்கு AI தேடல் மற்றும் அரட்டையை இயக்கவும்",
+ "Start Indexing": "அட்டவணைப்படுத்தலைத் தொடங்கவும்",
+ "Indexing book...": "புத்தகம் அட்டவணைப்படுத்தப்படுகிறது...",
+ "Preparing...": "தயாராகிறது...",
+ "Delete this conversation?": "இந்த உரையாடலை நீக்கவா?",
+ "No conversations yet": "இதுவரை உரையாடல்கள் எதுவும் இல்லை",
+ "Start a new chat to ask questions about this book": "இந்த புத்தகத்தைப் பற்றி கேள்விகள் கேட்க புதிய அரட்டையைத் தொடங்கவும்",
+ "Rename": "மறுபெயரிடு",
+ "New Chat": "புதிய அரட்டை",
+ "Chat": "அரட்டை",
+ "Please enter a model ID": "மாதிரி ஐடியை உள்ளிடவும்",
+ "Model not available or invalid": "மாதிரி கிடைக்கவில்லை அல்லது தவறானது",
+ "Failed to validate model": "மாதிரியைச் சரிபார்க்கத் தவறிவிட்டது",
+ "Couldn't connect to Ollama. Is it running?": "Ollama வுடன் இணைக்க முடியவில்லை. அது இயங்குகிறதா?",
+ "Invalid API key or connection failed": "தவறான ஏபிஐ (API) விசை அல்லது இணைப்பு தோல்வியடைந்தது",
+ "Connection failed": "இணைப்பு தோல்வியடைந்தது",
+ "AI Assistant": "AI உதவியாளர்",
+ "Enable AI Assistant": "AI உதவியாளரை இயக்கவும்",
+ "Provider": "வழங்குநர்",
+ "Ollama (Local)": "Ollama (உள்ளூர்)",
+ "AI Gateway (Cloud)": "AI கேட்வே (கிளவுட்)",
+ "Ollama Configuration": "Ollama உள்ளமைவு",
+ "Refresh Models": "மாதிரிகளைப் புதுப்பிக்கவும்",
+ "AI Model": "AI மாதிரி",
+ "No models detected": "மாதிரிகள் எதுவும் கண்டறியப்படவில்லை",
+ "AI Gateway Configuration": "AI கேட்வே உள்ளமைவு",
+ "Choose from a selection of high-quality, economical AI models. You can also bring your own model by selecting \"Custom Model\" below.": "உயர்தர, சிக்கனமான AI மாதிரிகளிலிருந்து தேர்ந்தெடுக்கவும். கீழே உள்ள \"தனிப்பயன் மாதிரி\" என்பதைத் தேர்ந்தெடுப்பதன் மூலம் உங்கள் சொந்த மாதிரியையும் கொண்டு வரலாம்.",
+ "API Key": "API விசை",
+ "Get Key": "விசையைப் பெறவும்",
+ "Model": "மாதிரி",
+ "Custom Model...": "தனிப்பயன் மாதிரி...",
+ "Custom Model ID": "தனிப்பயன் மாதிரி ஐடி",
+ "Validate": "சரிபார்க்கவும்",
+ "Model available": "மாதிரி கிடைக்கிறது",
+ "Connection": "இணைப்பு",
+ "Test Connection": "இணைப்பைச் சோதிக்கவும்",
+ "Connected": "இணைக்கப்பட்டது",
+ "Custom Colors": "தனிப்பயன் வண்ணங்கள்",
+ "Color E-Ink Mode": "வண்ண இ-இங்க் பயன்முறை",
+ "Reading Ruler": "வாசிப்பு அளவுகோல்",
+ "Enable Reading Ruler": "வாசிப்பு அளவுகோலை இயக்கு",
+ "Lines to Highlight": "சிறப்பித்துக் காட்ட வேண்டிய வரிகள்",
+ "Ruler Color": "அளவுகோல் வண்ணம்",
+ "Command Palette": "கட்டளை தட்டு",
+ "Search settings and actions...": "அமைப்புகள் மற்றும் செயல்களைத் தேடுங்கள்...",
+ "No results found for": "இதற்கு முடிவுகள் எதுவும் கிடைக்கவில்லை",
+ "Type to search settings and actions": "அமைப்புகள் மற்றும் செயல்களைத் தேட தட்டச்சு செய்க",
+ "Recent": "சமீபத்திய",
+ "navigate": "வழிசெலுத்து",
+ "select": "தேர்ந்தெடு",
+ "close": "மூடு",
+ "Search Settings": "அமைப்புகளைத் தேடு",
+ "Page Margins": "பக்க விளிம்புகள்",
+ "AI Provider": "AI வழங்குநர்",
+ "Ollama URL": "Ollama URL",
+ "Ollama Model": "Ollama மாதிரி",
+ "AI Gateway Model": "AI கேட்வே மாதிரி",
+ "Actions": "செயல்கள்",
+ "Navigation": "வழிசெலுத்தல்",
+ "Set status for {{count}} book(s)_one": "{{count}} புத்தகத்திற்கான நிலையை அமைக்கவும்",
+ "Set status for {{count}} book(s)_other": "{{count}} புத்தகங்களுக்கான நிலையை அமைக்கவும்",
+ "Mark as Unread": "படிக்காததாகக் குறிக்கவும்",
+ "Mark as Finished": "முடித்ததாகக் குறிக்கவும்",
+ "Finished": "முடிந்தது",
+ "Unread": "படிக்கவில்லை",
+ "Clear Status": "நிலையை அழி",
+ "Status": "நிலை",
+ "Loading": "ஏற்றுகிறது...",
+ "Exit Paragraph Mode": "பத்தி பயன்முறையிலிருந்து வெளியேறு",
+ "Paragraph Mode": "பத்தி பயன்முறை",
+ "Embedding Model": "உட்பொதி மாதிரி",
+ "{{count}} book(s) synced_one": "{{count}} புத்தகம் ஒத்திசைக்கப்பட்டது",
+ "{{count}} book(s) synced_other": "{{count}} புத்தகங்கள் ஒத்திசைக்கப்பட்டன",
+ "Unable to start RSVP": "RSVP-ஐத் தொடங்க முடியவில்லை",
+ "RSVP not supported for PDF": "PDF-க்கு RSVP ஆதரவு இல்லை",
+ "Select Chapter": "அத்தியாயத்தைத் தேர்ந்தெடு",
+ "Context": "சூழல்",
+ "Ready": "தயார்",
+ "Chapter Progress": "அத்தியாய முன்னேற்றம்",
+ "words": "வார்த்தைகள்",
+ "{{time}} left": "{{time}} மீதமுள்ளது",
+ "Reading progress": "வாசிப்பு முன்னேற்றம்",
+ "Click to seek": "தேட கிளிக் செய்க",
+ "Skip back 15 words": "15 வார்த்தைகள் பின்னால் செல்",
+ "Back 15 words (Shift+Left)": "15 வார்த்தைகள் பின்னால் செல் (Shift+Left)",
+ "Pause (Space)": "நிறுத்து (Space)",
+ "Play (Space)": "இயக்கு (Space)",
+ "Skip forward 15 words": "15 வார்த்தைகள் முன்னால் செல்",
+ "Forward 15 words (Shift+Right)": "15 வார்த்தைகள் முன்னால் செல் (Shift+Right)",
+ "Pause:": "நிறுத்து:",
+ "Decrease speed": "வேகத்தைக் குறை",
+ "Slower (Left/Down)": "மெதுவாக (Left/Down)",
+ "Current speed": "தற்போதைய வேகம்",
+ "Increase speed": "வேகத்தை அதிகரி",
+ "Faster (Right/Up)": "வேகமாக (Right/Up)",
+ "Start RSVP Reading": "RSVP வாசிப்பைத் தொடங்கு",
+ "Choose where to start reading": "எங்கிருந்து வாசிக்கத் தொடங்க வேண்டும் என்பதைத் தேர்வு செய்க",
+ "From Chapter Start": "அத்தியாயத்தின் தொடக்கத்திலிருந்து",
+ "Start reading from the beginning of the chapter": "அத்தியாயத்தின் தொடக்கத்திலிருந்து வாசிக்கத் தொடங்கு",
+ "Resume": "தொடரவும்",
+ "Continue from where you left off": "நீங்கள் விட்ட இடத்திலிருந்து தொடரவும்",
+ "From Current Page": "தற்போதைய பக்கத்திலிருந்து",
+ "Start from where you are currently reading": "நீங்கள் தற்போது வாசிக்கும் இடத்திலிருந்து தொடங்கு",
+ "From Selection": "தேர்விலிருந்து",
+ "Speed Reading Mode": "வேக வாசிப்பு முறை",
+ "Scroll left": "இடதுபுறம் உருட்டவும்",
+ "Scroll right": "வலதுபுறம் உருட்டவும்",
+ "Library Sync Progress": "நூலக ஒத்திசைவு நிலை",
+ "Back to library": "நூலகத்திற்குத் திரும்பு",
+ "Group by...": "இதன் படி குழுவாக்கு...",
+ "Export as Plain Text": "எளிய உரையாக ஏற்றுமதி செய்",
+ "Export as Markdown": "Markdown ஆக ஏற்றுமதி செய்",
+ "Show Page Navigation Buttons": "வழிசெலுத்தல் பொத்தான்கள்",
+ "Page {{number}}": "பக்கம் {{number}}",
+ "highlight": "சிறப்பித்துக் காட்டு",
+ "underline": "அடிக்கோடு",
+ "squiggly": "வளைந்த கோடு",
+ "red": "சிவப்பு",
+ "violet": "ஊதா",
+ "blue": "நீலம்",
+ "green": "பச்சை",
+ "yellow": "மஞ்சள்",
+ "Select {{style}} style": "{{style}} பாணியைத் தேர்ந்தெடுக்கவும்",
+ "Select {{color}} color": "{{color}} நிறத்தைத் தேர்ந்தெடுக்கவும்",
+ "Close Book": "புத்தகத்தை மூடு",
+ "Speed Reading": "வேக வாசிப்பு",
+ "Close Speed Reading": "வேக வாசிப்பை மூடு",
+ "Authors": "ஆசிரியர்கள்",
+ "Books": "புத்தகங்கள்",
+ "Groups": "குழுக்கள்",
+ "Back to TTS Location": "TTS இடத்திற்குத் திரும்பு",
+ "Metadata": "மெட்டாடேட்டா",
+ "Image viewer": "படக் காட்சிப்பவர்",
+ "Previous Image": "முந்தைய படம்",
+ "Next Image": "அடுத்த படம்",
+ "Zoomed": "பெரிதாக்கப்பட்டது",
+ "Zoom level": "பெரிதாக்கும் நிலை",
+ "Table viewer": "அட்டவணை காட்சிப்பவர்",
+ "Unable to connect to Readwise. Please check your network connection.": "Readwise உடன் இணைக்க முடியவில்லை. உங்கள் நெட்வொர்க் இணைப்பைச் சரிபார்க்கவும்.",
+ "Invalid Readwise access token": "தவறான Readwise அணுகல் டோக்கன்",
+ "Disconnected from Readwise": "Readwise இலிருந்து துண்டிக்கப்பட்டது",
+ "Never": "ஒருபோதும் இல்லை",
+ "Readwise Settings": "Readwise அமைப்புகள்",
+ "Connected to Readwise": "Readwise உடன் இணைக்கப்பட்டது",
+ "Last synced: {{time}}": "கடைசியாக ஒத்திசைக்கப்பட்டது: {{time}}",
+ "Sync Enabled": "ஒத்திசைவு இயக்கப்பட்டது",
+ "Disconnect": "துண்டி",
+ "Connect your Readwise account to sync highlights.": "சிறப்பம்சங்களை ஒத்திசைக்க உங்கள் Readwise கணக்கை இணைக்கவும்.",
+ "Get your access token at": "உங்கள் அணுகல் டோக்கனை இங்கே பெறவும்",
+ "Access Token": "அணுகல் டோக்கன்",
+ "Paste your Readwise access token": "உங்கள் Readwise அணுகல் டோக்கனை ஒட்டவும்",
+ "Config": "கட்டமைப்பு",
+ "Readwise Sync": "Readwise ஒத்திசைவு",
+ "Push Highlights": "சிறப்பம்சங்களை அனுப்பு",
+ "Highlights synced to Readwise": "சிறப்பம்சங்கள் Readwise உடன் ஒத்திசைக்கப்பட்டன",
+ "Readwise sync failed: no internet connection": "Readwise ஒத்திசைவு தோல்வியடைந்தது: இணைய இணைப்பு இல்லை",
+ "Readwise sync failed: {{error}}": "Readwise ஒத்திசைவு தோல்வியடைந்தது: {{error}}"
+}
diff --git a/apps/readest-app/public/locales/th/translation.json b/apps/readest-app/public/locales/th/translation.json
new file mode 100644
index 0000000000000000000000000000000000000000..25bb56fe10ba5ac4df3d97e6ea5953934302cdc6
--- /dev/null
+++ b/apps/readest-app/public/locales/th/translation.json
@@ -0,0 +1,1048 @@
+{
+ "Email address": "อีเมล",
+ "Your Password": "รหัสผ่าน",
+ "Your email address": "อีเมลของคุณ",
+ "Your password": "รหัสผ่านของคุณ",
+ "Sign in": "เข้าสู่ระบบ",
+ "Signing in...": "กำลังเข้าสู่ระบบ...",
+ "Sign in with {{provider}}": "เข้าสู่ระบบด้วย {{provider}}",
+ "Already have an account? Sign in": "มีบัญชีแล้ว? เข้าสู่ระบบ",
+ "Create a Password": "สร้างรหัสผ่าน",
+ "Sign up": "สมัครสมาชิก",
+ "Signing up...": "กำลังสมัครสมาชิก...",
+ "Check your email for the confirmation link": "ตรวจสอบอีเมลเพื่อยืนยัน",
+ "Signing in ...": "กำลังเข้าสู่ระบบ...",
+ "Send a magic link email": "ส่งลิงก์เข้าสู่ระบบ",
+ "Check your email for the magic link": "ตรวจสอบอีเมลเพื่อรับลิงก์",
+ "Send reset password instructions": "ส่งคำแนะนำรีเซ็ตรหัส",
+ "Sending reset instructions ...": "กำลังส่งคำแนะนำ...",
+ "Forgot your password?": "ลืมรหัสผ่าน?",
+ "Check your email for the password reset link": "ตรวจสอบอีเมลเพื่อรีเซ็ตรหัส",
+ "Phone number": "เบอร์โทรศัพท์",
+ "Your phone number": "เบอร์โทรศัพท์ของคุณ",
+ "Token": "รหัสยืนยัน",
+ "Your OTP token": "รหัส OTP ของคุณ",
+ "Verify token": "ยืนยันรหัส",
+ "New Password": "รหัสผ่านใหม่",
+ "Your new password": "รหัสผ่านใหม่ของคุณ",
+ "Update password": "อัปเดตรหัสผ่าน",
+ "Updating password ...": "กำลังอัปเดตรหัสผ่าน...",
+ "Your password has been updated": "รหัสผ่านได้รับการอัปเดตแล้ว",
+ "Something went wrong. Don't worry, our team has been notified and we're working on a fix.": "เกิดข้อผิดพลาด ทีมงานได้รับแจ้งแล้วและกำลังแก้ไข",
+ "Error Details:": "รายละเอียดข้อผิดพลาด:",
+ "Try Again": "ลองใหม่",
+ "Go Back": "กลับ",
+ "Your Library": "คลังหนังสือ",
+ "Need help?": "ต้องการความช่วยเหลือ?",
+ "Contact Support": "ติดต่อฝ่ายสนับสนุน",
+ "Open": "เปิด",
+ "Group": "กลุ่ม",
+ "Details": "รายละเอียด",
+ "Delete": "ลบ",
+ "Cancel": "ยกเลิก",
+ "Confirm Deletion": "ยืนยันการลบ",
+ "Are you sure to delete {{count}} selected book(s)?_other": "ยืนยันลบหนังสือ {{count}} เล่ม?",
+ "Deselect Book": "ยกเลิกเลือกหนังสือ",
+ "Select Book": "เลือกหนังสือ",
+ "Show Book Details": "แสดงรายละเอียดหนังสือ",
+ "Download Book": "ดาวน์โหลดหนังสือ",
+ "Upload Book": "อัปโหลดหนังสือ",
+ "Deselect Group": "ยกเลิกเลือกกลุ่ม",
+ "Select Group": "เลือกกลุ่ม",
+ "Untitled Group": "กลุ่มไม่มีชื่อ",
+ "Group Books": "จัดกลุ่มหนังสือ",
+ "Remove From Group": "ลบออกจากกลุ่ม",
+ "Create New Group": "สร้างกลุ่มใหม่",
+ "Save": "บันทึก",
+ "Confirm": "ยืนยัน",
+ "From Local File": "จากไฟล์ในเครื่อง",
+ "Search in {{count}} Book(s)..._other": "ค้นหาใน {{count}} เล่ม...",
+ "Search Books...": "ค้นหาหนังสือ...",
+ "Clear Search": "ล้างการค้นหา",
+ "Import Books": "นำเข้าหนังสือ",
+ "Select Books": "เลือกหนังสือ",
+ "Deselect": "ยกเลิกเลือก",
+ "Select All": "เลือกทั้งหมด",
+ "Logged in as {{userDisplayName}}": "เข้าสู่ระบบในชื่อ {{userDisplayName}}",
+ "Logged in": "เข้าสู่ระบบแล้ว",
+ "Account": "บัญชี",
+ "Sign In": "เข้าสู่ระบบ",
+ "Auto Upload Books to Cloud": "อัปโหลดหนังสืออัตโนมัติ",
+ "Auto Import on File Open": "นำเข้าอัตโนมัติเมื่อเปิดไฟล์",
+ "Open Last Book on Start": "เปิดหนังสือล่าสุดเมื่อเริ่มใช้",
+ "Check Updates on Start": "ตรวจสอบอัปเดตเมื่อเริ่มใช้",
+ "Fullscreen": "เต็มจอ",
+ "Always on Top": "แสดงด้านบนเสมอ",
+ "Always Show Status Bar": "แสดงแถบสถานะเสมอ",
+ "Keep Screen Awake": "เปิดหน้าจอค้าง",
+ "Reload Page": "โหลดหน้าใหม่",
+ "Dark Mode": "โหมดมืด",
+ "Light Mode": "โหมดสว่าง",
+ "Auto Mode": "โหมดอัตโนมัติ",
+ "Upgrade to Readest Premium": "อัปเกรดเป็น Readest Premium",
+ "Download Readest": "ดาวน์โหลด Readest",
+ "About Readest": "เกี่ยวกับ Readest",
+ "Help improve Readest": "ช่วยพัฒนา Readest",
+ "Sharing anonymized statistics": "แชร์สถิติแบบไม่ระบุตัวตน",
+ "List": "รายการ",
+ "Grid": "ตาราง",
+ "Crop": "ครอบตัด",
+ "Fit": "ปรับพอดี",
+ "Title": "ชื่อเรื่อง",
+ "Author": "ผู้แต่ง",
+ "Format": "รูปแบบ",
+ "Date Read": "วันที่อ่าน",
+ "Date Added": "วันที่เพิ่ม",
+ "Ascending": "น้อยไปมาก",
+ "Descending": "มากไปน้อย",
+ "Book Covers": "ปกหนังสือ",
+ "Sort by...": "เรียงตาม...",
+ "No supported files found. Supported formats: {{formats}}": "ไม่พบไฟล์ที่รองรับ รูปแบบที่รองรับ: {{formats}}",
+ "No chapters detected": "ไม่พบบท",
+ "Failed to parse the EPUB file": "ไม่สามารถอ่านไฟล์ EPUB",
+ "This book format is not supported": "ไม่รองรับรูปแบบหนังสือนี้",
+ "Failed to import book(s): {{filenames}}": "ไม่สามารถนำเข้าหนังสือ: {{filenames}}",
+ "Book uploaded: {{title}}": "อัปโหลดหนังสือแล้ว: {{title}}",
+ "Insufficient storage quota": "พื้นที่จัดเก็บไม่เพียงพอ",
+ "Failed to upload book: {{title}}": "ไม่สามารถอัปโหลดหนังสือ: {{title}}",
+ "Book downloaded: {{title}}": "ดาวน์โหลดหนังสือแล้ว: {{title}}",
+ "Failed to download book: {{title}}": "ไม่สามารถดาวน์โหลดหนังสือ: {{title}}",
+ "Book deleted: {{title}}": "ลบหนังสือแล้ว: {{title}}",
+ "Failed to delete book: {{title}}": "ไม่สามารถลบหนังสือ: {{title}}",
+ "Deleted cloud backup of the book: {{title}}": "ลบสำรองบนคลาวด์แล้ว: {{title}}",
+ "Welcome to your library. You can import your books here and read them anytime.": "ยินดีต้อนรับสู่คลังหนังสือ คุณสามารถนำเข้าหนังสือและอ่านได้ตลอดเวลา",
+ "Copied to notebook": "คัดลอกไปยังสมุดบันทึก",
+ "No annotations to export": "ไม่มีบันทึกให้ส่งออก",
+ "Exported from Readest": "ส่งออกจาก Readest",
+ "Highlights & Annotations": "ไฮไลต์และบันทึก",
+ "Untitled": "ไม่มีชื่อ",
+ "Note": "บันทึก",
+ "Copied to clipboard": "คัดลอกแล้ว",
+ "Copy": "คัดลอก",
+ "Delete Highlight": "ลบไฮไลต์",
+ "Highlight": "ไฮไลต์",
+ "Annotate": "บันทึก",
+ "Search": "ค้นหา",
+ "Dictionary": "พจนานุกรม",
+ "Wikipedia": "วิกิพีเดีย",
+ "Translate": "แปล",
+ "Speak": "อ่านออกเสียง",
+ "Login Required": "ต้องเข้าสู่ระบบ",
+ "Quota Exceeded": "เกินโควตา",
+ "Unable to fetch the translation. Please log in first and try again.": "ไม่สามารถแปลได้ กรุณาเข้าสู่ระบบก่อน",
+ "Unable to fetch the translation. Try again later.": "ไม่สามารถแปลได้ ลองใหม่ภายหลัง",
+ "Original Text": "ข้อความต้นฉบับ",
+ "Auto Detect": "ตรวจสอบอัตโนมัติ",
+ "(detected)": "(ตรวจพบ)",
+ "Translated Text": "ข้อความแปล",
+ "Loading...": "กำลังโหลด...",
+ "No translation available.": "ไม่มีการแปล",
+ "Translated by {{provider}}.": "แปลโดย {{provider}}",
+ "Bookmark": "บุ๊กมาร์ก",
+ "Next Section": "ส่วนถัดไป",
+ "Previous Section": "ส่วนก่อนหน้า",
+ "Next Page": "หน้าถัดไป",
+ "Previous Page": "หน้าก่อนหน้า",
+ "Go Forward": "ไปข้างหน้า",
+ "Small": "เล็ก",
+ "Large": "ใหญ่",
+ "Notebook": "สมุดบันทึก",
+ "No notes match your search": "ไม่พบบันทึกที่ตรงกับการค้นหา",
+ "Excerpts": "ข้อความที่เลือก",
+ "Notes": "บันทึก",
+ "Add your notes here...": "เพิ่มบันทึกที่นี่...",
+ "Search notes and excerpts...": "ค้นหาบันทึกและข้อความ...",
+ "{{time}} min left in chapter": "เหลือ {{time}} นาทีในบท",
+ "{{count}} pages left in chapter_other": "เหลือ {{count}} หน้าในบท",
+ "Theme Mode": "โหมดธีม",
+ "Invert Image In Dark Mode": "กลับสีรูปในโหมดมืด",
+ "Override Book Color": "เขียนทับสีหนังสือ",
+ "Theme Color": "สีธีม",
+ "Custom": "กำหนดเอง",
+ "Code Highlighting": "ไฮไลต์โค้ด",
+ "Enable Highlighting": "เปิดไฮไลต์",
+ "Code Language": "ภาษาโค้ด",
+ "Scroll": "เลื่อน",
+ "Scrolled Mode": "โหมดเลื่อน",
+ "Continuous Scroll": "เลื่อนต่อเนื่อง",
+ "Overlap Pixels": "พิกเซลซ้อน",
+ "Volume Keys for Page Flip": "ปุ่มเสียงเพื่อพลิกหน้า",
+ "Animation": "ภาพเคลื่อนไหว",
+ "Paging Animation": "ภาพเคลื่อนไหวพลิกหน้า",
+ "Security": "ความปลอดภัย",
+ "Allow JavaScript": "อนุญาต JavaScript",
+ "Enable only if you trust the file.": "เปิดเฉพาะไฟล์ที่เชื่อถือได้",
+ "Global Settings": "การตั้งค่าทั่วไป",
+ "Apply to All Books": "ใช้กับหนังสือทั้งหมด",
+ "Apply to This Book": "ใช้กับหนังสือนี้",
+ "Reset Settings": "รีเซ็ตการตั้งค่า",
+ "System Fonts": "ฟอนต์ระบบ",
+ "Serif Font": "ฟอนต์ Serif",
+ "Sans-Serif Font": "ฟอนต์ Sans-Serif",
+ "Override Book Font": "เขียนทับฟอนต์หนังสือ",
+ "Font Size": "ขนาดฟอนต์",
+ "Default Font Size": "ขนาดฟอนต์เริ่มต้น",
+ "Minimum Font Size": "ขนาดฟอนต์ต่ำสุด",
+ "Font Weight": "น้ำหนักฟอนต์",
+ "Font Family": "ตระกูลฟอนต์",
+ "Default Font": "ฟอนต์เริ่มต้น",
+ "CJK Font": "ฟอนต์ CJK",
+ "Font Face": "หน้าฟอนต์",
+ "Monospace Font": "ฟอนต์ Monospace",
+ "Auto": "อัตโนมัติ",
+ "System Language": "ภาษาระบบ",
+ "Language": "ภาษา",
+ "Interface Language": "ภาษาส่วนติดต่อ",
+ "Translation": "การแปล",
+ "Enable Translation": "เปิดการแปล",
+ "Show Source Text": "แสดงข้อความต้นฉบับ",
+ "Translation Service": "บริการแปล",
+ "Translate To": "แปลเป็น",
+ "Override Book Layout": "เขียนทับเลย์เอาต์หนังสือ",
+ "Writing Mode": "โหมดการเขียน",
+ "Default": "เริ่มต้น",
+ "Horizontal Direction": "ทิศทางแนวนอน",
+ "Vertical Direction": "ทิศทางแนวตั้ง",
+ "RTL Direction": "ทิศทาง RTL",
+ "Border Frame": "กรอบขอบ",
+ "Double Border": "ขอบคู่",
+ "Border Color": "สีขอบ",
+ "Paragraph": "ย่อหน้า",
+ "Paragraph Margin": "ระยะขอบย่อหน้า",
+ "Line Spacing": "ระยะห่างบรรทัด",
+ "Word Spacing": "ระยะห่างคำ",
+ "Letter Spacing": "ระยะห่างตัวอักษร",
+ "Text Indent": "การเยื้องข้อความ",
+ "Full Justification": "จัดแนวเต็มบรรทัด",
+ "Hyphenation": "การใส่เครื่องหมายยัติภังค์",
+ "Page": "หน้า",
+ "Top Margin (px)": "ขอบบน (px)",
+ "Bottom Margin (px)": "ขอบล่าง (px)",
+ "Left Margin (px)": "ขอบซ้าย (px)",
+ "Right Margin (px)": "ขอบขวา (px)",
+ "Column Gap (%)": "ช่องว่างคอลัมน์ (%)",
+ "Maximum Number of Columns": "จำนวนคอลัมน์สูงสุด",
+ "Maximum Column Height": "ความสูงคอลัมน์สูงสุด",
+ "Maximum Column Width": "ความกว้างคอลัมน์สูงสุด",
+ "Header & Footer": "หัวกระดาษและท้ายกระดาษ",
+ "Show Header": "แสดงหัวกระดาษ",
+ "Show Footer": "แสดงท้ายกระดาษ",
+ "Show Remaining Time": "แสดงเวลาที่เหลือ",
+ "Show Remaining Pages": "แสดงหน้าที่เหลือ",
+ "Apply also in Scrolled Mode": "ใช้ในโหมดเลื่อนด้วย",
+ "Screen": "หน้าจอ",
+ "Orientation": "การวางแนว",
+ "Portrait": "แนวตั้ง",
+ "Landscape": "แนวนอน",
+ "Apply": "ใช้",
+ "Custom Content CSS": "CSS เนื้อหากำหนดเอง",
+ "Enter CSS for book content styling...": "ป้อน CSS สำหรับจัดรูปแบบเนื้อหา...",
+ "Custom Reader UI CSS": "CSS ส่วนติดต่อผู้ใช้",
+ "Enter CSS for reader interface styling...": "ป้อน CSS สำหรับจัดรูปแบบส่วนติดต่อ...",
+ "Font": "ฟอนต์",
+ "Layout": "เลย์เอาต์",
+ "Color": "สี",
+ "Behavior": "พฤติกรรม",
+ "Reset {{settings}}": "รีเซ็ต {{settings}}",
+ "(from 'As You Like It', Act II)": "(จาก 'As You Like It', องก์ที่ 2)",
+ "Custom Theme": "ธีมกำหนดเอง",
+ "Theme Name": "ชื่อธีม",
+ "Text Color": "สีข้อความ",
+ "Background Color": "สีพื้นหลัง",
+ "Link Color": "สีลิงก์",
+ "Preview": "ดูตัวอย่าง",
+ "Font & Layout": "ฟอนต์และเลย์เอาต์",
+ "More Info": "ข้อมูลเพิ่มเติม",
+ "Parallel Read": "อ่านคู่ขนาน",
+ "Disable": "ปิด",
+ "Enable": "เปิด",
+ "Export Annotations": "ส่งออกบันทึก",
+ "Sort TOC by Page": "เรียงสารบัญตามหน้า",
+ "Edit": "แก้ไข",
+ "Search...": "ค้นหา...",
+ "Book": "หนังสือ",
+ "Chapter": "บท",
+ "Match Case": "ตรงตามตัวอักษร",
+ "Match Whole Words": "ตรงทั้งคำ",
+ "Match Diacritics": "ตรงตามเครื่องหมายวรรณยุกต์",
+ "TOC": "สารบัญ",
+ "Table of Contents": "สารบัญ",
+ "Sidebar": "แถบข้าง",
+ "Disable Translation": "ปิดการแปล",
+ "TTS not supported for PDF": "ไม่รองรับ TTS สำหรับ PDF",
+ "No Timeout": "ไม่จำกัดเวลา",
+ "{{value}} minute": "{{value}} นาที",
+ "{{value}} minutes": "{{value}} นาที",
+ "{{value}} hour": "{{value}} ชั่วโมง",
+ "{{value}} hours": "{{value}} ชั่วโมง",
+ "Slow": "ช้า",
+ "Fast": "เร็ว",
+ "{{engine}}: {{count}} voices_other": "{{engine}}: {{count}} เสียง",
+ "Sign in to Sync": "เข้าสู่ระบบเพื่อซิงค์",
+ "Synced at {{time}}": "ซิงค์เมื่อ {{time}}",
+ "Never synced": "ไม่เคยซิงค์",
+ "Reading Progress Synced": "ซิงค์ความคืบหน้าแล้ว",
+ "Delete Your Account?": "ลบบัญชีของคุณ?",
+ "This action cannot be undone. All your data in the cloud will be permanently deleted.": "การกระทำนี้ไม่สามารถยกเลิกได้ ข้อมูลทั้งหมดบนคลาวด์จะถูกลบถาวร",
+ "Delete Permanently": "ลบถาวร",
+ "Manage Subscription": "จัดการการสมัครสมาชิก",
+ "Sign Out": "ออกจากระบบ",
+ "Delete Account": "ลบบัญชี",
+ "Upgrade to {{plan}}": "อัปเกรดเป็น {{plan}}",
+ "Complete Your Subscription": "ดำเนินการสมัครสมาชิกให้เสร็จ",
+ "Coming Soon": "เร็วๆ นี้",
+ "Upgrade to Plus or Pro": "อัปเกรดเป็น Plus หรือ Pro",
+ "Current Plan": "แผนปัจจุบัน",
+ "Plan Limits": "ข้อจำกัดแผน",
+ "Failed to delete user. Please try again later.": "ไม่สามารถลบผู้ใช้ ลองใหม่ภายหลัง",
+ "Loading profile...": "กำลังโหลดโปรไฟล์...",
+ "Processing your payment...": "กำลังประมวลผลการชำระเงิน...",
+ "Please wait while we confirm your subscription.": "กรุณารอสักครู่เพื่อยืนยันการสมัครสมาชิก",
+ "Payment Processing": "กำลังประมวลผลการชำระเงิน",
+ "Your payment is being processed. This usually takes a few moments.": "กำลังประมวลผลการชำระเงิน โดยปกติใช้เวลาสักครู่",
+ "Payment Failed": "การชำระเงินล้มเหลว",
+ "We couldn't process your subscription. Please try again or contact support if the issue persists.": "ไม่สามารถประมวลผลการสมัครสมาชิก ลองใหม่หรือติดต่อฝ่ายสนับสนุน",
+ "Back to Profile": "กลับไปที่โปรไฟล์",
+ "Subscription Successful!": "สมัครสมาชิกสำเร็จ!",
+ "Thank you for your subscription! Your payment has been processed successfully.": "ขอบคุณสำหรับการสมัครสมาชิก! ชำระเงินเรียบร้อยแล้ว",
+ "Email:": "อีเมล:",
+ "Plan:": "แผน:",
+ "Amount:": "จำนวนเงิน:",
+ "Go to Library": "ไปที่คลังหนังสือ",
+ "Need help? Contact our support team at support@readest.com": "ต้องการความช่วยเหลือ? ติดต่อทีมสนับสนุนที่ support@readest.com",
+ "Free Plan": "แผนฟรี",
+ "month": "เดือน",
+ "Cross-Platform Sync": "ซิงค์ข้ามแพลตฟอร์ม",
+ "Seamlessly sync your library, progress, highlights, and notes across all your devices—never lose your place again.": "ซิงค์คลังหนังสือ ความคืบหน้า ไฮไลต์ และบันทึกข้ามอุปกรณ์—ไม่สูญหายอีกต่อไป",
+ "Customizable Reading": "การอ่านแบบปรับแต่งได้",
+ "Personalize every detail with adjustable fonts, layouts, themes, and advanced display settings for the perfect reading experience.": "ปรับแต่งทุกรายละเอียดด้วยฟอนต์ เลย์เอาต์ ธีม และการตั้งค่าขั้นสูงเพื่อประสบการณ์การอ่านที่สมบูรณ์แบบ",
+ "AI Read Aloud": "AI อ่านออกเสียง",
+ "Enjoy hands-free reading with natural-sounding AI voices that bring your books to life.": "เพลิดเพลินกับการอ่านแบบเสรีมือด้วยเสียง AI ที่เป็นธรรมชาติ",
+ "AI Translations": "การแปลด้วย AI",
+ "Translate any text instantly with the power of Google, Azure, or DeepL—understand content in any language.": "แปลข้อความได้ทันทีด้วยพลัง Google, Azure หรือ DeepL—เข้าใจเนื้อหาทุกภาษา",
+ "Community Support": "การสนับสนุนชุมชน",
+ "Connect with fellow readers and get help fast in our friendly community channels.": "เชื่อมต่อกับนักอ่านอื่นๆ และรับความช่วยเหลือในชุมชนที่เป็นมิตร",
+ "Cloud Sync Storage": "พื้นที่จัดเก็บซิงค์คลาวด์",
+ "AI Translations (per day)": "การแปล AI (ต่อวัน)",
+ "Plus Plan": "แผน Plus",
+ "Includes All Free Plan Benefits": "รวมสิทธิประโยชน์แผนฟรีทั้งหมด",
+ "Unlimited AI Read Aloud Hours": "AI อ่านออกเสียงไม่จำกัด",
+ "Listen without limits—convert as much text as you like into immersive audio.": "ฟังไม่จำกัด—แปลงข้อความเป็นเสียงได้ไม่อั้น",
+ "More AI Translations": "การแปล AI เพิ่มขึ้น",
+ "Unlock enhanced translation capabilities with more daily usage and advanced options.": "ปลดล็อกความสามารถการแปลที่เพิ่มขึ้นพร้อมโควตารายวันและตัวเลือกขั้นสูง",
+ "DeepL Pro Access": "การเข้าถึง DeepL Pro",
+ "Translate up to 100,000 characters daily with the most accurate translation engine available.": "แปลได้สูงสุด 100,000 อักขระต่อวันด้วยเครื่องมือแปลที่แม่นยำที่สุด",
+ "Securely store and access your entire reading collection with up to 5 GB of cloud storage.": "จัดเก็บและเข้าถึงคอลเลคชันการอ่านอย่างปลอดภัยด้วยพื้นที่คลาวด์ 5 GB",
+ "Priority Support": "การสนับสนุนแบบพิเศษ",
+ "Enjoy faster responses and dedicated assistance whenever you need help.": "รับการตอบสนองที่รวดเร็วและความช่วยเหลือเฉพาะเมื่อต้องการ",
+ "Pro Plan": "แผน Pro",
+ "Includes All Plus Plan Benefits": "รวมสิทธิประโยชน์แผน Plus ทั้งหมด",
+ "Early Feature Access": "เข้าถึงฟีเจอร์ใหม่ก่อนใคร",
+ "Be the first to explore new features, updates, and innovations before anyone else.": "เป็นคนแรกที่ได้สำรวจฟีเจอร์ใหม่ อัปเดต และนวัตกรรมก่อนใคร",
+ "Advanced AI Tools": "เครื่องมือ AI ขั้นสูง",
+ "Harness powerful AI tools for smarter reading, translation, and content discovery.": "ใช้เครื่องมือ AI อันทรงพลังเพื่อการอ่าน การแปล และการค้นหาเนื้อหาที่ฉลาดขึ้น",
+ "Translate up to 500,000 characters daily with the most accurate translation engine available.": "แปลได้สูงสุด 500,000 อักขระต่อวันด้วยเครื่องมือแปลที่แม่นยำที่สุด",
+ "Securely store and access your entire reading collection with up to 20 GB of cloud storage.": "จัดเก็บและเข้าถึงคอลเลคชันการอ่านอย่างปลอดภัยด้วยพื้นที่คลาวด์ 20 GB",
+ "Version {{version}}": "เวอร์ชัน {{version}}",
+ "Check Update": "ตรวจสอบอัปเดต",
+ "Already the latest version": "เป็นเวอร์ชันล่าสุดแล้ว",
+ "Checking for updates...": "กำลังตรวจสอบอัปเดต...",
+ "Error checking for updates": "เกิดข้อผิดพลาดในการตรวจสอบอัปเดต",
+ "Book Details": "รายละเอียดหนังสือ",
+ "Unknown": "ไม่ทราบ",
+ "Publisher": "สำนักพิมพ์",
+ "Published": "วันที่พิมพ์",
+ "Updated": "อัปเดต",
+ "Added": "เพิ่มเมื่อ",
+ "Subjects": "หัวข้อ",
+ "File Size": "ขนาดไฟล์",
+ "Description": "คำอธิบาย",
+ "No description available": "ไม่มีคำอธิบาย",
+ "Are you sure to delete the selected book?": "ยืนยันลบหนังสือที่เลือก?",
+ "Are you sure to delete the cloud backup of the selected book?": "ยืนยันลบสำรองคลาวด์ของหนังสือที่เลือก?",
+ "Drop to Import Books": "วางเพื่อนำเข้าหนังสือ",
+ "A new version of Readest is available!": "Readest เวอร์ชันใหม่พร้อมใช้งาน!",
+ "Readest {{newVersion}} is available (installed version {{currentVersion}}).": "Readest {{newVersion}} พร้อมใช้งาน (เวอร์ชันที่ติดตั้ง {{currentVersion}})",
+ "Download and install now?": "ดาวน์โหลดและติดตั้งเลย?",
+ "Downloading {{downloaded}} of {{contentLength}}": "กำลังดาวน์โหลด {{downloaded}} จาก {{contentLength}}",
+ "Download finished": "ดาวน์โหลดเสร็จสิ้น",
+ "DOWNLOAD & INSTALL": "ดาวน์โหลดและติดตั้ง",
+ "Changelog": "รายการเปลี่ยนแปลง",
+ "Software Update": "อัปเดตซอฟต์แวร์",
+ "{{percentage}}% of Cloud Sync Space Used.": "ใช้พื้นที่ซิงค์คลาวด์ {{percentage}}%",
+ "Translation Characters": "อักขระการแปล",
+ "{{percentage}}% of Daily Translation Characters Used.": "ใช้อักขระการแปลรายวัน {{percentage}}%",
+ "Daily translation quota reached. Upgrade your plan to continue using AI translations.": "ใช้โควตาการแปลรายวันครบแล้ว อัปเกรดแผนเพื่อใช้การแปล AI ต่อ",
+ "LXGW WenKai GB Screen": "LXGW WenKai GB Screen",
+ "LXGW WenKai TC": "LXGW WenKai TC",
+ "GuanKiapTsingKhai-T": "GuanKiapTsingKhai-T",
+ "Source Han Serif CN": "Source Han Serif CN",
+ "Huiwen-MinchoGBK": "Huiwen Mincho",
+ "KingHwa_OldSong": "KingHwa_OldSong",
+ "Azure Translator": "Azure Translator",
+ "DeepL": "DeepL",
+ "Google Translate": "Google Translate",
+ "Gray": "สีเทา",
+ "Sepia": "สีซีเปีย",
+ "Grass": "สีเขียว",
+ "Cherry": "สีชมพู",
+ "Sky": "สีฟ้า",
+ "Solarized": "Solarized",
+ "Gruvbox": "Gruvbox",
+ "Nord": "Nord",
+ "Contrast": "ความคมชัด",
+ "Sunset": "สีพระอาทิตย์ตก",
+ "Reveal in Finder": "แสดงใน Finder",
+ "Reveal in File Explorer": "แสดงใน File Explorer",
+ "Reveal in Folder": "แสดงในโฟลเดอร์",
+ "Don't have an account? Sign up": "ยังไม่มีบัญชี? สมัครสมาชิก",
+ "All the world's a stage,\nAnd all the men and women merely players;\nThey have their exits and their entrances,\nAnd one man in his time plays many parts,\nHis acts being seven ages.\n\n— William Shakespeare": "โลกทั้งใบเป็นเวที\nและชายหญิงทั้งปวงเป็นนักแสดง\nมีทางเข้าและทางออก\nแต่ละคนในชีวิตเล่นหลายบท\nการกระทำของเขาแบ่งเป็นเจ็ดวัย\n\n— วิลเลียม เชกสเปียร์",
+ "What's New in Readest": "มีอะไรใหม่ใน Readest",
+ "Enter book title": "ป้อนชื่อหนังสือ",
+ "Subtitle": "หัวข้อรอง",
+ "Enter book subtitle": "ป้อนหัวข้อรองของหนังสือ",
+ "Enter author name": "ป้อนชื่อผู้แต่ง",
+ "Series": "ชุด",
+ "Enter series name": "ป้อนชื่อชุด",
+ "Series Index": "เลขที่ในชุด",
+ "Enter series index": "ป้อนเลขที่ในชุด",
+ "Total in Series": "จำนวนรวมในชุด",
+ "Enter total books in series": "ป้อนจำนวนหนังสือทั้งหมดในชุด",
+ "Enter publisher": "ป้อนสำนักพิมพ์",
+ "Publication Date": "วันที่พิมพ์",
+ "Identifier": "ตัวระบุ",
+ "Enter book description": "ป้อนคำอธิบายหนังสือ",
+ "Change cover image": "เปลี่ยนรูปปก",
+ "Replace": "แทนที่",
+ "Unlock cover": "ปลดล็อคปก",
+ "Lock cover": "ล็อคปก",
+ "Auto-Retrieve Metadata": "ดึงข้อมูลเมตาอัตโนมัติ",
+ "Auto-Retrieve": "ดึงข้อมูลอัตโนมัติ",
+ "Unlock all fields": "ปลดล็อคทุกช่อง",
+ "Unlock All": "ปลดล็อคทั้งหมด",
+ "Lock all fields": "ล็อคทุกช่อง",
+ "Lock All": "ล็อคทั้งหมด",
+ "Reset": "รีเซ็ต",
+ "Edit Metadata": "แก้ไขข้อมูลเมตา",
+ "Locked": "ล็อคแล้ว",
+ "Select Metadata Source": "เลือกแหล่งข้อมูลเมตา",
+ "Keep manual input": "เก็บข้อมูลที่ป้อนด้วยตนเอง",
+ "Google Books": "Google Books",
+ "Open Library": "Open Library",
+ "Fiction, Science, History": "นิยาย, วิทยาศาสตร์, ประวัติศาสตร์",
+ "Open Book in New Window": "เปิดหนังสือในหน้าต่างใหม่",
+ "Voices for {{lang}}": "เสียงสำหรับ {{lang}}",
+ "Yandex Translate": "Yandex Translate",
+ "YYYY or YYYY-MM-DD": "YYYY หรือ YYYY-MM-DD",
+ "Restore Purchase": "กู้คืนการซื้อ",
+ "No purchases found to restore.": "ไม่พบการซื้อเพื่อกู้คืน",
+ "Failed to restore purchases.": "ไม่สามารถกู้คืนการซื้อได้",
+ "Failed to manage subscription.": "ไม่สามารถจัดการการสมัครสมาชิกได้",
+ "Failed to load subscription plans.": "ไม่สามารถโหลดแผนการสมัครสมาชิกได้",
+ "year": "ปี",
+ "Failed to create checkout session": "ไม่สามารถสร้างเซสชันการชำระเงินได้",
+ "Storage": "พื้นที่เก็บข้อมูล",
+ "Terms of Service": "ข้อกำหนดในการให้บริการ",
+ "Privacy Policy": "นโยบายความเป็นส่วนตัว",
+ "Disable Double Click": "ปิดการคลิกสองครั้ง",
+ "TTS not supported for this document": "ไม่รองรับ TTS สำหรับเอกสารนี้",
+ "Reset Password": "รีเซ็ตพาสเวิร์ด",
+ "Show Reading Progress": "แสดงความคืบหน้าในการอ่าน",
+ "Reading Progress Style": "สไตล์ความก้าวหน้าในการอ่าน",
+ "Page Number": "หมายเลขหน้า",
+ "Percentage": "เปอร์เซ็นต์",
+ "Deleted local copy of the book: {{title}}": "ลบสำเนาในเครื่องแล้ว: {{title}}",
+ "Failed to delete cloud backup of the book: {{title}}": "ไม่สามารถลบสำเนาสำรองในคลาวด์ของหนังสือ: {{title}}",
+ "Failed to delete local copy of the book: {{title}}": "ไม่สามารถลบสำเนาในเครื่องของหนังสือ: {{title}}",
+ "Are you sure to delete the local copy of the selected book?": "คุณแน่ใจหรือไม่ว่าต้องการลบสำเนาในเครื่องของหนังสือที่เลือก?",
+ "Remove from Cloud & Device": "ลบจากคลาวด์และอุปกรณ์",
+ "Remove from Cloud Only": "ลบจากคลาวด์เท่านั้น",
+ "Remove from Device Only": "ลบจากอุปกรณ์เท่านั้น",
+ "Disconnected": "ตัดการเชื่อมต่อ",
+ "KOReader Sync Settings": "การตั้งค่าการซิงค์ KOReader",
+ "Sync Strategy": "กลยุทธ์การซิงค์",
+ "Ask on conflict": "ถามเมื่อเกิดความขัดแย้ง",
+ "Always use latest": "ใช้เวอร์ชันล่าสุดเสมอ",
+ "Send changes only": "ส่งการเปลี่ยนแปลงเท่านั้น",
+ "Receive changes only": "รับการเปลี่ยนแปลงเท่านั้น",
+ "Checksum Method": "วิธีการตรวจสอบความถูกต้อง",
+ "File Content (recommended)": "เนื้อหาไฟล์ (แนะนำ)",
+ "File Name": "ชื่อไฟล์",
+ "Device Name": "ชื่ออุปกรณ์",
+ "Connect to your KOReader Sync server.": "เชื่อมต่อกับเซิร์ฟเวอร์ KOReader Sync ของคุณ",
+ "Server URL": "URL ของเซิร์ฟเวอร์",
+ "Username": "ชื่อผู้ใช้",
+ "Your Username": "ชื่อผู้ใช้ของคุณ",
+ "Password": "รหัสผ่าน",
+ "Connect": "เชื่อมต่อ",
+ "KOReader Sync": "KOReader Sync",
+ "Sync Conflict": "ความขัดแย้งในการซิงค์",
+ "Sync reading progress from \"{{deviceName}}\"?": "ซิงค์ความก้าวหน้าในการอ่านจาก \"{{deviceName}}\"?",
+ "another device": "อุปกรณ์อื่น",
+ "Local Progress": "ความก้าวหน้าในเครื่อง",
+ "Remote Progress": "ความก้าวหน้าในคลาวด์",
+ "Page {{page}} of {{total}} ({{percentage}}%)": "หน้า {{page}} จาก {{total}} ({{percentage}}%)",
+ "Current position": "ตำแหน่งปัจจุบัน",
+ "Approximately page {{page}} of {{total}} ({{percentage}}%)": "ประมาณหน้า {{page}} จาก {{total}} ({{percentage}}%)",
+ "Approximately {{percentage}}%": "ประมาณ {{percentage}}%",
+ "Failed to connect": "ไม่สามารถเชื่อมต่อได้",
+ "Sync Server Connected": "เซิร์ฟเวอร์ซิงค์เชื่อมต่อแล้ว",
+ "Sync as {{userDisplayName}}": "ซิงค์เป็น {{userDisplayName}}",
+ "Custom Fonts": "ฟอนต์กำหนดเอง",
+ "Cancel Delete": "ยกเลิกการลบ",
+ "Import Font": "นำเข้าฟอนต์",
+ "Delete Font": "ลบฟอนต์",
+ "Tips": "เคล็ดลับ",
+ "Custom fonts can be selected from the Font Face menu": "ฟอนต์กำหนดเองสามารถเลือกได้จากเมนูฟอนต์",
+ "Manage Custom Fonts": "จัดการฟอนต์กำหนดเอง",
+ "Select Files": "เลือกไฟล์",
+ "Select Image": "เลือกรูปภาพ",
+ "Select Video": "เลือกวิดีโอ",
+ "Select Audio": "เลือกเสียง",
+ "Select Fonts": "เลือกฟอนต์",
+ "Supported font formats: .ttf, .otf, .woff, .woff2": "รูปแบบฟอนต์ที่รองรับ: .ttf, .otf, .woff, .woff2",
+ "Push Progress": "ส่งความคืบหน้า",
+ "Pull Progress": "ดึงความคืบหน้า",
+ "Previous Paragraph": "ย่อหน้าก่อนหน้า",
+ "Previous Sentence": "ประโยคก่อนหน้า",
+ "Pause": "หยุดชั่วคราว",
+ "Play": "เล่น",
+ "Next Sentence": "ประโยคถัดไป",
+ "Next Paragraph": "ย่อหน้าถัดไป",
+ "Separate Cover Page": "หน้าปกแยกต่างหาก",
+ "Resize Notebook": "ปรับขนาดสมุดบันทึก",
+ "Resize Sidebar": "ปรับขนาดแถบข้าง",
+ "Get Help from the Readest Community": "รับความช่วยเหลือจากชุมชน Readest",
+ "Remove cover image": "ลบรูปปก",
+ "Bookshelf": "ชั้นวางหนังสือ",
+ "View Menu": "ดูเมนู",
+ "Settings Menu": "เมนูการตั้งค่า",
+ "View account details and quota": "ดูรายละเอียดบัญชีและโควต้า",
+ "Library Header": "ส่วนหัวของห้องสมุด",
+ "Book Content": "เนื้อหาหนังสือ",
+ "Footer Bar": "แถบด้านล่าง",
+ "Header Bar": "แถบส่วนหัว",
+ "View Options": "ตัวเลือกการดู",
+ "Book Menu": "เมนูหนังสือ",
+ "Search Options": "ตัวเลือกการค้นหา",
+ "Close": "ปิด",
+ "Delete Book Options": "ตัวเลือกการลบหนังสือ",
+ "ON": "เปิด",
+ "OFF": "ปิด",
+ "Reading Progress": "ความคืบหน้าในการอ่าน",
+ "Page Margin": "ขอบหน้า",
+ "Remove Bookmark": "ลบบุ๊กมาร์ก",
+ "Add Bookmark": "เพิ่มบุ๊กมาร์ก",
+ "Books Content": "เนื้อหาหนังสือ",
+ "Jump to Location": "กระโดดไปยังตำแหน่ง",
+ "Unpin Notebook": "ยกเลิกการตรึงสมุดบันทึก",
+ "Pin Notebook": "ตรึงสมุดบันทึก",
+ "Hide Search Bar": "ซ่อนแถบค้นหา",
+ "Show Search Bar": "แสดงแถบค้นหา",
+ "On {{current}} of {{total}} page": "อยู่ที่หน้า {{current}} จาก {{total}}",
+ "Section Title": "หัวข้อส่วน",
+ "Decrease": "ลดลง",
+ "Increase": "เพิ่มขึ้น",
+ "Settings Panels": "แผงการตั้งค่า",
+ "Settings": "การตั้งค่า",
+ "Unpin Sidebar": "ยกเลิกการตรึงแถบด้านข้าง",
+ "Pin Sidebar": "ตรึงแถบด้านข้าง",
+ "Toggle Sidebar": "เปลี่ยนแถบด้านข้าง",
+ "Toggle Translation": "เปลี่ยนการแปล",
+ "Translation Disabled": "การแปลถูกปิดใช้งาน",
+ "Minimize": "ย่อ",
+ "Maximize or Restore": "ขยายหรือคืนค่า",
+ "Exit Parallel Read": "ออกจากการอ่านคู่ขนาน",
+ "Enter Parallel Read": "เริ่มการอ่านคู่ขนาน",
+ "Zoom Level": "ระดับการซูม",
+ "Zoom Out": "ลดระดับการซูม",
+ "Reset Zoom": "รีเซ็ตระดับการซูม",
+ "Zoom In": "เพิ่มระดับการซูม",
+ "Zoom Mode": "โหมดการซูม",
+ "Single Page": "หน้าเดียว",
+ "Auto Spread": "การกระจายอัตโนมัติ",
+ "Fit Page": "พอดีกับหน้า",
+ "Fit Width": "พอดีกับความกว้าง",
+ "Failed to select directory": "ไม่สามารถเลือกไดเรกทอรีได้",
+ "The new data directory must be different from the current one.": "ไดเรกทอรีข้อมูลใหม่จะต้องแตกต่างจากไดเรกทอรีปัจจุบัน",
+ "Migration failed: {{error}}": "การย้ายข้อมูลล้มเหลว: {{error}}",
+ "Change Data Location": "เปลี่ยนตำแหน่งข้อมูล",
+ "Current Data Location": "ตำแหน่งข้อมูลปัจจุบัน",
+ "Total size: {{size}}": "ขนาดรวม: {{size}}",
+ "Calculating file info...": "กำลังคำนวณข้อมูลไฟล์...",
+ "New Data Location": "ตำแหน่งข้อมูลใหม่",
+ "Choose Different Folder": "เลือกโฟลเดอร์ที่แตกต่าง",
+ "Choose New Folder": "เลือกโฟลเดอร์ใหม่",
+ "Migrating data...": "กำลังย้ายข้อมูล...",
+ "Copying: {{file}}": "กำลังคัดลอก: {{file}}",
+ "{{current}} of {{total}} files": "{{current}} จาก {{total}} ไฟล์",
+ "Migration completed successfully!": "การย้ายข้อมูลเสร็จสมบูรณ์!",
+ "Your data has been moved to the new location. Please restart the application to complete the process.": "ข้อมูลของคุณได้ถูกย้ายไปยังตำแหน่งใหม่แล้ว กรุณารีสตาร์ทแอปพลิเคชันเพื่อทำให้กระบวนการเสร็จสมบูรณ์",
+ "Migration failed": "การย้ายข้อมูลล้มเหลว",
+ "Important Notice": "ประกาศสำคัญ",
+ "This will move all your app data to the new location. Make sure the destination has enough free space.": "สิ่งนี้จะย้ายข้อมูลแอปทั้งหมดของคุณไปยังตำแหน่งใหม่ ตรวจสอบให้แน่ใจว่าตำแหน่งปลายทางมีพื้นที่ว่างเพียงพอ",
+ "Restart App": "รีสตาร์ทแอป",
+ "Start Migration": "เริ่มการย้ายข้อมูล",
+ "Advanced Settings": "การตั้งค่าขั้นสูง",
+ "File count: {{size}}": "จำนวนไฟล์: {{size}}",
+ "Background Read Aloud": "อ่านออกเสียงเบื้องหลัง",
+ "Ready to read aloud": "พร้อมที่จะอ่านออกเสียง",
+ "Read Aloud": "อ่านออกเสียง",
+ "Screen Brightness": "ความสว่างหน้าจอ",
+ "Background Image": "ภาพพื้นหลัง",
+ "Import Image": "นำเข้าภาพ",
+ "Opacity": "ความโปร่งใส",
+ "Size": "ขนาด",
+ "Cover": "ปก",
+ "Contain": "บรรจุ",
+ "{{number}} pages left in chapter": "เหลือ {{number}} หน้าในบท",
+ "Device": "อุปกรณ์",
+ "E-Ink Mode": "โหมด E-Ink",
+ "Highlight Colors": "สีไฮไลต์",
+ "Auto Screen Brightness": "ความสว่างหน้าจออัตโนมัติ",
+ "Pagination": "การแบ่งหน้า",
+ "Disable Double Tap": "ปิดการแตะสองครั้ง",
+ "Tap to Paginate": "แตะเพื่อแบ่งหน้า",
+ "Click to Paginate": "คลิกเพื่อแบ่งหน้า",
+ "Tap Both Sides": "แตะทั้งสองด้าน",
+ "Click Both Sides": "คลิกทั้งสองด้าน",
+ "Swap Tap Sides": "เปลี่ยนด้านการแตะ",
+ "Swap Click Sides": "เปลี่ยนด้านการคลิก",
+ "Source and Translated": "ต้นฉบับและแปลแล้ว",
+ "Translated Only": "แปลแล้วเท่านั้น",
+ "Source Only": "ต้นฉบับเท่านั้น",
+ "TTS Text": "ข้อความ TTS",
+ "The book file is corrupted": "ไฟล์หนังสือเสียหาย",
+ "The book file is empty": "ไฟล์หนังสือว่างเปล่า",
+ "Failed to open the book file": "ไม่สามารถเปิดไฟล์หนังสือได้",
+ "On-Demand Purchase": "การซื้อเมื่อจำเป็น",
+ "Full Customization": "การปรับแต่งเต็มรูปแบบ",
+ "Lifetime Plan": "แผนการใช้งานตลอดชีพ",
+ "One-Time Payment": "การชำระเงินครั้งเดียว",
+ "Make a single payment to enjoy lifetime access to specific features on all devices. Purchase specific features or services only when you need them.": "ทำการชำระเงินครั้งเดียวเพื่อเพลิดเพลินกับการเข้าถึงฟีเจอร์เฉพาะตลอดชีพบนอุปกรณ์ทั้งหมด ซื้อฟีเจอร์หรือบริการเฉพาะเมื่อคุณต้องการเท่านั้น",
+ "Expand Cloud Sync Storage": "ขยายพื้นที่เก็บข้อมูลซิงค์คลาวด์",
+ "Expand your cloud storage forever with a one-time purchase. Each additional purchase adds more space.": "ขยายพื้นที่เก็บข้อมูลซิงค์คลาวด์ของคุณตลอดไปด้วยการซื้อครั้งเดียว การซื้อเพิ่มเติมแต่ละครั้งจะเพิ่มพื้นที่มากขึ้น",
+ "Unlock All Customization Options": "ปลดล็อกตัวเลือกการปรับแต่งทั้งหมด",
+ "Unlock additional themes, fonts, layout options and read aloud, translators, cloud storage services.": "ปลดล็อกธีมเพิ่มเติม ฟอนต์ ตัวเลือกการจัดรูปแบบ และฟีเจอร์การอ่านออกเสียง ตัวแปล และบริการพื้นที่เก็บข้อมูลคลาวด์",
+ "Purchase Successful!": "การซื้อสำเร็จ!",
+ "lifetime": "ตลอดชีพ",
+ "Thank you for your purchase! Your payment has been processed successfully.": "ขอบคุณสำหรับการซื้อ! การชำระเงินของคุณได้รับการประมวลผลเรียบร้อยแล้ว",
+ "Order ID:": "รหัสคำสั่งซื้อ:",
+ "TTS Highlighting": "การไฮไลต์ TTS",
+ "Style": "สไตล์",
+ "Underline": "ขีดเส้นใต้",
+ "Strikethrough": "ขีดฆ่า",
+ "Squiggly": "เส้นหยัก",
+ "Outline": "เส้นขอบ",
+ "Save Current Color": "บันทึกสีปัจจุบัน",
+ "Quick Colors": "สีด่วน",
+ "Highlighter": "ปากกาเน้นข้อความ",
+ "Save Book Cover": "บันทึกปกหนังสือ",
+ "Auto-save last book cover": "บันทึกปกหนังสือสุดท้ายโดยอัตโนมัติ",
+ "Back": "กลับ",
+ "Confirmation email sent! Please check your old and new email addresses to confirm the change.": "ส่งอีเมลยืนยันแล้ว! กรุณาตรวจสอบอีเมลเก่าและใหม่ของคุณเพื่อยืนยันการเปลี่ยนแปลง",
+ "Failed to update email": "ไม่สามารถอัปเดตอีเมลได้",
+ "New Email": "อีเมลใหม่",
+ "Your new email": "อีเมลใหม่ของคุณ",
+ "Updating email ...": "กำลังอัปเดตอีเมล ...",
+ "Update email": "อัปเดตอีเมล",
+ "Current email": "อีเมลปัจจุบัน",
+ "Update Email": "อัปเดตอีเมล",
+ "All": "ทั้งหมด",
+ "Unable to open book": "ไม่สามารถเปิดหนังสือได้",
+ "Punctuation": "เครื่องหมายวรรคตอน",
+ "Replace Quotation Marks": "แทนที่เครื่องหมายคำพูด",
+ "Enabled only in vertical layout.": "เปิดใช้งานเฉพาะในเค้าโครงแนวตั้งเท่านั้น",
+ "No Conversion": "ไม่แปลงค่า",
+ "Simplified to Traditional": "ตัวย่อ → ตัวเต็ม",
+ "Traditional to Simplified": "ตัวเต็ม → ตัวย่อ",
+ "Simplified to Traditional (Taiwan)": "ตัวย่อ → ตัวเต็ม (ไต้หวัน)",
+ "Simplified to Traditional (Hong Kong)": "ตัวย่อ → ตัวเต็ม (ฮ่องกง)",
+ "Simplified to Traditional (Taiwan), with phrases": "ตัวย่อ → ตัวเต็ม (ไต้หวัน • วลี)",
+ "Traditional (Taiwan) to Simplified": "ตัวเต็ม (ไต้หวัน) → ตัวย่อ",
+ "Traditional (Hong Kong) to Simplified": "ตัวเต็ม (ฮ่องกง) → ตัวย่อ",
+ "Traditional (Taiwan) to Simplified, with phrases": "ตัวเต็ม (ไต้หวัน • วลี) → ตัวย่อ",
+ "Convert Simplified and Traditional Chinese": "แปลงจีนตัวย่อ/ตัวเต็ม",
+ "Convert Mode": "โหมดแปลงค่า",
+ "Failed to auto-save book cover for lock screen: {{error}}": "ไม่สามารถบันทึกปกหนังสือสำหรับหน้าจอล็อกโดยอัตโนมัติ: {{error}}",
+ "Download from Cloud": "ดาวน์โหลดจากคลาวด์",
+ "Upload to Cloud": "อัปโหลดไปยังคลาวด์",
+ "Clear Custom Fonts": "ล้างฟอนต์กำหนดเอง",
+ "Columns": "คอลัมน์",
+ "OPDS Catalogs": "แคตตาล็อก OPDS",
+ "Adding LAN addresses is not supported in the web app version.": "ไม่รองรับการเพิ่มที่อยู่ LAN ในเวอร์ชันเว็บแอป",
+ "Invalid OPDS catalog. Please check the URL.": "แคตตาล็อก OPDS ไม่ถูกต้อง กรุณาตรวจสอบ URL",
+ "Browse and download books from online catalogs": "เรียกดูและดาวน์โหลดหนังสือจากแคตตาล็อกออนไลน์",
+ "My Catalogs": "แคตตาล็อกของฉัน",
+ "Add Catalog": "เพิ่มแคตตาล็อก",
+ "No catalogs yet": "ยังไม่มีแคตตาล็อก",
+ "Add your first OPDS catalog to start browsing books": "เพิ่มแคตตาล็อก OPDS แรกของคุณเพื่อเริ่มเรียกดูหนังสือ",
+ "Add Your First Catalog": "เพิ่มแคตตาล็อกแรกของคุณ",
+ "Browse": "เรียกดู",
+ "Popular Catalogs": "แคตตาล็อกยอดนิยม",
+ "Add": "เพิ่ม",
+ "Add OPDS Catalog": "เพิ่มแคตตาล็อก OPDS",
+ "Catalog Name": "ชื่อแคตตาล็อก",
+ "My Calibre Library": "ห้องสมุด Calibre ของฉัน",
+ "OPDS URL": "URL OPDS",
+ "Username (optional)": "ชื่อผู้ใช้ (ไม่บังคับ)",
+ "Password (optional)": "รหัสผ่าน (ไม่บังคับ)",
+ "Description (optional)": "คำอธิบาย (ไม่บังคับ)",
+ "A brief description of this catalog": "คำอธิบายสั้น ๆ ของแคตตาล็อกนี้",
+ "Validating...": "กำลังตรวจสอบ...",
+ "View All": "ดูทั้งหมด",
+ "Forward": "ไปข้างหน้า",
+ "Home": "หน้าแรก",
+ "{{count}} items_other": "{{count}} รายการ",
+ "Download completed": "ดาวน์โหลดเสร็จสิ้น",
+ "Download failed": "ดาวน์โหลดล้มเหลว",
+ "Open Access": "เข้าถึงได้ทันที",
+ "Borrow": "ยืม",
+ "Buy": "ซื้อ",
+ "Subscribe": "สมัครสมาชิก",
+ "Sample": "ตัวอย่าง",
+ "Download": "ดาวน์โหลด",
+ "Open & Read": "เปิดและอ่าน",
+ "Tags": "แท็ก",
+ "Tag": "แท็ก",
+ "First": "แรก",
+ "Previous": "ก่อนหน้า",
+ "Next": "ถัดไป",
+ "Last": "สุดท้าย",
+ "Cannot Load Page": "ไม่สามารถโหลดหน้าหน้าได้",
+ "An error occurred": "เกิดข้อผิดพลาด",
+ "Online Library": "ห้องสมุดออนไลน์",
+ "URL must start with http:// or https://": "URL ต้องเริ่มต้นด้วย http:// หรือ https://",
+ "Title, Author, Tag, etc...": "ชื่อเรื่อง ผู้แต่ง แท็ก ฯลฯ...",
+ "Query": "แบบสอบถาม",
+ "Subject": "หัวข้อ",
+ "Enter {{terms}}": "ป้อน {{terms}}",
+ "No search results found": "ไม่พบผลการค้นหา",
+ "Failed to load OPDS feed: {{status}} {{statusText}}": "ไม่สามารถโหลดฟีด OPDS ได้: {{status}} {{statusText}}",
+ "Search in {{title}}": "ค้นหาใน {{title}}",
+ "Manage Storage": "จัดการพื้นที่เก็บข้อมูล",
+ "Failed to load files": "ไม่สามารถโหลดไฟล์ได้",
+ "Deleted {{count}} file(s)_other": "ลบไฟล์เรียบร้อยแล้ว",
+ "Failed to delete {{count}} file(s)_other": "ลบไฟล์ไม่สำเร็จ",
+ "Failed to delete files": "ลบไฟล์ไม่สำเร็จ",
+ "Total Files": "จำนวนไฟล์ทั้งหมด",
+ "Total Size": "ขนาดรวมทั้งหมด",
+ "Quota": "โควต้า",
+ "Used": "ใช้ไปแล้ว",
+ "Files": "ไฟล์",
+ "Search files...": "ค้นหาไฟล์...",
+ "Newest First": "ใหม่ที่สุดก่อน",
+ "Oldest First": "เก่าที่สุดก่อน",
+ "Largest First": "ใหญ่ที่สุดก่อน",
+ "Smallest First": "เล็กที่สุดก่อน",
+ "Name A-Z": "ชื่อ A-ฮ",
+ "Name Z-A": "ชื่อ ฮ-A",
+ "{{count}} selected_other": "เลือกไฟล์แล้ว",
+ "Delete Selected": "ลบไฟล์ที่เลือก",
+ "Created": "สร้างเมื่อ",
+ "No files found": "ไม่พบไฟล์",
+ "No files uploaded yet": "ยังไม่มีการอัปโหลดไฟล์",
+ "files": "ไฟล์",
+ "Page {{current}} of {{total}}": "หน้า {{current}} จาก {{total}}",
+ "Are you sure to delete {{count}} selected file(s)?_other": "คุณแน่ใจหรือว่าต้องการลบไฟล์ที่เลือก?",
+ "Cloud Storage Usage": "การใช้งานพื้นที่เก็บข้อมูลคลาวด์",
+ "Rename Group": "เปลี่ยนชื่อกลุ่ม",
+ "From Directory": "จากไดเรกทอรี",
+ "Successfully imported {{count}} book(s)_other": "นำเข้า {{count}} หนังสือเรียบร้อยแล้ว",
+ "Count": "นับ",
+ "Start Page": "หน้าเริ่มต้น",
+ "Search in OPDS Catalog...": "ค้นหาในแคตตาล็อก OPDS...",
+ "Please log in to use advanced TTS features": "กรุณาเข้าสู่ระบบเพื่อใช้ฟีเจอร์ TTS ขั้นสูง",
+ "Word limit of 30 words exceeded.": "เกินขีดจำกัด 30 คำแล้ว",
+ "Proofread": "ตรวจทาน",
+ "Current selection": "การเลือกปัจจุบัน",
+ "All occurrences in this book": "การปรากฏทั้งหมดในหนังสือเล่มนี้",
+ "All occurrences in your library": "การปรากฏทั้งหมดในคลังหนังสือของคุณ",
+ "Selected text:": "ข้อความที่เลือก:",
+ "Replace with:": "แทนที่ด้วย:",
+ "Enter text...": "ป้อนข้อความ…",
+ "Case sensitive:": "คำนึงถึงตัวพิมพ์เล็ก/ใหญ่:",
+ "Scope:": "ขอบเขต:",
+ "Selection": "การเลือก",
+ "Library": "คลังหนังสือ",
+ "Yes": "ใช่",
+ "No": "ไม่",
+ "Proofread Replacement Rules": "กฎการแทนที่สำหรับการตรวจทาน",
+ "Selected Text Rules": "กฎสำหรับข้อความที่เลือก",
+ "No selected text replacement rules": "ไม่มีกฎการแทนที่สำหรับข้อความที่เลือก",
+ "Book Specific Rules": "กฎเฉพาะของหนังสือ",
+ "No book-level replacement rules": "ไม่มีกฎการแทนที่ระดับหนังสือ",
+ "Disable Quick Action": "ปิดใช้งานการดำเนินการด่วน",
+ "Enable Quick Action on Selection": "เปิดใช้งานการดำเนินการด่วนเมื่อเลือก",
+ "None": "ไม่มี",
+ "Annotation Tools": "เครื่องมือหมายเหตุ",
+ "Enable Quick Actions": "เปิดใช้งานการดำเนินการด่วน",
+ "Quick Action": "การดำเนินการด่วน",
+ "Copy to Notebook": "คัดลอกไปยังสมุดบันทึก",
+ "Copy text after selection": "คัดลอกข้อความหลังการเลือก",
+ "Highlight text after selection": "ไฮไลต์ข้อความหลังการเลือก",
+ "Annotate text after selection": "เพิ่มหมายเหตุข้อความหลังการเลือก",
+ "Search text after selection": "ค้นหาข้อความหลังการเลือก",
+ "Look up text in dictionary after selection": "ค้นหาข้อความในพจนานุกรมหลังการเลือก",
+ "Look up text in Wikipedia after selection": "ค้นหาข้อความในวิกิพีเดียหลังการเลือก",
+ "Translate text after selection": "แปลข้อความหลังการเลือก",
+ "Read text aloud after selection": "อ่านข้อความออกเสียงหลังการเลือก",
+ "Proofread text after selection": "ตรวจทานข้อความหลังการเลือก",
+ "{{activeCount}} active, {{pendingCount}} pending": "{{activeCount}} กำลังดำเนินการ, {{pendingCount}} รอดำเนินการ",
+ "{{failedCount}} failed": "{{failedCount}} ล้มเหลว",
+ "Waiting...": "กำลังรอ...",
+ "Failed": "ล้มเหลว",
+ "Completed": "เสร็จสิ้น",
+ "Cancelled": "ยกเลิก",
+ "Retry": "ลองใหม่",
+ "Active": "กำลังดำเนินการ",
+ "Transfer Queue": "คิวการถ่ายโอน",
+ "Upload All": "อัปโหลดทั้งหมด",
+ "Download All": "ดาวน์โหลดทั้งหมด",
+ "Resume Transfers": "ดำเนินการถ่ายโอนต่อ",
+ "Pause Transfers": "หยุดการถ่ายโอนชั่วคราว",
+ "Pending": "รอดำเนินการ",
+ "No transfers": "ไม่มีการถ่ายโอน",
+ "Retry All": "ลองใหม่ทั้งหมด",
+ "Clear Completed": "ล้างที่เสร็จสิ้น",
+ "Clear Failed": "ล้างที่ล้มเหลว",
+ "Upload queued: {{title}}": "อัปโหลดอยู่ในคิว: {{title}}",
+ "Download queued: {{title}}": "ดาวน์โหลดอยู่ในคิว: {{title}}",
+ "Book not found in library": "ไม่พบหนังสือในห้องสมุด",
+ "Unknown error": "ข้อผิดพลาดที่ไม่รู้จัก",
+ "Please log in to continue": "กรุณาเข้าสู่ระบบเพื่อดำเนินการต่อ",
+ "Cloud File Transfers": "การถ่ายโอนไฟล์คลาวด์",
+ "Show Search Results": "แสดงผลการค้นหา",
+ "Search results for '{{term}}'": "ผลลัพธ์สำหรับ '{{term}}'",
+ "Close Search": "ปิดการค้นหา",
+ "Previous Result": "ผลลัพธ์ก่อนหน้า",
+ "Next Result": "ผลลัพธ์ถัดไป",
+ "Bookmarks": "บุ๊กมาร์ก",
+ "Annotations": "คำอธิบายประกอบ",
+ "Show Results": "แสดงผลลัพธ์",
+ "Clear search": "ล้างการค้นหา",
+ "Clear search history": "ล้างประวัติการค้นหา",
+ "Tap to Toggle Footer": "แตะเพื่อสลับส่วนท้าย",
+ "Exported successfully": "ส่งออกสำเร็จ",
+ "Book exported successfully.": "ส่งออกหนังสือสำเร็จ",
+ "Failed to export the book.": "ส่งออกหนังสือล้มเหลว",
+ "Export Book": "ส่งออกหนังสือ",
+ "Whole word:": "คำทั้งคำ:",
+ "Error": "ข้อผิดพลาด",
+ "Unable to load the article. Try searching directly on {{link}}.": "ไม่สามารถโหลดบทความได้ ลองค้นหาโดยตรงที่ {{link}}",
+ "Unable to load the word. Try searching directly on {{link}}.": "ไม่สามารถโหลดคำได้ ลองค้นหาโดยตรงที่ {{link}}",
+ "Date Published": "วันที่เผยแพร่",
+ "Only for TTS:": "สำหรับ TTS เท่านั้น:",
+ "Uploaded": "อัปโหลดแล้ว",
+ "Downloaded": "ดาวน์โหลดแล้ว",
+ "Deleted": "ลบแล้ว",
+ "Note:": "หมายเหตุ:",
+ "Time:": "เวลา:",
+ "Format Options": "ตัวเลือกรูปแบบ",
+ "Export Date": "วันที่ส่งออก",
+ "Chapter Titles": "ชื่อบท",
+ "Chapter Separator": "ตัวคั่นบท",
+ "Highlights": "ไฮไลต์",
+ "Note Date": "วันที่หมายเหตุ",
+ "Advanced": "ขั้นสูง",
+ "Hide": "ซ่อน",
+ "Show": "แสดง",
+ "Use Custom Template": "ใช้เทมเพลตที่กำหนดเอง",
+ "Export Template": "เทมเพลตส่งออก",
+ "Template Syntax:": "ไวยากรณ์เทมเพลต:",
+ "Insert value": "แทรกค่า",
+ "Format date (locale)": "จัดรูปแบบวันที่ (ท้องถิ่น)",
+ "Format date (custom)": "จัดรูปแบบวันที่ (กำหนดเอง)",
+ "Conditional": "เงื่อนไข",
+ "Loop": "ลูป",
+ "Available Variables:": "ตัวแปรที่พร้อมใช้งาน:",
+ "Book title": "ชื่อหนังสือ",
+ "Book author": "ผู้แต่งหนังสือ",
+ "Export date": "วันที่ส่งออก",
+ "Array of chapters": "อาร์เรย์ของบท",
+ "Chapter title": "ชื่อบท",
+ "Array of annotations": "อาร์เรย์ของคำอธิบาย",
+ "Highlighted text": "ข้อความที่ไฮไลต์",
+ "Annotation note": "หมายเหตุคำอธิบาย",
+ "Date Format Tokens:": "โทเค็นรูปแบบวันที่:",
+ "Year (4 digits)": "ปี (4 หลัก)",
+ "Month (01-12)": "เดือน (01-12)",
+ "Day (01-31)": "วัน (01-31)",
+ "Hour (00-23)": "ชั่วโมง (00-23)",
+ "Minute (00-59)": "นาที (00-59)",
+ "Second (00-59)": "วินาที (00-59)",
+ "Show Source": "แสดงซอร์ส",
+ "No content to preview": "ไม่มีเนื้อหาให้แสดงตัวอย่าง",
+ "Export": "ส่งออก",
+ "Set Timeout": "ตั้งค่าหมดเวลา",
+ "Select Voice": "เลือกเสียง",
+ "Toggle Sticky Bottom TTS Bar": "สลับแถบ TTS แบบติด",
+ "Display what I'm reading on Discord": "แสดงหนังสือที่กำลังอ่านบน Discord",
+ "Show on Discord": "แสดงบน Discord",
+ "Instant {{action}}": "{{action}}ทันที",
+ "Instant {{action}} Disabled": "{{action}}ทันทีถูกปิดใช้งาน",
+ "Annotation": "คำอธิบาย",
+ "Reset Template": "รีเซ็ตเทมเพลต",
+ "Annotation style": "สไตล์คำอธิบาย",
+ "Annotation color": "สีคำอธิบาย",
+ "Annotation time": "เวลาคำอธิบาย",
+ "AI": "AI",
+ "Are you sure you want to re-index this book?": "คุณแน่ใจหรือไม่ว่าต้องการสร้างดัชนีหนังสือเล่มนี้ใหม่?",
+ "Enable AI in Settings": "เปิดใช้งาน AI ในการตั้งค่า",
+ "Index This Book": "สร้างดัชนีหนังสือเล่มนี้",
+ "Enable AI search and chat for this book": "เปิดใช้งานการค้นหา AI และแชทสำหรับหนังสือเล่มนี้",
+ "Start Indexing": "เริ่มสร้างดัชนี",
+ "Indexing book...": "กำลังสร้างดัชนีหนังสือ...",
+ "Preparing...": "กำลังเตรียม...",
+ "Delete this conversation?": "ลบการสนทนานี้?",
+ "No conversations yet": "ยังไม่มีการสนทนา",
+ "Start a new chat to ask questions about this book": "เริ่มแชทใหม่เพื่อถามคำถามเกี่ยวกับหนังสือเล่มนี้",
+ "Rename": "เปลี่ยนชื่อ",
+ "New Chat": "แชทใหม่",
+ "Chat": "แชท",
+ "Please enter a model ID": "กรุณาป้อน ID โมเดล",
+ "Model not available or invalid": "โมเดลไม่พร้อมใช้งานหรือไม่ถูกต้อง",
+ "Failed to validate model": "ไม่สามารถตรวจสอบโมเดลได้",
+ "Couldn't connect to Ollama. Is it running?": "ไม่สามารถเชื่อมต่อกับ Ollama ได้ กำลังทำงานอยู่หรือไม่?",
+ "Invalid API key or connection failed": "คีย์ API ไม่ถูกต้องหรือการเชื่อมต่อล้มเหลว",
+ "Connection failed": "การเชื่อมต่อล้มเหลว",
+ "AI Assistant": "ผู้ช่วย AI",
+ "Enable AI Assistant": "เปิดใช้งานผู้ช่วย AI",
+ "Provider": "ผู้ให้บริการ",
+ "Ollama (Local)": "Ollama (ในเครื่อง)",
+ "AI Gateway (Cloud)": "เกตเวย์ AI (คลาวด์)",
+ "Ollama Configuration": "การกำหนดค่า Ollama",
+ "Refresh Models": "รีเฟรชโมเดล",
+ "AI Model": "โมเดล AI",
+ "No models detected": "ไม่พบโมเดล",
+ "AI Gateway Configuration": "การกำหนดค่าเกตเวย์ AI",
+ "Choose from a selection of high-quality, economical AI models. You can also bring your own model by selecting \"Custom Model\" below.": "เลือกจากโมเดล AI คุณภาพสูงและประหยัด คุณยังสามารถใช้โมเดลของคุณเองโดยเลือก \"โมเดลกำหนดเอง\" ด้านล่าง",
+ "API Key": "คีย์ API",
+ "Get Key": "รับคีย์",
+ "Model": "โมเดล",
+ "Custom Model...": "โมเดลกำหนดเอง...",
+ "Custom Model ID": "ID โมเดลกำหนดเอง",
+ "Validate": "ตรวจสอบ",
+ "Model available": "โมเดลพร้อมใช้งาน",
+ "Connection": "การเชื่อมต่อ",
+ "Test Connection": "ทดสอบการเชื่อมต่อ",
+ "Connected": "เชื่อมต่อแล้ว",
+ "Custom Colors": "สีที่กำหนดเอง",
+ "Color E-Ink Mode": "โหมด E-Ink สี",
+ "Reading Ruler": "ไม้บรรทัดการอ่าน",
+ "Enable Reading Ruler": "เปิดใช้งานไม้บรรทัดการอ่าน",
+ "Lines to Highlight": "บรรทัดที่ต้องการเน้น",
+ "Ruler Color": "สีไม้บรรทัด",
+ "Command Palette": "พาเลทคำสั่ง",
+ "Search settings and actions...": "ค้นหาการตั้งค่าและคำสั่ง...",
+ "No results found for": "ไม่พบผลลัพธ์สำหรับ",
+ "Type to search settings and actions": "พิมพ์เพื่อค้นหาการตั้งค่าและคำสั่ง",
+ "Recent": "ล่าสุด",
+ "navigate": "นำทาง",
+ "select": "เลือก",
+ "close": "ปิด",
+ "Search Settings": "ค้นหาการตั้งค่า",
+ "Page Margins": "ระยะขอบหน้า",
+ "AI Provider": "ผู้ให้บริการ AI",
+ "Ollama URL": "Ollama URL",
+ "Ollama Model": "โมเดล Ollama",
+ "AI Gateway Model": "โมเดล AI Gateway",
+ "Actions": "การกระทำ",
+ "Navigation": "การนำทาง",
+ "Set status for {{count}} book(s)_other": "ตั้งสถานะสำหรับหนังสือ {{count}} เล่ม",
+ "Mark as Unread": "ทำเครื่องหมายว่ายังไม่อ่าน",
+ "Mark as Finished": "ทำเครื่องหมายว่าอ่านจบแล้ว",
+ "Finished": "อ่านจบแล้ว",
+ "Unread": "ยังไม่ได้อ่าน",
+ "Clear Status": "ล้างสถานะ",
+ "Status": "สถานะ",
+ "Loading": "กำลังโหลด...",
+ "Exit Paragraph Mode": "ออกจากโหมดพารากราฟ",
+ "Paragraph Mode": "โหมดพารากราฟ",
+ "Embedding Model": "โมเดลการฝังตัว",
+ "{{count}} book(s) synced_other": "ซิงค์หนังสือ {{count}} เล่มแล้ว",
+ "Unable to start RSVP": "ไม่สามารถเริ่ม RSVP ได้",
+ "RSVP not supported for PDF": "ไม่รองรับ RSVP สำหรับ PDF",
+ "Select Chapter": "เลือกบท",
+ "Context": "บริบท",
+ "Ready": "พร้อม",
+ "Chapter Progress": "ความคืบหน้าของบท",
+ "words": "คำ",
+ "{{time}} left": "เหลือ {{time}}",
+ "Reading progress": "ความคืบหน้าการอ่าน",
+ "Click to seek": "คลิกเพื่อค้นหาตำแหน่ง",
+ "Skip back 15 words": "ย้อนกลับ 15 คำ",
+ "Back 15 words (Shift+Left)": "ย้อนกลับ 15 คำ (Shift+ซ้าย)",
+ "Pause (Space)": "หยุดชั่วคราว (Space)",
+ "Play (Space)": "เล่น (Space)",
+ "Skip forward 15 words": "ไปข้างหน้า 15 คำ",
+ "Forward 15 words (Shift+Right)": "ไปข้างหน้า 15 คำ (Shift+ขวา)",
+ "Pause:": "หยุดชั่วคราว:",
+ "Decrease speed": "ลดความเร็ว",
+ "Slower (Left/Down)": "ช้าลง (ซ้าย/ลง)",
+ "Current speed": "ความเร็วปัจจุบัน",
+ "Increase speed": "เพิ่มความเร็ว",
+ "Faster (Right/Up)": "เร็วขึ้น (ขวา/ขึ้น)",
+ "Start RSVP Reading": "เริ่มการอ่านแบบ RSVP",
+ "Choose where to start reading": "เลือกจุดที่ต้องการเริ่มอ่าน",
+ "From Chapter Start": "จากจุดเริ่มต้นของบท",
+ "Start reading from the beginning of the chapter": "เริ่มอ่านใหม่ตั้งแต่ต้นบทนี้",
+ "Resume": "อ่านต่อ",
+ "Continue from where you left off": "อ่านต่อจากจุดที่ค้างไว้",
+ "From Current Page": "จากหน้าปัจจุบัน",
+ "Start from where you are currently reading": "เริ่มจากจุดที่คุณกำลังอ่านอยู่ตอนนี้",
+ "From Selection": "จากส่วนที่เลือก",
+ "Speed Reading Mode": "โหมดการอ่านเร็ว",
+ "Scroll left": "เลื่อนไปทางซ้าย",
+ "Scroll right": "เลื่อนไปทางขวา",
+ "Library Sync Progress": "ความคืบหน้าการซิงค์ห้องสมุด",
+ "Back to library": "กลับไปที่ห้องสมุด",
+ "Group by...": "จัดกลุ่มตาม...",
+ "Export as Plain Text": "ส่งออกเป็นข้อความธรรมดา",
+ "Export as Markdown": "ส่งออกเป็น Markdown",
+ "Show Page Navigation Buttons": "ปุ่มนำทาง",
+ "Page {{number}}": "หน้า {{number}}",
+ "highlight": "ไฮไลต์",
+ "underline": "ขีดเส้นใต้",
+ "squiggly": "เส้นหยัก",
+ "red": "สีแดง",
+ "violet": "สีม่วง",
+ "blue": "สีน้ำเงิน",
+ "green": "สีเขียว",
+ "yellow": "สีเหลือง",
+ "Select {{style}} style": "เลือกสไตล์ {{style}}",
+ "Select {{color}} color": "เลือกสี {{color}}",
+ "Close Book": "ปิดหนังสือ",
+ "Speed Reading": "การอ่านเร็ว",
+ "Close Speed Reading": "ปิดการอ่านเร็ว",
+ "Authors": "ผู้เขียน",
+ "Books": "หนังสือ",
+ "Groups": "กลุ่ม",
+ "Back to TTS Location": "กลับไปยังตำแหน่ง TTS",
+ "Metadata": "เมทาดาตา",
+ "Image viewer": "ตัวดูรูปภาพ",
+ "Previous Image": "รูปภาพก่อนหน้า",
+ "Next Image": "รูปภาพถัดไป",
+ "Zoomed": "ซูมแล้ว",
+ "Zoom level": "ระดับการซูม",
+ "Table viewer": "ตัวดูตาราง",
+ "Unable to connect to Readwise. Please check your network connection.": "ไม่สามารถเชื่อมต่อกับ Readwise ได้ โปรดตรวจสอบการเชื่อมต่ออินเทอร์เน็ตของคุณ",
+ "Invalid Readwise access token": "โทเคนการเข้าถึง Readwise ไม่ถูกต้อง",
+ "Disconnected from Readwise": "ยกเลิกการเชื่อมต่อกับ Readwise แล้ว",
+ "Never": "ไม่เคย",
+ "Readwise Settings": "การตั้งค่า Readwise",
+ "Connected to Readwise": "เชื่อมต่อกับ Readwise แล้ว",
+ "Last synced: {{time}}": "ซิงค์ล่าสุดเมื่อ: {{time}}",
+ "Sync Enabled": "เปิดใช้งานการซิงค์",
+ "Disconnect": "ยกเลิกการเชื่อมต่อ",
+ "Connect your Readwise account to sync highlights.": "เชื่อมต่อบัญชี Readwise ของคุณเพื่อซิงค์ไฮไลต์",
+ "Get your access token at": "รับโทเคนการเข้าถึงของคุณได้ที่",
+ "Access Token": "โทเคนการเข้าถึง",
+ "Paste your Readwise access token": "วางโทเคนการเข้าถึง Readwise ของคุณ",
+ "Config": "การกำหนดค่า",
+ "Readwise Sync": "การซิงค์ Readwise",
+ "Push Highlights": "พุชไฮไลต์",
+ "Highlights synced to Readwise": "ซิงค์ไฮไลต์ไปยัง Readwise แล้ว",
+ "Readwise sync failed: no internet connection": "การซิงค์ Readwise ล้มเหลว: ไม่มีการเชื่อมต่ออินเทอร์เน็ต",
+ "Readwise sync failed: {{error}}": "การซิงค์ Readwise ล้มเหลว: {{error}}"
+}
diff --git a/apps/readest-app/public/locales/tr/translation.json b/apps/readest-app/public/locales/tr/translation.json
new file mode 100644
index 0000000000000000000000000000000000000000..0b1e8ebc805f909bc2367a00b39a6713203a95f7
--- /dev/null
+++ b/apps/readest-app/public/locales/tr/translation.json
@@ -0,0 +1,1060 @@
+{
+ "(detected)": "(algılandı)",
+ "About Readest": "Readest Hakkında",
+ "Add your notes here...": "Notlarınızı buraya ekleyin...",
+ "Animation": "Animasyon",
+ "Annotate": "Not Ekle",
+ "Apply": "Uygula",
+ "Auto Mode": "Otomatik Mod",
+ "Behavior": "Davranış",
+ "Book": "Kitap",
+ "Bookmark": "Yer İmi",
+ "Cancel": "İptal",
+ "Chapter": "Bölüm",
+ "Cherry": "Kiraz",
+ "Color": "Renk",
+ "Confirm": "Onayla",
+ "Confirm Deletion": "Silmeyi Onayla",
+ "Copied to notebook": "Not defterine kopyalandı",
+ "Copy": "Kopyala",
+ "Dark Mode": "Karanlık Mod",
+ "Default": "Varsayılan",
+ "Default Font": "Varsayılan Yazı Tipi",
+ "Default Font Size": "Varsayılan Yazı Boyutu",
+ "Delete": "Sil",
+ "Delete Highlight": "Vurguyu Sil",
+ "Dictionary": "Sözlük",
+ "Download Readest": "Readest'i İndir",
+ "Edit": "Düzenle",
+ "Excerpts": "Alıntılar",
+ "Failed to import book(s): {{filenames}}": "Kitap(lar) içe aktarılamadı: {{filenames}}",
+ "Fast": "Hızlı",
+ "Font": "Yazı Tipi",
+ "Font & Layout": "Yazı Tipi ve Düzen",
+ "Font Face": "Yazı Tipi Yüzü",
+ "Font Family": "Yazı Tipi Ailesi",
+ "Font Size": "Yazı Boyutu",
+ "Full Justification": "Tam Hizalama",
+ "Global Settings": "Genel Ayarlar",
+ "Go Back": "Geri Git",
+ "Go Forward": "İleri Git",
+ "Grass": "Çimen",
+ "Gray": "Gri",
+ "Gruvbox": "Gruvbox",
+ "Highlight": "Vurgula",
+ "Horizontal Direction": "Yatay Yön",
+ "Hyphenation": "Heceleme",
+ "Import Books": "Kitapları İçe Aktar",
+ "Layout": "Düzen",
+ "Light Mode": "Aydınlık Mod",
+ "Loading...": "Yükleniyor...",
+ "Logged in": "Giriş Yapıldı",
+ "Logged in as {{userDisplayName}}": "{{userDisplayName}} olarak giriş yapıldı",
+ "Match Case": "Büyük/Küçük Harf Eşleştir",
+ "Match Diacritics": "Aksan İşaretlerini Eşleştir",
+ "Match Whole Words": "Tam Kelimeleri Eşleştir",
+ "Maximum Number of Columns": "Maksimum Sütun Sayısı",
+ "Minimum Font Size": "Minimum Yazı Boyutu",
+ "Monospace Font": "Eş Aralıklı Yazı Tipi",
+ "More Info": "Daha Fazla Bilgi",
+ "Nord": "Nord",
+ "Notebook": "Not Defteri",
+ "Notes": "Notlar",
+ "Open": "Aç",
+ "Original Text": "Orijinal Metin",
+ "Page": "Sayfa",
+ "Paging Animation": "Sayfa Çevirme Animasyonu",
+ "Paragraph": "Paragraf",
+ "Parallel Read": "Paralel Okuma",
+ "Published": "Yayınlanma",
+ "Publisher": "Yayıncı",
+ "Reading Progress Synced": "Okuma ilerlemesi senkronize edildi",
+ "Reload Page": "Sayfayı Yenile",
+ "Reveal in File Explorer": "Dosya Gezgininde Göster",
+ "Reveal in Finder": "Finder'da Göster",
+ "Reveal in Folder": "Klasörde Göster",
+ "Sans-Serif Font": "Sans-Serif Yazı Tipi",
+ "Save": "Kaydet",
+ "Scrolled Mode": "Kaydırma Modu",
+ "Search": "Ara",
+ "Search Books...": "Kitap ara...",
+ "Search...": "Ara...",
+ "Select Book": "Kitap Seç",
+ "Select Books": "Kitapları seç",
+ "Sepia": "Sepya",
+ "Serif Font": "Serif Yazı Tipi",
+ "Show Book Details": "Kitap Detaylarını Göster",
+ "Sidebar": "Kenar Çubuğu",
+ "Sign In": "Giriş Yap",
+ "Sign Out": "Çıkış Yap",
+ "Sky": "Gökyüzü",
+ "Slow": "Yavaş",
+ "Solarized": "Solarized",
+ "Speak": "Konuş",
+ "Subjects": "Konular",
+ "System Fonts": "Sistem Yazı Tipleri",
+ "Theme Color": "Tema Rengi",
+ "Theme Mode": "Tema Modu",
+ "Translate": "Çevir",
+ "Translated Text": "Çevrilen Metin",
+ "Unknown": "Bilinmiyor",
+ "Untitled": "Başlıksız",
+ "Updated": "Güncellendi",
+ "Version {{version}}": "Sürüm {{version}}",
+ "Vertical Direction": "Dikey Yön",
+ "Welcome to your library. You can import your books here and read them anytime.": "Kütüphanenize hoş geldiniz. Buradan kitaplarınızı içe aktarabilir ve istediğiniz zaman okuyabilirsiniz.",
+ "Wikipedia": "Vikipedi",
+ "Writing Mode": "Yazma Modu",
+ "Your Library": "Kütüphaneniz",
+ "TTS not supported for PDF": "PDF için TTS desteklenmiyor",
+ "Override Book Font": "Kitap Yazı Tipini Geçersiz Kıl",
+ "Apply to All Books": "Tüm kitaplara uygula",
+ "Apply to This Book": "Bu kitaba uygula",
+ "Unable to fetch the translation. Try again later.": "Çeviri alınamıyor. Daha sonra tekrar deneyin.",
+ "Check Update": "Güncellemeyi kontrol et",
+ "Already the latest version": "Zaten en son sürüm",
+ "Book Details": "Kitap Detayları",
+ "From Local File": "Yerel dosyadan",
+ "TOC": "İçindekiler",
+ "Table of Contents": "İçindekiler",
+ "Book uploaded: {{title}}": "Kitap yüklendi: {{title}}",
+ "Failed to upload book: {{title}}": "Kitap yüklenemedi: {{title}}",
+ "Book downloaded: {{title}}": "Kitap indirildi: {{title}}",
+ "Failed to download book: {{title}}": "Kitap indirilemedi: {{title}}",
+ "Upload Book": "Kitap Yükle",
+ "Auto Upload Books to Cloud": "Kitapları Otomatik Olarak Buluta Yükle",
+ "Book deleted: {{title}}": "Kitap silindi: {{title}}",
+ "Failed to delete book: {{title}}": "Kitap silinemedi: {{title}}",
+ "Check Updates on Start": "Başlangıçta Güncellemeleri Kontrol Et",
+ "Insufficient storage quota": "Yetersiz depolama kotası",
+ "Font Weight": "Yazı Tipi Ağırlığı",
+ "Line Spacing": "Satır Aralığı",
+ "Word Spacing": "Kelime Aralığı",
+ "Letter Spacing": "Harf Aralığı",
+ "Text Indent": "Metin Girintisi",
+ "Paragraph Margin": "Paragraf Kenarı",
+ "Override Book Layout": "Kitap Düzenini Geçersiz Kıl",
+ "Untitled Group": "Başlıksız Grup",
+ "Group Books": "Kitapları Grupla",
+ "Remove From Group": "Grubu Kaldır",
+ "Create New Group": "Yeni Grup Oluştur",
+ "Deselect Book": "Kitabı Seçme",
+ "Download Book": "Kitabı İndir",
+ "Deselect Group": "Grubu Seçme",
+ "Select Group": "Grup Seç",
+ "Keep Screen Awake": "Ekranı Açık Tut",
+ "Email address": "E-posta adresi",
+ "Your Password": "Şifreniz",
+ "Your email address": "E-posta adresiniz",
+ "Your password": "Şifreniz",
+ "Sign in": "Giriş yap",
+ "Signing in...": "Giriş yapılıyor...",
+ "Sign in with {{provider}}": "{{provider}} ile giriş yap",
+ "Already have an account? Sign in": "Hesabınız var mı? Giriş yapın",
+ "Create a Password": "Şifre oluştur",
+ "Sign up": "Kaydol",
+ "Signing up...": "Kaydolunuyor...",
+ "Don't have an account? Sign up": "Hesabınız yok mu? Kaydolun",
+ "Check your email for the confirmation link": "Onay bağlantısı için e-posta adresinizi kontrol edin",
+ "Signing in ...": "Giriş yapılıyor...",
+ "Send a magic link email": "Sihirli bağlantı e-postası gönder",
+ "Check your email for the magic link": "Sihirli bağlantı için e-posta adresinizi kontrol edin",
+ "Send reset password instructions": "Şifre sıfırlama talimatları gönder",
+ "Sending reset instructions ...": "Şifre sıfırlama talimatları gönderiliyor...",
+ "Forgot your password?": "Şifrenizi mi unuttunuz?",
+ "Check your email for the password reset link": "Şifre sıfırlama bağlantısı için e-posta adresinizi kontrol edin",
+ "New Password": "Yeni şifre",
+ "Your new password": "Yeni şifreniz",
+ "Update password": "Şifreyi güncelle",
+ "Updating password ...": "Şifre güncelleniyor...",
+ "Your password has been updated": "Şifreniz güncellendi",
+ "Phone number": "Telefon numarası",
+ "Your phone number": "Telefon numaranız",
+ "Token": "Token",
+ "Your OTP token": "OTP token'ınız",
+ "Verify token": "Token'ı doğrula",
+ "Account": "Hesap",
+ "Failed to delete user. Please try again later.": "Kullanıcı silinemedi. Lütfen daha sonra tekrar deneyin.",
+ "Community Support": "Topluluk Desteği",
+ "Priority Support": "Öncelikli Destek",
+ "Loading profile...": "Profil yükleniyor...",
+ "Delete Account": "Hesabı Sil",
+ "Delete Your Account?": "Hesabınızı Silmek İstiyor musunuz?",
+ "This action cannot be undone. All your data in the cloud will be permanently deleted.": "Bu işlem geri alınamaz. Buluttaki tüm verileriniz kalıcı olarak silinecektir.",
+ "Delete Permanently": "Kalıcı Olarak Sil",
+ "RTL Direction": "RTL Yönü",
+ "Maximum Column Height": "Maksimum Sütun Yüksekliği",
+ "Maximum Column Width": "Maksimum Sütun Genişliği",
+ "Continuous Scroll": "Sürekli Kaydırma",
+ "Fullscreen": "Tam Ekran",
+ "No supported files found. Supported formats: {{formats}}": "Desteklenen dosya bulunamadı. Desteklenen formatlar: {{formats}}",
+ "Drop to Import Books": "Kitapları İçe Aktarmak İçin Bırak",
+ "Custom": "Özel",
+ "All the world's a stage,\nAnd all the men and women merely players;\nThey have their exits and their entrances,\nAnd one man in his time plays many parts,\nHis acts being seven ages.\n\n— William Shakespeare": "Tüm dünya bir sahnedir,\nVe tüm erkekler ve kadınlar sadece oyunculardır;\nOnların çıkışları ve girişleri vardır,\nVe bir adam zamanında birçok rol oynar,\nOnun eylemleri yedi yaşındadır.\n\n— William Shakespeare",
+ "Custom Theme": "Özel Tema",
+ "Theme Name": "Tema Adı",
+ "Text Color": "Metin Rengi",
+ "Background Color": "Arka Plan Rengi",
+ "Preview": "Önizleme",
+ "Contrast": "Kontrast",
+ "Sunset": "Gün Batımı",
+ "Double Border": "Çift Sınır",
+ "Border Color": "Sınır Rengi",
+ "Border Frame": "Sınır Çerçevesi",
+ "Show Header": "Başlık Göster",
+ "Show Footer": "Altbilgi Göster",
+ "Small": "Küçük",
+ "Large": "Büyük",
+ "Auto": "Otomatik",
+ "Language": "Dil",
+ "No annotations to export": "Dışa aktarılacak not yok",
+ "Author": "Yazar",
+ "Exported from Readest": "Readest'ten dışa aktarıldı",
+ "Highlights & Annotations": "Vurgular ve Notlar",
+ "Note": "Not",
+ "Copied to clipboard": "Panoya kopyalandı",
+ "Export Annotations": "Notları Dışa Aktar",
+ "Auto Import on File Open": "Dosya Açıldığında Otomatik İçe Aktar",
+ "LXGW WenKai GB Screen": "LXGW WenKai SC",
+ "LXGW WenKai TC": "LXGW WenKai TC",
+ "No chapters detected": "Bölüm bulunamadı",
+ "Failed to parse the EPUB file": "EPUB dosyası ayrıştırılamadı",
+ "This book format is not supported": "Bu kitap formatı desteklenmiyor",
+ "Unable to fetch the translation. Please log in first and try again.": "Çeviri alınamıyor. Lütfen önce giriş yapın ve tekrar deneyin.",
+ "Group": "Grup",
+ "Always on Top": "Her Zaman Üstte",
+ "No Timeout": "Zaman Aşımı Yok",
+ "{{value}} minute": "{{value}} dakika",
+ "{{value}} minutes": "{{value}} dakika",
+ "{{value}} hour": "{{value}} saat",
+ "{{value}} hours": "{{value}} saat",
+ "CJK Font": "CJK Yazı Tipi",
+ "Clear Search": "Aramayı Temizle",
+ "Header & Footer": "Başlık ve Altbilgi",
+ "Apply also in Scrolled Mode": "Kaydırılmış Modda da Uygula",
+ "A new version of Readest is available!": "Yeni bir Readest sürümü mevcut!",
+ "Readest {{newVersion}} is available (installed version {{currentVersion}}).": "Readest {{newVersion}} mevcut (yüklü sürüm {{currentVersion}}).",
+ "Download and install now?": "Şimdi indirip yükleyelim mi?",
+ "Downloading {{downloaded}} of {{contentLength}}": "İndiriliyor {{downloaded}}/{{contentLength}}",
+ "Download finished": "İndirme tamamlandı",
+ "DOWNLOAD & INSTALL": "İNDİR & YÜKLE",
+ "Changelog": "Değişiklik Günlüğü",
+ "Software Update": "Yazılım Güncellemesi",
+ "Title": "Başlık",
+ "Date Read": "Okunma Tarihi",
+ "Date Added": "Eklenme Tarihi",
+ "Format": "Biçim",
+ "Ascending": "Artan",
+ "Descending": "Azalan",
+ "Sort by...": "Şuna göre sırala...",
+ "Added": "Eklenme",
+ "GuanKiapTsingKhai-T": "GuanKiapTsingKhai-T",
+ "Description": "Tanım",
+ "No description available": "Tanım mevcut değil",
+ "List": "Liste",
+ "Grid": "Izgara",
+ "(from 'As You Like It', Act II)": "(As You Like It, 2. Perde)",
+ "Link Color": "Bağlantı Rengi",
+ "Volume Keys for Page Flip": "Sayfa Çevirme için Ses Seviyesi Tuşları",
+ "Screen": "Ekran",
+ "Orientation": "Yönlendirme",
+ "Portrait": "Portre",
+ "Landscape": "Yatay",
+ "Open Last Book on Start": "Açılışta Son Kitabı Aç",
+ "Checking for updates...": "Yenilikler kontrol ediliyor...",
+ "Error checking for updates": "Güncellemeleri kontrol ederken hata oluştu",
+ "Details": "Detaylar",
+ "File Size": "Dosya Boyutu",
+ "Auto Detect": "Algıla",
+ "Next Section": "Sonraki Bölüm",
+ "Previous Section": "Önceki Bölüm",
+ "Next Page": "Sonraki Sayfa",
+ "Previous Page": "Önceki Sayfa",
+ "Are you sure to delete {{count}} selected book(s)?_one": "{{count}} seçili kitabı silmek istediğinize emin misiniz?",
+ "Are you sure to delete {{count}} selected book(s)?_other": "{{count}} seçili kitabı silmek istediğinize emin misiniz?",
+ "Are you sure to delete the selected book?": "Seçili kitabı silmek istediğinize emin misiniz?",
+ "Deselect": "Kaldır",
+ "Select All": "Hepsi",
+ "No translation available.": "Çeviri mevcut değil.",
+ "Translated by {{provider}}.": "{{provider}} tarafından çevrildi.",
+ "DeepL": "DeepL",
+ "Google Translate": "Google Çeviri",
+ "Azure Translator": "Azure Çevirmen",
+ "Invert Image In Dark Mode": "Karartılmış Görüntüyü Ters Çevir",
+ "Help improve Readest": "Readest’i geliştirin",
+ "Sharing anonymized statistics": "Anonim verileri paylaş",
+ "Interface Language": "Arayüz Dili",
+ "Translation": "Çeviri",
+ "Enable Translation": "Çeviriyi Etkinleştir",
+ "Translation Service": "Çeviri Hizmeti",
+ "Translate To": "Şuna Çevir",
+ "Disable Translation": "Çeviriyi Devre Dışı Bırak",
+ "Scroll": "Kaydır",
+ "Overlap Pixels": "Örtüşen Pikseller",
+ "System Language": "System Dili",
+ "Security": "Security",
+ "Allow JavaScript": "JavaScript'e İzin Ver",
+ "Enable only if you trust the file.": "Yalnızca dosyaya güveniyorsanız etkinleştirin.",
+ "Sort TOC by Page": "İçindekileri Sayfaya Göre Sırala",
+ "Search in {{count}} Book(s)..._one": "{{count}} kitapta ara...",
+ "Search in {{count}} Book(s)..._other": "{{count}} kitapta ara...",
+ "No notes match your search": "Eşleşen not bulunamadı",
+ "Search notes and excerpts...": "Notlarda ara...",
+ "Sign in to Sync": "Giriş yap",
+ "Synced at {{time}}": "{{time}}'de eşzlendi",
+ "Never synced": "Hiç eşzlenmedi",
+ "Show Remaining Time": "Kalan Süreyi Göster",
+ "{{time}} min left in chapter": "{{time}} dakika bölümde kaldı",
+ "Override Book Color": "Kitap Rengini Geçersiz Kıl",
+ "Login Required": "Giriş gerekli",
+ "Quota Exceeded": "Kota aşıldı",
+ "{{percentage}}% of Daily Translation Characters Used.": "Çeviri için günlük karakterlerin %{{percentage}}'si kullanıldı.",
+ "Translation Characters": "Çeviri Karakterleri",
+ "{{engine}}: {{count}} voices_one": "{{engine}}: {{count}} ses",
+ "{{engine}}: {{count}} voices_other": "{{engine}}: {{count}} sesler",
+ "Something went wrong. Don't worry, our team has been notified and we're working on a fix.": "Bir şeyler yanlış gitti. Endişelenmeyin, ekibimiz bilgilendirildi ve bir çözüm üzerinde çalışıyoruz.",
+ "Error Details:": "Error Detayları:",
+ "Try Again": "Tekrar Dene",
+ "Need help?": "Yardıma mı ihtiyacınız var?",
+ "Contact Support": "Destekle İletişime Geç",
+ "Code Highlighting": "Code Vurgulama",
+ "Enable Highlighting": "Vurgulamayı Etkinleştir",
+ "Code Language": "Code Dili",
+ "Top Margin (px)": "Üst Kenar Boşluğu (px)",
+ "Bottom Margin (px)": "Alt Kenar Boşluğu (px)",
+ "Right Margin (px)": "Sağ Kenar Boşluğu (px)",
+ "Left Margin (px)": "Sol Kenar Boşluğu (px)",
+ "Column Gap (%)": "Sütun Aralığı (%)",
+ "Always Show Status Bar": "Durum Çubuğunu Her Zaman Göster",
+ "Custom Content CSS": "Özel İçerik CSS'si",
+ "Enter CSS for book content styling...": "Kitap içeriği stili için CSS girin...",
+ "Custom Reader UI CSS": "Özel Okuyucu Arayüzü CSS'si",
+ "Enter CSS for reader interface styling...": "Okuyucu arayüzü stili için CSS girin...",
+ "Crop": "Kes",
+ "Book Covers": "Kitap Kapağı",
+ "Fit": "Uygun",
+ "Reset {{settings}}": "{{settings}}'i Sıfırla",
+ "Reset Settings": "Ayarları Sıfırla",
+ "{{count}} pages left in chapter_one": "Bu bölümde {{count}} sayfa kaldı",
+ "{{count}} pages left in chapter_other": "Bu bölümde {{count}} sayfa kaldı",
+ "Show Remaining Pages": "Kalan sayfaları göster",
+ "Source Han Serif CN": "Source Han Serif",
+ "Huiwen-MinchoGBK": "Huiwen Mincho",
+ "KingHwa_OldSong": "KingHwa Song",
+ "Manage Subscription": "Aboneliği Yönet",
+ "Coming Soon": "Yakında",
+ "Upgrade to {{plan}}": "{{plan}} planına yükselt",
+ "Upgrade to Plus or Pro": "Plus veya Pro'ya yükselt",
+ "Current Plan": "Mevcut Plan",
+ "Plan Limits": "Plan Limitleri",
+ "Processing your payment...": "Ödemeniz işleniyor...",
+ "Please wait while we confirm your subscription.": "Aboneliğinizi onaylıyoruz, lütfen bekleyin.",
+ "Payment Processing": "Ödeme İşleniyor",
+ "Your payment is being processed. This usually takes a few moments.": "Ödemeniz işleniyor. Bu genelde birkaç saniye sürer.",
+ "Payment Failed": "Ödeme Başarısız",
+ "We couldn't process your subscription. Please try again or contact support if the issue persists.": "Aboneliğinizi işleyemedik. Lütfen tekrar deneyin veya sorun devam ederse destek ile iletişime geçin.",
+ "Back to Profile": "Profille Dön",
+ "Subscription Successful!": "Abonelik Başarılı!",
+ "Thank you for your subscription! Your payment has been processed successfully.": "Aboneliğiniz için teşekkürler! Ödemeniz başarıyla işlendi.",
+ "Email:": "E-posta:",
+ "Plan:": "Plan:",
+ "Amount:": "Tutar:",
+ "Go to Library": "Kütüphaneye Git",
+ "Need help? Contact our support team at support@readest.com": "Yardım mı gerekiyor? Destek ekibimizle iletişime geçin: support@readest.com",
+ "Free Plan": "Ücretsiz Plan",
+ "month": "ay",
+ "AI Translations (per day)": "AI Çevirileri (günlük)",
+ "Plus Plan": "Plus Plan",
+ "Includes All Free Plan Benefits": "Tüm Ücretsiz Plan Özelliklerini İçerir",
+ "Pro Plan": "Pro Plan",
+ "More AI Translations": "Daha Fazla AI Çevirisi",
+ "Complete Your Subscription": "Aboneliğinizi Tamamlayın",
+ "{{percentage}}% of Cloud Sync Space Used.": "Bulut Senkronizasyon Alanının %{{percentage}}'si Kullanıldı.",
+ "Cloud Sync Storage": "Bulut Senkronizasyon Depolama",
+ "Disable": "Devre Dışı Bırak",
+ "Enable": "Etkinleştir",
+ "Upgrade to Readest Premium": "Readest Premium’a Yükselt",
+ "Show Source Text": "Kaynak Metni Göster",
+ "Cross-Platform Sync": "Platformlar Arası Senkronizasyon",
+ "Seamlessly sync your library, progress, highlights, and notes across all your devices—never lose your place again.": "Kütüphanenizi, ilerlemenizi, vurgularınızı ve notlarınızı tüm cihazlarınızda sorunsuzca senkronize edin—bir daha asla yerinizi kaybetmeyin.",
+ "Customizable Reading": "Özelleştirilebilir Okuma",
+ "Personalize every detail with adjustable fonts, layouts, themes, and advanced display settings for the perfect reading experience.": "Mükemmel okuma deneyimi için ayarlanabilir yazı tipleri, düzenler, temalar ve gelişmiş görüntü ayarlarıyla her detayı kişiselleştirin.",
+ "AI Read Aloud": "AI Sesli Okuma",
+ "Enjoy hands-free reading with natural-sounding AI voices that bring your books to life.": "Kitaplarınızı hayata geçiren doğal sesli AI sesleriyle eller serbest okuma keyfini çıkarın.",
+ "AI Translations": "AI Çeviriler",
+ "Translate any text instantly with the power of Google, Azure, or DeepL—understand content in any language.": "Google, Azure veya DeepL'in gücüyle herhangi bir metni anında çevirin—her dildeki içeriği anlayın.",
+ "Connect with fellow readers and get help fast in our friendly community channels.": "Diğer okuyucularla bağlantı kurun ve dostane topluluk kanallarımızda hızla yardım alın.",
+ "Unlimited AI Read Aloud Hours": "Sınırsız AI Sesli Okuma Saatleri",
+ "Listen without limits—convert as much text as you like into immersive audio.": "Sınırsız dinleyin—istediğiniz kadar metni sürükleyici sese dönüştürün.",
+ "Unlock enhanced translation capabilities with more daily usage and advanced options.": "Daha fazla günlük kullanım ve gelişmiş seçeneklerle gelişmiş çeviri yeteneklerinin kilidini açın.",
+ "DeepL Pro Access": "DeepL Pro Erişimi",
+ "Enjoy faster responses and dedicated assistance whenever you need help.": "Yardıma ihtiyacınız olduğunda daha hızlı yanıtlar ve özel destek keyfini çıkarın.",
+ "Daily translation quota reached. Upgrade your plan to continue using AI translations.": "Günlük çeviri kotasına ulaşıldı. AI çevirileri kullanmaya devam etmek için planınızı yükseltin.",
+ "Includes All Plus Plan Benefits": "Tüm Plus Plan Avantajları Dahil",
+ "Early Feature Access": "Erken Özellik Erişimi",
+ "Be the first to explore new features, updates, and innovations before anyone else.": "Yeni özellikleri, güncellemeleri ve yenilikleri herkesten önce keşfedin.",
+ "Advanced AI Tools": "Gelişmiş AI Araçları",
+ "Harness powerful AI tools for smarter reading, translation, and content discovery.": "Akıllı okuma, çeviri ve içerik keşfi için güçlü AI araçlarını kullanın.",
+ "Translate up to 100,000 characters daily with the most accurate translation engine available.": "Mevcut en doğru çeviri motoruyla günlük 100.000 karaktere kadar çeviri yapın.",
+ "Translate up to 500,000 characters daily with the most accurate translation engine available.": "Mevcut en doğru çeviri motoruyla günlük 500.000 karaktere kadar çeviri yapın.",
+ "Securely store and access your entire reading collection with up to 5 GB of cloud storage.": "Tüm okuma koleksiyonunuzu 5 GB'a kadar güvenli bulut depolamayla saklayın ve erişin.",
+ "Securely store and access your entire reading collection with up to 20 GB of cloud storage.": "Tüm okuma koleksiyonunuzu 20 GB'a kadar güvenli bulut depolamayla saklayın ve erişin.",
+ "Deleted cloud backup of the book: {{title}}": "Kitabın bulut yedeği silindi: {{title}}",
+ "Are you sure to delete the cloud backup of the selected book?": "Seçilen kitabın bulut yedeğini silmek istediğinize emin misiniz?",
+ "What's New in Readest": "Readest'te Neler Yeni",
+ "Enter book title": "Kitap başlığını girin",
+ "Subtitle": "Alt başlık",
+ "Enter book subtitle": "Kitap alt başlığını girin",
+ "Enter author name": "Yazar adını girin",
+ "Series": "Seri",
+ "Enter series name": "Seri adını girin",
+ "Series Index": "Seri numarası",
+ "Enter series index": "Seri numarasını girin",
+ "Total in Series": "Serideki toplam",
+ "Enter total books in series": "Serideki toplam kitap sayısını girin",
+ "Enter publisher": "Yayınevini girin",
+ "Publication Date": "Yayın tarihi",
+ "Identifier": "Tanımlayıcı",
+ "Enter book description": "Kitap açıklamasını girin",
+ "Change cover image": "Kapak resmini değiştir",
+ "Replace": "Değiştir",
+ "Unlock cover": "Kapağın kilidini aç",
+ "Lock cover": "Kapağı kilitle",
+ "Auto-Retrieve Metadata": "Meta verileri otomatik al",
+ "Auto-Retrieve": "Otomatik alma",
+ "Unlock all fields": "Tüm alanların kilidini aç",
+ "Unlock All": "Tümünün kilidini aç",
+ "Lock all fields": "Tüm alanları kilitle",
+ "Lock All": "Tümünü kilitle",
+ "Reset": "Sıfırla",
+ "Edit Metadata": "Meta verileri düzenle",
+ "Locked": "Kilitli",
+ "Select Metadata Source": "Meta veri kaynağını seç",
+ "Keep manual input": "Manuel girişi koru",
+ "Google Books": "Google Books",
+ "Open Library": "Open Library",
+ "Fiction, Science, History": "Kurgu, Bilim, Tarih",
+ "Open Book in New Window": "Kitabı Yeni Pencerede Aç",
+ "Voices for {{lang}}": "{{lang}} için Sesler",
+ "Yandex Translate": "Yandex Çeviri",
+ "YYYY or YYYY-MM-DD": "YYYY veya YYYY-MM-DD",
+ "Restore Purchase": "Satın Almayı Geri Yükle",
+ "No purchases found to restore.": "Geri yüklemek için satın alma bulunamadı.",
+ "Failed to restore purchases.": "Satın alımları geri yükleme başarısız oldu.",
+ "Failed to manage subscription.": "Aboneliği yönetme başarısız oldu.",
+ "Failed to load subscription plans.": "Abonelik planlarını yükleme başarısız oldu.",
+ "year": "yıl",
+ "Failed to create checkout session": "Ödeme oturumu oluşturma başarısız oldu",
+ "Storage": "Depolama",
+ "Terms of Service": "Hizmet Şartları",
+ "Privacy Policy": "Gizlilik Politikası",
+ "Disable Double Click": "Çift Tıklamayı Devre Dışı Bırak",
+ "TTS not supported for this document": "TTS bu belge için desteklenmiyor",
+ "Reset Password": "Şifreyi Sıfırla",
+ "Show Reading Progress": "Okuma İlerlemesini Göster",
+ "Reading Progress Style": "Okuma İlerlemesi Stili",
+ "Page Number": "Sayfa Numarası",
+ "Percentage": "Yüzde",
+ "Deleted local copy of the book: {{title}}": "Kitabın yerel kopyası silindi: {{title}}",
+ "Failed to delete cloud backup of the book: {{title}}": "Kitabın bulut yedeğini silme başarısız oldu: {{title}}",
+ "Failed to delete local copy of the book: {{title}}": "Kitabın yerel kopyasını silme başarısız oldu: {{title}}",
+ "Are you sure to delete the local copy of the selected book?": "Seçilen kitabın yerel kopyasını silmek istediğinize emin misiniz?",
+ "Remove from Cloud & Device": "Buluttan ve Cihazdan Kaldır",
+ "Remove from Cloud Only": "Sadece Buluttan Kaldır",
+ "Remove from Device Only": "Sadece Cihazdan Kaldır",
+ "Disconnected": "Bağlantı Kesildi",
+ "KOReader Sync Settings": "KOReader Senkronizasyon Ayarları",
+ "Sync Strategy": "Senkronizasyon Stratejisi",
+ "Ask on conflict": "Çatışmada Sor",
+ "Always use latest": "Her Zaman En Sonunu Kullan",
+ "Send changes only": "Sadece Değişiklikleri Gönder",
+ "Receive changes only": "Sadece Değişiklikleri Al",
+ "Checksum Method": "Kontrol Toplamı Yöntemi",
+ "File Content (recommended)": "Dosya İçeriği (önerilen)",
+ "File Name": "Dosya Adı",
+ "Device Name": "Cihaz Adı",
+ "Connect to your KOReader Sync server.": "KOReader Senkronizasyon sunucunuza bağlanın.",
+ "Server URL": "Sunucu URL'si",
+ "Username": "Kullanıcı Adı",
+ "Your Username": "Kullanıcı Adınız",
+ "Password": "Şifre",
+ "Connect": "Bağlan",
+ "KOReader Sync": "KOReader Senkronizasyon",
+ "Sync Conflict": "Senkronizasyon Çatışması",
+ "Sync reading progress from \"{{deviceName}}\"?": "\"{{deviceName}}\" cihazından okuma ilerlemesini senkronize etmek istiyor musunuz?",
+ "another device": "başka bir cihaz",
+ "Local Progress": "Yerel İlerleme",
+ "Remote Progress": "Uzak İlerleme",
+ "Page {{page}} of {{total}} ({{percentage}}%)": "Sayfa {{page}} / {{total}} ({{percentage}}%)",
+ "Current position": "Mevcut konum",
+ "Approximately page {{page}} of {{total}} ({{percentage}}%)": "Yaklaşık sayfa {{page}} / {{total}} ({{percentage}}%)",
+ "Approximately {{percentage}}%": "Yaklaşık {{percentage}}%",
+ "Failed to connect": "Bağlanma başarısız oldu",
+ "Sync Server Connected": "Senkronizasyon Sunucusu Bağlandı",
+ "Sync as {{userDisplayName}}": "Senkronize et {{userDisplayName}} olarak",
+ "Custom Fonts": "Özel Yazı Tipleri",
+ "Cancel Delete": "Silmeyi İptal Et",
+ "Import Font": "Yazı Tipi İçe Aktar",
+ "Delete Font": "Yazı Tipini Sil",
+ "Tips": "İpuçları",
+ "Custom fonts can be selected from the Font Face menu": "Özel yazı tipleri Yazı Tipi menüsünden seçilebilir",
+ "Manage Custom Fonts": "Özel Yazı Tiplerini Yönet",
+ "Select Files": "Dosyaları Seç",
+ "Select Image": "Resim Seç",
+ "Select Video": "Video Seç",
+ "Select Audio": "Ses Seç",
+ "Select Fonts": "Yazı Tiplerini Seç",
+ "Supported font formats: .ttf, .otf, .woff, .woff2": "Desteklenen yazı tipi formatları: .ttf, .otf, .woff, .woff2",
+ "Push Progress": "İlerlemeyi Gönder",
+ "Pull Progress": "İlerlemeyi Al",
+ "Previous Paragraph": "Önceki Paragraf",
+ "Previous Sentence": "Önceki Cümle",
+ "Pause": "Duraklat",
+ "Play": "Oynat",
+ "Next Sentence": "Sonraki Cümle",
+ "Next Paragraph": "Sonraki Paragraf",
+ "Separate Cover Page": "Ayrı Kapak Sayfası",
+ "Resize Notebook": "Defteri Yeniden Boyutlandır",
+ "Resize Sidebar": "Kenar Çubuğunu Yeniden Boyutlandır",
+ "Get Help from the Readest Community": "Readest Topluluğundan Yardım Alın",
+ "Remove cover image": "Kapak resmini kaldır",
+ "Bookshelf": "Kitaplık",
+ "View Menu": "Menüyü Görüntüle",
+ "Settings Menu": "Ayarlar Menüsü",
+ "View account details and quota": "Hesap detaylarını ve kotayı görüntüle",
+ "Library Header": "Kütüphane Başlığı",
+ "Book Content": "Kitap İçeriği",
+ "Footer Bar": "Alt Çubuk",
+ "Header Bar": "Üst Çubuk",
+ "View Options": "Görünüm Seçenekleri",
+ "Book Menu": "Kitap Menüsü",
+ "Search Options": "Arama Seçenekleri",
+ "Close": "Kapat",
+ "Delete Book Options": "Kitap Silme Seçenekleri",
+ "ON": "AÇIK",
+ "OFF": "KAPALI",
+ "Reading Progress": "Okuma İlerlemesi",
+ "Page Margin": "Sayfa Kenar Boşluğu",
+ "Remove Bookmark": "Yer İşareti Kaldır",
+ "Add Bookmark": "Yer İşareti Ekle",
+ "Books Content": "Kitap İçeriği",
+ "Jump to Location": "Konuma Atlama",
+ "Unpin Notebook": "Defteri Sabitlemeyi Kaldır",
+ "Pin Notebook": "Defteri Sabitle",
+ "Hide Search Bar": "Arama Çubuğunu Gizle",
+ "Show Search Bar": "Arama Çubuğunu Göster",
+ "On {{current}} of {{total}} page": "{{current}} / {{total}} sayfada",
+ "Section Title": "Bölüm Başlığı",
+ "Decrease": "Azalt",
+ "Increase": "Artır",
+ "Settings Panels": "Ayarlar Panelleri",
+ "Settings": "Ayarlar",
+ "Unpin Sidebar": "Kenar Çubuğunu Sabitlemeyi Kaldır",
+ "Pin Sidebar": "Kenar Çubuğunu Sabitle",
+ "Toggle Sidebar": "Kenar Çubuğunu Değiştir",
+ "Toggle Translation": "Çeviriyi Değiştir",
+ "Translation Disabled": "Çeviri Devre Dışı",
+ "Minimize": "Küçült",
+ "Maximize or Restore": "Büyüt veya Geri Yükle",
+ "Exit Parallel Read": "Paralel Okumadan Çık",
+ "Enter Parallel Read": "Paralel Okumaya Gir",
+ "Zoom Level": "Yakınlaştırma Düzeyi",
+ "Zoom Out": "Yakınlaştırmayı Kaldır",
+ "Reset Zoom": "Yakınlaştırmayı Sıfırla",
+ "Zoom In": "Yakınlaştırmayı Artır",
+ "Zoom Mode": "Yakınlaştırma Modu",
+ "Single Page": "Tek Sayfa",
+ "Auto Spread": "Otomatik Yayılma",
+ "Fit Page": "Sayfaya Sığdır",
+ "Fit Width": "Genişliğe Sığdır",
+ "Failed to select directory": "Dizini seçme başarısız oldu",
+ "The new data directory must be different from the current one.": "Yeni veri dizini mevcut olanla farklı olmalıdır.",
+ "Migration failed: {{error}}": "Taşıma işlemi başarısız oldu: {{error}}",
+ "Change Data Location": "Veri Konumunu Değiştir",
+ "Current Data Location": "Mevcut Veri Konumu",
+ "Total size: {{size}}": "Toplam boyut: {{size}}",
+ "Calculating file info...": "Dosya bilgileri hesaplanıyor...",
+ "New Data Location": "Yeni Veri Konumu",
+ "Choose Different Folder": "Farklı Klasör Seç",
+ "Choose New Folder": "Yeni Klasör Seç",
+ "Migrating data...": "Veri taşınıyor...",
+ "Copying: {{file}}": "Kopyalanıyor: {{file}}",
+ "{{current}} of {{total}} files": "{{current}} / {{total}} dosya",
+ "Migration completed successfully!": "Taşıma işlemi başarıyla tamamlandı!",
+ "Your data has been moved to the new location. Please restart the application to complete the process.": "Verileriniz yeni konuma taşındı. Lütfen işlemi tamamlamak için uygulamayı yeniden başlatın.",
+ "Migration failed": "Taşıma işlemi başarısız oldu",
+ "Important Notice": "Önemli Duyuru",
+ "This will move all your app data to the new location. Make sure the destination has enough free space.": "Bu, tüm uygulama verilerinizi yeni konuma taşıyacaktır. Hedefin yeterli boş alana sahip olduğundan emin olun.",
+ "Restart App": "Uygulamayı Yeniden Başlat",
+ "Start Migration": "Taşımayı Başlat",
+ "Advanced Settings": "Gelişmiş Ayarlar",
+ "File count: {{size}}": "Dosya sayısı: {{size}}",
+ "Background Read Aloud": "Arka Planda Sesli Okuma",
+ "Ready to read aloud": "Sesli okumaya hazır",
+ "Read Aloud": "Sesli Oku",
+ "Screen Brightness": "Ekran Parlaklığı",
+ "Background Image": "Arka Plan Görüntüsü",
+ "Import Image": "Görüntü İçe Aktar",
+ "Opacity": "Opaklık",
+ "Size": "Boyut",
+ "Cover": "Kapak",
+ "Contain": "İçerir",
+ "{{number}} pages left in chapter": "Bu bölümde {{number}} sayfa kaldı",
+ "Device": "Cihaz",
+ "E-Ink Mode": "E-Ink Modu",
+ "Highlight Colors": "Vurgu Renkleri",
+ "Auto Screen Brightness": "Otomatik Ekran Parlaklığı",
+ "Pagination": "Sayfalama",
+ "Disable Double Tap": "Çift Dokunmayı Devre Dışı Bırak",
+ "Tap to Paginate": "Sayfalamak için Dokunun",
+ "Click to Paginate": "Sayfalamak için Tıklayın",
+ "Tap Both Sides": "Her İki Tarafa Dokunun",
+ "Click Both Sides": "Her İki Tarafa Tıklayın",
+ "Swap Tap Sides": "Dokunma Taraflarını Değiştir",
+ "Swap Click Sides": "Tıklama Taraflarını Değiştir",
+ "Source and Translated": "Kaynak ve Çeviri",
+ "Translated Only": "Yalnızca Çeviri",
+ "Source Only": "Yalnızca Kaynak",
+ "TTS Text": "TTS Metni",
+ "The book file is corrupted": "Kitap dosyası bozulmuş",
+ "The book file is empty": "Kitap dosyası boş",
+ "Failed to open the book file": "Kitap dosyası açılamadı",
+ "On-Demand Purchase": "İhtiyaç Duyulduğunda Satın Alma",
+ "Full Customization": "Tam Özelleştirme",
+ "Lifetime Plan": "Ömür Boyu Plan",
+ "One-Time Payment": "Tek Seferlik Ödeme",
+ "Make a single payment to enjoy lifetime access to specific features on all devices. Purchase specific features or services only when you need them.": "Tüm cihazlarda belirli özelliklere ömür boyu erişim sağlamak için tek seferlik bir ödeme yapın. Belirli özellikleri veya hizmetleri yalnızca ihtiyaç duyduğunuzda satın alın.",
+ "Expand Cloud Sync Storage": "Bulut Senkronizasyonu Depolama Alanını Genişlet",
+ "Expand your cloud storage forever with a one-time purchase. Each additional purchase adds more space.": "Tek seferlik bir satın alma ile bulut depolama alanınızı sonsuza kadar genişletin. Her ek satın alma daha fazla alan ekler.",
+ "Unlock All Customization Options": "Tüm Özelleştirme Seçeneklerini Aç",
+ "Unlock additional themes, fonts, layout options and read aloud, translators, cloud storage services.": "Ek tema, yazı tipi, düzen seçeneklerini ve sesli okuma, çevirmenler, bulut depolama hizmetlerini açın.",
+ "Purchase Successful!": "Satın Alma Başarılı!",
+ "lifetime": "ömür boyu",
+ "Thank you for your purchase! Your payment has been processed successfully.": "Satın alma işleminiz için teşekkürler! Ödemeniz başarıyla işlendi.",
+ "Order ID:": "Sipariş Kimliği:",
+ "TTS Highlighting": "TTS Vurgulama",
+ "Style": "Stil",
+ "Underline": "Altı Çizili",
+ "Strikethrough": "Üstü Çizili",
+ "Squiggly": "Dalgalı Çizgi",
+ "Outline": "Kontur",
+ "Save Current Color": "Mevcut Rengi Kaydet",
+ "Quick Colors": "Hızlı Renkler",
+ "Highlighter": "Vurgulayıcı",
+ "Save Book Cover": "Kitap Kapağını Kaydet",
+ "Auto-save last book cover": "Son kitap kapağını otomatik olarak kaydet",
+ "Back": "Geri",
+ "Confirmation email sent! Please check your old and new email addresses to confirm the change.": "Onay e-postası gönderildi! Değişikliği onaylamak için eski ve yeni e-posta adreslerinizi kontrol edin.",
+ "Failed to update email": "E-posta güncellenemedi",
+ "New Email": "Yeni e-posta",
+ "Your new email": "Yeni e-posta adresiniz",
+ "Updating email ...": "E-posta güncelleniyor ...",
+ "Update email": "E-postayı güncelle",
+ "Current email": "Mevcut e-posta",
+ "Update Email": "E-postayı güncelle",
+ "All": "Tümü",
+ "Unable to open book": "Kitap açılamıyor",
+ "Punctuation": "Noktalama İşaretleri",
+ "Replace Quotation Marks": "Tırnak İşaretlerini Değiştir",
+ "Enabled only in vertical layout.": "Yalnızca dikey düzenle etkinleştirildi.",
+ "No Conversion": "Dönüştürme yok",
+ "Simplified to Traditional": "Basitleştirilmiş → Geleneksel",
+ "Traditional to Simplified": "Geleneksel → Basitleştirilmiş",
+ "Simplified to Traditional (Taiwan)": "Basitleştirilmiş → Geleneksel (Tayvan)",
+ "Simplified to Traditional (Hong Kong)": "Basitleştirilmiş → Geleneksel (Hong Kong)",
+ "Simplified to Traditional (Taiwan), with phrases": "Basitleştirilmiş → Geleneksel (Tayvan • ifadeler)",
+ "Traditional (Taiwan) to Simplified": "Geleneksel (Tayvan) → Basitleştirilmiş",
+ "Traditional (Hong Kong) to Simplified": "Geleneksel (Hong Kong) → Basitleştirilmiş",
+ "Traditional (Taiwan) to Simplified, with phrases": "Geleneksel (Tayvan • ifadeler) → Basitleştirilmiş",
+ "Convert Simplified and Traditional Chinese": "Basitleştirilmiş/Geleneksel Çince Dönüştür",
+ "Convert Mode": "Dönüştürme Modu",
+ "Failed to auto-save book cover for lock screen: {{error}}": "Kitap kapağı kilit ekranı için otomatik kaydedilemedi: {{error}}",
+ "Download from Cloud": "Buluttan İndir",
+ "Upload to Cloud": "Buluta Yükle",
+ "Clear Custom Fonts": "Özel Yazı Tiplerini Temizle",
+ "Columns": "Sütunlar",
+ "OPDS Catalogs": "OPDS Katalogları",
+ "Adding LAN addresses is not supported in the web app version.": "Web uygulaması sürümünde LAN adresi ekleme desteklenmiyor.",
+ "Invalid OPDS catalog. Please check the URL.": "Geçersiz OPDS kataloğu. Lütfen URL'yi kontrol edin.",
+ "Browse and download books from online catalogs": "Çevrimiçi kataloglardan kitapları görüntüleyin ve indirin",
+ "My Catalogs": "Kataloglarım",
+ "Add Catalog": "Katalog Ekle",
+ "No catalogs yet": "Henüz katalog yok",
+ "Add your first OPDS catalog to start browsing books": "Kitapları görüntülemeye başlamak için ilk OPDS kataloğunuzu ekleyin",
+ "Add Your First Catalog": "İlk Kataloğunuzu Ekleyin",
+ "Browse": "Gözat",
+ "Popular Catalogs": "Popüler Kataloglar",
+ "Add": "Ekle",
+ "Add OPDS Catalog": "OPDS Kataloğu Ekle",
+ "Catalog Name": "Katalog Adı",
+ "My Calibre Library": "Calibre Kütüphanem",
+ "OPDS URL": "OPDS URL",
+ "Username (optional)": "Kullanıcı Adı (opsiyonel)",
+ "Password (optional)": "Şifre (opsiyonel)",
+ "Description (optional)": "Açıklama (opsiyonel)",
+ "A brief description of this catalog": "Bu katalog hakkında kısa açıklama",
+ "Validating...": "Doğrulanıyor...",
+ "View All": "Tümünü Görüntüle",
+ "Forward": "İleri",
+ "Home": "Ana Sayfa",
+ "{{count}} items_one": "{{count}} öğe",
+ "{{count}} items_other": "{{count}} öğe",
+ "Download completed": "İndirme tamamlandı",
+ "Download failed": "İndirme başarısız",
+ "Open Access": "Açık Erişim",
+ "Borrow": "Ödünç Al",
+ "Buy": "Satın Al",
+ "Subscribe": "Abone Ol",
+ "Sample": "Örnek",
+ "Download": "İndir",
+ "Open & Read": "Aç ve Oku",
+ "Tags": "Etiketler",
+ "Tag": "Etiket",
+ "First": "İlk",
+ "Previous": "Önceki",
+ "Next": "Sonraki",
+ "Last": "Son",
+ "Cannot Load Page": "Sayfa yüklenemiyor",
+ "An error occurred": "Bir hata oluştu",
+ "Online Library": "Çevrimiçi Kütüphane",
+ "URL must start with http:// or https://": "URL http:// veya https:// ile başlamalıdır",
+ "Title, Author, Tag, etc...": "Başlık, Yazar, Etiket, vb...",
+ "Query": "Sorgu",
+ "Subject": "Konu",
+ "Enter {{terms}}": "{{terms}} girin",
+ "No search results found": "Arama sonucu bulunamadı",
+ "Failed to load OPDS feed: {{status}} {{statusText}}": "OPDS beslemesi yüklenemedi: {{status}} {{statusText}}",
+ "Search in {{title}}": "{{title}} içinde ara",
+ "Manage Storage": "Depolamayı Yönet",
+ "Failed to load files": "Dosyalar yüklenemedi",
+ "Deleted {{count}} file(s)_one": "{{count}} dosya silindi",
+ "Deleted {{count}} file(s)_other": "{{count}} dosya silindi",
+ "Failed to delete {{count}} file(s)_one": "{{count}} dosya silinemedi",
+ "Failed to delete {{count}} file(s)_other": "{{count}} dosya silinemedi",
+ "Failed to delete files": "Dosyalar silinemedi",
+ "Total Files": "Toplam Dosya",
+ "Total Size": "Toplam Boyut",
+ "Quota": "Kota",
+ "Used": "Kullanıldı",
+ "Files": "Dosyalar",
+ "Search files...": "Dosyaları ara...",
+ "Newest First": "En Yeni Önce",
+ "Oldest First": "En Eski Önce",
+ "Largest First": "En Büyük Önce",
+ "Smallest First": "En Küçük Önce",
+ "Name A-Z": "İsim A-Z",
+ "Name Z-A": "İsim Z-A",
+ "{{count}} selected_one": "{{count}} seçili dosya",
+ "{{count}} selected_other": "{{count}} seçili dosya",
+ "Delete Selected": "Seçilenleri Sil",
+ "Created": "Oluşturulma Tarihi",
+ "No files found": "Dosya bulunamadı",
+ "No files uploaded yet": "Henüz dosya yüklenmedi",
+ "files": "dosyalar",
+ "Page {{current}} of {{total}}": "{{total}} sayfa içinde {{current}}. sayfa",
+ "Are you sure to delete {{count}} selected file(s)?_one": "Seçilen {{count}} dosyayı silmek istediğinizden emin misiniz?",
+ "Are you sure to delete {{count}} selected file(s)?_other": "Seçilen {{count}} dosyayı silmek istediğinizden emin misiniz?",
+ "Cloud Storage Usage": "Bulut Depolama Kullanımı",
+ "Rename Group": "Grubu Yeniden Adlandır",
+ "From Directory": "Dizinden",
+ "Successfully imported {{count}} book(s)_one": "Başarıyla 1 kitap içe aktarıldı",
+ "Successfully imported {{count}} book(s)_other": "Başarıyla {{count}} kitap içe aktarıldı",
+ "Count": "Sayım",
+ "Start Page": "Başlangıç Sayfası",
+ "Search in OPDS Catalog...": "OPDS Kataloğunda ara...",
+ "Please log in to use advanced TTS features": "Gelişmiş TTS özelliklerini kullanmak için lütfen giriş yapın",
+ "Word limit of 30 words exceeded.": "30 kelime sınırı aşıldı.",
+ "Proofread": "Düzelt",
+ "Current selection": "Mevcut seçim",
+ "All occurrences in this book": "Bu kitaptaki tüm geçenler",
+ "All occurrences in your library": "Kütüphanenizdeki tüm geçenler",
+ "Selected text:": "Seçili metin:",
+ "Replace with:": "Şununla değiştir:",
+ "Enter text...": "Metin girin…",
+ "Case sensitive:": "Büyük/küçük harfe duyarlı:",
+ "Scope:": "Kapsam:",
+ "Selection": "Seçim",
+ "Library": "Kütüphane",
+ "Yes": "Evet",
+ "No": "Hayır",
+ "Proofread Replacement Rules": "Düzeltme Değiştirme Kuralları",
+ "Selected Text Rules": "Seçili Metin Kuralları",
+ "No selected text replacement rules": "Seçili metin için değiştirme kuralı yok",
+ "Book Specific Rules": "Kitaba Özel Kurallar",
+ "No book-level replacement rules": "Kitap düzeyinde değiştirme kuralı yok",
+ "Disable Quick Action": "Hızlı işlemi devre dışı bırak",
+ "Enable Quick Action on Selection": "Seçimde hızlı işlemi etkinleştir",
+ "None": "Hiçbiri",
+ "Annotation Tools": "Not araçları",
+ "Enable Quick Actions": "Hızlı işlemleri etkinleştir",
+ "Quick Action": "Hızlı işlem",
+ "Copy to Notebook": "Deftere kopyala",
+ "Copy text after selection": "Seçimden sonra metni kopyala",
+ "Highlight text after selection": "Seçimden sonra metni vurgula",
+ "Annotate text after selection": "Seçimden sonra metni not al",
+ "Search text after selection": "Seçimden sonra metni ara",
+ "Look up text in dictionary after selection": "Seçimden sonra metni sözlükte ara",
+ "Look up text in Wikipedia after selection": "Seçimden sonra metni Vikipedya'da ara",
+ "Translate text after selection": "Seçimden sonra metni çevir",
+ "Read text aloud after selection": "Seçimden sonra metni sesli oku",
+ "Proofread text after selection": "Seçimden sonra metni düzelt",
+ "{{activeCount}} active, {{pendingCount}} pending": "{{activeCount}} aktif, {{pendingCount}} beklemede",
+ "{{failedCount}} failed": "{{failedCount}} başarısız",
+ "Waiting...": "Bekleniyor...",
+ "Failed": "Başarısız",
+ "Completed": "Tamamlandı",
+ "Cancelled": "İptal edildi",
+ "Retry": "Yeniden dene",
+ "Active": "Aktif",
+ "Transfer Queue": "Transfer Kuyruğu",
+ "Upload All": "Tümünü Yükle",
+ "Download All": "Tümünü İndir",
+ "Resume Transfers": "Transferleri Sürdür",
+ "Pause Transfers": "Transferleri Duraklat",
+ "Pending": "Beklemede",
+ "No transfers": "Transfer yok",
+ "Retry All": "Tümünü Yeniden Dene",
+ "Clear Completed": "Tamamlananları Temizle",
+ "Clear Failed": "Başarısızları Temizle",
+ "Upload queued: {{title}}": "Yükleme sıraya alındı: {{title}}",
+ "Download queued: {{title}}": "İndirme sıraya alındı: {{title}}",
+ "Book not found in library": "Kitap kütüphanede bulunamadı",
+ "Unknown error": "Bilinmeyen hata",
+ "Please log in to continue": "Devam etmek için giriş yapın",
+ "Cloud File Transfers": "Bulut Dosya Transferleri",
+ "Show Search Results": "Arama sonuçlarını göster",
+ "Search results for '{{term}}'": "'{{term}}' için sonuçlar",
+ "Close Search": "Aramayı kapat",
+ "Previous Result": "Önceki sonuç",
+ "Next Result": "Sonraki sonuç",
+ "Bookmarks": "Yer İşaretleri",
+ "Annotations": "Açıklamalar",
+ "Show Results": "Sonuçları Göster",
+ "Clear search": "Aramayı temizle",
+ "Clear search history": "Arama geçmişini temizle",
+ "Tap to Toggle Footer": "Altbilgiyi değiştirmek için dokunun",
+ "Exported successfully": "Başarıyla dışa aktarıldı",
+ "Book exported successfully.": "Kitap başarıyla dışa aktarıldı.",
+ "Failed to export the book.": "Kitap dışa aktarılamadı.",
+ "Export Book": "Kitabı Dışa Aktar",
+ "Whole word:": "Tam kelime:",
+ "Error": "Hata",
+ "Unable to load the article. Try searching directly on {{link}}.": "Makale yüklenemiyor. Doğrudan {{link}} üzerinde arama yapmayı deneyin.",
+ "Unable to load the word. Try searching directly on {{link}}.": "Kelime yüklenemiyor. Doğrudan {{link}} üzerinde arama yapmayı deneyin.",
+ "Date Published": "Yayın tarihi",
+ "Only for TTS:": "Sadece TTS için:",
+ "Uploaded": "Yüklendi",
+ "Downloaded": "İndirildi",
+ "Deleted": "Silindi",
+ "Note:": "Not:",
+ "Time:": "Saat:",
+ "Format Options": "Format Seçenekleri",
+ "Export Date": "Dışa Aktarma Tarihi",
+ "Chapter Titles": "Bölüm Başlıkları",
+ "Chapter Separator": "Bölüm Ayracı",
+ "Highlights": "Vurgular",
+ "Note Date": "Not Tarihi",
+ "Advanced": "Gelişmiş",
+ "Hide": "Gizle",
+ "Show": "Göster",
+ "Use Custom Template": "Özel Şablon Kullan",
+ "Export Template": "Dışa Aktarma Şablonu",
+ "Template Syntax:": "Şablon Sözdizimi:",
+ "Insert value": "Değer ekle",
+ "Format date (locale)": "Tarihi biçimlendir (yerel)",
+ "Format date (custom)": "Tarihi biçimlendir (özel)",
+ "Conditional": "Koşullu",
+ "Loop": "Döngü",
+ "Available Variables:": "Kullanılabilir Değişkenler:",
+ "Book title": "Kitap başlığı",
+ "Book author": "Kitap yazarı",
+ "Export date": "Dışa aktarma tarihi",
+ "Array of chapters": "Bölümler dizisi",
+ "Chapter title": "Bölüm başlığı",
+ "Array of annotations": "Notlar dizisi",
+ "Highlighted text": "Vurgulanan metin",
+ "Annotation note": "Not açıklaması",
+ "Date Format Tokens:": "Tarih Biçimi Belirteçleri:",
+ "Year (4 digits)": "Yıl (4 basamak)",
+ "Month (01-12)": "Ay (01-12)",
+ "Day (01-31)": "Gün (01-31)",
+ "Hour (00-23)": "Saat (00-23)",
+ "Minute (00-59)": "Dakika (00-59)",
+ "Second (00-59)": "Saniye (00-59)",
+ "Show Source": "Kaynağı Göster",
+ "No content to preview": "Önizlenecek içerik yok",
+ "Export": "Dışa Aktar",
+ "Set Timeout": "Zaman aşımını ayarla",
+ "Select Voice": "Ses seç",
+ "Toggle Sticky Bottom TTS Bar": "Sabit TTS çubuğunu değiştir",
+ "Display what I'm reading on Discord": "Discord'da okuduğumu göster",
+ "Show on Discord": "Discord'da göster",
+ "Instant {{action}}": "Anında {{action}}",
+ "Instant {{action}} Disabled": "Anında {{action}} Devre Dışı",
+ "Annotation": "Açıklama",
+ "Reset Template": "Şablonu Sıfırla",
+ "Annotation style": "Açıklama stili",
+ "Annotation color": "Açıklama rengi",
+ "Annotation time": "Açıklama zamanı",
+ "AI": "YZ",
+ "Are you sure you want to re-index this book?": "Bu kitabı yeniden dizinlemek istediğinizden emin misiniz?",
+ "Enable AI in Settings": "Ayarlarda YZ'yi Etkinleştir",
+ "Index This Book": "Bu Kitabı Dizinle",
+ "Enable AI search and chat for this book": "Bu kitap için YZ arama ve sohbeti etkinleştir",
+ "Start Indexing": "Dizinlemeyi Başlat",
+ "Indexing book...": "Kitap dizinleniyor...",
+ "Preparing...": "Hazırlanıyor...",
+ "Delete this conversation?": "Bu konuşmayı sil?",
+ "No conversations yet": "Henüz konuşma yok",
+ "Start a new chat to ask questions about this book": "Bu kitap hakkında soru sormak için yeni bir sohbet başlatın",
+ "Rename": "Yeniden Adlandır",
+ "New Chat": "Yeni Sohbet",
+ "Chat": "Sohbet",
+ "Please enter a model ID": "Lütfen bir model kimliği girin",
+ "Model not available or invalid": "Model kullanılamıyor veya geçersiz",
+ "Failed to validate model": "Model doğrulanamadı",
+ "Couldn't connect to Ollama. Is it running?": "Ollama'ya bağlanılamadı. Çalışıyor mu?",
+ "Invalid API key or connection failed": "Geçersiz API anahtarı veya bağlantı başarısız",
+ "Connection failed": "Bağlantı başarısız",
+ "AI Assistant": "YZ Asistanı",
+ "Enable AI Assistant": "YZ Asistanını Etkinleştir",
+ "Provider": "Sağlayıcı",
+ "Ollama (Local)": "Ollama (Yerel)",
+ "AI Gateway (Cloud)": "YZ Geçidi (Bulut)",
+ "Ollama Configuration": "Ollama Yapılandırması",
+ "Refresh Models": "Modelleri Yenile",
+ "AI Model": "YZ Modeli",
+ "No models detected": "Model algılanmadı",
+ "AI Gateway Configuration": "YZ Geçidi Yapılandırması",
+ "Choose from a selection of high-quality, economical AI models. You can also bring your own model by selecting \"Custom Model\" below.": "Yüksek kaliteli, ekonomik YZ modelleri arasından seçim yapın. Aşağıdaki \"Özel Model\"i seçerek kendi modelinizi de kullanabilirsiniz.",
+ "API Key": "API Anahtarı",
+ "Get Key": "Anahtar Al",
+ "Model": "Model",
+ "Custom Model...": "Özel Model...",
+ "Custom Model ID": "Özel Model Kimliği",
+ "Validate": "Doğrula",
+ "Model available": "Model mevcut",
+ "Connection": "Bağlantı",
+ "Test Connection": "Bağlantıyı Test Et",
+ "Connected": "Bağlandı",
+ "Custom Colors": "Özel Renkler",
+ "Color E-Ink Mode": "Renkli E-Ink Modu",
+ "Reading Ruler": "Okuma Cetveli",
+ "Enable Reading Ruler": "Okuma Cetvelini Etkinleştir",
+ "Lines to Highlight": "Vurgulanacak Satırlar",
+ "Ruler Color": "Cetvel Rengi",
+ "Command Palette": "Komut Paleti",
+ "Search settings and actions...": "Ayarları ve eylemleri ara...",
+ "No results found for": "Şunun için sonuç bulunamadı",
+ "Type to search settings and actions": "Ayarları ve eylemleri aramak için yazın",
+ "Recent": "Son kullanılanlar",
+ "navigate": "gezin",
+ "select": "seç",
+ "close": "kapat",
+ "Search Settings": "Ayarları Ara",
+ "Page Margins": "Sayfa Kenar Boşlukları",
+ "AI Provider": "Yapay Zeka Sağlayıcısı",
+ "Ollama URL": "Ollama URL",
+ "Ollama Model": "Ollama Modeli",
+ "AI Gateway Model": "AI Gateway Modeli",
+ "Actions": "Eylemler",
+ "Navigation": "Gezinme",
+ "Set status for {{count}} book(s)_one": "{{count}} kitap için durumu ayarla",
+ "Set status for {{count}} book(s)_other": "{{count}} kitap için durumu ayarla",
+ "Mark as Unread": "Okunmadı olarak işaretle",
+ "Mark as Finished": "Bitirildi olarak işaretle",
+ "Finished": "Bitirildi",
+ "Unread": "Okunmadı",
+ "Clear Status": "Durumu Temizle",
+ "Status": "Durum",
+ "Loading": "Yükleniyor...",
+ "Exit Paragraph Mode": "Paragraf modundan çık",
+ "Paragraph Mode": "Paragraf modu",
+ "Embedding Model": "Gömme Modeli",
+ "{{count}} book(s) synced_one": "{{count}} kitap senkronize edildi",
+ "{{count}} book(s) synced_other": "{{count}} kitap senkronize edildi",
+ "Unable to start RSVP": "RSVP başlatılamadı",
+ "RSVP not supported for PDF": "PDF için RSVP desteklenmiyor",
+ "Select Chapter": "Bölüm Seç",
+ "Context": "Bağlam",
+ "Ready": "Hazır",
+ "Chapter Progress": "Bölüm İlerlemesi",
+ "words": "kelime",
+ "{{time}} left": "{{time}} kaldı",
+ "Reading progress": "Okuma ilerlemesi",
+ "Click to seek": "Konum aramak için tıkla",
+ "Skip back 15 words": "15 kelime geri atla",
+ "Back 15 words (Shift+Left)": "15 kelime geri (Shift+Sol)",
+ "Pause (Space)": "Duraklat (Boşluk)",
+ "Play (Space)": "Oynat (Boşluk)",
+ "Skip forward 15 words": "15 kelime ileri atla",
+ "Forward 15 words (Shift+Right)": "15 kelime ileri (Shift+Sağ)",
+ "Pause:": "Duraklat:",
+ "Decrease speed": "Hızı azalt",
+ "Slower (Left/Down)": "Daha yavaş (Sol/Aşağı)",
+ "Current speed": "Mevcut hız",
+ "Increase speed": "Hızı artır",
+ "Faster (Right/Up)": "Daha hızlı (Sağ/Yukarı)",
+ "Start RSVP Reading": "RSVP Okumasını Başlat",
+ "Choose where to start reading": "Nereden okumaya başlayacağınızı seçin",
+ "From Chapter Start": "Bölüm Başından",
+ "Start reading from the beginning of the chapter": "Bölümün başından itibaren okumaya başla",
+ "Resume": "Devam Et",
+ "Continue from where you left off": "Kaldığınız yerden devam edin",
+ "From Current Page": "Mevcut Sayfadan",
+ "Start from where you are currently reading": "Şu anda okuduğunuz yerden başlayın",
+ "From Selection": "Seçimden",
+ "Speed Reading Mode": "Hızlı Okuma Modu",
+ "Scroll left": "Sola kaydır",
+ "Scroll right": "Sağa kaydır",
+ "Library Sync Progress": "Kütüphane Senkronizasyon İlerlemesi",
+ "Back to library": "Kütüphaneye dön",
+ "Group by...": "Şuna göre grupla...",
+ "Export as Plain Text": "Düz Metin Olarak Dışa Aktar",
+ "Export as Markdown": "Markdown Olarak Dışa Aktar",
+ "Show Page Navigation Buttons": "Gezinme düğmeleri",
+ "Page {{number}}": "Sayfa {{number}}",
+ "highlight": "vurgula",
+ "underline": "altı çizili",
+ "squiggly": "dalgalı",
+ "red": "kırmızı",
+ "violet": "menekşe",
+ "blue": "mavi",
+ "green": "yeşil",
+ "yellow": "sarı",
+ "Select {{style}} style": "{{style}} stilini seç",
+ "Select {{color}} color": "{{color}} rengini seç",
+ "Close Book": "Kitabı Kapat",
+ "Speed Reading": "Hızlı Okuma",
+ "Close Speed Reading": "Hızlı Okumayı Kapat",
+ "Authors": "Yazarlar",
+ "Books": "Kitaplar",
+ "Groups": "Gruplar",
+ "Back to TTS Location": "TTS Konumuna Geri Dön",
+ "Metadata": "Meta veriler",
+ "Image viewer": "Resim görüntüleyici",
+ "Previous Image": "Önceki Resim",
+ "Next Image": "Sonraki Resim",
+ "Zoomed": "Yakınlaştırıldı",
+ "Zoom level": "Yakınlaştırma düzeyi",
+ "Table viewer": "Tablo görüntüleyici",
+ "Unable to connect to Readwise. Please check your network connection.": "Readwise'a bağlanılamadı. Lütfen ağ bağlantınızı kontrol edin.",
+ "Invalid Readwise access token": "Geçersiz Readwise erişim kodu",
+ "Disconnected from Readwise": "Readwise bağlantısı kesildi",
+ "Never": "Asla",
+ "Readwise Settings": "Readwise Ayarları",
+ "Connected to Readwise": "Readwise'a Bağlandı",
+ "Last synced: {{time}}": "Son senkronizasyon: {{time}}",
+ "Sync Enabled": "Senkronizasyon Etkin",
+ "Disconnect": "Bağlantıyı Kes",
+ "Connect your Readwise account to sync highlights.": "Vurguları senkronize etmek için Readwise hesabınızı bağlayın.",
+ "Get your access token at": "Erişim kodunuzu şuradan alın:",
+ "Access Token": "Erişim Kodu",
+ "Paste your Readwise access token": "Readwise erişim kodunuzu yapıştırın",
+ "Config": "Yapılandırma",
+ "Readwise Sync": "Readwise Senkronizasyonu",
+ "Push Highlights": "Vurguları Gönder",
+ "Highlights synced to Readwise": "Vurgular Readwise ile senkronize edildi",
+ "Readwise sync failed: no internet connection": "Readwise senkronizasyonu başarısız: internet bağlantısı yok",
+ "Readwise sync failed: {{error}}": "Readwise senkronizasyonu başarısız: {{error}}"
+}
diff --git a/apps/readest-app/public/locales/uk/translation.json b/apps/readest-app/public/locales/uk/translation.json
new file mode 100644
index 0000000000000000000000000000000000000000..90d3f094d5a8c89408844624705171d79f74b45c
--- /dev/null
+++ b/apps/readest-app/public/locales/uk/translation.json
@@ -0,0 +1,1084 @@
+{
+ "(detected)": "(виявлено)",
+ "About Readest": "Про Readest",
+ "Add your notes here...": "Додайте свої нотатки сюди...",
+ "Animation": "Анімація",
+ "Annotate": "Анотація",
+ "Apply": "Застосувати",
+ "Auto Mode": "Автоматичний режим",
+ "Behavior": "Поведінка",
+ "Book": "Книга",
+ "Bookmark": "Закладка",
+ "Cancel": "Скасувати",
+ "Chapter": "Розділ",
+ "Cherry": "Вишневий",
+ "Color": "Колір",
+ "Confirm": "Підтвердити",
+ "Confirm Deletion": "Підтвердити видалення",
+ "Copied to notebook": "Скопійовано до нотатника",
+ "Copy": "Копіювати",
+ "Dark Mode": "Темний режим",
+ "Default": "За замовчуванням",
+ "Default Font": "Шрифт за замовчуванням",
+ "Default Font Size": "Розмір шрифту за замовчуванням",
+ "Delete": "Видалити",
+ "Delete Highlight": "Видалити виділення",
+ "Dictionary": "Словник",
+ "Download Readest": "Завантажити Readest",
+ "Edit": "Редагувати",
+ "Excerpts": "Уривки",
+ "Failed to import book(s): {{filenames}}": "Не вдалося імпортувати книгу(и): {{filenames}}",
+ "Fast": "Швидко",
+ "Font": "Шрифт",
+ "Font & Layout": "Шрифт та макет",
+ "Font Face": "Налаштування шрифту",
+ "Font Family": "Сімейство шрифтів",
+ "Font Size": "Розмір шрифту",
+ "Full Justification": "Повне вирівнювання",
+ "Global Settings": "Ґлобальні налаштування",
+ "Go Back": "Назад",
+ "Go Forward": "Вперед",
+ "Grass": "Трав'яний",
+ "Gray": "Сірий",
+ "Gruvbox": "Теплий помаранчевий",
+ "Highlight": "Виділення",
+ "Horizontal Direction": "Горизонтальний напрямок",
+ "Hyphenation": "Перенесення слів",
+ "Import Books": "Імпортувати книги",
+ "Layout": "Макет",
+ "Light Mode": "Світлий режим",
+ "Loading...": "Завантаження...",
+ "Logged in": "Увійдено",
+ "Logged in as {{userDisplayName}}": "Увійдено як {{userDisplayName}}",
+ "Match Case": "Враховувати реґістр",
+ "Match Diacritics": "Враховувати діакритичні знаки",
+ "Match Whole Words": "Шукати цілі слова",
+ "Maximum Number of Columns": "Максимальна кількість колонок",
+ "Minimum Font Size": "Мінімальний розмір шрифту",
+ "Monospace Font": "Моноширинний шрифт",
+ "More Info": "Більше інформації",
+ "Nord": "Норд",
+ "Notebook": "Нотатник",
+ "Notes": "Нотатки",
+ "Open": "Відкрити",
+ "Original Text": "Ориґінальний текст",
+ "Page": "Сторінка",
+ "Paging Animation": "Анімація гортання",
+ "Paragraph": "Абзац",
+ "Parallel Read": "Паралельне читання",
+ "Published": "Опубліковано",
+ "Publisher": "Видавець",
+ "Reading Progress Synced": "Прогрес читання синхронізовано",
+ "Reload Page": "Перезавантажити сторінку",
+ "Reveal in File Explorer": "Показати у Файловому менеджері",
+ "Reveal in Finder": "Показати у Finder",
+ "Reveal in Folder": "Показати в папці",
+ "Sans-Serif Font": "Шрифт без засічок",
+ "Save": "Зберегти",
+ "Scrolled Mode": "Режим прокрутки",
+ "Search": "Пошук",
+ "Search Books...": "Шукати книги...",
+ "Search...": "Пошук...",
+ "Select Book": "Вибрати книгу",
+ "Select Books": "Вибрати книги",
+ "Sepia": "Сепія",
+ "Serif Font": "Шрифт із засічками",
+ "Show Book Details": "Показати деталі книги",
+ "Sidebar": "Бічна панель",
+ "Sign In": "Увійти",
+ "Sign Out": "Вийти",
+ "Sky": "Небесний",
+ "Slow": "Повільно",
+ "Solarized": "Сонячний",
+ "Speak": "Озвучити",
+ "Subjects": "Жанри",
+ "System Fonts": "Системні шрифти",
+ "Theme Color": "Колір теми",
+ "Theme Mode": "Режим теми",
+ "Translate": "Перекласти",
+ "Translated Text": "Перекладений текст",
+ "Unknown": "Невідомо",
+ "Untitled": "Без назви",
+ "Updated": "Оновлено",
+ "Version {{version}}": "Версія {{version}}",
+ "Vertical Direction": "Вертикальний напрямок",
+ "Welcome to your library. You can import your books here and read them anytime.": "Ласкаво просимо до вашої бібліотеки. Ви можете імпортувати сюди свої книги та читати їх будь-коли.",
+ "Wikipedia": "Вікіпедія",
+ "Writing Mode": "Режим письма",
+ "Your Library": "Ваша бібліотека",
+ "TTS not supported for PDF": "TTS не підтримується для PDF",
+ "Override Book Font": "Перевизначити шрифт книги",
+ "Apply to All Books": "Застосувати до всіх книг",
+ "Apply to This Book": "Застосувати лише до цієї книги",
+ "Unable to fetch the translation. Try again later.": "Не вдалося отримати переклад. Спробуйте пізніше.",
+ "Check Update": "Перевірити оновлення",
+ "Already the latest version": "У вас вже встановлена найновіша версія",
+ "Book Details": "Деталі книги",
+ "From Local File": "З локального файлу",
+ "TOC": "Зміст",
+ "Table of Contents": "Зміст",
+ "Book uploaded: {{title}}": "Книгу завантажено: {{title}}",
+ "Failed to upload book: {{title}}": "Не вдалося завантажити книгу: {{title}}",
+ "Book downloaded: {{title}}": "Книгу завантажено: {{title}}",
+ "Failed to download book: {{title}}": "Не вдалося завантажити книгу: {{title}}",
+ "Upload Book": "Завантажити книгу",
+ "Auto Upload Books to Cloud": "Автоматично завантажувати книги в хмару",
+ "Book deleted: {{title}}": "Книгу видалено: {{title}}",
+ "Failed to delete book: {{title}}": "Не вдалося видалити книгу: {{title}}",
+ "Check Updates on Start": "Перевіряти оновлення при запуску",
+ "Insufficient storage quota": "Недостатньо місця у сховищі",
+ "Font Weight": "Насиченість шрифту",
+ "Line Spacing": "Міжрядковий інтервал",
+ "Word Spacing": "Міжслівний інтервал",
+ "Letter Spacing": "Міжбуквений інтервал",
+ "Text Indent": "Відступ тексту",
+ "Paragraph Margin": "Відступ абзацу",
+ "Override Book Layout": "Перевизначити макет книги",
+ "Untitled Group": "Група без назви",
+ "Group Books": "Групувати книги",
+ "Remove From Group": "Видалити з групи",
+ "Create New Group": "Створити нову групу",
+ "Deselect Book": "Скасувати вибір книги",
+ "Download Book": "Завантажити книгу",
+ "Deselect Group": "Скасувати вибір групи",
+ "Select Group": "Вибрати групу",
+ "Keep Screen Awake": "Не вимикати екран",
+ "Email address": "Адреса електронної пошти",
+ "Your Password": "Ваш пароль",
+ "Your email address": "Ваша електронна адреса",
+ "Your password": "Ваш пароль",
+ "Sign in": "Увійти",
+ "Signing in...": "Вхід...",
+ "Sign in with {{provider}}": "Увійти через {{provider}}",
+ "Already have an account? Sign in": "Уже є акаунт? Увійти",
+ "Create a Password": "Створити пароль",
+ "Sign up": "Зареєструватися",
+ "Signing up...": "Реєстрація...",
+ "Don't have an account? Sign up": "Немає акаунту? Зареєструйтеся",
+ "Check your email for the confirmation link": "Перевірте свою електронну пошту на посилання із підтвердженням",
+ "Signing in ...": "Увійти...",
+ "Send a magic link email": "Відправити магічне посилання на електронну пошту",
+ "Check your email for the magic link": "Ми надіслали вам магічне посилання. Перевірте свою електронну пошту",
+ "Send reset password instructions": "Надіслати інструкції для скидання пароля",
+ "Sending reset instructions ...": "Надсилаються інструкції для скидання пароля...",
+ "Forgot your password?": "Забули пароль?",
+ "Check your email for the password reset link": "Перевірте свою електронну пошту для посилання на скидання пароля",
+ "New Password": "Новий пароль",
+ "Your new password": "Ваш новий пароль",
+ "Update password": "Оновити пароль",
+ "Updating password ...": "Оновлення пароля...",
+ "Your password has been updated": "Ваш пароль оновлено",
+ "Phone number": "Номер телефону",
+ "Your phone number": "Ваш номер телефону",
+ "Token": "Токен",
+ "Your OTP token": "Ваш OTP-токен",
+ "Verify token": "Перевірити токен",
+ "Account": "Обліковий запис",
+ "Failed to delete user. Please try again later.": "Не вдалося видалити користувача. Будь ласка, спробуйте пізніше.",
+ "Community Support": "Підтримка спільноти",
+ "Priority Support": "Пріоритетна підтримка",
+ "Loading profile...": "Завантаження профілю...",
+ "Delete Account": "Видалити обліковий запис",
+ "Delete Your Account?": "Видалити ваш обліковий запис?",
+ "This action cannot be undone. All your data in the cloud will be permanently deleted.": "Цю дію неможливо скасувати. Всі ваші дані в хмарі будуть повністю видалені.",
+ "Delete Permanently": "Видалити назавжди",
+ "RTL Direction": "Напрямок RTL",
+ "Maximum Column Height": "Максимальна висота колонки",
+ "Maximum Column Width": "Максимальна ширина колонки",
+ "Continuous Scroll": "Постійна прокрутка",
+ "Fullscreen": "Повноекранний",
+ "No supported files found. Supported formats: {{formats}}": "Не знайдено підтримуваних файлів. Підтримувані формати: {{formats}}",
+ "Drop to Import Books": "Перетягніть для імпорту книг",
+ "Custom": "Користувацький",
+ "All the world's a stage,\nAnd all the men and women merely players;\nThey have their exits and their entrances,\nAnd one man in his time plays many parts,\nHis acts being seven ages.\n\n— William Shakespeare": "Так, світ — театр,\nДе всі чоловіки й жінки — актори.\nТут кожному приписаний свій вихід,\nне одну з них кожне грає роль.\nСім дій в тій п’єсі...\nВільям Шекспір\n(переклад Олександра Мокровольського)",
+ "Custom Theme": "Користувацька тема",
+ "Theme Name": "Назва теми",
+ "Text Color": "Колір тексту",
+ "Background Color": "Колір фону",
+ "Preview": "Попередній перегляд",
+ "Contrast": "Контраст",
+ "Sunset": "Захід сонця",
+ "Double Border": "Подвійна рамка",
+ "Border Color": "Колір країв",
+ "Border Frame": "Рамка по краям",
+ "Show Header": "Показати заголовок",
+ "Show Footer": "Показати нижню частину",
+ "Small": "Малий",
+ "Large": "Великий",
+ "Auto": "Автоматичний",
+ "Language": "Мова",
+ "No annotations to export": "Немає анотацій для експорту",
+ "Author": "Автор",
+ "Exported from Readest": "Експортовано з Readest",
+ "Highlights & Annotations": "Виділення та анотації",
+ "Note": "Примітка",
+ "Copied to clipboard": "Скопійовано до буфера обміну",
+ "Export Annotations": "Експортувати анотації",
+ "Auto Import on File Open": "Автоматичний імпорт при відкритті файлу",
+ "LXGW WenKai GB Screen": "LXGW WenKai SC",
+ "LXGW WenKai TC": "LXGW WenKai TC",
+ "No chapters detected": "Не виявлено жодного розділу",
+ "Failed to parse the EPUB file": "Не вдалося розібрати файл EPUB",
+ "This book format is not supported": "Цей формат книги не підтримується",
+ "Unable to fetch the translation. Please log in first and try again.": "Не вдалося отримати переклад. Будь ласка, спочатку увійдіть у систему та спробуйте ще раз.",
+ "Group": "Група",
+ "Always on Top": "Завжди зверху",
+ "No Timeout": "Без тайм-ауту",
+ "{{value}} minute": "{{value}} хвилина",
+ "{{value}} minutes": "{{value}} хвилин",
+ "{{value}} hour": "{{value}} година",
+ "{{value}} hours": "{{value}} години",
+ "CJK Font": "CJK шрифт",
+ "Clear Search": "Очистити пошук",
+ "Header & Footer": "Заголовок і нижній колонтитул",
+ "Apply also in Scrolled Mode": "Застосувати також у прокрученому режимі",
+ "A new version of Readest is available!": "Доступна нова версія Readest!",
+ "Readest {{newVersion}} is available (installed version {{currentVersion}}).": "Нова версія Readest {{newVersion}} доступна. (Поточна {{currentVersion}}).",
+ "Download and install now?": "Завантажити та встановити зараз?",
+ "Downloading {{downloaded}} of {{contentLength}}": "Завантаженно {{downloaded}} з {{contentLength}}",
+ "Download finished": "Завантаження завершено",
+ "DOWNLOAD & INSTALL": "ЗАВАНТАЖИТИ ТА ВСТАНОВИТИ",
+ "Changelog": "Список змін",
+ "Software Update": "Оновлення ПЗ",
+ "Title": "Назва",
+ "Date Read": "Дата прочитання",
+ "Date Added": "Дата додавання",
+ "Format": "Формат",
+ "Ascending": "За зростанням",
+ "Descending": "За спаданням",
+ "Sort by...": "Сортувати за...",
+ "Added": "Додано",
+ "GuanKiapTsingKhai-T": "GuanKiapTsingKhai-T",
+ "Description": "Опис",
+ "No description available": "Опис недоступний",
+ "List": "Список",
+ "Grid": "Сітка",
+ "(from 'As You Like It', Act II)": "(із 'Як вам це подобається', Дія II)",
+ "Link Color": "Колір посилання",
+ "Volume Keys for Page Flip": "Перегортати сторінки клавішами гучності",
+ "Screen": "Екран",
+ "Orientation": "Орієнтація",
+ "Portrait": "Портрет",
+ "Landscape": "Ландшафт",
+ "Open Last Book on Start": "Відкривати останню книгу при запуску",
+ "Checking for updates...": "Перевірка наявності оновлень...",
+ "Error checking for updates": "Помилка перевірки наявності оновлень",
+ "Details": "Деталі",
+ "File Size": "Розмір файлу",
+ "Auto Detect": "Авто виявлення",
+ "Next Section": "Наступний розділ",
+ "Previous Section": "Попередній розділ",
+ "Next Page": "Наступна сторінка",
+ "Previous Page": "Попередня сторінка",
+ "Are you sure to delete {{count}} selected book(s)?_one": "Ви впевнені, що хочете видалити {{count}} вибрану книгу?",
+ "Are you sure to delete {{count}} selected book(s)?_few": "Ви впевнені, що хочете видалити {{count}} вибрані книги?",
+ "Are you sure to delete {{count}} selected book(s)?_many": "Ви впевнені, що хочете видалити {{count}} вибраних книг?",
+ "Are you sure to delete {{count}} selected book(s)?_other": "Ви впевнені, що хочете видалити {{count}} вибраних книг?",
+ "Are you sure to delete the selected book?": "Ви впевнені, що хочете видалити вибрану книгу?",
+ "Deselect": "Зняти",
+ "Select All": "Усі",
+ "No translation available.": "Переклад недоступний.",
+ "Translated by {{provider}}.": "Перекладено за допомогою {{provider}}.",
+ "DeepL": "DeepL",
+ "Google Translate": "Google Перекладач",
+ "Azure Translator": "Azure Перекладач",
+ "Invert Image In Dark Mode": "Інвертувати зображення в темному режимі",
+ "Help improve Readest": "Допоможіть покращити Readest",
+ "Sharing anonymized statistics": "Ділитись анонімною статистикою",
+ "Interface Language": "Мова інтерфейсу",
+ "Translation": "Переклад",
+ "Enable Translation": "Увімкнути переклад",
+ "Translation Service": "Служба перекладу",
+ "Translate To": "Мова перекладу",
+ "Disable Translation": "Вимкнути переклад",
+ "Scroll": "Прокрутка",
+ "Overlap Pixels": "Перекривати пікселі",
+ "System Language": "Системна мова",
+ "Security": "Безпека",
+ "Allow JavaScript": "Дозволити JavaScript",
+ "Enable only if you trust the file.": "Увімкніть лише якщо довіряєте файлу.",
+ "Sort TOC by Page": "Сортувати зміст за сторінкою",
+ "Search in {{count}} Book(s)..._one": "Шукати в {{count}} книзі...",
+ "Search in {{count}} Book(s)..._few": "Шукати в {{count}} книгах...",
+ "Search in {{count}} Book(s)..._many": "Шукати в {{count}} книгах...",
+ "Search in {{count}} Book(s)..._other": "Шукати в {{count}} книгах...",
+ "No notes match your search": "Нотаток не знайдено",
+ "Search notes and excerpts...": "Шукати нотатки...",
+ "Sign in to Sync": "Увійти",
+ "Synced at {{time}}": "Синхр. о {{time}}",
+ "Never synced": "Ніколи не синхр.",
+ "Show Remaining Time": "Показати залишок часу",
+ "{{time}} min left in chapter": "{{time}} хв до кінця розділу",
+ "Override Book Color": "Перевизначити колір книги",
+ "Login Required": "Потрібен вхід",
+ "Quota Exceeded": "Перевищено ліміт",
+ "{{percentage}}% of Daily Translation Characters Used.": "Використано {{percentage}}% символів перекладу за день.",
+ "Translation Characters": "Символи перекладу",
+ "{{engine}}: {{count}} voices_one": "{{engine}}: {{count}} голос",
+ "{{engine}}: {{count}} voices_few": "{{engine}}: {{count}} голоси",
+ "{{engine}}: {{count}} voices_many": "{{engine}}: {{count}} голосів",
+ "{{engine}}: {{count}} voices_other": "{{engine}}: {{count}} голоси",
+ "Something went wrong. Don't worry, our team has been notified and we're working on a fix.": "От халепа! Щось пішло не так. Не хвилюйтеся, наша команда знає про це, ми вже працюємо над виправленням.",
+ "Error Details:": "Деталі помилки:",
+ "Try Again": "Спробувати ще раз",
+ "Need help?": "Потрібна допомога?",
+ "Contact Support": "Зв'язатися з підтримкою",
+ "Code Highlighting": "Підсвічувати код",
+ "Enable Highlighting": "Увімкнути підсвічування",
+ "Code Language": "Мова коду",
+ "Top Margin (px)": "Верхній відступ (px)",
+ "Bottom Margin (px)": "Нижній відступ (px)",
+ "Right Margin (px)": "Правий відступ (px)",
+ "Left Margin (px)": "Лівий відступ (px)",
+ "Column Gap (%)": "Проміжок між стовпцями (%)",
+ "Always Show Status Bar": "Завжди показувати панель стану",
+ "Custom Content CSS": "Користуацький CSS вмісту",
+ "Enter CSS for book content styling...": "Введіть CSS для стилізації вмісту книги...",
+ "Custom Reader UI CSS": "CSS інтерфейсу",
+ "Enter CSS for reader interface styling...": "Введіть CSS для стилізації інтерфейсу читанки...",
+ "Crop": "Обрізати",
+ "Book Covers": "Обкладинки книг",
+ "Fit": "Припасувати",
+ "Reset {{settings}}": "Скинути {{settings}}",
+ "Reset Settings": "Скинути налаштування",
+ "{{count}} pages left in chapter_one": "Залишилася {{count}} сторінка у розділі",
+ "{{count}} pages left in chapter_few": "Залишилось {{count}} сторінки у розділі",
+ "{{count}} pages left in chapter_many": "Залишилось {{count}} сторінок у розділі",
+ "{{count}} pages left in chapter_other": "Залишилось {{count}} сторінок у розділі",
+ "Show Remaining Pages": "Показати залишок сторінок",
+ "Source Han Serif CN": "Source Han Serif",
+ "Huiwen-MinchoGBK": "Huiwen Mincho",
+ "KingHwa_OldSong": "KingHwa Song",
+ "Manage Subscription": "Керувати підпискою",
+ "Coming Soon": "Незабаром",
+ "Upgrade to {{plan}}": "Перейти на {{plan}}",
+ "Upgrade to Plus or Pro": "Перейти на Plus або Pro",
+ "Current Plan": "Поточний план",
+ "Plan Limits": "Обмеження плану",
+ "Processing your payment...": "Обробка вашого платежу...",
+ "Please wait while we confirm your subscription.": "Зачекайте, ми підтверджуємо вашу підписку.",
+ "Payment Processing": "Обробка платежу",
+ "Your payment is being processed. This usually takes a few moments.": "Ваш платіж обробляється. Зазвичай це займає кілька секунд.",
+ "Payment Failed": "Платіж не вдався",
+ "We couldn't process your subscription. Please try again or contact support if the issue persists.": "Не вдалося обробити вашу підписку. Спробуйте ще раз або зверніться до служби підтримки, якщо проблема не зникне.",
+ "Back to Profile": "Повернутися до профілю",
+ "Subscription Successful!": "Підписка активована!",
+ "Thank you for your subscription! Your payment has been processed successfully.": "Дякуємо за підписку! Ваш платіж успішно оброблено.",
+ "Email:": "Електронна пошта:",
+ "Plan:": "План:",
+ "Amount:": "Сума:",
+ "Go to Library": "Перейти до бібліотеки",
+ "Need help? Contact our support team at support@readest.com": "Потрібна допомога? Зверніться до служби підтримки: support@readest.com",
+ "Free Plan": "Безкоштовний план",
+ "month": "місяць",
+ "AI Translations (per day)": "ШІ-переклади (на день)",
+ "Plus Plan": "План Plus",
+ "Includes All Free Plan Benefits": "Включає всі переваги Безкоштовного плану",
+ "Pro Plan": "План Pro",
+ "More AI Translations": "Більше ШІ-перекладів",
+ "Complete Your Subscription": "Завершіть підписку",
+ "{{percentage}}% of Cloud Sync Space Used.": "Використано {{percentage}}% хмарного сховища.",
+ "Cloud Sync Storage": "Хмарне сховище",
+ "Disable": "Вимкнути",
+ "Enable": "Увімкнути",
+ "Upgrade to Readest Premium": "Оновити до Readest Premium",
+ "Show Source Text": "Показати вихідний текст",
+ "Cross-Platform Sync": "Міжплатформова синхронізація",
+ "Seamlessly sync your library, progress, highlights, and notes across all your devices—never lose your place again.": "Безперешкодно синхронізуйте свою бібліотеку, прогрес, виділення та нотатки на всіх своїх пристроях. Більше ніколи не втратите свої книги.",
+ "Customizable Reading": "Користувацьке читання",
+ "Personalize every detail with adjustable fonts, layouts, themes, and advanced display settings for the perfect reading experience.": "Персоналізуйте кожну деталь за допомогою налаштовуваних шрифтів, макетів, тем та розширених налаштувань відображення для ідеального читання.",
+ "AI Read Aloud": "Озвучування ШІ",
+ "Enjoy hands-free reading with natural-sounding AI voices that bring your books to life.": "Насолоджуйтесь читанням без використання рук з природними звучаннями голосів, які оживляють ваші книги.",
+ "AI Translations": "Переклади ШІ",
+ "Translate any text instantly with the power of Google, Azure, or DeepL—understand content in any language.": "Перекладайте будь-який текст миттєво за допомогою Google, Azure або DeepL. Розумійте зміст будь-якою мовою.",
+ "Connect with fellow readers and get help fast in our friendly community channels.": "Спілкуйтеся з іншими читачами та отримуйте швидку допомогу в наших дружніх каналах спільноти.",
+ "Unlimited AI Read Aloud Hours": "Необмежені години озвучування ШІ",
+ "Listen without limits—convert as much text as you like into immersive audio.": "Слухайте без обмежень—перетворюйте стільки тексту, скільки хочете, в захоплююче аудіо.",
+ "Unlock enhanced translation capabilities with more daily usage and advanced options.": "Розблокуйте покращені можливості перекладу з більшим щоденним використанням та розширеними функціями.",
+ "DeepL Pro Access": "Доступ до DeepL Pro",
+ "Enjoy faster responses and dedicated assistance whenever you need help.": "Насолоджуйтеся швидшими відповідями та персональною допомогою, коли вам потрібна підтримка.",
+ "Daily translation quota reached. Upgrade your plan to continue using AI translations.": "Досягнуто денну квоту перекладів. Оновіть свій план, щоб продовжити використовувати переклади ШІ.",
+ "Includes All Plus Plan Benefits": "Включає усі переваги Plus плану",
+ "Early Feature Access": "Ранній Доступ до функцій",
+ "Be the first to explore new features, updates, and innovations before anyone else.": "Досліджуйте нові функції, оновлення та інновації першими.",
+ "Advanced AI Tools": "Розширені ШІ інструменти",
+ "Harness powerful AI tools for smarter reading, translation, and content discovery.": "Використовуйте потужні ШІ інструменти для розумного читання, перекладу та пошуку контенту.",
+ "Translate up to 100,000 characters daily with the most accurate translation engine available.": "Перекладайте до 100 000 символів щодня з найточнішим доступним рушієм перекладу.",
+ "Translate up to 500,000 characters daily with the most accurate translation engine available.": "Перекладайте до 500 000 символів щодня з найточнішим доступним рушієм перекладу.",
+ "Securely store and access your entire reading collection with up to 5 GB of cloud storage.": "Безпечно зберігайте та отримуйте доступ до всієї колекції читання з до 5 ГБ хмарного сховища.",
+ "Securely store and access your entire reading collection with up to 20 GB of cloud storage.": "Безпечно зберігайте та отримуйте доступ до всієї колекції читання з до 20 ГБ хмарного сховища.",
+ "Deleted cloud backup of the book: {{title}}": "Видалено хмарну резервну копію книги: {{title}}",
+ "Are you sure to delete the cloud backup of the selected book?": "Ви впевнені, що хочете видалити хмарну резервну копію вибраної книги?",
+ "What's New in Readest": "Що нового в Readest",
+ "Enter book title": "Введіть назву книги",
+ "Subtitle": "Підзаголовок",
+ "Enter book subtitle": "Введіть підзаголовок книги",
+ "Enter author name": "Введіть ім'я автора",
+ "Series": "Цикл",
+ "Enter series name": "Введіть назву циклу",
+ "Series Index": "Номер циклу",
+ "Enter series index": "Введіть номер циклу",
+ "Total in Series": "Всього у циклі",
+ "Enter total books in series": "Введіть загальну кількість книг у циклі",
+ "Enter publisher": "Введіть видавця",
+ "Publication Date": "Дата видання",
+ "Identifier": "Ідентифікатор",
+ "Enter book description": "Введіть опис книги",
+ "Change cover image": "Змінити зображення обкладинки",
+ "Replace": "Замінити",
+ "Unlock cover": "Розблокувати обкладинку",
+ "Lock cover": "Заблокувати обкладинку",
+ "Auto-Retrieve Metadata": "Автоматично підтягнути метадані",
+ "Auto-Retrieve": "Автоматичне підтягування",
+ "Unlock all fields": "Розблокувати всі поля",
+ "Unlock All": "Розблокувати все",
+ "Lock all fields": "Заблокувати всі поля",
+ "Lock All": "Заблокувати все",
+ "Reset": "Скинути",
+ "Edit Metadata": "Редагувати метадані",
+ "Locked": "Заблоковано",
+ "Select Metadata Source": "Оберіть джерело метаданих",
+ "Keep manual input": "Зберегти ручне введення",
+ "Google Books": "Google Книги",
+ "Open Library": "Open Library",
+ "Fiction, Science, History": "Художня література, Наукова фантастика, Історія",
+ "Open Book in New Window": "Відкрити книгу в новому вікні",
+ "Voices for {{lang}}": "Голоси для {{lang}}",
+ "Yandex Translate": "Yandex Перекладач (росія)",
+ "YYYY or YYYY-MM-DD": "YYYY або YYYY-MM-DD",
+ "Restore Purchase": "Відновити покупку",
+ "No purchases found to restore.": "Не знайдено покупок для відновлення.",
+ "Failed to restore purchases.": "Не вдалося відновити покупки.",
+ "Failed to manage subscription.": "Не вдалося відредагувати підписку.",
+ "Failed to load subscription plans.": "Не вдалося завантажити плани підписки.",
+ "year": "рік",
+ "Failed to create checkout session": "Не вдалося створити сесію оформлення замовлення",
+ "Storage": "Сховище",
+ "Terms of Service": "Умови обслуговування",
+ "Privacy Policy": "Політика конфіденційності",
+ "Disable Double Click": "Вимкнути подвійне натискання",
+ "TTS not supported for this document": "TTS не підтримується в цьому документі",
+ "Reset Password": "Скинути пароль",
+ "Show Reading Progress": "Показати проґрес читання",
+ "Reading Progress Style": "Стиль проґресу читання",
+ "Page Number": "Номер сторінки",
+ "Percentage": "Відсотки",
+ "Deleted local copy of the book: {{title}}": "Видалено локальну копію книги: {{title}}",
+ "Failed to delete cloud backup of the book: {{title}}": "Не вдалося видалити резервну копію книги в хмарі: {{title}}",
+ "Failed to delete local copy of the book: {{title}}": "Не вдалося видалити локальну копію книги: {{title}}",
+ "Are you sure to delete the local copy of the selected book?": "Ви впевнені, що хочете видалити локальну копію вибраної книги?",
+ "Remove from Cloud & Device": "Видалити з хмари та пристрою",
+ "Remove from Cloud Only": "Видалити тільки із хмари",
+ "Remove from Device Only": "Видалити тільки із пристрою",
+ "Disconnected": "Від'єднано",
+ "KOReader Sync Settings": "Налаштування синхронізації KOReader",
+ "Sync Strategy": "Стратегія синхронізації",
+ "Ask on conflict": "Запитувати при конфлікті",
+ "Always use latest": "Завжди використовувати найновішу",
+ "Send changes only": "Відправити тільки зміни",
+ "Receive changes only": "Отримати тільки зміни",
+ "Checksum Method": "Метод контролю суми",
+ "File Content (recommended)": "Вміст файлу (рекомендується)",
+ "File Name": "Ім'я файлу",
+ "Device Name": "Ім'я пристрою",
+ "Connect to your KOReader Sync server.": "Під'єдайте свій сервер синхронізації KOReader.",
+ "Server URL": "URL сервера",
+ "Username": "Ім'я користувача",
+ "Your Username": "Ваше ім'я користувача",
+ "Password": "Пароль",
+ "Connect": "Під'єднатися",
+ "KOReader Sync": "Синхронізація KOReader",
+ "Sync Conflict": "Конфлікт синхронізації",
+ "Sync reading progress from \"{{deviceName}}\"?": "Синхронізувати прогрес читання із \"{{deviceName}}\"?",
+ "another device": "інший пристрій",
+ "Local Progress": "Локальний проґрес",
+ "Remote Progress": "Проґрес у хмарі",
+ "Page {{page}} of {{total}} ({{percentage}}%)": "Сторінка {{page}} з {{total}} ({{percentage}}%)",
+ "Current position": "Поточна позиція",
+ "Approximately page {{page}} of {{total}} ({{percentage}}%)": "Приблизно сторінка {{page}} із {{total}} ({{percentage}}%)",
+ "Approximately {{percentage}}%": "Приблизно {{percentage}}%",
+ "Failed to connect": "Не вдалося під'єднатися",
+ "Sync Server Connected": "Сервер синхронізації під'єднано",
+ "Sync as {{userDisplayName}}": "Синхронізувати як {{userDisplayName}}",
+ "Custom Fonts": "Користувацькі шрифти",
+ "Cancel Delete": "Скасувати видалення",
+ "Import Font": "Імпортувати шрифт",
+ "Delete Font": "Видалити шрифт",
+ "Tips": "Поради",
+ "Custom fonts can be selected from the Font Face menu": "Користувацькі шрифти можна вибрати з меню \"Налаштування шрифту\"",
+ "Manage Custom Fonts": "Керування користувацькими шрифтами",
+ "Select Files": "Вибрати файли",
+ "Select Image": "Вибрати зображення",
+ "Select Video": "Вибрати відео",
+ "Select Audio": "Вибрати аудіо",
+ "Select Fonts": "Вибрати шифти",
+ "Supported font formats: .ttf, .otf, .woff, .woff2": "Підтримувані формати шрифтів: .ttf, .otf, .woff, .woff2",
+ "Push Progress": "Надіслати проґрес",
+ "Pull Progress": "Отримати проґрес",
+ "Previous Paragraph": "Попередній абзац",
+ "Previous Sentence": "Попереднє речення",
+ "Pause": "Пауза",
+ "Play": "Відтворити",
+ "Next Sentence": "Наступне речення",
+ "Next Paragraph": "Наступний абзац",
+ "Separate Cover Page": "Окрема сторінка обкладинки",
+ "Resize Notebook": "Змінити розмір нотаток",
+ "Resize Sidebar": "Змінити розмір бічної панелі",
+ "Get Help from the Readest Community": "Отримати допомогу від спільноти Readest",
+ "Remove cover image": "Видалити зображення обкладинки",
+ "Bookshelf": "Книжкова полиця",
+ "View Menu": "Переглянути меню",
+ "Settings Menu": "Меню налаштувань",
+ "View account details and quota": "Переглянути деталі акаунта та квоту",
+ "Library Header": "Заголовок бібліотеки",
+ "Book Content": "Зміст книги",
+ "Footer Bar": "Нижня панель",
+ "Header Bar": "Верхня панель",
+ "View Options": "Параметри перегляду",
+ "Book Menu": "Меню книги",
+ "Search Options": "Параметри пошуку",
+ "Close": "Закрити",
+ "Delete Book Options": "Параметри видалення книги",
+ "ON": "УВІМКНЕННО",
+ "OFF": "ВИМКНЕНО",
+ "Reading Progress": "Проґрес читання",
+ "Page Margin": "Поля сторінки",
+ "Remove Bookmark": "Видалити закладку",
+ "Add Bookmark": "Додати закладку",
+ "Books Content": "Зміст книг",
+ "Jump to Location": "Перейти до місця",
+ "Unpin Notebook": "Відкріпити нотатник",
+ "Pin Notebook": "Закріпити нотатник",
+ "Hide Search Bar": "Сховати панель пошуку",
+ "Show Search Bar": "Показати панель пошуку",
+ "On {{current}} of {{total}} page": "На {{current}} з {{total}} сторінці",
+ "Section Title": "Назва розділу",
+ "Decrease": "Зменшити",
+ "Increase": "Збільшити",
+ "Settings Panels": "Панелі налаштувань",
+ "Settings": "Налаштування",
+ "Unpin Sidebar": "Відкріпити бічну панель",
+ "Pin Sidebar": "Закріпити бічну панель",
+ "Toggle Sidebar": "Перемкнути бічну панель",
+ "Toggle Translation": "Перемкнути переклад",
+ "Translation Disabled": "Переклад вимкнено",
+ "Minimize": "Згорнути",
+ "Maximize or Restore": "Збільшити або відновити",
+ "Exit Parallel Read": "Вийти з паралельного читання",
+ "Enter Parallel Read": "Войти в параллельное чтение",
+ "Zoom Level": "Рівень масштабування",
+ "Zoom Out": "Зменшити масштаб",
+ "Reset Zoom": "Скинути масштаб",
+ "Zoom In": "Збільшити масштаб",
+ "Zoom Mode": "Режим масштабування",
+ "Single Page": "Одна сторінка",
+ "Auto Spread": "Автоматичне розповсюдження",
+ "Fit Page": "Підганяти під сторінку",
+ "Fit Width": "Підганяти під ширину",
+ "Failed to select directory": "Не вдалося вибрати каталог",
+ "The new data directory must be different from the current one.": "Новий каталог даних повинен відрізнятися від поточного.",
+ "Migration failed: {{error}}": "Переміщення не вдалося: {{error}}",
+ "Change Data Location": "Змінити розташування даних",
+ "Current Data Location": "Поточне розташування даних",
+ "Total size: {{size}}": "Загальний розмір: {{size}}",
+ "Calculating file info...": "Обчислення інформації про файл...",
+ "New Data Location": "Нове розташування даних",
+ "Choose Different Folder": "Вибрати іншу папку",
+ "Choose New Folder": "Вибрати нову папку",
+ "Migrating data...": "Переміщення даних...",
+ "Copying: {{file}}": "Копіювання: {{file}}",
+ "{{current}} of {{total}} files": "{{current}} з {{total}} файлів",
+ "Migration completed successfully!": "Переміщення завершено успішно!",
+ "Your data has been moved to the new location. Please restart the application to complete the process.": "Ваші дані були переміщені до нового розташування. Будь ласка, перезапустіть програму, щоб завершити процес.",
+ "Migration failed": "Переміщення не вдалося",
+ "Important Notice": "Важливе повідомлення",
+ "This will move all your app data to the new location. Make sure the destination has enough free space.": "Це перемістить всі ваші дані програми до нового розташування. Переконайтеся, що в призначенні достатньо вільного місця.",
+ "Restart App": "Перезапустити програму",
+ "Start Migration": "Почати переміщення",
+ "Advanced Settings": "Розширені налаштування",
+ "File count: {{size}}": "Кількість файлів: {{size}}",
+ "Background Read Aloud": "Озвучування у фоновому режимі",
+ "Ready to read aloud": "Готовий до читання вголос",
+ "Read Aloud": "Читати вголос",
+ "Screen Brightness": "Яскравість екрану",
+ "Background Image": "Фонове зображення",
+ "Import Image": "Імпортувати зображення",
+ "Opacity": "Непрозорість",
+ "Size": "Розмір",
+ "Cover": "Покрити",
+ "Contain": "Втиснути",
+ "{{number}} pages left in chapter": "Залишилось {{number}} сторінок у розділі",
+ "Device": "Пристрій",
+ "E-Ink Mode": "E-Ink режим",
+ "Highlight Colors": "Кольори виділення",
+ "Auto Screen Brightness": "Автоматична яскравість екрану",
+ "Pagination": "Розбиття на сторінки",
+ "Disable Double Tap": "Вимкнути подвійне натискання",
+ "Tap to Paginate": "Натисніть, щоб розбити на сторінки",
+ "Click to Paginate": "Клікніть, щоб розбити на сторінки",
+ "Tap Both Sides": "Натисніть обидві сторони",
+ "Click Both Sides": "Клікніть обидві сторони",
+ "Swap Tap Sides": "Змінити сторони дотику",
+ "Swap Click Sides": "Змінити сторони кліку",
+ "Source and Translated": "Джерело та переклад",
+ "Translated Only": "Тільки переклад",
+ "Source Only": "Тільки джерело",
+ "TTS Text": "Текст TTS",
+ "The book file is corrupted": "Файл книги пошкоджено",
+ "The book file is empty": "Файл книги порожній",
+ "Failed to open the book file": "Не вдалося відкрити файл книги",
+ "On-Demand Purchase": "Покупка за запитом",
+ "Full Customization": "Повна кастомізація",
+ "Lifetime Plan": "На все життя",
+ "One-Time Payment": "Одноразовий платіж",
+ "Make a single payment to enjoy lifetime access to specific features on all devices. Purchase specific features or services only when you need them.": "Зробіть одноразовий платіж, щоб отримати довічний доступ до певних функцій на всіх пристроях. Купуйте конкретні функції або послуги лише тоді, коли вони вам потрібні.",
+ "Expand Cloud Sync Storage": "Розширити сховище синхронізації в хмарі",
+ "Expand your cloud storage forever with a one-time purchase. Each additional purchase adds more space.": "Розширте своє хмарне сховище назавжди за допомогою одноразової покупки. Кожна додаткова покупка додає більше місця.",
+ "Unlock All Customization Options": "Відкрити всі параметри налаштування",
+ "Unlock additional themes, fonts, layout options and read aloud, translators, cloud storage services.": "Відкрийте додаткові теми, шрифти, параметри макета та функції читання вголос, перекладачі, послуги хмарного зберігання.",
+ "Purchase Successful!": "Покупка успішна!",
+ "lifetime": "довічний",
+ "Thank you for your purchase! Your payment has been processed successfully.": "Дякуємо за вашу покупку! Ваш платіж успішно оброблено.",
+ "Order ID:": "ID замовлення:",
+ "TTS Highlighting": "Підсвічування TTS",
+ "Style": "Стиль",
+ "Underline": "Підкреслення",
+ "Strikethrough": "Закреслення",
+ "Squiggly": "Хвиляста лінія",
+ "Outline": "Контур",
+ "Save Current Color": "Зберегти поточний колір",
+ "Quick Colors": "Швидкі кольори",
+ "Highlighter": "Маркер",
+ "Save Book Cover": "Зберегти обкладинку книги",
+ "Auto-save last book cover": "Автоматично зберегти останню обкладинку книги",
+ "Back": "Назад",
+ "Confirmation email sent! Please check your old and new email addresses to confirm the change.": "Лист підтвердження надіслано! Будь ласка, перевірте стару та нову електронну адресу, щоб підтвердити зміну.",
+ "Failed to update email": "Не вдалося оновити електронну пошту",
+ "New Email": "Нова електронна адреса",
+ "Your new email": "Ваша нова електронна адреса",
+ "Updating email ...": "Оновлення електронної адреси ...",
+ "Update email": "Оновити електронну адресу",
+ "Current email": "Поточна електронна адреса",
+ "Update Email": "Оновити Адресу",
+ "All": "Всі",
+ "Unable to open book": "Не вдалося відкрити книгу",
+ "Punctuation": "Пунктуація",
+ "Replace Quotation Marks": "Замінити лапки",
+ "Enabled only in vertical layout.": "Активовано лише у вертикальному макеті.",
+ "No Conversion": "Без конвертації",
+ "Simplified to Traditional": "Спрощена → Традиційна",
+ "Traditional to Simplified": "Традиційна → Спрощена",
+ "Simplified to Traditional (Taiwan)": "Спрощена → Традиційна (Тайвань)",
+ "Simplified to Traditional (Hong Kong)": "Спрощена → Традиційна (Хонкон)",
+ "Simplified to Traditional (Taiwan), with phrases": "Спрощена → Традиційна (Тайвань • фрази)",
+ "Traditional (Taiwan) to Simplified": "Традиційна (Тайвань) → Спрощена",
+ "Traditional (Hong Kong) to Simplified": "Традиційна (Хонкон) → Спрощена",
+ "Traditional (Taiwan) to Simplified, with phrases": "Традиційна (Тайвань • фрази) → Спрощена",
+ "Convert Simplified and Traditional Chinese": "Конвертувати спрощену/традиційну китайську",
+ "Convert Mode": "Режим конвертації",
+ "Failed to auto-save book cover for lock screen: {{error}}": "Не вдалося автоматично зберегти обкладинку книги для екрана блокування: {{error}}",
+ "Download from Cloud": "Завантажити з хмари",
+ "Upload to Cloud": "Завантажити в хмару",
+ "Clear Custom Fonts": "Очистити користувацькі шрифти",
+ "Columns": "Стовпці",
+ "OPDS Catalogs": "Каталоги OPDS",
+ "Adding LAN addresses is not supported in the web app version.": "Додавання LAN-адрес не підтримується у веб-версії.",
+ "Invalid OPDS catalog. Please check the URL.": "Недійсний каталог OPDS. Будь ласка, перевірте URL.",
+ "Browse and download books from online catalogs": "Переглядайте та завантажуйте книги з онлайн-каталогів",
+ "My Catalogs": "Мої каталоги",
+ "Add Catalog": "Додати каталог",
+ "No catalogs yet": "Каталогів поки немає",
+ "Add your first OPDS catalog to start browsing books": "Додайте перший каталог OPDS, щоб почати перегляд книг",
+ "Add Your First Catalog": "Додайте свій перший каталог",
+ "Browse": "Переглянути",
+ "Popular Catalogs": "Популярні каталоги",
+ "Add": "Додати",
+ "Add OPDS Catalog": "Додати каталог OPDS",
+ "Catalog Name": "Назва каталогу",
+ "My Calibre Library": "Моя бібліотека Calibre",
+ "OPDS URL": "OPDS URL",
+ "Username (optional)": "Ім’я користувача (необов’язково)",
+ "Password (optional)": "Пароль (необов’язково)",
+ "Description (optional)": "Опис (необов’язково)",
+ "A brief description of this catalog": "Короткий опис цього каталогу",
+ "Validating...": "Перевірка...",
+ "View All": "Переглянути все",
+ "Forward": "Вперед",
+ "Home": "Головна",
+ "{{count}} items_one": "{{count}} елемент",
+ "{{count}} items_few": "{{count}} елементи",
+ "{{count}} items_many": "{{count}} елементів",
+ "{{count}} items_other": "{{count}} елементів",
+ "Download completed": "Завантаження завершено",
+ "Download failed": "Завантаження не вдалося",
+ "Open Access": "Вільний доступ",
+ "Borrow": "Позичити",
+ "Buy": "Купити",
+ "Subscribe": "Підписатися",
+ "Sample": "Зразок",
+ "Download": "Завантажити",
+ "Open & Read": "Відкрити та читати",
+ "Tags": "Теги",
+ "Tag": "Тег",
+ "First": "Перша",
+ "Previous": "Попередня",
+ "Next": "Наступна",
+ "Last": "Остання",
+ "Cannot Load Page": "Не вдалося завантажити сторінку",
+ "An error occurred": "Сталася помилка",
+ "Online Library": "Онлайн бібліотека",
+ "URL must start with http:// or https://": "URL повинен починатися з http:// або https://",
+ "Title, Author, Tag, etc...": "Назва, автор, тег тощо...",
+ "Query": "Запит",
+ "Subject": "Тема",
+ "Enter {{terms}}": "Введіть {{terms}}",
+ "No search results found": "Результатів пошуку не знайдено",
+ "Failed to load OPDS feed: {{status}} {{statusText}}": "Не вдалося завантажити стрічку OPDS: {{status}} {{statusText}}",
+ "Search in {{title}}": "Пошук у {{title}}",
+ "Manage Storage": "Керування сховищем",
+ "Failed to load files": "Не вдалося завантажити файли",
+ "Deleted {{count}} file(s)_one": "Видалено {{count}} файл",
+ "Deleted {{count}} file(s)_few": "Видалено {{count}} файли",
+ "Deleted {{count}} file(s)_many": "Видалено {{count}} файлів",
+ "Deleted {{count}} file(s)_other": "Видалено {{count}} файлів",
+ "Failed to delete {{count}} file(s)_one": "Не вдалося видалити {{count}} файл",
+ "Failed to delete {{count}} file(s)_few": "Не вдалося видалити {{count}} файли",
+ "Failed to delete {{count}} file(s)_many": "Не вдалося видалити {{count}} файлів",
+ "Failed to delete {{count}} file(s)_other": "Не вдалося видалити {{count}} файлів",
+ "Failed to delete files": "Не вдалося видалити файли",
+ "Total Files": "Всього файлів",
+ "Total Size": "Загальний розмір",
+ "Quota": "Квота",
+ "Used": "Використано",
+ "Files": "Файли",
+ "Search files...": "Пошук файлів...",
+ "Newest First": "Спершу новіші",
+ "Oldest First": "Спершу старіші",
+ "Largest First": "Спершу найбільші",
+ "Smallest First": "Спершу найменші",
+ "Name A-Z": "Ім'я A-Z",
+ "Name Z-A": "Ім'я Z-A",
+ "{{count}} selected_one": "Вибрано {{count}} файл",
+ "{{count}} selected_few": "Вибрано {{count}} файли",
+ "{{count}} selected_many": "Вибрано {{count}} файлів",
+ "{{count}} selected_other": "Вибрано {{count}} файлів",
+ "Delete Selected": "Видалити вибране",
+ "Created": "Створено",
+ "No files found": "Файли не знайдено",
+ "No files uploaded yet": "Файли ще не завантажені",
+ "files": "файли",
+ "Page {{current}} of {{total}}": "Сторінка {{current}} з {{total}}",
+ "Are you sure to delete {{count}} selected file(s)?_one": "Ви впевнені, що хочете видалити {{count}} файл?",
+ "Are you sure to delete {{count}} selected file(s)?_few": "Ви впевнені, що хочете видалити {{count}} файли?",
+ "Are you sure to delete {{count}} selected file(s)?_many": "Ви впевнені, що хочете видалити {{count}} файлів?",
+ "Are you sure to delete {{count}} selected file(s)?_other": "Ви впевнені, що хочете видалити {{count}} файлів?",
+ "Cloud Storage Usage": "Використання хмарного сховища",
+ "Rename Group": "Перейменувати групу",
+ "From Directory": "З каталогу",
+ "Successfully imported {{count}} book(s)_one": "Успішно імпортовано 1 книгу",
+ "Successfully imported {{count}} book(s)_few": "Успішно імпортовано {{count}} книги",
+ "Successfully imported {{count}} book(s)_many": "Успішно імпортовано {{count}} книг",
+ "Successfully imported {{count}} book(s)_other": "Успішно імпортовано {{count}} книг",
+ "Count": "Кількість",
+ "Start Page": "Початкова сторінка",
+ "Search in OPDS Catalog...": "Пошук у каталозі OPDS...",
+ "Please log in to use advanced TTS features": "Будь ласка, увійдіть, щоб використовувати розширені функції TTS",
+ "Word limit of 30 words exceeded.": "Перевищено ліміт у 30 слів.",
+ "Proofread": "Вичитування",
+ "Current selection": "Поточне виділення",
+ "All occurrences in this book": "Усі входження в цій книзі",
+ "All occurrences in your library": "Усі входження у вашій бібліотеці",
+ "Selected text:": "Виділений текст:",
+ "Replace with:": "Замінити на:",
+ "Enter text...": "Введіть текст…",
+ "Case sensitive:": "З урахуванням регістру:",
+ "Scope:": "Область застосування:",
+ "Selection": "Виділення",
+ "Library": "Бібліотека",
+ "Yes": "Так",
+ "No": "Ні",
+ "Proofread Replacement Rules": "Правила заміни для вичитування",
+ "Selected Text Rules": "Правила для виділеного тексту",
+ "No selected text replacement rules": "Немає правил заміни для виділеного тексту",
+ "Book Specific Rules": "Правила для конкретної книги",
+ "No book-level replacement rules": "Немає правил заміни на рівні книги",
+ "Disable Quick Action": "Вимкнути швидку дію",
+ "Enable Quick Action on Selection": "Увімкнути швидку дію при виборі",
+ "None": "Жоден",
+ "Annotation Tools": "Інструменти анотацій",
+ "Enable Quick Actions": "Увімкнути швидкі дії",
+ "Quick Action": "Швидка дія",
+ "Copy to Notebook": "Скопіювати до блокнота",
+ "Copy text after selection": "Скопіювати текст після виділення",
+ "Highlight text after selection": "Виділити текст після виділення",
+ "Annotate text after selection": "Додати анотацію до тексту після виділення",
+ "Search text after selection": "Шукати текст після виділення",
+ "Look up text in dictionary after selection": "Шукати текст у словнику після виділення",
+ "Look up text in Wikipedia after selection": "Шукати текст у Вікіпедії після виділення",
+ "Translate text after selection": "Перекласти текст після виділення",
+ "Read text aloud after selection": "Прочитати текст вголос після виділення",
+ "Proofread text after selection": "Вичитати текст після виділення",
+ "{{activeCount}} active, {{pendingCount}} pending": "{{activeCount}} активних, {{pendingCount}} очікують",
+ "{{failedCount}} failed": "{{failedCount}} невдалих",
+ "Waiting...": "Очікування...",
+ "Failed": "Помилка",
+ "Completed": "Завершено",
+ "Cancelled": "Скасовано",
+ "Retry": "Повторити",
+ "Active": "Активні",
+ "Transfer Queue": "Черга передачі",
+ "Upload All": "Завантажити все",
+ "Download All": "Завантажити все",
+ "Resume Transfers": "Продовжити передачу",
+ "Pause Transfers": "Призупинити передачу",
+ "Pending": "Очікують",
+ "No transfers": "Немає передач",
+ "Retry All": "Повторити все",
+ "Clear Completed": "Очистити завершені",
+ "Clear Failed": "Очистити невдалі",
+ "Upload queued: {{title}}": "Завантаження в черзі: {{title}}",
+ "Download queued: {{title}}": "Завантаження в черзі: {{title}}",
+ "Book not found in library": "Книгу не знайдено в бібліотеці",
+ "Unknown error": "Невідома помилка",
+ "Please log in to continue": "Увійдіть, щоб продовжити",
+ "Cloud File Transfers": "Передача файлів у хмару",
+ "Show Search Results": "Показати результати",
+ "Search results for '{{term}}'": "Результати для «{{term}}»",
+ "Close Search": "Закрити пошук",
+ "Previous Result": "Попередній результат",
+ "Next Result": "Наступний результат",
+ "Bookmarks": "Закладки",
+ "Annotations": "Анотації",
+ "Show Results": "Показати результати",
+ "Clear search": "Очистити пошук",
+ "Clear search history": "Очистити історію пошуку",
+ "Tap to Toggle Footer": "Торкніться, щоб перемкнути нижній колонтитул",
+ "Exported successfully": "Успішно експортовано",
+ "Book exported successfully.": "Книгу успішно експортовано.",
+ "Failed to export the book.": "Не вдалося експортувати книгу.",
+ "Export Book": "Експортувати книгу",
+ "Whole word:": "Ціле слово:",
+ "Error": "Помилка",
+ "Unable to load the article. Try searching directly on {{link}}.": "Не вдалося завантажити статтю. Спробуйте шукати безпосередньо на {{link}}.",
+ "Unable to load the word. Try searching directly on {{link}}.": "Не вдалося завантажити слово. Спробуйте шукати безпосередньо на {{link}}.",
+ "Date Published": "Дата публікації",
+ "Only for TTS:": "Тільки для TTS:",
+ "Uploaded": "Завантажено",
+ "Downloaded": "Звантажено",
+ "Deleted": "Видалено",
+ "Note:": "Примітка:",
+ "Time:": "Час:",
+ "Format Options": "Параметри формату",
+ "Export Date": "Дата експорту",
+ "Chapter Titles": "Назви розділів",
+ "Chapter Separator": "Роздільник розділів",
+ "Highlights": "Виділення",
+ "Note Date": "Дата примітки",
+ "Advanced": "Розширені",
+ "Hide": "Сховати",
+ "Show": "Показати",
+ "Use Custom Template": "Використовувати власний шаблон",
+ "Export Template": "Шаблон експорту",
+ "Template Syntax:": "Синтаксис шаблону:",
+ "Insert value": "Вставити значення",
+ "Format date (locale)": "Форматувати дату (локаль)",
+ "Format date (custom)": "Форматувати дату (власний)",
+ "Conditional": "Умовний",
+ "Loop": "Цикл",
+ "Available Variables:": "Доступні змінні:",
+ "Book title": "Назва книги",
+ "Book author": "Автор книги",
+ "Export date": "Дата експорту",
+ "Array of chapters": "Масив розділів",
+ "Chapter title": "Назва розділу",
+ "Array of annotations": "Масив приміток",
+ "Highlighted text": "Виділений текст",
+ "Annotation note": "Примітка анотації",
+ "Date Format Tokens:": "Токени формату дати:",
+ "Year (4 digits)": "Рік (4 цифри)",
+ "Month (01-12)": "Місяць (01-12)",
+ "Day (01-31)": "День (01-31)",
+ "Hour (00-23)": "Година (00-23)",
+ "Minute (00-59)": "Хвилина (00-59)",
+ "Second (00-59)": "Секунда (00-59)",
+ "Show Source": "Показати джерело",
+ "No content to preview": "Немає вмісту для перегляду",
+ "Export": "Експортувати",
+ "Set Timeout": "Встановити тайм-аут",
+ "Select Voice": "Вибрати голос",
+ "Toggle Sticky Bottom TTS Bar": "Перемкнути закріплену панель TTS",
+ "Display what I'm reading on Discord": "Показувати книгу в Discord",
+ "Show on Discord": "Показати в Discord",
+ "Instant {{action}}": "Миттєва {{action}}",
+ "Instant {{action}} Disabled": "Миттєву {{action}} вимкнено",
+ "Annotation": "Анотація",
+ "Reset Template": "Скинути шаблон",
+ "Annotation style": "Стиль анотації",
+ "Annotation color": "Колір анотації",
+ "Annotation time": "Час анотації",
+ "AI": "ШІ",
+ "Are you sure you want to re-index this book?": "Ви впевнені, що хочете переіндексувати цю книгу?",
+ "Enable AI in Settings": "Увімкнути ШІ в налаштуваннях",
+ "Index This Book": "Індексувати цю книгу",
+ "Enable AI search and chat for this book": "Увімкнути ШІ-пошук та чат для цієї книги",
+ "Start Indexing": "Почати індексацію",
+ "Indexing book...": "Індексація книги...",
+ "Preparing...": "Підготовка...",
+ "Delete this conversation?": "Видалити цю розмову?",
+ "No conversations yet": "Поки немає розмов",
+ "Start a new chat to ask questions about this book": "Почніть новий чат, щоб задати питання про цю книгу",
+ "Rename": "Перейменувати",
+ "New Chat": "Новий чат",
+ "Chat": "Чат",
+ "Please enter a model ID": "Будь ласка, введіть ID моделі",
+ "Model not available or invalid": "Модель недоступна або недійсна",
+ "Failed to validate model": "Не вдалося перевірити модель",
+ "Couldn't connect to Ollama. Is it running?": "Не вдалося підключитися до Ollama. Чи вона запущена?",
+ "Invalid API key or connection failed": "Недійсний API-ключ або помилка підключення",
+ "Connection failed": "Помилка підключення",
+ "AI Assistant": "ШІ-асистент",
+ "Enable AI Assistant": "Увімкнути ШІ-асистента",
+ "Provider": "Провайдер",
+ "Ollama (Local)": "Ollama (Локальний)",
+ "AI Gateway (Cloud)": "ШІ-шлюз (Хмара)",
+ "Ollama Configuration": "Налаштування Ollama",
+ "Refresh Models": "Оновити моделі",
+ "AI Model": "ШІ-модель",
+ "No models detected": "Моделі не знайдено",
+ "AI Gateway Configuration": "Налаштування ШІ-шлюзу",
+ "Choose from a selection of high-quality, economical AI models. You can also bring your own model by selecting \"Custom Model\" below.": "Оберіть з високоякісних, економічних ШІ-моделей. Ви також можете використати власну модель, обравши \"Користувацька модель\" нижче.",
+ "API Key": "API-ключ",
+ "Get Key": "Отримати ключ",
+ "Model": "Модель",
+ "Custom Model...": "Користувацька модель...",
+ "Custom Model ID": "ID користувацької моделі",
+ "Validate": "Перевірити",
+ "Model available": "Модель доступна",
+ "Connection": "З'єднання",
+ "Test Connection": "Перевірити з'єднання",
+ "Connected": "Підключено",
+ "Custom Colors": "Спеціальні кольори",
+ "Color E-Ink Mode": "Кольоровий режим E-Ink",
+ "Reading Ruler": "Лінійка для читання",
+ "Enable Reading Ruler": "Увімкнути лінійку для читання",
+ "Lines to Highlight": "Рядки для виділення",
+ "Ruler Color": "Коліර් лінійки",
+ "Command Palette": "Палітра команд",
+ "Search settings and actions...": "Пошук налаштувань та дій...",
+ "No results found for": "Результатів не знайдено для",
+ "Type to search settings and actions": "Введіть для пошуку налаштувань та дій",
+ "Recent": "Нещодавні",
+ "navigate": "навігація",
+ "select": "вибрати",
+ "close": "закрити",
+ "Search Settings": "Пошук налаштувань",
+ "Page Margins": "Поля сторінки",
+ "AI Provider": "Провайдер ШІ",
+ "Ollama URL": "URL Ollama",
+ "Ollama Model": "Модель Ollama",
+ "AI Gateway Model": "Модель AI Gateway",
+ "Actions": "Дії",
+ "Navigation": "Навігація",
+ "Set status for {{count}} book(s)_one": "Встановити статус для {{count}} книги",
+ "Set status for {{count}} book(s)_other": "Встановити статус для {{count}} книг",
+ "Mark as Unread": "Позначити як непрочитане",
+ "Mark as Finished": "Позначити як завершене",
+ "Finished": "Завершено",
+ "Unread": "Непрочитане",
+ "Clear Status": "Очистити статус",
+ "Status": "Статус",
+ "Set status for {{count}} book(s)_few": "Встановити статус для {{count}} книг",
+ "Set status for {{count}} book(s)_many": "Встановити статус для {{count}} книг",
+ "Loading": "Завантаження...",
+ "Exit Paragraph Mode": "Вийти з режиму абзацу",
+ "Paragraph Mode": "Режим абзацу",
+ "Embedding Model": "Модель вбудовування",
+ "{{count}} book(s) synced_one": "{{count}} книга синхронізована",
+ "{{count}} book(s) synced_few": "{{count}} книги синхронізовані",
+ "{{count}} book(s) synced_many": "{{count}} книг синхронізовано",
+ "{{count}} book(s) synced_other": "{{count}} книг синхронізовано",
+ "Unable to start RSVP": "Не вдалося запустити RSVP",
+ "RSVP not supported for PDF": "RSVP не підтримується для PDF",
+ "Select Chapter": "Вибрати розділ",
+ "Context": "Контекст",
+ "Ready": "Готово",
+ "Chapter Progress": "Прогрес розділу",
+ "words": "слів",
+ "{{time}} left": "залишилося {{time}}",
+ "Reading progress": "Прогрес читання",
+ "Click to seek": "Натисніть для пошуку",
+ "Skip back 15 words": "Назад на 15 слів",
+ "Back 15 words (Shift+Left)": "Назад на 15 слів (Shift+Вліво)",
+ "Pause (Space)": "Пауза (Пробіл)",
+ "Play (Space)": "Відтворити (Пробіл)",
+ "Skip forward 15 words": "Вперед на 15 слів",
+ "Forward 15 words (Shift+Right)": "Вперед на 15 слів (Shift+Вправо)",
+ "Pause:": "Пауза:",
+ "Decrease speed": "Зменшити швидкість",
+ "Slower (Left/Down)": "Повільніше (Вліво/Вниз)",
+ "Current speed": "Поточна швидкість",
+ "Increase speed": "Збільшити швидкість",
+ "Faster (Right/Up)": "Швидше (Вправо/Вгору)",
+ "Start RSVP Reading": "Почати читання RSVP",
+ "Choose where to start reading": "Виберіть, де почати читання",
+ "From Chapter Start": "З початку розділу",
+ "Start reading from the beginning of the chapter": "Почати читання з початку розділу",
+ "Resume": "Продовжити",
+ "Continue from where you left off": "Продовжити з того місця, де ви зупинилися",
+ "From Current Page": "З поточної сторінки",
+ "Start from where you are currently reading": "Почати з того місця, де ви зараз читаєте",
+ "From Selection": "З виділеного",
+ "Speed Reading Mode": "Режим швидкого читання",
+ "Scroll left": "Прокрутити вліво",
+ "Scroll right": "Прокрутити вправо",
+ "Library Sync Progress": "Прогрес синхронізації бібліотеки",
+ "Back to library": "Назад до бібліотеки",
+ "Group by...": "Групувати за...",
+ "Export as Plain Text": "Експортувати як звичайний текст",
+ "Export as Markdown": "Експортувати як Markdown",
+ "Show Page Navigation Buttons": "Кнопки навігації",
+ "Page {{number}}": "Сторінка {{number}}",
+ "highlight": "виділення",
+ "underline": "підкреслення",
+ "squiggly": "хвиляста лінія",
+ "red": "червоний",
+ "violet": "фіолетовий",
+ "blue": "синій",
+ "green": "зелений",
+ "yellow": "жовтий",
+ "Select {{style}} style": "Вибрати стиль {{style}}",
+ "Select {{color}} color": "Вибрати колір {{color}}",
+ "Close Book": "Закрити книгу",
+ "Speed Reading": "Швидкісне читання",
+ "Close Speed Reading": "Закрити швидкісне читання",
+ "Authors": "Автори",
+ "Books": "Книги",
+ "Groups": "Групи",
+ "Back to TTS Location": "Повернутися до розташування TTS",
+ "Metadata": "Метадані",
+ "Image viewer": "Переглядач зображень",
+ "Previous Image": "Попереднє зображення",
+ "Next Image": "Наступне зображення",
+ "Zoomed": "Збільшено",
+ "Zoom level": "Рівень масштабу",
+ "Table viewer": "Переглядач таблиць",
+ "Unable to connect to Readwise. Please check your network connection.": "Не вдалося підключитися до Readwise. Будь ласка, перевірте мережеве з'єднання.",
+ "Invalid Readwise access token": "Недійсний токен доступу Readwise",
+ "Disconnected from Readwise": "Відключено від Readwise",
+ "Never": "Ніколи",
+ "Readwise Settings": "Налаштування Readwise",
+ "Connected to Readwise": "Підключено до Readwise",
+ "Last synced: {{time}}": "Остання синхронізація: {{time}}",
+ "Sync Enabled": "Синхронізацію увімкнено",
+ "Disconnect": "Відключити",
+ "Connect your Readwise account to sync highlights.": "Підключіть свій обліковий запис Readwise, щоб синхронізувати виділення.",
+ "Get your access token at": "Отримайте токен доступу за адресою",
+ "Access Token": "Токен доступу",
+ "Paste your Readwise access token": "Вставте ваш токен доступу Readwise",
+ "Config": "Конфігурація",
+ "Readwise Sync": "Синхронізація Readwise",
+ "Push Highlights": "Надіслати виділення",
+ "Highlights synced to Readwise": "Виділення синхронізовано з Readwise",
+ "Readwise sync failed: no internet connection": "Синхронізація Readwise не вдалася: немає інтернет-з'єднання",
+ "Readwise sync failed: {{error}}": "Синхронізація Readwise не вдалася: {{error}}"
+}
diff --git a/apps/readest-app/public/locales/vi/translation.json b/apps/readest-app/public/locales/vi/translation.json
new file mode 100644
index 0000000000000000000000000000000000000000..000546ba9814e7ea2202e24291792efdd4fe6da6
--- /dev/null
+++ b/apps/readest-app/public/locales/vi/translation.json
@@ -0,0 +1,1048 @@
+{
+ "(detected)": "(đã phát hiện)",
+ "About Readest": "Về Readest",
+ "Add your notes here...": "Thêm ghi chú của bạn vào đây...",
+ "Animation": "Hiệu ứng động",
+ "Annotate": "Chú thích",
+ "Apply": "Áp dụng",
+ "Auto Mode": "Chế độ tự động",
+ "Behavior": "Hành vi",
+ "Book": "Sách",
+ "Bookmark": "Đánh dấu",
+ "Cancel": "Hủy",
+ "Chapter": "Chương",
+ "Cherry": "Đỏ anh đào",
+ "Color": "Màu sắc",
+ "Confirm": "Xác nhận",
+ "Confirm Deletion": "Xác nhận xóa",
+ "Copied to notebook": "Đã sao chép vào sổ ghi chú",
+ "Copy": "Sao chép",
+ "Dark Mode": "Chế độ tối",
+ "Default": "Mặc định",
+ "Default Font": "Phông chữ mặc định",
+ "Default Font Size": "Cỡ chữ mặc định",
+ "Delete": "Xóa",
+ "Delete Highlight": "Xóa văn bản được đánh dấu",
+ "Dictionary": "Từ điển",
+ "Download Readest": "Tải Readest",
+ "Edit": "Chỉnh sửa",
+ "Excerpts": "Trích dẫn",
+ "Failed to import book(s): {{filenames}}": "Không thể nhập sách: {{filenames}}",
+ "Fast": "Nhanh",
+ "Font": "Phông chữ",
+ "Font & Layout": "Phông chữ & Bố cục",
+ "Font Face": "Kiểu chữ",
+ "Font Family": "Họ phông chữ",
+ "Font Size": "Cỡ chữ",
+ "Full Justification": "Căn đều hai bên",
+ "Global Settings": "Cài đặt chung",
+ "Go Back": "Quay lại",
+ "Go Forward": "Tiến tới",
+ "Grass": "Xanh cỏ",
+ "Gray": "Xám",
+ "Gruvbox": "Gruvbox",
+ "Highlight": "Đánh dấu",
+ "Horizontal Direction": "Hướng ngang",
+ "Hyphenation": "Gạch nối từ",
+ "Import Books": "Nhập sách",
+ "Layout": "Bố cục",
+ "Light Mode": "Chế độ sáng",
+ "Loading...": "Đang tải...",
+ "Logged in": "Đã đăng nhập",
+ "Logged in as {{userDisplayName}}": "Đăng nhập với tên {{userDisplayName}}",
+ "Match Case": "Phân biệt chữ hoa/thường",
+ "Match Diacritics": "Phân biệt dấu",
+ "Match Whole Words": "Khớp toàn bộ từ",
+ "Maximum Number of Columns": "Số cột tối đa",
+ "Minimum Font Size": "Cỡ chữ tối thiểu",
+ "Monospace Font": "Phông chữ đơn cách",
+ "More Info": "Thông tin thêm",
+ "Nord": "Nord",
+ "Notebook": "Sổ ghi chép",
+ "Notes": "Ghi chú",
+ "Open": "Mở",
+ "Original Text": "Văn bản gốc",
+ "Page": "Trang",
+ "Paging Animation": "Hiệu ứng lật trang",
+ "Paragraph": "Đoạn văn",
+ "Parallel Read": "Đọc song song",
+ "Published": "Xuất bản",
+ "Publisher": "Nhà xuất bản",
+ "Reading Progress Synced": "Tiến độ đọc đã được đồng bộ",
+ "Reload Page": "Tải lại trang",
+ "Reveal in File Explorer": "Hiển thị trong File Explorer",
+ "Reveal in Finder": "Hiển thị trong Finder",
+ "Reveal in Folder": "Hiển thị trong thư mục",
+ "Sans-Serif Font": "Phông chữ không chân",
+ "Save": "Lưu",
+ "Scrolled Mode": "Chế độ cuộn",
+ "Search": "Tìm kiếm",
+ "Search Books...": "Tìm kiếm sách...",
+ "Search...": "Tìm kiếm...",
+ "Select Book": "Chọn sách",
+ "Select Books": "Chọn sách",
+ "Sepia": "Nâu cổ",
+ "Serif Font": "Phông chữ có chân",
+ "Show Book Details": "Hiển thị chi tiết sách",
+ "Sidebar": "Thanh bên",
+ "Sign In": "Đăng nhập",
+ "Sign Out": "Đăng xuất",
+ "Sky": "Xanh trời",
+ "Slow": "Chậm",
+ "Solarized": "Solarized",
+ "Speak": "Đọc",
+ "Subjects": "Chủ đề",
+ "System Fonts": "Phông chữ hệ thống",
+ "Theme Color": "Màu chủ đề",
+ "Theme Mode": "Chế độ chủ đề",
+ "Translate": "Dịch",
+ "Translated Text": "Văn bản dịch",
+ "Unknown": "Không xác định",
+ "Untitled": "Không có tiêu đề",
+ "Updated": "Cập nhật",
+ "Version {{version}}": "Phiên bản {{version}}",
+ "Vertical Direction": "Hướng dọc",
+ "Welcome to your library. You can import your books here and read them anytime.": "Chào mừng đến với thư viện của bạn. Bạn có thể nhập sách vào đây và đọc bất cứ lúc nào.",
+ "Wikipedia": "Wikipedia",
+ "Writing Mode": "Chế độ viết",
+ "Your Library": "Thư viện của bạn",
+ "TTS not supported for PDF": "TTS không được hỗ trợ cho PDF",
+ "Override Book Font": "Ghi đè phông chữ sách",
+ "Apply to All Books": "Áp dụng cho tất cả sách",
+ "Apply to This Book": "Áp dụng cho sách này",
+ "Unable to fetch the translation. Try again later.": "Không thể tải dịch vụ. Vui lòng thử lại sau.",
+ "Check Update": "Kiểm tra cập nhật",
+ "Already the latest version": "Đã là phiên bản mới nhất",
+ "Book Details": "Chi tiết sách",
+ "From Local File": "Từ tệp địa phương",
+ "TOC": "Mục lục",
+ "Table of Contents": "Mục lục",
+ "Book uploaded: {{title}}": "Sách đã tải lên: {{title}}",
+ "Failed to upload book: {{title}}": "Không thể tải lên sách: {{title}}",
+ "Book downloaded: {{title}}": "Sách đã tải về: {{title}}",
+ "Failed to download book: {{title}}": "Không thể tải về sách: {{title}}",
+ "Upload Book": "Tải lên sách",
+ "Auto Upload Books to Cloud": "Tự động tải sách lên đám mây",
+ "Book deleted: {{title}}": "Sách đã xóa: {{title}}",
+ "Failed to delete book: {{title}}": "Không thể xóa sách: {{title}}",
+ "Check Updates on Start": "Kiểm tra cập nhật khi khởi động",
+ "Insufficient storage quota": "Không đủ lượng lưu trữ",
+ "Font Weight": "Độ đậm của phông chữ",
+ "Line Spacing": "Khoảng cách dòng",
+ "Word Spacing": "Khoảng cách từ",
+ "Letter Spacing": "Khoảng cách chữ",
+ "Text Indent": "Thụt lề",
+ "Paragraph Margin": "Lề đoạn",
+ "Override Book Layout": "Ghi đè bố cục sách",
+ "Untitled Group": "Nhóm không có tiêu đề",
+ "Group Books": "Nhóm sách",
+ "Remove From Group": "Xóa khỏi nhóm",
+ "Create New Group": "Tạo nhóm mới",
+ "Deselect Book": "Bỏ chọn sách",
+ "Download Book": "Tải sách",
+ "Deselect Group": "Bỏ chọn nhóm",
+ "Select Group": "Chọn nhóm",
+ "Keep Screen Awake": "Giữ màn hình luôn bật",
+ "Email address": "Địa chỉ email",
+ "Your Password": "Mật khẩu của bạn",
+ "Your email address": "Địa chỉ email của bạn",
+ "Your password": "Mật khẩu của bạn",
+ "Sign in": "Đăng nhập",
+ "Signing in...": "Đang đăng nhập...",
+ "Sign in with {{provider}}": "Đăng nhập với {{provider}}",
+ "Already have an account? Sign in": "Đã có tài khoản? Đăng nhập",
+ "Create a Password": "Tạo mật khẩu",
+ "Sign up": "Đăng ký",
+ "Signing up...": "Đang đăng ký...",
+ "Don't have an account? Sign up": "Chưa có tài khoản? Đăng ký",
+ "Check your email for the confirmation link": "Kiểm tra email của bạn để nhận liên kết xác nhận",
+ "Signing in ...": "Đang đăng nhập ...",
+ "Send a magic link email": "Gửi email liên kết ma thuật",
+ "Check your email for the magic link": "Kiểm tra email của bạn để nhận liên kết ma thuật",
+ "Send reset password instructions": "Gửi hướng dẫn đặt lại mật khẩu",
+ "Sending reset instructions ...": "Đang gửi hướng dẫn đặt lại mật khẩu ...",
+ "Forgot your password?": "Quên mật khẩu?",
+ "Check your email for the password reset link": "Kiểm tra email của bạn để nhận liên kết đặt lại mật khẩu",
+ "New Password": "Mật khẩu mới",
+ "Your new password": "Mật khẩu mới của bạn",
+ "Update password": "Cập nhật mật khẩu",
+ "Updating password ...": "Đang cập nhật mật khẩu ...",
+ "Your password has been updated": "Mật khẩu của bạn đã được cập nhật",
+ "Phone number": "Số điện thoại",
+ "Your phone number": "Số điện thoại của bạn",
+ "Token": "Mã token",
+ "Your OTP token": "Mã OTP của bạn",
+ "Verify token": "Xác minh mã token",
+ "Account": "Tài khoản",
+ "Failed to delete user. Please try again later.": "Không thể xóa người dùng. Vui lòng thử lại sau.",
+ "Community Support": "Hỗ trợ cộng đồng",
+ "Priority Support": "Hỗ trợ ưu tiên",
+ "Loading profile...": "Đang tải hồ sơ...",
+ "Delete Account": "Xóa tài khoản",
+ "Delete Your Account?": "Xóa tài khoản của bạn?",
+ "This action cannot be undone. All your data in the cloud will be permanently deleted.": "Hành động này không thể hoàn tác. Tất cả dữ liệu của bạn trên đám mây sẽ bị xóa vĩnh viễn.",
+ "Delete Permanently": "Xóa vĩnh viễn",
+ "RTL Direction": "Hướng RTL",
+ "Maximum Column Height": "Chiều cao cột tối đa",
+ "Maximum Column Width": "Chiều rộng cột tối đa",
+ "Continuous Scroll": "Cuộn liên tục",
+ "Fullscreen": "Toàn màn hình",
+ "No supported files found. Supported formats: {{formats}}": "Không tìm thấy tệp được hỗ trợ. Định dạng được hỗ trợ: {{formats}}",
+ "Drop to Import Books": "Kéo và thả để nhập sách",
+ "Custom": "Tùy chỉnh",
+ "All the world's a stage,\nAnd all the men and women merely players;\nThey have their exits and their entrances,\nAnd one man in his time plays many parts,\nHis acts being seven ages.\n\n— William Shakespeare": "Cả thế giới này là một sân khấu,\nVà tất cả đàn ông và phụ nữ chỉ là những diễn viên;\nHọ có cửa ra và cửa vào của mình,\nVà một người trong cuộc đời mình đóng nhiều vai,\nHành động của mình là bảy tuổi.\n\n— William Shakespeare",
+ "Custom Theme": "Chủ đề tùy chỉnh",
+ "Theme Name": "Tên chủ đề",
+ "Text Color": "Màu văn bản",
+ "Background Color": "Màu nền",
+ "Preview": "Xem trước",
+ "Contrast": "Tương phản",
+ "Sunset": "Hoàng hôn",
+ "Double Border": "Đôi viền",
+ "Border Color": "Màu viền",
+ "Border Frame": "Khung viền",
+ "Show Header": "Hiển thị tiêu đề",
+ "Show Footer": "Hiển thị chân trang",
+ "Small": "Nhỏ",
+ "Large": "Lớn",
+ "Auto": "Tự động",
+ "Language": "Ngôn ngữ",
+ "No annotations to export": "Không có chú thích để xuất",
+ "Author": "Tác giả",
+ "Exported from Readest": "Đã xuất từ Readest",
+ "Highlights & Annotations": "Điểm nổi bật & Chú thích",
+ "Note": "Ghi chú",
+ "Copied to clipboard": "Đã sao chép vào bảng ghi",
+ "Export Annotations": "Xuất chú thích",
+ "Auto Import on File Open": "Tự động nhập khi mở tệp",
+ "LXGW WenKai GB Screen": "LXGW WenKai SC",
+ "LXGW WenKai TC": "LXGW WenKai TC",
+ "No chapters detected": "Không phát hiện thấy chương nào",
+ "Failed to parse the EPUB file": "Không thể phân tích tệp EPUB",
+ "This book format is not supported": "Định dạng sách này không được hỗ trợ",
+ "Unable to fetch the translation. Please log in first and try again.": "Không thể tải dịch vụ. Vui lòng đăng nhập trước và thử lại.",
+ "Group": "Nhóm",
+ "Always on Top": "Luôn ở trên cùng",
+ "No Timeout": "Không có thời gian chờ",
+ "{{value}} minute": "{{value}} phút",
+ "{{value}} minutes": "{{value}} phút",
+ "{{value}} hour": "{{value}} giờ",
+ "{{value}} hours": "{{value}} giờ",
+ "CJK Font": "Phông chữ CJK",
+ "Clear Search": "Xóa tìm kiếm",
+ "Header & Footer": "Đầu trang & Chân trang",
+ "Apply also in Scrolled Mode": "Áp dụng cũng trong chế độ cuộn",
+ "A new version of Readest is available!": "Đã có phiên bản mới của Readest!",
+ "Readest {{newVersion}} is available (installed version {{currentVersion}}).": "Readest {{newVersion}} đã có sẵn (phiên bản đã cài đặt {{currentVersion}}).",
+ "Download and install now?": "Tải xuống và cài đặt ngay bây giờ?",
+ "Downloading {{downloaded}} of {{contentLength}}": "Đang tải {{downloaded}} trong {{contentLength}}",
+ "Download finished": "Tải xuống hoàn tất",
+ "DOWNLOAD & INSTALL": "TẢI XUỐNG & CÀI ĐẶT",
+ "Changelog": "Thay đổi",
+ "Software Update": "Cập nhật phần mềm",
+ "Title": "Tiêu đề",
+ "Date Read": "Ngày đã đọc",
+ "Date Added": "Ngày thêm",
+ "Format": "Định dạng",
+ "Ascending": "Tăng dần",
+ "Descending": "Giảm dần",
+ "Sort by...": "Sắp xếp theo...",
+ "Added": "Đã thêm",
+ "GuanKiapTsingKhai-T": "GuanKiapTsingKhai-T",
+ "Description": "Miêu tả",
+ "No description available": "Không có mô tả nào",
+ "List": "Danh sách",
+ "Grid": "Lưới",
+ "(from 'As You Like It', Act II)": "(từ 'Như bạn thích', Hành động II)",
+ "Link Color": "Màu liên kết",
+ "Volume Keys for Page Flip": "Phím âm lượng để lật trang",
+ "Screen": "Màn hình",
+ "Orientation": "Định hướng",
+ "Portrait": "Chân dung",
+ "Landscape": "Phong cảnh",
+ "Open Last Book on Start": "Mở sách cuối cùng khi khởi động",
+ "Checking for updates...": "Đang kiểm tra cập nhật...",
+ "Error checking for updates": "Lỗi khi kiểm tra cập nhật",
+ "Details": "Chi tiết",
+ "File Size": "Kích thước tệp",
+ "Auto Detect": "Phát hiện tự động",
+ "Next Section": "Phần tiếp theo",
+ "Previous Section": "Phần trước",
+ "Next Page": "Trang tiếp theo",
+ "Previous Page": "Trang trước",
+ "Are you sure to delete {{count}} selected book(s)?_other": "Bạn có chắc muốn xóa {{count}} cuốn sách đã chọn không?",
+ "Are you sure to delete the selected book?": "Bạn có chắc muốn xóa cuốn sách đã chọn không?",
+ "Deselect": "Bỏ chọn",
+ "Select All": "Chọn tất",
+ "No translation available.": "Không có bản dịch nào.",
+ "Translated by {{provider}}.": "Được dịch bởi {{provider}}.",
+ "DeepL": "DeepL",
+ "Google Translate": "Google Dịch",
+ "Azure Translator": "Azure Translator",
+ "Invert Image In Dark Mode": "Đảo ảnh chế độ tối",
+ "Help improve Readest": "Giúp cải thiện Readest",
+ "Sharing anonymized statistics": "Chia sẻ thống kê ẩn danh",
+ "Interface Language": "Ngôn ngữ giao diện",
+ "Translation": "Dịch",
+ "Enable Translation": "Bật dịch",
+ "Translation Service": "Dịch vụ dịch thuật",
+ "Translate To": "Dịch sang",
+ "Disable Translation": "Tắt dịch",
+ "Scroll": "Cuộn",
+ "Overlap Pixels": "Chồng lấn pixel",
+ "System Language": "Ngôn ngữ hệ thống",
+ "Security": "An ninh",
+ "Allow JavaScript": "Cho phép JavaScript",
+ "Enable only if you trust the file.": "Chỉ bật nếu bạn tin tưởng tệp.",
+ "Sort TOC by Page": "Sort Mục lục theo Trang",
+ "Search in {{count}} Book(s)..._other": "Tìm kiếm trong {{count}} cuốn sách...",
+ "No notes match your search": "Không tìm thấy ghi chú nào",
+ "Search notes and excerpts...": "Tìm ghi chú...",
+ "Sign in to Sync": "Đăng nhập",
+ "Synced at {{time}}": "Đã đồng bộ lúc {{time}}",
+ "Never synced": "Chưa từng đồng bộ",
+ "Show Remaining Time": "Hiển thị thời gian còn lại",
+ "{{time}} min left in chapter": "{{time}} phút còn lại trong chương",
+ "Override Book Color": "Đổi màu sách",
+ "Login Required": "Cần đăng nhập",
+ "Quota Exceeded": "Vượt hạn mức",
+ "{{percentage}}% of Daily Translation Characters Used.": "{{percentage}}% số ký tự dịch hàng ngày đã sử dụng.",
+ "Translation Characters": "Những ký tự dịch",
+ "{{engine}}: {{count}} voices_other": "{{engine}}: {{count}} giọng",
+ "Something went wrong. Don't worry, our team has been notified and we're working on a fix.": "Đã xảy ra sự cố. Đừng lo, nhóm của chúng tôi đã được thông báo và chúng tôi đang làm việc để sửa chữa.",
+ "Error Details:": "Chi tiết lỗi:",
+ "Try Again": "Thử lại",
+ "Need help?": "Bạn cần giúp đỡ?",
+ "Contact Support": "Liên hệ hỗ trợ",
+ "Code Highlighting": "Đánh dấu mã",
+ "Enable Highlighting": "Cho phép đánh dấu",
+ "Code Language": "Ngôn ngữ mã",
+ "Top Margin (px)": "Lề trên (px)",
+ "Bottom Margin (px)": "Lề dưới (px)",
+ "Right Margin (px)": "Lề phải (px)",
+ "Left Margin (px)": "Lề trái (px)",
+ "Column Gap (%)": "Khoảng cách cột (%)",
+ "Always Show Status Bar": "Luôn hiển thị thanh trạng thái",
+ "Custom Content CSS": "CSS nội dung",
+ "Enter CSS for book content styling...": "Nhập CSS cho phần nội dung sách...",
+ "Custom Reader UI CSS": "CSS giao diện đọc",
+ "Enter CSS for reader interface styling...": "Nhập CSS cho giao diện trình đọc...",
+ "Crop": "Cắt",
+ "Book Covers": "Bìa sách",
+ "Fit": "Vừa vặn",
+ "Reset {{settings}}": "Đặt lại {{settings}}",
+ "Reset Settings": "Đặt lại cài đặt",
+ "{{count}} pages left in chapter_other": "Còn {{count}} trang trong chương",
+ "Show Remaining Pages": "Hiển thị trang còn lại",
+ "Source Han Serif CN": "Source Han Serif",
+ "Huiwen-MinchoGBK": "Huiwen Mincho",
+ "KingHwa_OldSong": "KingHwa Song",
+ "Manage Subscription": "Quản lý đăng ký",
+ "Coming Soon": "Sắp ra mắt",
+ "Upgrade to {{plan}}": "Nâng cấp lên {{plan}}",
+ "Upgrade to Plus or Pro": "Nâng cấp lên Plus hoặc Pro",
+ "Current Plan": "Gói hiện tại",
+ "Plan Limits": "Giới hạn gói",
+ "Processing your payment...": "Đang xử lý thanh toán...",
+ "Please wait while we confirm your subscription.": "Vui lòng chờ trong khi chúng tôi xác nhận đăng ký của bạn.",
+ "Payment Processing": "Đang xử lý thanh toán",
+ "Your payment is being processed. This usually takes a few moments.": "Thanh toán của bạn đang được xử lý. Thường mất vài giây.",
+ "Payment Failed": "Thanh toán thất bại",
+ "We couldn't process your subscription. Please try again or contact support if the issue persists.": "Chúng tôi không thể xử lý đăng ký của bạn. Vui lòng thử lại hoặc liên hệ hỗ trợ nếu sự cố tiếp tục.",
+ "Back to Profile": "Quay lại hồ sơ",
+ "Subscription Successful!": "Đăng ký thành công!",
+ "Thank you for your subscription! Your payment has been processed successfully.": "Cảm ơn bạn đã đăng ký! Thanh toán của bạn đã được xử lý thành công.",
+ "Email:": "Email:",
+ "Plan:": "Gói:",
+ "Amount:": "Số tiền:",
+ "Go to Library": "Đi đến Thư viện",
+ "Need help? Contact our support team at support@readest.com": "Cần hỗ trợ? Liên hệ nhóm hỗ trợ tại support@readest.com",
+ "Free Plan": "Gói miễn phí",
+ "month": "tháng",
+ "AI Translations (per day)": "Dịch AI (mỗi ngày)",
+ "Plus Plan": "Gói Plus",
+ "Includes All Free Plan Benefits": "Bao gồm tất cả lợi ích của gói miễn phí",
+ "Pro Plan": "Gói Pro",
+ "More AI Translations": "Thêm dịch AI",
+ "Complete Your Subscription": "Hoàn tất đăng ký của bạn",
+ "{{percentage}}% of Cloud Sync Space Used.": "Đã sử dụng {{percentage}}% không gian đồng bộ đám mây.",
+ "Cloud Sync Storage": "Lưu trữ đồng bộ đám mây",
+ "Disable": "Tắt",
+ "Enable": "Bật",
+ "Upgrade to Readest Premium": "Đăng ký Readest Premium",
+ "Show Source Text": "Hiển thị văn bản gốc",
+ "Cross-Platform Sync": "Đồng Bộ Đa Nền Tảng",
+ "Seamlessly sync your library, progress, highlights, and notes across all your devices—never lose your place again.": "Đồng bộ liền mạch thư viện, tiến độ, đánh dấu và ghi chú trên tất cả thiết bị—không bao giờ mất vị trí đọc nữa.",
+ "Customizable Reading": "Đọc Tùy Chỉnh",
+ "Personalize every detail with adjustable fonts, layouts, themes, and advanced display settings for the perfect reading experience.": "Cá nhân hóa mọi chi tiết với phông chữ, bố cục, chủ đề có thể điều chỉnh và cài đặt hiển thị nâng cao cho trải nghiệm đọc hoàn hảo.",
+ "AI Read Aloud": "AI Đọc To",
+ "Enjoy hands-free reading with natural-sounding AI voices that bring your books to life.": "Thưởng thức việc đọc rảnh tay với giọng AI tự nhiên làm sống động sách của bạn.",
+ "AI Translations": "Dịch Thuật AI",
+ "Translate any text instantly with the power of Google, Azure, or DeepL—understand content in any language.": "Dịch bất kỳ văn bản nào ngay lập tức với sức mạnh của Google, Azure hoặc DeepL—hiểu nội dung bằng mọi ngôn ngữ.",
+ "Connect with fellow readers and get help fast in our friendly community channels.": "Kết nối với độc giả khác và nhận trợ giúp nhanh chóng trong các kênh cộng đồng thân thiện.",
+ "Unlimited AI Read Aloud Hours": "Giờ Đọc To AI Không Giới Hạn",
+ "Listen without limits—convert as much text as you like into immersive audio.": "Nghe không giới hạn—chuyển đổi bao nhiêu văn bản bạn muốn thành âm thanh sống động.",
+ "Unlock enhanced translation capabilities with more daily usage and advanced options.": "Mở khóa khả năng dịch thuật nâng cao với nhiều lượt sử dụng hàng ngày và tùy chọn nâng cao.",
+ "DeepL Pro Access": "Truy Cập DeepL Pro",
+ "Enjoy faster responses and dedicated assistance whenever you need help.": "Tận hưởng phản hồi nhanh hơn và hỗ trợ chuyên biệt khi bạn cần giúp đỡ.",
+ "Daily translation quota reached. Upgrade your plan to continue using AI translations.": "Đã đạt hạn ngạch dịch thuật hàng ngày. Nâng cấp gói để tiếp tục sử dụng dịch thuật AI.",
+ "Includes All Plus Plan Benefits": "Bao Gồm Tất Cả Lợi Ích Gói Plus",
+ "Early Feature Access": "Truy Cập Tính Năng Sớm",
+ "Be the first to explore new features, updates, and innovations before anyone else.": "Khám phá tính năng mới, cập nhật và đổi mới trước người khác.",
+ "Advanced AI Tools": "Công Cụ AI Nâng Cao",
+ "Harness powerful AI tools for smarter reading, translation, and content discovery.": "Khai thác công cụ AI mạnh mẽ cho đọc thông minh, dịch thuật và khám phá nội dung.",
+ "Translate up to 100,000 characters daily with the most accurate translation engine available.": "Dịch tới 100.000 ký tự hàng ngày với công cụ dịch chính xác nhất hiện có.",
+ "Translate up to 500,000 characters daily with the most accurate translation engine available.": "Dịch tới 500.000 ký tự hàng ngày với công cụ dịch chính xác nhất hiện có.",
+ "Securely store and access your entire reading collection with up to 5 GB of cloud storage.": "Lưu trữ và truy cập an toàn toàn bộ bộ sưu tập đọc với tới 5 GB lưu trữ đám mây.",
+ "Securely store and access your entire reading collection with up to 20 GB of cloud storage.": "Lưu trữ và truy cập an toàn toàn bộ bộ sưu tập đọc với tới 20 GB lưu trữ đám mây.",
+ "Deleted cloud backup of the book: {{title}}": "Đã xóa bản sao lưu đám mây của sách: {{title}}",
+ "Are you sure to delete the cloud backup of the selected book?": "Bạn có chắc chắn muốn xóa bản sao lưu đám mây của sách đã chọn không?",
+ "What's New in Readest": "Những gì mới trong Readest",
+ "Enter book title": "Nhập tiêu đề sách",
+ "Subtitle": "Phụ đề",
+ "Enter book subtitle": "Nhập phụ đề sách",
+ "Enter author name": "Nhập tên tác giả",
+ "Series": "Bộ sách",
+ "Enter series name": "Nhập tên bộ sách",
+ "Series Index": "Số thứ tự trong bộ",
+ "Enter series index": "Nhập số thứ tự trong bộ",
+ "Total in Series": "Tổng số trong bộ",
+ "Enter total books in series": "Nhập tổng số sách trong bộ",
+ "Enter publisher": "Nhập nhà xuất bản",
+ "Publication Date": "Ngày xuất bản",
+ "Identifier": "Định danh",
+ "Enter book description": "Nhập mô tả sách",
+ "Change cover image": "Thay đổi ảnh bìa",
+ "Replace": "Thay thế",
+ "Unlock cover": "Mở khóa bìa",
+ "Lock cover": "Khóa bìa",
+ "Auto-Retrieve Metadata": "Tự động lấy siêu dữ liệu",
+ "Auto-Retrieve": "Tự động lấy",
+ "Unlock all fields": "Mở khóa tất cả trường",
+ "Unlock All": "Mở khóa tất cả",
+ "Lock all fields": "Khóa tất cả trường",
+ "Lock All": "Khóa tất cả",
+ "Reset": "Đặt lại",
+ "Edit Metadata": "Chỉnh sửa siêu dữ liệu",
+ "Locked": "Đã khóa",
+ "Select Metadata Source": "Chọn nguồn siêu dữ liệu",
+ "Keep manual input": "Giữ nhập liệu thủ công",
+ "Google Books": "Google Books",
+ "Open Library": "Open Library",
+ "Fiction, Science, History": "Tiểu thuyết, Khoa học, Lịch sử",
+ "Open Book in New Window": "Mở Sách trong Cửa sổ Mới",
+ "Voices for {{lang}}": "Giọng nói cho {{lang}}",
+ "Yandex Translate": "Yandex Dịch",
+ "YYYY or YYYY-MM-DD": "YYYY hoặc YYYY-MM-DD",
+ "Restore Purchase": "Khôi phục mua hàng",
+ "No purchases found to restore.": "Không tìm thấy giao dịch mua nào để khôi phục.",
+ "Failed to restore purchases.": "Khôi phục giao dịch mua không thành công.",
+ "Failed to manage subscription.": "Quản lý đăng ký không thành công.",
+ "Failed to load subscription plans.": "Tải kế hoạch đăng ký không thành công.",
+ "year": "năm",
+ "Failed to create checkout session": "Không thể tạo phiên làm việc thanh toán",
+ "Storage": "Lưu trữ",
+ "Terms of Service": "Điều khoản dịch vụ",
+ "Privacy Policy": "Chính sách bảo mật",
+ "Disable Double Click": "Tắt Nhấp Đôi",
+ "TTS not supported for this document": "TTS không được hỗ trợ cho tài liệu này",
+ "Reset Password": "Đặt lại mật khẩu",
+ "Show Reading Progress": "Hiển thị tiến độ đọc",
+ "Reading Progress Style": "Phong cách tiến độ đọc",
+ "Page Number": "Số trang",
+ "Percentage": "Phần trăm",
+ "Deleted local copy of the book: {{title}}": "Đã xóa bản sao cục bộ của sách: {{title}}",
+ "Failed to delete cloud backup of the book: {{title}}": "Không thể xóa bản sao lưu đám mây của sách: {{title}}",
+ "Failed to delete local copy of the book: {{title}}": "Không thể xóa bản sao cục bộ của sách: {{title}}",
+ "Are you sure to delete the local copy of the selected book?": "Bạn có chắc chắn muốn xóa bản sao cục bộ của cuốn sách đã chọn không?",
+ "Remove from Cloud & Device": "Xóa khỏi Đám mây & Thiết bị",
+ "Remove from Cloud Only": "Xóa chỉ khỏi Đám mây",
+ "Remove from Device Only": "Xóa chỉ khỏi Thiết bị",
+ "Disconnected": "Mất kết nối",
+ "KOReader Sync Settings": "Cài đặt đồng bộ KOReader",
+ "Sync Strategy": "Chiến lược đồng bộ",
+ "Ask on conflict": "Hỏi khi có xung đột",
+ "Always use latest": "Luôn sử dụng phiên bản mới nhất",
+ "Send changes only": "Chỉ gửi thay đổi",
+ "Receive changes only": "Chỉ nhận thay đổi",
+ "Checksum Method": "Phương pháp kiểm tra",
+ "File Content (recommended)": "Nội dung tệp (được khuyến nghị)",
+ "File Name": "Tên tệp",
+ "Device Name": "Tên thiết bị",
+ "Connect to your KOReader Sync server.": "Kết nối với máy chủ đồng bộ KOReader của bạn.",
+ "Server URL": "URL máy chủ",
+ "Username": "Tên người dùng",
+ "Your Username": "Tên người dùng của bạn",
+ "Password": "Mật khẩu",
+ "Connect": "Kết nối",
+ "KOReader Sync": "Đồng bộ KOReader",
+ "Sync Conflict": "Xung đột đồng bộ",
+ "Sync reading progress from \"{{deviceName}}\"?": "Đồng bộ tiến độ đọc từ \"{{deviceName}}\"?",
+ "another device": "thiết bị khác",
+ "Local Progress": "Tiến độ cục bộ",
+ "Remote Progress": "Tiến độ từ xa",
+ "Page {{page}} of {{total}} ({{percentage}}%)": "Trang {{page}} của {{total}} ({{percentage}}%)",
+ "Current position": "Vị trí hiện tại",
+ "Approximately page {{page}} of {{total}} ({{percentage}}%)": "Khoảng trang {{page}} của {{total}} ({{percentage}}%)",
+ "Approximately {{percentage}}%": "Khoảng {{percentage}}%",
+ "Failed to connect": "Không thể kết nối",
+ "Sync Server Connected": "Máy chủ đồng bộ đã kết nối",
+ "Sync as {{userDisplayName}}": "Đồng bộ dưới tên {{userDisplayName}}",
+ "Custom Fonts": "Phông Chữ Tùy Chỉnh",
+ "Cancel Delete": "Hủy Xóa",
+ "Import Font": "Nhập Phông Chữ",
+ "Delete Font": "Xóa Phông Chữ",
+ "Tips": "Mẹo",
+ "Custom fonts can be selected from the Font Face menu": "Phông chữ tùy chỉnh có thể được chọn từ menu Phông Chữ",
+ "Manage Custom Fonts": "Quản Lý Phông Chữ Tùy Chỉnh",
+ "Select Files": "Chọn Tệp",
+ "Select Image": "Chọn Hình Ảnh",
+ "Select Video": "Chọn Video",
+ "Select Audio": "Chọn Âm Thanh",
+ "Select Fonts": "Chọn Phông Chữ",
+ "Supported font formats: .ttf, .otf, .woff, .woff2": "Định dạng phông chữ được hỗ trợ: .ttf, .otf, .woff, .woff2",
+ "Push Progress": "Đẩy tiến độ",
+ "Pull Progress": "Kéo tiến độ",
+ "Previous Paragraph": "Đoạn trước",
+ "Previous Sentence": "Câu trước",
+ "Pause": "Tạm dừng",
+ "Play": "Phát",
+ "Next Sentence": "Câu tiếp theo",
+ "Next Paragraph": "Đoạn tiếp theo",
+ "Separate Cover Page": "Trang Bìa Riêng",
+ "Resize Notebook": "Thay Đổi Kích Thước Sổ Ghi Chép",
+ "Resize Sidebar": "Thay Đổi Kích Thước Thanh Bên",
+ "Get Help from the Readest Community": "Nhận Trợ Giúp từ Cộng Đồng Readest",
+ "Remove cover image": "Xóa ảnh bìa",
+ "Bookshelf": "Kệ sách",
+ "View Menu": "Xem menu",
+ "Settings Menu": "Menu cài đặt",
+ "View account details and quota": "Xem chi tiết tài khoản và hạn mức",
+ "Library Header": "Tiêu đề thư viện",
+ "Book Content": "Nội dung sách",
+ "Footer Bar": "Thanh chân trang",
+ "Header Bar": "Thanh đầu trang",
+ "View Options": "Tùy chọn xem",
+ "Book Menu": "Menu sách",
+ "Search Options": "Tùy chọn tìm kiếm",
+ "Close": "Đóng",
+ "Delete Book Options": "Tùy chọn xóa sách",
+ "ON": "BẬT",
+ "OFF": "TẮT",
+ "Reading Progress": "Tiến độ đọc",
+ "Page Margin": "Lề trang",
+ "Remove Bookmark": "Xóa đánh dấu",
+ "Add Bookmark": "Thêm đánh dấu",
+ "Books Content": "Nội dung sách",
+ "Jump to Location": "Nhảy đến vị trí",
+ "Unpin Notebook": "Bỏ ghim sổ tay",
+ "Pin Notebook": "Ghim sổ tay",
+ "Hide Search Bar": "Ẩn thanh tìm kiếm",
+ "Show Search Bar": "Hiện thanh tìm kiếm",
+ "On {{current}} of {{total}} page": "Trên {{current}} của {{total}} trang",
+ "Section Title": "Tiêu đề phần",
+ "Decrease": "Giảm",
+ "Increase": "Tăng",
+ "Settings Panels": "Các bảng điều khiển cài đặt",
+ "Settings": "Cài đặt",
+ "Unpin Sidebar": "Bỏ ghim thanh bên",
+ "Pin Sidebar": "Ghim thanh bên",
+ "Toggle Sidebar": "Chuyển đổi thanh bên",
+ "Toggle Translation": "Chuyển đổi dịch thuật",
+ "Translation Disabled": "Dịch thuật đã tắt",
+ "Minimize": "Thu nhỏ",
+ "Maximize or Restore": "Tối đa hóa hoặc Khôi phục",
+ "Exit Parallel Read": "Thoát Đọc Song Song",
+ "Enter Parallel Read": "Vào Đọc Song Song",
+ "Zoom Level": "Độ phóng to",
+ "Zoom Out": "Thu nhỏ",
+ "Reset Zoom": "Đặt lại độ phóng to",
+ "Zoom In": "Phóng to",
+ "Zoom Mode": "Chế độ phóng to",
+ "Single Page": "Một trang",
+ "Auto Spread": "Tự động trải rộng",
+ "Fit Page": "Vừa trang",
+ "Fit Width": "Vừa chiều rộng",
+ "Failed to select directory": "Không thể chọn thư mục",
+ "The new data directory must be different from the current one.": "Thư mục dữ liệu mới phải khác với thư mục hiện tại.",
+ "Migration failed: {{error}}": "Di chuyển không thành công: {{error}}",
+ "Change Data Location": "Thay đổi vị trí dữ liệu",
+ "Current Data Location": "Vị trí dữ liệu hiện tại",
+ "Total size: {{size}}": "Tổng kích thước: {{size}}",
+ "Calculating file info...": "Đang tính toán thông tin tệp...",
+ "New Data Location": "Vị trí dữ liệu mới",
+ "Choose Different Folder": "Chọn thư mục khác",
+ "Choose New Folder": "Chọn thư mục mới",
+ "Migrating data...": "Đang di chuyển dữ liệu...",
+ "Copying: {{file}}": "Đang sao chép: {{file}}",
+ "{{current}} of {{total}} files": "{{current}} của {{total}} tệp",
+ "Migration completed successfully!": "Di chuyển hoàn tất thành công!",
+ "Your data has been moved to the new location. Please restart the application to complete the process.": "Dữ liệu của bạn đã được chuyển đến vị trí mới. Vui lòng khởi động lại ứng dụng để hoàn tất quá trình.",
+ "Migration failed": "Di chuyển không thành công",
+ "Important Notice": "Thông báo quan trọng",
+ "This will move all your app data to the new location. Make sure the destination has enough free space.": "Điều này sẽ di chuyển tất cả dữ liệu ứng dụng của bạn đến vị trí mới. Hãy chắc chắn rằng đích đến có đủ không gian trống.",
+ "Restart App": "Khởi động lại ứng dụng",
+ "Start Migration": "Bắt đầu di chuyển",
+ "Advanced Settings": "Cài đặt nâng cao",
+ "File count: {{size}}": "Số lượng tệp: {{size}}",
+ "Background Read Aloud": "Đọc To Nền",
+ "Ready to read aloud": "Sẵn sàng để đọc to",
+ "Read Aloud": "Đọc To",
+ "Screen Brightness": "Độ sáng màn hình",
+ "Background Image": "Ảnh nền",
+ "Import Image": "Nhập ảnh",
+ "Opacity": "Độ mờ",
+ "Size": "Kích thước",
+ "Cover": "Bìa",
+ "Contain": "Chứa",
+ "{{number}} pages left in chapter": "Còn {{number}} trang trong chương",
+ "Device": "Thiết bị",
+ "E-Ink Mode": "Chế độ E-Ink",
+ "Highlight Colors": "Màu nổi bật",
+ "Auto Screen Brightness": "Độ sáng màn hình tự động",
+ "Pagination": "Phân trang",
+ "Disable Double Tap": "Vô hiệu hóa chạm hai lần",
+ "Tap to Paginate": "Chạm để phân trang",
+ "Click to Paginate": "Nhấp để phân trang",
+ "Tap Both Sides": "Chạm vào cả hai bên",
+ "Click Both Sides": "Nhấp vào cả hai bên",
+ "Swap Tap Sides": "Đổi bên chạm",
+ "Swap Click Sides": "Đổi bên nhấp",
+ "Source and Translated": "Nguồn và Đã dịch",
+ "Translated Only": "Chỉ Đã dịch",
+ "Source Only": "Chỉ Nguồn",
+ "TTS Text": "Văn bản TTS",
+ "The book file is corrupted": "Tệp sách bị hỏng",
+ "The book file is empty": "Tệp sách trống",
+ "Failed to open the book file": "Không thể mở tệp sách",
+ "On-Demand Purchase": "Mua theo yêu cầu",
+ "Full Customization": "Tùy chỉnh đầy đủ",
+ "Lifetime Plan": "Kế hoạch trọn đời",
+ "One-Time Payment": "Thanh toán một lần",
+ "Make a single payment to enjoy lifetime access to specific features on all devices. Purchase specific features or services only when you need them.": "Thực hiện một khoản thanh toán duy nhất để tận hưởng quyền truy cập trọn đời vào các tính năng cụ thể trên tất cả các thiết bị. Mua các tính năng hoặc dịch vụ cụ thể chỉ khi bạn cần chúng.",
+ "Expand Cloud Sync Storage": "Mở rộng dung lượng lưu trữ đồng bộ hóa đám mây",
+ "Expand your cloud storage forever with a one-time purchase. Each additional purchase adds more space.": "Mở rộng dung lượng lưu trữ đám mây của bạn mãi mãi với một lần mua. Mỗi lần mua thêm sẽ thêm không gian.",
+ "Unlock All Customization Options": "Mở khóa tất cả tùy chọn tùy chỉnh",
+ "Unlock additional themes, fonts, layout options and read aloud, translators, cloud storage services.": "Mở khóa các chủ đề, phông chữ, tùy chọn bố cục và đọc to, dịch giả, dịch vụ lưu trữ đám mây bổ sung.",
+ "Purchase Successful!": "Mua hàng thành công!",
+ "lifetime": "trọn đời",
+ "Thank you for your purchase! Your payment has been processed successfully.": "Cảm ơn bạn đã mua hàng! Thanh toán của bạn đã được xử lý thành công.",
+ "Order ID:": "Mã đơn hàng:",
+ "TTS Highlighting": "Đánh dấu TTS",
+ "Style": "Kiểu",
+ "Underline": "Gạch chân",
+ "Strikethrough": "Gạch ngang",
+ "Squiggly": "Gạch ngoằn ngoèo",
+ "Outline": "Đường viền",
+ "Save Current Color": "Lưu màu hiện tại",
+ "Quick Colors": "Màu nhanh",
+ "Highlighter": "Bút đánh dấu",
+ "Save Book Cover": "Lưu bìa sách",
+ "Auto-save last book cover": "Tự động lưu bìa sách cuối cùng",
+ "Back": "Quay lại",
+ "Confirmation email sent! Please check your old and new email addresses to confirm the change.": "Email xác nhận đã được gửi! Vui lòng kiểm tra địa chỉ email cũ và mới của bạn để xác nhận thay đổi.",
+ "Failed to update email": "Cập nhật email thất bại",
+ "New Email": "Email mới",
+ "Your new email": "Email mới của bạn",
+ "Updating email ...": "Đang cập nhật email ...",
+ "Update email": "Cập nhật email",
+ "Current email": "Email hiện tại",
+ "Update Email": "Cập nhật email",
+ "All": "Tất cả",
+ "Unable to open book": "Không thể mở sách",
+ "Punctuation": "Dấu câu",
+ "Replace Quotation Marks": "Thay thế dấu ngoặc kép",
+ "Enabled only in vertical layout.": "Chỉ bật trong bố cục dọc.",
+ "No Conversion": "Không chuyển đổi",
+ "Simplified to Traditional": "Giản thể → Phồn thể",
+ "Traditional to Simplified": "Phồn thể → Giản thể",
+ "Simplified to Traditional (Taiwan)": "Giản thể → Phồn thể (Đài Loan)",
+ "Simplified to Traditional (Hong Kong)": "Giản thể → Phồn thể (Hồng Kông)",
+ "Simplified to Traditional (Taiwan), with phrases": "Giản thể → Phồn thể (Đài Loan • cụm từ)",
+ "Traditional (Taiwan) to Simplified": "Phồn thể (Đài Loan) → Giản thể",
+ "Traditional (Hong Kong) to Simplified": "Phồn thể (Hồng Kông) → Giản thể",
+ "Traditional (Taiwan) to Simplified, with phrases": "Phồn thể (Đài Loan • cụm từ) → Giản thể",
+ "Convert Simplified and Traditional Chinese": "Chuyển đổi Trung giản/Phồn thể",
+ "Convert Mode": "Chế độ chuyển đổi",
+ "Failed to auto-save book cover for lock screen: {{error}}": "Không thể tự động lưu bìa sách cho màn hình khóa: {{error}}",
+ "Download from Cloud": "Tải xuống từ đám mây",
+ "Upload to Cloud": "Tải lên đám mây",
+ "Clear Custom Fonts": "Xóa phông chữ tùy chỉnh",
+ "Columns": "Cột",
+ "OPDS Catalogs": "Danh mục OPDS",
+ "Adding LAN addresses is not supported in the web app version.": "Việc thêm địa chỉ LAN không được hỗ trợ trong phiên bản web.",
+ "Invalid OPDS catalog. Please check the URL.": "Danh mục OPDS không hợp lệ. Vui lòng kiểm tra URL.",
+ "Browse and download books from online catalogs": "Duyệt và tải sách từ các danh mục trực tuyến",
+ "My Catalogs": "Danh mục của tôi",
+ "Add Catalog": "Thêm danh mục",
+ "No catalogs yet": "Chưa có danh mục nào",
+ "Add your first OPDS catalog to start browsing books": "Thêm danh mục OPDS đầu tiên để bắt đầu duyệt sách",
+ "Add Your First Catalog": "Thêm danh mục đầu tiên",
+ "Browse": "Duyệt",
+ "Popular Catalogs": "Danh mục phổ biến",
+ "Add": "Thêm",
+ "Add OPDS Catalog": "Thêm danh mục OPDS",
+ "Catalog Name": "Tên danh mục",
+ "My Calibre Library": "Thư viện Calibre của tôi",
+ "OPDS URL": "URL OPDS",
+ "Username (optional)": "Tên đăng nhập (tùy chọn)",
+ "Password (optional)": "Mật khẩu (tùy chọn)",
+ "Description (optional)": "Mô tả (tùy chọn)",
+ "A brief description of this catalog": "Mô tả ngắn gọn về danh mục này",
+ "Validating...": "Đang xác thực...",
+ "View All": "Xem tất cả",
+ "Forward": "Tiếp",
+ "Home": "Trang chủ",
+ "{{count}} items_other": "{{count}} mục",
+ "Download completed": "Tải xuống hoàn tất",
+ "Download failed": "Tải xuống thất bại",
+ "Open Access": "Truy cập mở",
+ "Borrow": "Mượn",
+ "Buy": "Mua",
+ "Subscribe": "Đăng ký",
+ "Sample": "Mẫu",
+ "Download": "Tải xuống",
+ "Open & Read": "Mở & Đọc",
+ "Tags": "Thẻ",
+ "Tag": "Thẻ",
+ "First": "Đầu tiên",
+ "Previous": "Trước",
+ "Next": "Tiếp theo",
+ "Last": "Cuối cùng",
+ "Cannot Load Page": "Không thể tải trang",
+ "An error occurred": "Đã xảy ra lỗi",
+ "Online Library": "Thư viện trực tuyến",
+ "URL must start with http:// or https://": "URL phải bắt đầu bằng http:// hoặc https://",
+ "Title, Author, Tag, etc...": "Tiêu đề, Tác giả, Thẻ, v.v...",
+ "Query": "Truy vấn",
+ "Subject": "Chủ đề",
+ "Enter {{terms}}": "Nhập {{terms}}",
+ "No search results found": "Không tìm thấy kết quả tìm kiếm",
+ "Failed to load OPDS feed: {{status}} {{statusText}}": "Không tải được nguồn cấp OPDS: {{status}} {{statusText}}",
+ "Search in {{title}}": "Tìm kiếm trong {{title}}",
+ "Manage Storage": "Quản lý bộ nhớ",
+ "Failed to load files": "Không tải được tệp",
+ "Deleted {{count}} file(s)_other": "Đã xóa {{count}} tệp",
+ "Failed to delete {{count}} file(s)_other": "Không xóa được {{count}} tệp",
+ "Failed to delete files": "Không xóa được tệp",
+ "Total Files": "Tổng số tệp",
+ "Total Size": "Tổng dung lượng",
+ "Quota": "Dung lượng cho phép",
+ "Used": "Đã sử dụng",
+ "Files": "Tệp",
+ "Search files...": "Tìm tệp...",
+ "Newest First": "Mới nhất trước",
+ "Oldest First": "Cũ nhất trước",
+ "Largest First": "Lớn nhất trước",
+ "Smallest First": "Nhỏ nhất trước",
+ "Name A-Z": "Tên A-Z",
+ "Name Z-A": "Tên Z-A",
+ "{{count}} selected_other": "Đã chọn {{count}} tệp",
+ "Delete Selected": "Xóa các mục đã chọn",
+ "Created": "Đã tạo",
+ "No files found": "Không tìm thấy tệp",
+ "No files uploaded yet": "Chưa tải lên tệp nào",
+ "files": "tệp",
+ "Page {{current}} of {{total}}": "Trang {{current}} trên {{total}}",
+ "Are you sure to delete {{count}} selected file(s)?_other": "Bạn có chắc muốn xóa {{count}} tệp đã chọn không?",
+ "Cloud Storage Usage": "Sử dụng lưu trữ đám mây",
+ "Rename Group": "Đổi tên nhóm",
+ "From Directory": "Từ thư mục",
+ "Successfully imported {{count}} book(s)_other": "Đã nhập thành công {{count}} sách",
+ "Count": "Số lượng",
+ "Start Page": "Trang bắt đầu",
+ "Search in OPDS Catalog...": "Tìm kiếm trong danh mục OPDS...",
+ "Please log in to use advanced TTS features": "Vui lòng đăng nhập để sử dụng các tính năng TTS nâng cao",
+ "Word limit of 30 words exceeded.": "Đã vượt quá giới hạn 30 từ.",
+ "Proofread": "Hiệu đính",
+ "Current selection": "Vùng chọn hiện tại",
+ "All occurrences in this book": "Tất cả các lần xuất hiện trong sách này",
+ "All occurrences in your library": "Tất cả các lần xuất hiện trong thư viện của bạn",
+ "Selected text:": "Văn bản đã chọn:",
+ "Replace with:": "Thay thế bằng:",
+ "Enter text...": "Nhập văn bản…",
+ "Case sensitive:": "Phân biệt chữ hoa/thường:",
+ "Scope:": "Phạm vi:",
+ "Selection": "Vùng chọn",
+ "Library": "Thư viện",
+ "Yes": "Có",
+ "No": "Không",
+ "Proofread Replacement Rules": "Quy tắc thay thế hiệu đính",
+ "Selected Text Rules": "Quy tắc cho văn bản đã chọn",
+ "No selected text replacement rules": "Không có quy tắc thay thế cho văn bản đã chọn",
+ "Book Specific Rules": "Quy tắc dành riêng cho sách",
+ "No book-level replacement rules": "Không có quy tắc thay thế ở cấp sách",
+ "Disable Quick Action": "Vô hiệu hóa Hành động Nhanh",
+ "Enable Quick Action on Selection": "Bật Hành động Nhanh khi chọn",
+ "None": "Không có",
+ "Annotation Tools": "Công cụ chú thích",
+ "Enable Quick Actions": "Bật Hành động Nhanh",
+ "Quick Action": "Hành động Nhanh",
+ "Copy to Notebook": "Sao chép vào Sổ tay",
+ "Copy text after selection": "Sao chép văn bản sau khi chọn",
+ "Highlight text after selection": "Đánh dấu văn bản sau khi chọn",
+ "Annotate text after selection": "Chú thích văn bản sau khi chọn",
+ "Search text after selection": "Tìm kiếm văn bản sau khi chọn",
+ "Look up text in dictionary after selection": "Tra cứu văn bản trong từ điển sau khi chọn",
+ "Look up text in Wikipedia after selection": "Tra cứu văn bản trong Wikipedia sau khi chọn",
+ "Translate text after selection": "Dịch văn bản sau khi chọn",
+ "Read text aloud after selection": "Đọc to văn bản sau khi chọn",
+ "Proofread text after selection": "Hiệu đính văn bản sau khi chọn",
+ "{{activeCount}} active, {{pendingCount}} pending": "{{activeCount}} đang hoạt động, {{pendingCount}} đang chờ",
+ "{{failedCount}} failed": "{{failedCount}} thất bại",
+ "Waiting...": "Đang chờ...",
+ "Failed": "Thất bại",
+ "Completed": "Hoàn thành",
+ "Cancelled": "Đã hủy",
+ "Retry": "Thử lại",
+ "Active": "Đang hoạt động",
+ "Transfer Queue": "Hàng đợi truyền",
+ "Upload All": "Tải lên tất cả",
+ "Download All": "Tải xuống tất cả",
+ "Resume Transfers": "Tiếp tục truyền",
+ "Pause Transfers": "Tạm dừng truyền",
+ "Pending": "Đang chờ",
+ "No transfers": "Không có truyền",
+ "Retry All": "Thử lại tất cả",
+ "Clear Completed": "Xóa đã hoàn thành",
+ "Clear Failed": "Xóa thất bại",
+ "Upload queued: {{title}}": "Tải lên trong hàng đợi: {{title}}",
+ "Download queued: {{title}}": "Tải xuống trong hàng đợi: {{title}}",
+ "Book not found in library": "Không tìm thấy sách trong thư viện",
+ "Unknown error": "Lỗi không xác định",
+ "Please log in to continue": "Vui lòng đăng nhập để tiếp tục",
+ "Cloud File Transfers": "Truyền tệp đám mây",
+ "Show Search Results": "Hiển thị kết quả tìm kiếm",
+ "Search results for '{{term}}'": "Kết quả cho '{{term}}'",
+ "Close Search": "Đóng tìm kiếm",
+ "Previous Result": "Kết quả trước",
+ "Next Result": "Kết quả tiếp theo",
+ "Bookmarks": "Dấu trang",
+ "Annotations": "Chú thích",
+ "Show Results": "Hiển thị kết quả",
+ "Clear search": "Xóa tìm kiếm",
+ "Clear search history": "Xóa lịch sử tìm kiếm",
+ "Tap to Toggle Footer": "Nhấn để bật/tắt chân trang",
+ "Exported successfully": "Xuất thành công",
+ "Book exported successfully.": "Sách đã được xuất thành công.",
+ "Failed to export the book.": "Xuất sách thất bại.",
+ "Export Book": "Xuất sách",
+ "Whole word:": "Toàn bộ từ:",
+ "Error": "Lỗi",
+ "Unable to load the article. Try searching directly on {{link}}.": "Không thể tải bài viết. Hãy thử tìm kiếm trực tiếp trên {{link}}.",
+ "Unable to load the word. Try searching directly on {{link}}.": "Không thể tải từ. Hãy thử tìm kiếm trực tiếp trên {{link}}.",
+ "Date Published": "Ngày xuất bản",
+ "Only for TTS:": "Chỉ dành cho TTS:",
+ "Uploaded": "Đã tải lên",
+ "Downloaded": "Đã tải xuống",
+ "Deleted": "Đã xóa",
+ "Note:": "Ghi chú:",
+ "Time:": "Thời gian:",
+ "Format Options": "Tùy chọn định dạng",
+ "Export Date": "Ngày xuất",
+ "Chapter Titles": "Tiêu đề chương",
+ "Chapter Separator": "Dấu phân cách chương",
+ "Highlights": "Đánh dấu",
+ "Note Date": "Ngày ghi chú",
+ "Advanced": "Nâng cao",
+ "Hide": "Ẩn",
+ "Show": "Hiển thị",
+ "Use Custom Template": "Sử dụng mẫu tùy chỉnh",
+ "Export Template": "Mẫu xuất",
+ "Template Syntax:": "Cú pháp mẫu:",
+ "Insert value": "Chèn giá trị",
+ "Format date (locale)": "Định dạng ngày (địa phương)",
+ "Format date (custom)": "Định dạng ngày (tùy chỉnh)",
+ "Conditional": "Điều kiện",
+ "Loop": "Vòng lặp",
+ "Available Variables:": "Biến có sẵn:",
+ "Book title": "Tiêu đề sách",
+ "Book author": "Tác giả sách",
+ "Export date": "Ngày xuất",
+ "Array of chapters": "Danh sách chương",
+ "Chapter title": "Tiêu đề chương",
+ "Array of annotations": "Danh sách chú thích",
+ "Highlighted text": "Văn bản được đánh dấu",
+ "Annotation note": "Ghi chú chú thích",
+ "Date Format Tokens:": "Token định dạng ngày:",
+ "Year (4 digits)": "Năm (4 chữ số)",
+ "Month (01-12)": "Tháng (01-12)",
+ "Day (01-31)": "Ngày (01-31)",
+ "Hour (00-23)": "Giờ (00-23)",
+ "Minute (00-59)": "Phút (00-59)",
+ "Second (00-59)": "Giây (00-59)",
+ "Show Source": "Hiển thị nguồn",
+ "No content to preview": "Không có nội dung để xem trước",
+ "Export": "Xuất",
+ "Set Timeout": "Đặt thời gian chờ",
+ "Select Voice": "Chọn giọng nói",
+ "Toggle Sticky Bottom TTS Bar": "Bật/tắt thanh TTS cố định",
+ "Display what I'm reading on Discord": "Hiển thị sách đang đọc trên Discord",
+ "Show on Discord": "Hiện trên Discord",
+ "Instant {{action}}": "{{action}} tức thì",
+ "Instant {{action}} Disabled": "{{action}} tức thì đã tắt",
+ "Annotation": "Chú thích",
+ "Reset Template": "Đặt lại mẫu",
+ "Annotation style": "Kiểu chú thích",
+ "Annotation color": "Màu chú thích",
+ "Annotation time": "Thời gian chú thích",
+ "AI": "AI",
+ "Are you sure you want to re-index this book?": "Bạn có chắc muốn lập chỉ mục lại cuốn sách này?",
+ "Enable AI in Settings": "Bật AI trong Cài đặt",
+ "Index This Book": "Lập chỉ mục sách này",
+ "Enable AI search and chat for this book": "Bật tìm kiếm AI và trò chuyện cho cuốn sách này",
+ "Start Indexing": "Bắt đầu lập chỉ mục",
+ "Indexing book...": "Đang lập chỉ mục sách...",
+ "Preparing...": "Đang chuẩn bị...",
+ "Delete this conversation?": "Xóa cuộc trò chuyện này?",
+ "No conversations yet": "Chưa có cuộc trò chuyện nào",
+ "Start a new chat to ask questions about this book": "Bắt đầu cuộc trò chuyện mới để hỏi về cuốn sách này",
+ "Rename": "Đổi tên",
+ "New Chat": "Cuộc trò chuyện mới",
+ "Chat": "Trò chuyện",
+ "Please enter a model ID": "Vui lòng nhập ID mô hình",
+ "Model not available or invalid": "Mô hình không khả dụng hoặc không hợp lệ",
+ "Failed to validate model": "Xác thực mô hình thất bại",
+ "Couldn't connect to Ollama. Is it running?": "Không thể kết nối với Ollama. Nó có đang chạy không?",
+ "Invalid API key or connection failed": "Khóa API không hợp lệ hoặc kết nối thất bại",
+ "Connection failed": "Kết nối thất bại",
+ "AI Assistant": "Trợ lý AI",
+ "Enable AI Assistant": "Bật trợ lý AI",
+ "Provider": "Nhà cung cấp",
+ "Ollama (Local)": "Ollama (Cục bộ)",
+ "AI Gateway (Cloud)": "Cổng AI (Đám mây)",
+ "Ollama Configuration": "Cấu hình Ollama",
+ "Refresh Models": "Làm mới mô hình",
+ "AI Model": "Mô hình AI",
+ "No models detected": "Không phát hiện mô hình nào",
+ "AI Gateway Configuration": "Cấu hình cổng AI",
+ "Choose from a selection of high-quality, economical AI models. You can also bring your own model by selecting \"Custom Model\" below.": "Chọn từ các mô hình AI chất lượng cao, tiết kiệm. Bạn cũng có thể sử dụng mô hình riêng bằng cách chọn \"Mô hình tùy chỉnh\" bên dưới.",
+ "API Key": "Khóa API",
+ "Get Key": "Lấy khóa",
+ "Model": "Mô hình",
+ "Custom Model...": "Mô hình tùy chỉnh...",
+ "Custom Model ID": "ID mô hình tùy chỉnh",
+ "Validate": "Xác thực",
+ "Model available": "Mô hình khả dụng",
+ "Connection": "Kết nối",
+ "Test Connection": "Kiểm tra kết nối",
+ "Connected": "Đã kết nối",
+ "Custom Colors": "Màu tùy chỉnh",
+ "Color E-Ink Mode": "Chế độ E-Ink màu",
+ "Reading Ruler": "Thước đọc",
+ "Enable Reading Ruler": "Bật thước đọc",
+ "Lines to Highlight": "Số dòng cần làm nổi bật",
+ "Ruler Color": "Màu thước",
+ "Command Palette": "Bảng lệnh",
+ "Search settings and actions...": "Tìm kiếm cài đặt và hành động...",
+ "No results found for": "Không tìm thấy kết quả cho",
+ "Type to search settings and actions": "Nhập để tìm kiếm cài đặt và hành động",
+ "Recent": "Gần đây",
+ "navigate": "điều hướng",
+ "select": "chọn",
+ "close": "đóng",
+ "Search Settings": "Tìm kiếm cài đặt",
+ "Page Margins": "Lề trang",
+ "AI Provider": "Nhà cung cấp AI",
+ "Ollama URL": "URL Ollama",
+ "Ollama Model": "Mô hình Ollama",
+ "AI Gateway Model": "Mô hình AI Gateway",
+ "Actions": "Hành động",
+ "Navigation": "Điều hướng",
+ "Set status for {{count}} book(s)_other": "Đặt trạng thái cho {{count}} cuốn sách",
+ "Mark as Unread": "Đánh dấu là chưa đọc",
+ "Mark as Finished": "Đánh dấu là đã hoàn thành",
+ "Finished": "Đã hoàn thành",
+ "Unread": "Chưa đọc",
+ "Clear Status": "Xóa trạng thái",
+ "Status": "Trạng thái",
+ "Loading": "Đang tải...",
+ "Exit Paragraph Mode": "Thoát chế độ đoạn văn",
+ "Paragraph Mode": "Chế độ đoạn văn",
+ "Embedding Model": "Mô hình nhúng",
+ "{{count}} book(s) synced_other": "Đã đồng bộ {{count}} cuốn sách",
+ "Unable to start RSVP": "Không thể bắt đầu RSVP",
+ "RSVP not supported for PDF": "RSVP không được hỗ trợ cho PDF",
+ "Select Chapter": "Chọn chương",
+ "Context": "Ngữ cảnh",
+ "Ready": "Sẵn sàng",
+ "Chapter Progress": "Tiến độ chương",
+ "words": "từ",
+ "{{time}} left": "còn lại {{time}}",
+ "Reading progress": "Tiến độ đọc",
+ "Click to seek": "Nhấp để tua",
+ "Skip back 15 words": "Lùi lại 15 từ",
+ "Back 15 words (Shift+Left)": "Lùi lại 15 từ (Shift+Trái)",
+ "Pause (Space)": "Tạm dừng (Khoảng trắng)",
+ "Play (Space)": "Phát (Khoảng trắng)",
+ "Skip forward 15 words": "Tiến tới 15 từ",
+ "Forward 15 words (Shift+Right)": "Tiến tới 15 từ (Shift+Phải)",
+ "Pause:": "Tạm dừng:",
+ "Decrease speed": "Giảm tốc độ",
+ "Slower (Left/Down)": "Chậm hơn (Trái/Xuống)",
+ "Current speed": "Tốc độ hiện tại",
+ "Increase speed": "Tăng tốc độ",
+ "Faster (Right/Up)": "Nhanh hơn (Phải/Lên)",
+ "Start RSVP Reading": "Bắt đầu đọc RSVP",
+ "Choose where to start reading": "Chọn nơi để bắt đầu đọc",
+ "From Chapter Start": "Từ đầu chương",
+ "Start reading from the beginning of the chapter": "Bắt đầu đọc lại từ đầu chương này",
+ "Resume": "Tiếp tục",
+ "Continue from where you left off": "Tiếp tục từ nơi bạn đã dừng lại",
+ "From Current Page": "Từ trang hiện tại",
+ "Start from where you are currently reading": "Bắt đầu từ nơi bạn hiện đang đọc",
+ "From Selection": "Từ phần đã chọn",
+ "Speed Reading Mode": "Chế độ đọc nhanh",
+ "Scroll left": "Cuộn sang trái",
+ "Scroll right": "Cuộn sang phải",
+ "Library Sync Progress": "Tiến trình đồng bộ hóa thư viện",
+ "Back to library": "Quay lại thư viện",
+ "Group by...": "Nhóm theo...",
+ "Export as Plain Text": "Xuất dưới dạng văn bản thuần túy",
+ "Export as Markdown": "Xuất dưới dạng Markdown",
+ "Show Page Navigation Buttons": "Nút điều hướng trang",
+ "Page {{number}}": "Trang {{number}}",
+ "highlight": "làm nổi bật",
+ "underline": "gạch chân",
+ "squiggly": "ngoằn ngoèo",
+ "red": "đỏ",
+ "violet": "tím",
+ "blue": "xanh lam",
+ "green": "xanh lá",
+ "yellow": "vàng",
+ "Select {{style}} style": "Chọn kiểu {{style}}",
+ "Select {{color}} color": "Chọn màu {{color}}",
+ "Close Book": "Đóng sách",
+ "Speed Reading": "Đọc nhanh",
+ "Close Speed Reading": "Đóng đọc nhanh",
+ "Authors": "Tác giả",
+ "Books": "Sách",
+ "Groups": "Nhóm",
+ "Back to TTS Location": "Quay lại vị trí TTS",
+ "Metadata": "Siêu dữ liệu",
+ "Image viewer": "Trình xem ảnh",
+ "Previous Image": "Ảnh trước",
+ "Next Image": "Ảnh sau",
+ "Zoomed": "Đã thu phóng",
+ "Zoom level": "Mức thu phóng",
+ "Table viewer": "Trình xem bảng",
+ "Unable to connect to Readwise. Please check your network connection.": "Không thể kết nối với Readwise. Vui lòng kiểm tra kết nối mạng của bạn.",
+ "Invalid Readwise access token": "Mã xác thực Readwise không hợp lệ",
+ "Disconnected from Readwise": "Đã ngắt kết nối với Readwise",
+ "Never": "Không bao giờ",
+ "Readwise Settings": "Cài đặt Readwise",
+ "Connected to Readwise": "Đã kết nối với Readwise",
+ "Last synced: {{time}}": "Lần đồng bộ cuối: {{time}}",
+ "Sync Enabled": "Đã bật đồng bộ",
+ "Disconnect": "Ngắt kết nối",
+ "Connect your Readwise account to sync highlights.": "Kết nối tài khoản Readwise của bạn để đồng bộ các phần đánh dấu.",
+ "Get your access token at": "Lấy mã xác thực tại",
+ "Access Token": "Mã xác thực",
+ "Paste your Readwise access token": "Dán mã xác thực Readwise của bạn vào đây",
+ "Config": "Cấu hình",
+ "Readwise Sync": "Đồng bộ Readwise",
+ "Push Highlights": "Đẩy các phần đánh dấu",
+ "Highlights synced to Readwise": "Các phần đánh dấu đã được đồng bộ với Readwise",
+ "Readwise sync failed: no internet connection": "Đồng bộ Readwise thất bại: không có kết nối internet",
+ "Readwise sync failed: {{error}}": "Đồng bộ Readwise thất bại: {{error}}"
+}
diff --git a/apps/readest-app/public/locales/zh-CN/translation.json b/apps/readest-app/public/locales/zh-CN/translation.json
new file mode 100644
index 0000000000000000000000000000000000000000..25f764ae20b8f0a4beeac29e49696c558d3705c9
--- /dev/null
+++ b/apps/readest-app/public/locales/zh-CN/translation.json
@@ -0,0 +1,1048 @@
+{
+ "(detected)": "(检测到)",
+ "About Readest": "关于 Readest",
+ "Add your notes here...": "在这里添加您的笔记...",
+ "Animation": "动画",
+ "Annotate": "笔记",
+ "Apply": "应用",
+ "Auto Mode": "自动主题",
+ "Behavior": "行为",
+ "Book": "书籍",
+ "Bookmark": "书签",
+ "Cancel": "取消",
+ "Chapter": "章节",
+ "Cherry": "樱粉",
+ "Color": "颜色",
+ "Confirm": "确认",
+ "Confirm Deletion": "确认删除",
+ "Copied to notebook": "已复制到笔记本",
+ "Copy": "复制",
+ "Dark Mode": "深色主题",
+ "Default": "默认",
+ "Default Font": "默认字体",
+ "Default Font Size": "默认字号",
+ "Delete": "删除",
+ "Delete Highlight": "删除划线",
+ "Dictionary": "词典",
+ "Download Readest": "下载 Readest",
+ "Edit": "编辑",
+ "Excerpts": "摘录",
+ "Failed to import book(s): {{filenames}}": "导入书籍失败:{{filenames}}",
+ "Fast": "快",
+ "Font": "字体",
+ "Font & Layout": "字体和布局",
+ "Font Face": "字型",
+ "Font Family": "字族",
+ "Font Size": "字号",
+ "Full Justification": "两端对齐",
+ "Global Settings": "全局设置",
+ "Go Back": "返回",
+ "Go Forward": "前进",
+ "Grass": "青草",
+ "Gray": "素雅",
+ "Gruvbox": "暖橘",
+ "Highlight": "划线",
+ "Horizontal Direction": "横排",
+ "Hyphenation": "断字",
+ "Import Books": "导入书籍",
+ "Layout": "布局",
+ "Light Mode": "浅色主题",
+ "Loading...": "加载中...",
+ "Logged in": "已登录",
+ "Logged in as {{userDisplayName}}": "{{userDisplayName}} 已登录",
+ "Match Case": "匹配大小写",
+ "Match Diacritics": "匹配重音符号",
+ "Match Whole Words": "匹配整个单词",
+ "Maximum Number of Columns": "分栏数",
+ "Minimum Font Size": "最小字号",
+ "Monospace Font": "等宽字体",
+ "More Info": "更多信息",
+ "Nord": "极光",
+ "Notebook": "笔记本",
+ "Notes": "笔记",
+ "Open": "打开",
+ "Original Text": "原文",
+ "Page": "页面",
+ "Paging Animation": "翻页动画",
+ "Paragraph": "段落",
+ "Parallel Read": "并排阅读",
+ "Published": "出版日期",
+ "Publisher": "出版商",
+ "Reading Progress Synced": "阅读进度已同步",
+ "Reload Page": "重新加载页面",
+ "Reveal in File Explorer": "在文件管理器中显示",
+ "Reveal in Finder": "在访达中显示",
+ "Reveal in Folder": "在文件夹中显示",
+ "Sans-Serif Font": "无衬线字体",
+ "Save": "保存",
+ "Scrolled Mode": "滚动模式",
+ "Search": "搜索",
+ "Search Books...": "搜索书籍...",
+ "Search...": "搜索...",
+ "Select Book": "选择书籍",
+ "Select Books": "选择书籍",
+ "Sepia": "旧韵",
+ "Serif Font": "衬线字体",
+ "Show Book Details": "显示书籍详情",
+ "Sidebar": "侧边栏",
+ "Sign In": "登录",
+ "Sign Out": "登出账户",
+ "Sky": "天青",
+ "Slow": "慢",
+ "Solarized": "日晖",
+ "Speak": "朗读",
+ "Subjects": "主题",
+ "System Fonts": "系统字体",
+ "Theme Color": "主题颜色",
+ "Theme Mode": "主题模式",
+ "Translate": "翻译",
+ "Translated Text": "译文",
+ "Unknown": "未知",
+ "Untitled": "无标题",
+ "Updated": "更新日期",
+ "Version {{version}}": "版本 {{version}}",
+ "Vertical Direction": "竖排",
+ "Welcome to your library. You can import your books here and read them anytime.": "书库空空如也,您可以导入您的书籍并随时阅读。",
+ "Wikipedia": "维基百科",
+ "Writing Mode": "排版模式",
+ "Your Library": "书库",
+ "TTS not supported for PDF": "PDF 文档暂不支持 TTS",
+ "Override Book Font": "覆盖书籍字体",
+ "Apply to All Books": "应用于所有书籍",
+ "Apply to This Book": "应用于此书籍",
+ "Unable to fetch the translation. Try again later.": "无法获取翻译,请稍后重试。",
+ "Check Update": "检查更新",
+ "Already the latest version": "已经是最新版本",
+ "Book Details": "书籍详情",
+ "From Local File": "从本地文件导入",
+ "TOC": "目录",
+ "Table of Contents": "目录",
+ "Book uploaded: {{title}}": "书籍已上传:{{title}}",
+ "Failed to upload book: {{title}}": "上传书籍失败:{{title}}",
+ "Book downloaded: {{title}}": "书籍已下载:{{title}}",
+ "Failed to download book: {{title}}": "下载书籍失败:{{title}}",
+ "Upload Book": "上传书籍",
+ "Auto Upload Books to Cloud": "自动上传书籍到云端",
+ "Book deleted: {{title}}": "书籍已删除:{{title}}",
+ "Failed to delete book: {{title}}": "删除书籍失败:{{title}}",
+ "Check Updates on Start": "启动时检查更新",
+ "Insufficient storage quota": "云存储空间不足",
+ "Font Weight": "字重",
+ "Line Spacing": "行间距",
+ "Word Spacing": "词间距",
+ "Letter Spacing": "字间距",
+ "Text Indent": "首行缩进",
+ "Paragraph Margin": "段间距",
+ "Override Book Layout": "覆盖版面布局",
+ "Untitled Group": "无标题分组",
+ "Group Books": "分组书籍",
+ "Remove From Group": "从分组中移除",
+ "Create New Group": "创建新分组",
+ "Deselect Book": "取消选择书籍",
+ "Download Book": "下载书籍",
+ "Deselect Group": "取消选择分组",
+ "Select Group": "选择分组",
+ "Keep Screen Awake": "保持屏幕常亮",
+ "Email address": "电子邮件地址",
+ "Your Password": "您的密码",
+ "Your email address": "您的电子邮件地址",
+ "Your password": "您的密码",
+ "Sign in": "登录",
+ "Signing in...": "正在登录...",
+ "Sign in with {{provider}}": "使用 {{provider}} 登录",
+ "Already have an account? Sign in": "已经有账号?登录",
+ "Create a Password": "创建密码",
+ "Sign up": "注册",
+ "Signing up...": "正在注册...",
+ "Don't have an account? Sign up": "没有账号?注册",
+ "Check your email for the confirmation link": "检查您的电子邮件以获取确认链接",
+ "Signing in ...": "正在登录...",
+ "Send a magic link email": "发送魔法链接邮件",
+ "Check your email for the magic link": "检查您的电子邮件以获取魔法链接",
+ "Send reset password instructions": "发送重置密码说明",
+ "Sending reset instructions ...": "正在发送重置密码说明...",
+ "Forgot your password?": "忘记密码?",
+ "Check your email for the password reset link": "检查您的电子邮件以获取密码重置链接",
+ "New Password": "新密码",
+ "Your new password": "您的新密码",
+ "Update password": "更新密码",
+ "Updating password ...": "正在更新密码...",
+ "Your password has been updated": "您的密码已更新",
+ "Phone number": "电话号码",
+ "Your phone number": "您的电话号码",
+ "Token": "令牌",
+ "Your OTP token": "您的 OTP 令牌",
+ "Verify token": "验证令牌",
+ "Account": "账户",
+ "Failed to delete user. Please try again later.": "删除用户失败。请稍后重试。",
+ "Community Support": "社区支持",
+ "Priority Support": "优先支持",
+ "Loading profile...": "加载个人资料中...",
+ "Delete Account": "删除账户",
+ "Delete Your Account?": "删除您的账户?",
+ "This action cannot be undone. All your data in the cloud will be permanently deleted.": "此操作无法撤销。您在云端的所有数据将被永久删除。",
+ "Delete Permanently": "永久删除",
+ "RTL Direction": "从右向左",
+ "Maximum Column Height": "最大列高",
+ "Maximum Column Width": "最大列宽",
+ "Continuous Scroll": "连续滚动",
+ "Fullscreen": "全屏显示",
+ "No supported files found. Supported formats: {{formats}}": "未找到支持的文件。支持的格式:{{formats}}",
+ "Drop to Import Books": "拖放导入书籍",
+ "Custom": "自定义",
+ "All the world's a stage,\nAnd all the men and women merely players;\nThey have their exits and their entrances,\nAnd one man in his time plays many parts,\nHis acts being seven ages.\n\n— William Shakespeare": "世界是座舞台, \n所有男女都只是演员; \n各有其出场和入场; \n每个人皆扮演许多角色, \n而演出共分为七个阶段。\n\n——威廉·莎士比亚",
+ "Custom Theme": "自定义主题",
+ "Theme Name": "主题名称",
+ "Text Color": "文本颜色",
+ "Background Color": "背景颜色",
+ "Preview": "预览",
+ "Contrast": "对比",
+ "Sunset": "日落",
+ "Double Border": "显示版框",
+ "Border Color": "版框颜色",
+ "Border Frame": "页面版框",
+ "Show Header": "显示页眉",
+ "Show Footer": "显示页脚",
+ "Small": "小",
+ "Large": "大",
+ "Auto": "自动",
+ "Language": "语言",
+ "No annotations to export": "没有要导出的笔记",
+ "Author": "作者",
+ "Exported from Readest": "从 Readest 导出",
+ "Highlights & Annotations": "划线和笔记",
+ "Note": "笔记",
+ "Copied to clipboard": "已复制到剪贴板",
+ "Export Annotations": "导出笔记",
+ "Auto Import on File Open": "打开文件时自动导入",
+ "LXGW WenKai GB Screen": "霞鹜文楷",
+ "LXGW WenKai TC": "霞鶩文楷",
+ "No chapters detected": "未检测到章节",
+ "Failed to parse the EPUB file": "无法解析 EPUB 文件",
+ "This book format is not supported": "不支持此书籍格式",
+ "Unable to fetch the translation. Please log in first and try again.": "无法获取翻译。请登录后重试。",
+ "Group": "分组",
+ "Always on Top": "窗口置顶",
+ "No Timeout": "关闭定时",
+ "{{value}} minute": "{{value}}分钟",
+ "{{value}} minutes": "{{value}}分钟",
+ "{{value}} hour": "{{value}}小时",
+ "{{value}} hours": "{{value}}小时",
+ "CJK Font": "中文字体",
+ "Clear Search": "清除搜索",
+ "Header & Footer": "页眉页脚",
+ "Apply also in Scrolled Mode": "应用到滚动模式",
+ "A new version of Readest is available!": "有新版本的 Readest 可更新!",
+ "Readest {{newVersion}} is available (installed version {{currentVersion}}).": "Readest {{newVersion}} 可更新(已安装版本 {{currentVersion}})。",
+ "Download and install now?": "立即下载并安装?",
+ "Downloading {{downloaded}} of {{contentLength}}": "正在下载 {{downloaded}} / {{contentLength}}",
+ "Download finished": "下载完成",
+ "DOWNLOAD & INSTALL": "下载并安装",
+ "Changelog": "更新日志",
+ "Software Update": "软件更新",
+ "Title": "书名",
+ "Date Read": "阅读日期",
+ "Date Added": "添加日期",
+ "Format": "格式",
+ "Ascending": "升序",
+ "Descending": "降序",
+ "Sort by...": "排序方式...",
+ "Added": "添加日期",
+ "GuanKiapTsingKhai-T": "原俠正楷-T",
+ "Description": "简介",
+ "No description available": "暂无简介",
+ "List": "列表",
+ "Grid": "网格",
+ "(from 'As You Like It', Act II)": "出自《皆大欢喜》,第二幕",
+ "Link Color": "链接颜色",
+ "Volume Keys for Page Flip": "音量键翻页",
+ "Screen": "屏幕",
+ "Orientation": "屏幕方向",
+ "Portrait": "竖屏",
+ "Landscape": "横屏",
+ "Open Last Book on Start": "启动时打开上次阅读的书籍",
+ "Checking for updates...": "检查更新中...",
+ "Error checking for updates": "检查更新时出错",
+ "Details": "详情",
+ "File Size": "文件大小",
+ "Auto Detect": "自动检测",
+ "Next Section": "下一章",
+ "Previous Section": "上一章",
+ "Next Page": "下一页",
+ "Previous Page": "上一页",
+ "Are you sure to delete {{count}} selected book(s)?_other": "您确定要删除 {{count}} 本选中的书籍吗?",
+ "Are you sure to delete the selected book?": "您确定要删除选中的书籍吗?",
+ "Deselect": "取消选择",
+ "Select All": "全选",
+ "No translation available.": "暂无可用的翻译",
+ "Translated by {{provider}}.": "由 {{provider}} 提供翻译",
+ "DeepL": "DeepL",
+ "Google Translate": "Google Translate",
+ "Azure Translator": "Azure Translator",
+ "Invert Image In Dark Mode": "深色主题下图片反色",
+ "Help improve Readest": "帮助改进 Readest",
+ "Sharing anonymized statistics": "分享匿名统计数据",
+ "Interface Language": "界面语言",
+ "Translation": "翻译",
+ "Enable Translation": "启用翻译",
+ "Translation Service": "翻译服务",
+ "Translate To": "翻译到",
+ "Disable Translation": "禁用翻译",
+ "Scroll": "滚动",
+ "Overlap Pixels": "重叠像素",
+ "System Language": "系统语言",
+ "Security": "安全",
+ "Allow JavaScript": "允许 JavaScript",
+ "Enable only if you trust the file.": "建议仅在您信任该文件时启用",
+ "Sort TOC by Page": "按页码排序目录",
+ "Search in {{count}} Book(s)..._other": "在 {{count}} 本书籍中搜索...",
+ "No notes match your search": "未找到匹配的笔记",
+ "Search notes and excerpts...": "搜索笔记...",
+ "Sign in to Sync": "登录后同步",
+ "Synced at {{time}}": "同步于:{{time}}",
+ "Never synced": "从未同步",
+ "Show Remaining Time": "显示剩余时间",
+ "{{time}} min left in chapter": "本章剩余 {{time}} 分钟",
+ "Override Book Color": "覆盖书籍颜色",
+ "Login Required": "需登录",
+ "Quota Exceeded": "额度不足",
+ "{{percentage}}% of Daily Translation Characters Used.": "已使用 {{percentage}}% 的每日翻译字符数",
+ "Translation Characters": "翻译字数",
+ "{{engine}}: {{count}} voices_other": "{{engine}}: {{count}} 种语音",
+ "Something went wrong. Don't worry, our team has been notified and we're working on a fix.": "出了点问题。请不要担心,我们的团队已经收到通知并正在修复中。",
+ "Error Details:": "错误详情:",
+ "Try Again": "重试",
+ "Need help?": "需要帮助吗?",
+ "Contact Support": "联系客服",
+ "Code Highlighting": "代码高亮",
+ "Enable Highlighting": "启用高亮",
+ "Code Language": "代码语言",
+ "Top Margin (px)": "上边距",
+ "Bottom Margin (px)": "下边距",
+ "Right Margin (px)": "右边距",
+ "Left Margin (px)": "左边距",
+ "Column Gap (%)": "列间距",
+ "Always Show Status Bar": "始终显示状态栏",
+ "Custom Content CSS": "自定义内容 CSS",
+ "Enter CSS for book content styling...": "输入书籍内容样式的CSS…",
+ "Custom Reader UI CSS": "自定义界面 CSS",
+ "Enter CSS for reader interface styling...": "输入阅读器界面样式的CSS…",
+ "Crop": "裁剪",
+ "Book Covers": "书籍封面",
+ "Fit": "适应",
+ "Reset {{settings}}": "重置{{settings}}",
+ "Reset Settings": "重置设置",
+ "{{count}} pages left in chapter_other": "本章剩余 {{count}} 页",
+ "Show Remaining Pages": "显示剩余页数",
+ "Source Han Serif CN": "思源宋体",
+ "Huiwen-MinchoGBK": "汇文明朝体",
+ "KingHwa_OldSong": "京华老宋体",
+ "Manage Subscription": "管理订阅",
+ "Coming Soon": "即将上线",
+ "Upgrade to {{plan}}": "升级到 {{plan}}",
+ "Upgrade to Plus or Pro": "升级到 Plus 或 Pro",
+ "Current Plan": "当前套餐",
+ "Plan Limits": "套餐限制",
+ "Processing your payment...": "正在处理付款...",
+ "Please wait while we confirm your subscription.": "请稍候,我们正在确认您的订阅。",
+ "Payment Processing": "付款处理中",
+ "Your payment is being processed. This usually takes a few moments.": "您的付款正在处理中,通常需要几秒钟。",
+ "Payment Failed": "付款失败",
+ "We couldn't process your subscription. Please try again or contact support if the issue persists.": "我们无法处理您的订阅。请重试,或如问题持续请联系支持。",
+ "Back to Profile": "返回个人资料",
+ "Subscription Successful!": "订阅成功!",
+ "Thank you for your subscription! Your payment has been processed successfully.": "感谢您的订阅!您的付款已成功处理。",
+ "Email:": "邮箱:",
+ "Plan:": "套餐:",
+ "Amount:": "金额:",
+ "Go to Library": "前往书库",
+ "Need help? Contact our support team at support@readest.com": "需要帮助?请联系支持团队:support@readest.com",
+ "Free Plan": "免费套餐",
+ "month": "月",
+ "AI Translations (per day)": "AI 翻译(每日)",
+ "Plus Plan": "Plus 套餐",
+ "Includes All Free Plan Benefits": "包含所有免费套餐功能",
+ "Pro Plan": "Pro 套餐",
+ "More AI Translations": "更多 AI 翻译",
+ "Complete Your Subscription": "完成您的订阅",
+ "{{percentage}}% of Cloud Sync Space Used.": "已使用 {{percentage}}% 的云同步空间。",
+ "Cloud Sync Storage": "云同步空间",
+ "Disable": "禁用",
+ "Enable": "启用",
+ "Upgrade to Readest Premium": "升级到 Readest Premium",
+ "Show Source Text": "显示原文",
+ "Cross-Platform Sync": "跨平台同步",
+ "Seamlessly sync your library, progress, highlights, and notes across all your devices—never lose your place again.": "在所有设备间无缝同步您的书库、进度、标注和笔记——再也不会丢失阅读位置。",
+ "Customizable Reading": "个性化阅读",
+ "Personalize every detail with adjustable fonts, layouts, themes, and advanced display settings for the perfect reading experience.": "通过可调节的字体、布局、主题和高级显示设置个性化每个细节,获得完美阅读体验。",
+ "AI Read Aloud": "AI 朗读",
+ "Enjoy hands-free reading with natural-sounding AI voices that bring your books to life.": "享受解放双手的阅读体验,使用自然流畅的 AI 语音让书籍栩栩如生。",
+ "AI Translations": "AI 翻译",
+ "Translate any text instantly with the power of Google, Azure, or DeepL—understand content in any language.": "借助 Google、Azure 或 DeepL 的强大功能即时翻译任何语言的内容。",
+ "Connect with fellow readers and get help fast in our friendly community channels.": "与其他读者交流,在我们友好的社区频道中快速获得帮助。",
+ "Unlimited AI Read Aloud Hours": "无限 AI 朗读时长",
+ "Listen without limits—convert as much text as you like into immersive audio.": "将任意数量的文本转换为沉浸式音频。",
+ "Unlock enhanced translation capabilities with more daily usage and advanced options.": "增强翻译功能、更多翻译用量和高级选项。",
+ "DeepL Pro Access": "DeepL Pro 访问权限",
+ "Enjoy faster responses and dedicated assistance whenever you need help.": "享受更快响应和专属帮助,随时获得支持。",
+ "Daily translation quota reached. Upgrade your plan to continue using AI translations.": "已达每日翻译配额。升级套餐以继续使用 AI 翻译。",
+ "Includes All Plus Plan Benefits": "包含所有 Plus 套餐功能",
+ "Early Feature Access": "抢先体验新功能",
+ "Be the first to explore new features, updates, and innovations before anyone else.": "抢先体验最新功能、更新与创新成果。",
+ "Advanced AI Tools": "高级 AI 工具",
+ "Harness powerful AI tools for smarter reading, translation, and content discovery.": "利用强大的 AI 工具实现智能阅读、翻译和内容发现。",
+ "Translate up to 100,000 characters daily with the most accurate translation engine available.": "使用最精准的翻译引擎每天可翻译10万字。",
+ "Translate up to 500,000 characters daily with the most accurate translation engine available.": "使用最精准的翻译引擎每天可翻译50万字。",
+ "Securely store and access your entire reading collection with up to 5 GB of cloud storage.": "使用多达 5GB 的安全云存储保存和访问您的整个阅读收藏。",
+ "Securely store and access your entire reading collection with up to 20 GB of cloud storage.": "使用多达 20GB 的安全云存储保存和访问您的整个阅读收藏。",
+ "Deleted cloud backup of the book: {{title}}": "已删除书籍云备份:{{title}}",
+ "Are you sure to delete the cloud backup of the selected book?": "您确定要删除所选书籍的云备份吗?",
+ "What's New in Readest": "Readest 更新功能",
+ "Enter book title": "输入书名",
+ "Subtitle": "副标题",
+ "Enter book subtitle": "输入书籍副标题",
+ "Enter author name": "输入作者姓名",
+ "Series": "系列",
+ "Enter series name": "输入系列名称",
+ "Series Index": "系列编号",
+ "Enter series index": "输入系列编号",
+ "Total in Series": "系列总数",
+ "Enter total books in series": "输入系列中书籍总数",
+ "Enter publisher": "输入出版社",
+ "Publication Date": "出版日期",
+ "Identifier": "标识符",
+ "Enter book description": "输入书籍描述",
+ "Change cover image": "替换封面图片",
+ "Replace": "替换",
+ "Unlock cover": "解锁封面",
+ "Lock cover": "锁定封面",
+ "Auto-Retrieve Metadata": "自动获取元数据",
+ "Auto-Retrieve": "自动获取",
+ "Unlock all fields": "解锁所有字段",
+ "Unlock All": "全部解锁",
+ "Lock all fields": "锁定所有字段",
+ "Lock All": "全部锁定",
+ "Reset": "重置",
+ "Edit Metadata": "编辑元数据",
+ "Locked": "已锁定",
+ "Select Metadata Source": "选择元数据来源",
+ "Keep manual input": "保留手动输入",
+ "Google Books": "谷歌图书",
+ "Open Library": "开放图书馆",
+ "Fiction, Science, History": "小说,科学,历史",
+ "Open Book in New Window": "在新窗口中打开书籍",
+ "Voices for {{lang}}": "{{lang}} 的语音",
+ "Yandex Translate": "Yandex 翻译",
+ "YYYY or YYYY-MM-DD": "YYYY 或 YYYY-MM-DD",
+ "Restore Purchase": "恢复购买",
+ "No purchases found to restore.": "未找到可恢复的购买。",
+ "Failed to restore purchases.": "恢复购买失败。",
+ "Failed to manage subscription.": "管理订阅失败。",
+ "Failed to load subscription plans.": "加载订阅计划失败。",
+ "year": "年",
+ "Failed to create checkout session": "创建结账会话失败",
+ "Storage": "云同步空间",
+ "Terms of Service": "服务条款",
+ "Privacy Policy": "隐私政策",
+ "Disable Double Click": "禁用双击",
+ "TTS not supported for this document": "TTS 不支持此文档",
+ "Reset Password": "重置密码",
+ "Show Reading Progress": "显示阅读进度",
+ "Reading Progress Style": "阅读进度样式",
+ "Page Number": "页码",
+ "Percentage": "百分比",
+ "Deleted local copy of the book: {{title}}": "已删除书籍本地副本:{{title}}",
+ "Failed to delete cloud backup of the book: {{title}}": "未能删除书籍云备份:{{title}}",
+ "Failed to delete local copy of the book: {{title}}": "未能删除书籍本地副本:{{title}}",
+ "Are you sure to delete the local copy of the selected book?": "您确定要删除所选书籍的本地副本吗?",
+ "Remove from Cloud & Device": "从云端和设备中移除",
+ "Remove from Cloud Only": "仅从云端移除",
+ "Remove from Device Only": "仅从设备中移除",
+ "Disconnected": "已断开连接",
+ "KOReader Sync Settings": "KOReader 同步设置",
+ "Sync Strategy": "同步策略",
+ "Ask on conflict": "发生冲突时询问",
+ "Always use latest": "始终使用最新",
+ "Send changes only": "仅发送更改",
+ "Receive changes only": "仅接收更改",
+ "Checksum Method": "校验和方法",
+ "File Content (recommended)": "文件内容(推荐)",
+ "File Name": "文件名",
+ "Device Name": "设备名称",
+ "Connect to your KOReader Sync server.": "连接到您的 KOReader 同步服务器。",
+ "Server URL": "服务器 URL",
+ "Username": "用户名",
+ "Your Username": "您的用户名",
+ "Password": "密码",
+ "Connect": "连接",
+ "KOReader Sync": "KOReader 同步",
+ "Sync Conflict": "同步冲突",
+ "Sync reading progress from \"{{deviceName}}\"?": "从 \"{{deviceName}}\" 同步阅读进度?",
+ "another device": "另一台设备",
+ "Local Progress": "本地进度",
+ "Remote Progress": "远程进度",
+ "Page {{page}} of {{total}} ({{percentage}}%)": "第 {{page}} 页,共 {{total}} 页 ({{percentage}}%)",
+ "Current position": "当前位置",
+ "Approximately page {{page}} of {{total}} ({{percentage}}%)": "大约第 {{page}} 页,共 {{total}} 页 ({{percentage}}%)",
+ "Approximately {{percentage}}%": "大约 {{percentage}}%",
+ "Failed to connect": "连接失败",
+ "Sync Server Connected": "同步服务器已连接",
+ "Sync as {{userDisplayName}}": "以 {{userDisplayName}} 身份同步",
+ "Custom Fonts": "自定义字体",
+ "Cancel Delete": "取消删除",
+ "Import Font": "导入字体",
+ "Delete Font": "删除字体",
+ "Tips": "提示",
+ "Custom fonts can be selected from the Font Face menu": "可以从字形菜单中选择自定义字体",
+ "Manage Custom Fonts": "管理自定义字体",
+ "Select Files": "选择文件",
+ "Select Image": "选择图片",
+ "Select Video": "选择视频",
+ "Select Audio": "选择音频",
+ "Select Fonts": "选择字体",
+ "Supported font formats: .ttf, .otf, .woff, .woff2": "支持的字体格式:.ttf, .otf, .woff, .woff2",
+ "Push Progress": "推送阅读进度",
+ "Pull Progress": "拉取阅读进度",
+ "Previous Paragraph": "上一段",
+ "Previous Sentence": "上一句",
+ "Pause": "暂停",
+ "Play": "播放",
+ "Next Sentence": "下一句",
+ "Next Paragraph": "下一段",
+ "Separate Cover Page": "单独封面页",
+ "Resize Notebook": "调整笔记本大小",
+ "Resize Sidebar": "调整侧边栏大小",
+ "Get Help from the Readest Community": "从 Readest 社区获取帮助",
+ "Remove cover image": "移除封面图片",
+ "Bookshelf": "书架",
+ "View Menu": "查看菜单",
+ "Settings Menu": "设置菜单",
+ "View account details and quota": "查看账户详情和配额",
+ "Library Header": "图书馆标题",
+ "Book Content": "书籍内容",
+ "Footer Bar": "底部栏",
+ "Header Bar": "顶部栏",
+ "View Options": "查看选项",
+ "Book Menu": "书籍菜单",
+ "Search Options": "搜索选项",
+ "Close": "关闭",
+ "Delete Book Options": "删除书籍选项",
+ "ON": "开启",
+ "OFF": "关闭",
+ "Reading Progress": "阅读进度",
+ "Page Margin": "页面边距",
+ "Remove Bookmark": "移除书签",
+ "Add Bookmark": "添加书签",
+ "Books Content": "书籍内容",
+ "Jump to Location": "跳转到位置",
+ "Unpin Notebook": "取消固定笔记本",
+ "Pin Notebook": "固定笔记本",
+ "Hide Search Bar": "隐藏搜索栏",
+ "Show Search Bar": "显示搜索栏",
+ "On {{current}} of {{total}} page": "在第 {{current}} 页,共 {{total}} 页",
+ "Section Title": "章节标题",
+ "Decrease": "减少",
+ "Increase": "增加",
+ "Settings Panels": "设置面板",
+ "Settings": "设置",
+ "Unpin Sidebar": "取消固定侧边栏",
+ "Pin Sidebar": "固定侧边栏",
+ "Toggle Sidebar": "切换侧边栏",
+ "Toggle Translation": "切换翻译",
+ "Translation Disabled": "翻译已禁用",
+ "Minimize": "最小化",
+ "Maximize or Restore": "最大化或还原",
+ "Exit Parallel Read": "退出并排阅读",
+ "Enter Parallel Read": "进入并排阅读",
+ "Zoom Level": "缩放级别",
+ "Zoom Out": "缩小",
+ "Reset Zoom": "重置缩放",
+ "Zoom In": "放大",
+ "Zoom Mode": "缩放模式",
+ "Single Page": "单页",
+ "Auto Spread": "自动展开",
+ "Fit Page": "适应页面",
+ "Fit Width": "适应宽度",
+ "Failed to select directory": "选择目录失败",
+ "The new data directory must be different from the current one.": "新的数据目录必须与当前目录不同。",
+ "Migration failed: {{error}}": "迁移失败: {{error}}",
+ "Change Data Location": "更改数据位置",
+ "Current Data Location": "当前数据位置",
+ "Total size: {{size}}": "总大小: {{size}}",
+ "Calculating file info...": "正在计算文件信息...",
+ "New Data Location": "新数据位置",
+ "Choose Different Folder": "选择不同的文件夹",
+ "Choose New Folder": "选择新文件夹",
+ "Migrating data...": "正在迁移数据...",
+ "Copying: {{file}}": "正在复制: {{file}}",
+ "{{current}} of {{total}} files": "{{current}} / {{total}} 个文件",
+ "Migration completed successfully!": "迁移成功完成!",
+ "Your data has been moved to the new location. Please restart the application to complete the process.": "您的数据已移动到新位置。请重新启动应用程序以完成此过程。",
+ "Migration failed": "迁移失败",
+ "Important Notice": "重要通知",
+ "This will move all your app data to the new location. Make sure the destination has enough free space.": "这将把您所有的应用数据移动到新位置。请确保目标位置有足够的可用空间。",
+ "Restart App": "重启应用",
+ "Start Migration": "开始迁移",
+ "Advanced Settings": "高级设置",
+ "File count: {{size}}": "文件数量: {{size}}",
+ "Background Read Aloud": "后台语音朗读",
+ "Ready to read aloud": "语音朗读已就绪",
+ "Read Aloud": "语音朗读",
+ "Screen Brightness": "屏幕亮度",
+ "Background Image": "背景图片",
+ "Import Image": "导入图片",
+ "Opacity": "不透明度",
+ "Size": "大小",
+ "Cover": "覆盖",
+ "Contain": "适应",
+ "{{number}} pages left in chapter": "本章剩余{{number}}页",
+ "Device": "设备",
+ "E-Ink Mode": "E-Ink 模式",
+ "Highlight Colors": "高亮颜色",
+ "Auto Screen Brightness": "自动屏幕亮度",
+ "Pagination": "翻页",
+ "Disable Double Tap": "禁用双击",
+ "Tap to Paginate": "点击翻页",
+ "Click to Paginate": "点击翻页",
+ "Tap Both Sides": "点击两侧翻页",
+ "Click Both Sides": "点击两侧翻页",
+ "Swap Tap Sides": "交换点击区域",
+ "Swap Click Sides": "交换点击区域",
+ "Source and Translated": "原文和译文",
+ "Translated Only": "仅译文",
+ "Source Only": "仅原文",
+ "TTS Text": "TTS 文本",
+ "The book file is corrupted": "书籍文件已损坏",
+ "The book file is empty": "书籍文件为空",
+ "Failed to open the book file": "无法打开书籍文件",
+ "On-Demand Purchase": "按需购买",
+ "Full Customization": "完全自定义",
+ "Lifetime Plan": "终身套餐",
+ "One-Time Payment": "一次性付款",
+ "Make a single payment to enjoy lifetime access to specific features on all devices. Purchase specific features or services only when you need them.": "进行一次性付款以享受在所有设备上对特定功能的终身访问。仅在需要时购买特定功能或服务。",
+ "Expand Cloud Sync Storage": "扩展云同步存储",
+ "Expand your cloud storage forever with a one-time purchase. Each additional purchase adds more space.": "通过一次性购买,永久扩展您的云存储。每次额外购买都会增加更多空间。",
+ "Unlock All Customization Options": "解锁所有自定义选项",
+ "Unlock additional themes, fonts, layout options and read aloud, translators, cloud storage services.": "解锁其他主题、字体、布局选项以及朗读、翻译、云存储服务。",
+ "Purchase Successful!": "购买成功!",
+ "lifetime": "永久",
+ "Thank you for your purchase! Your payment has been processed successfully.": "感谢您的购买!您的付款已成功处理。",
+ "Order ID:": "订单号:",
+ "TTS Highlighting": "TTS 高亮",
+ "Style": "样式",
+ "Underline": "下划线",
+ "Strikethrough": "删除线",
+ "Squiggly": "波浪线",
+ "Outline": "轮廓",
+ "Save Current Color": "保存当前颜色",
+ "Quick Colors": "快速颜色",
+ "Highlighter": "荧光笔",
+ "Save Book Cover": "保存书籍封面",
+ "Auto-save last book cover": "自动保存最后一本书的封面",
+ "Back": "返回",
+ "Confirmation email sent! Please check your old and new email addresses to confirm the change.": "确认邮件已发送!请检查您的旧邮箱和新邮箱以确认更改。",
+ "Failed to update email": "更新邮箱失败",
+ "New Email": "新邮箱",
+ "Your new email": "您的新邮箱",
+ "Updating email ...": "正在更新邮箱 ...",
+ "Update email": "更新邮箱",
+ "Current email": "当前邮箱",
+ "Update Email": "更新邮箱",
+ "All": "全部",
+ "Unable to open book": "无法打开书籍",
+ "Punctuation": "标点符号",
+ "Replace Quotation Marks": "替换引号",
+ "Enabled only in vertical layout.": "仅在竖排布局中启用",
+ "No Conversion": "不转换",
+ "Simplified to Traditional": "简体 → 繁体",
+ "Traditional to Simplified": "繁体 → 简体",
+ "Simplified to Traditional (Taiwan)": "简体 → 繁体(台湾)",
+ "Simplified to Traditional (Hong Kong)": "简体 → 繁体(香港)",
+ "Simplified to Traditional (Taiwan), with phrases": "简体 → 繁体(台湾)习惯用语",
+ "Traditional (Taiwan) to Simplified": "繁体(台湾) → 简体",
+ "Traditional (Hong Kong) to Simplified": "繁体(香港) → 简体",
+ "Traditional (Taiwan) to Simplified, with phrases": "繁体(台湾) → 简体习惯用语",
+ "Convert Simplified and Traditional Chinese": "简繁中文转换",
+ "Convert Mode": "转换模式",
+ "Failed to auto-save book cover for lock screen: {{error}}": "自动保存锁屏书籍封面失败:{{error}}",
+ "Download from Cloud": "从云端下载",
+ "Upload to Cloud": "上传到云端",
+ "Clear Custom Fonts": "清除自定义字体",
+ "Columns": "列数",
+ "OPDS Catalogs": "OPDS 目录",
+ "Adding LAN addresses is not supported in the web app version.": "Web 版不支持添加局域网地址。",
+ "Invalid OPDS catalog. Please check the URL.": "无效的 OPDS 目录。请检查 URL。",
+ "Browse and download books from online catalogs": "浏览并下载在线目录中的书籍",
+ "My Catalogs": "我的目录",
+ "Add Catalog": "添加目录",
+ "No catalogs yet": "尚无目录",
+ "Add your first OPDS catalog to start browsing books": "添加您的第一个 OPDS 目录以开始浏览书籍",
+ "Add Your First Catalog": "添加第一个目录",
+ "Browse": "浏览",
+ "Popular Catalogs": "热门目录",
+ "Add": "添加",
+ "Add OPDS Catalog": "添加 OPDS 目录",
+ "Catalog Name": "目录名称",
+ "My Calibre Library": "我的 Calibre 图书馆",
+ "OPDS URL": "OPDS URL",
+ "Username (optional)": "用户名(可选)",
+ "Password (optional)": "密码(可选)",
+ "Description (optional)": "描述(可选)",
+ "A brief description of this catalog": "该目录的简要描述",
+ "Validating...": "验证中...",
+ "View All": "查看全部",
+ "Forward": "前进",
+ "Home": "首页",
+ "{{count}} items_other": "{{count}} 项",
+ "Download completed": "下载完成",
+ "Download failed": "下载失败",
+ "Open Access": "开放访问",
+ "Borrow": "借阅",
+ "Buy": "购买",
+ "Subscribe": "订阅",
+ "Sample": "样章",
+ "Download": "下载",
+ "Open & Read": "打开并阅读",
+ "Tags": "标签",
+ "Tag": "标签",
+ "First": "首页",
+ "Previous": "上一页",
+ "Next": "下一页",
+ "Last": "末页",
+ "Cannot Load Page": "无法加载页面",
+ "An error occurred": "发生错误",
+ "Online Library": "在线书库",
+ "URL must start with http:// or https://": "URL 必须以 http:// 或 https:// 开头",
+ "Title, Author, Tag, etc...": "标题,作者,标签等...",
+ "Query": "查询",
+ "Subject": "主题",
+ "Enter {{terms}}": "输入 {{terms}}",
+ "No search results found": "未找到搜索结果",
+ "Failed to load OPDS feed: {{status}} {{statusText}}": "加载 OPDS 源失败:{{status}} {{statusText}}",
+ "Search in {{title}}": "在 {{title}} 中搜索",
+ "Manage Storage": "管理存储",
+ "Failed to load files": "加载文件失败",
+ "Deleted {{count}} file(s)_other": "已删除 {{count}} 个文件",
+ "Failed to delete {{count}} file(s)_other": "删除 {{count}} 个文件失败",
+ "Failed to delete files": "删除文件失败",
+ "Total Files": "文件总数",
+ "Total Size": "总大小",
+ "Quota": "配额",
+ "Used": "已使用",
+ "Files": "文件",
+ "Search files...": "搜索文件...",
+ "Newest First": "最新优先",
+ "Oldest First": "最旧优先",
+ "Largest First": "最大优先",
+ "Smallest First": "最小优先",
+ "Name A-Z": "名称 A-Z",
+ "Name Z-A": "名称 Z-A",
+ "{{count}} selected_other": "已选择 {{count}} 个文件",
+ "Delete Selected": "删除选中项",
+ "Created": "创建时间",
+ "No files found": "未找到文件",
+ "No files uploaded yet": "尚未上传文件",
+ "files": "文件",
+ "Page {{current}} of {{total}}": "第 {{current}} 页,共 {{total}} 页",
+ "Are you sure to delete {{count}} selected file(s)?_other": "确定要删除已选择的 {{count}} 个文件吗?",
+ "Cloud Storage Usage": "云存储使用情况",
+ "Rename Group": "重命名分组",
+ "From Directory": "从文件夹导入",
+ "Successfully imported {{count}} book(s)_other": "成功导入 {{count}} 本书",
+ "Count": "数量",
+ "Start Page": "起始页",
+ "Search in OPDS Catalog...": "在 OPDS 目录中搜索...",
+ "Please log in to use advanced TTS features": "请登录以使用高级 TTS 功能",
+ "Word limit of 30 words exceeded.": "已超过 30 个词的限制。",
+ "Proofread": "校对",
+ "Current selection": "当前选中内容",
+ "All occurrences in this book": "本书中的所有出现位置",
+ "All occurrences in your library": "整个书库中的所有出现位置",
+ "Selected text:": "选中文本:",
+ "Replace with:": "替换为:",
+ "Enter text...": "请输入文本…",
+ "Case sensitive:": "区分大小写:",
+ "Scope:": "作用范围:",
+ "Selection": "选中内容",
+ "Library": "书库",
+ "Yes": "是",
+ "No": "否",
+ "Proofread Replacement Rules": "校对替换规则",
+ "Selected Text Rules": "选中文本规则",
+ "No selected text replacement rules": "暂无选中文本的替换规则",
+ "Book Specific Rules": "书籍范围规则",
+ "No book-level replacement rules": "暂无书籍级别的替换规则",
+ "Disable Quick Action": "禁用快速操作",
+ "Enable Quick Action on Selection": "在选择时启用快速操作",
+ "None": "无",
+ "Annotation Tools": "注释工具",
+ "Enable Quick Actions": "启用快捷操作",
+ "Quick Action": "快捷操作",
+ "Copy to Notebook": "复制到笔记本",
+ "Copy text after selection": "复制选中文本",
+ "Highlight text after selection": "划线选中文本",
+ "Annotate text after selection": "注释选中文本",
+ "Search text after selection": "搜索选中文本",
+ "Look up text in dictionary after selection": "在字典中查找选中文本",
+ "Look up text in Wikipedia after selection": "在维基百科中查找选中文本",
+ "Translate text after selection": "翻译选中文本",
+ "Read text aloud after selection": "朗读选中文本",
+ "Proofread text after selection": "校对选中文本",
+ "{{activeCount}} active, {{pendingCount}} pending": "{{activeCount}} 进行中,{{pendingCount}} 等待中",
+ "{{failedCount}} failed": "{{failedCount}} 失败",
+ "Waiting...": "等待中...",
+ "Failed": "失败",
+ "Completed": "已完成",
+ "Cancelled": "已取消",
+ "Retry": "重试",
+ "Active": "进行中",
+ "Transfer Queue": "传输队列",
+ "Upload All": "全部上传",
+ "Download All": "全部下载",
+ "Resume Transfers": "继续传输",
+ "Pause Transfers": "暂停传输",
+ "Pending": "等待中",
+ "No transfers": "没有传输",
+ "Retry All": "全部重试",
+ "Clear Completed": "清除已完成",
+ "Clear Failed": "清除失败",
+ "Upload queued: {{title}}": "上传已排队:{{title}}",
+ "Download queued: {{title}}": "下载已排队:{{title}}",
+ "Book not found in library": "在书库中找不到书籍",
+ "Unknown error": "未知错误",
+ "Please log in to continue": "请登录以继续",
+ "Cloud File Transfers": "云文件传输",
+ "Show Search Results": "显示搜索结果",
+ "Search results for '{{term}}'": "包含\"{{term}}\"的结果",
+ "Close Search": "关闭搜索",
+ "Previous Result": "上一个结果",
+ "Next Result": "下一个结果",
+ "Bookmarks": "书签",
+ "Annotations": "注释",
+ "Show Results": "显示结果",
+ "Clear search": "清除搜索",
+ "Clear search history": "清除搜索历史",
+ "Tap to Toggle Footer": "点击切换页脚",
+ "Exported successfully": "导出成功",
+ "Book exported successfully.": "书籍导出成功。",
+ "Failed to export the book.": "书籍导出失败。",
+ "Export Book": "导出书籍",
+ "Whole word:": "全词匹配:",
+ "Only for TTS:": "仅用于TTS:",
+ "Error": "错误",
+ "Unable to load the article. Try searching directly on {{link}}.": "无法加载文章。请直接在 {{link}} 上搜索。",
+ "Unable to load the word. Try searching directly on {{link}}.": "无法加载词汇。请直接在 {{link}} 上搜索。",
+ "Date Published": "出版日期",
+ "Uploaded": "已上传",
+ "Downloaded": "已下载",
+ "Deleted": "已删除",
+ "Note:": "笔记:",
+ "Time:": "时间:",
+ "Format Options": "格式选项",
+ "Export Date": "导出日期",
+ "Chapter Titles": "章节标题",
+ "Chapter Separator": "章节分隔符",
+ "Highlights": "高亮",
+ "Note Date": "笔记日期",
+ "Advanced": "高级",
+ "Hide": "隐藏",
+ "Show": "显示",
+ "Use Custom Template": "使用自定义模板",
+ "Export Template": "导出模板",
+ "Template Syntax:": "模板语法:",
+ "Insert value": "插入值",
+ "Format date (locale)": "格式化日期(区域)",
+ "Format date (custom)": "格式化日期(自定义)",
+ "Conditional": "条件",
+ "Loop": "循环",
+ "Available Variables:": "可用变量:",
+ "Book title": "书名",
+ "Book author": "作者",
+ "Export date": "导出日期",
+ "Array of chapters": "章节数组",
+ "Chapter title": "章节标题",
+ "Array of annotations": "标注数组",
+ "Highlighted text": "高亮文本",
+ "Annotation note": "标注笔记",
+ "Date Format Tokens:": "日期格式标记:",
+ "Year (4 digits)": "年(4位)",
+ "Month (01-12)": "月(01-12)",
+ "Day (01-31)": "日(01-31)",
+ "Hour (00-23)": "时(00-23)",
+ "Minute (00-59)": "分(00-59)",
+ "Second (00-59)": "秒(00-59)",
+ "Show Source": "显示源码",
+ "No content to preview": "无内容可预览",
+ "Export": "导出",
+ "Set Timeout": "设置超时",
+ "Select Voice": "选择语音",
+ "Toggle Sticky Bottom TTS Bar": "切换固定TTS栏",
+ "Display what I'm reading on Discord": "在Discord显示阅读状态",
+ "Show on Discord": "在Discord显示",
+ "Instant {{action}}": "即时{{action}}",
+ "Instant {{action}} Disabled": "即时{{action}}已禁用",
+ "Annotation": "标注",
+ "Reset Template": "重置模板",
+ "Annotation style": "标注样式",
+ "Annotation color": "标注颜色",
+ "Annotation time": "标注时间",
+ "AI": "AI",
+ "Are you sure you want to re-index this book?": "确定要重新索引这本书吗?",
+ "Enable AI in Settings": "在设置中启用 AI",
+ "Index This Book": "索引这本书",
+ "Enable AI search and chat for this book": "为这本书启用 AI 搜索和聊天",
+ "Start Indexing": "开始索引",
+ "Indexing book...": "正在索引书籍...",
+ "Preparing...": "准备中...",
+ "Delete this conversation?": "删除此对话?",
+ "No conversations yet": "暂无对话",
+ "Start a new chat to ask questions about this book": "开始新对话来询问关于这本书的问题",
+ "Rename": "重命名",
+ "New Chat": "新对话",
+ "Chat": "聊天",
+ "Please enter a model ID": "请输入模型 ID",
+ "Model not available or invalid": "模型不可用或无效",
+ "Failed to validate model": "模型验证失败",
+ "Couldn't connect to Ollama. Is it running?": "无法连接到 Ollama。它是否正在运行?",
+ "Invalid API key or connection failed": "API 密钥无效或连接失败",
+ "Connection failed": "连接失败",
+ "AI Assistant": "AI 助手",
+ "Enable AI Assistant": "启用 AI 助手",
+ "Provider": "提供商",
+ "Ollama (Local)": "Ollama(本地)",
+ "AI Gateway (Cloud)": "AI 网关(云端)",
+ "Ollama Configuration": "Ollama 配置",
+ "Refresh Models": "刷新模型",
+ "AI Model": "AI 模型",
+ "No models detected": "未检测到模型",
+ "AI Gateway Configuration": "AI 网关配置",
+ "Choose from a selection of high-quality, economical AI models. You can also bring your own model by selecting \"Custom Model\" below.": "从一系列高质量、经济实惠的 AI 模型中选择。您也可以通过下方的\"自定义模型\"使用自己的模型。",
+ "API Key": "API 密钥",
+ "Get Key": "获取密钥",
+ "Model": "模型",
+ "Custom Model...": "自定义模型...",
+ "Custom Model ID": "自定义模型 ID",
+ "Validate": "验证",
+ "Model available": "模型可用",
+ "Connection": "连接",
+ "Test Connection": "测试连接",
+ "Connected": "已连接",
+ "Custom Colors": "自定义颜色",
+ "Color E-Ink Mode": "彩色墨水屏模式",
+ "Reading Ruler": "阅读尺",
+ "Enable Reading Ruler": "启用阅读尺",
+ "Lines to Highlight": "突出显示行数",
+ "Ruler Color": "尺子颜色",
+ "Command Palette": "命令面板",
+ "Search settings and actions...": "搜索设置和操作...",
+ "No results found for": "未找到结果:",
+ "Type to search settings and actions": "输入以搜索设置和操作",
+ "Recent": "最近",
+ "navigate": "导航",
+ "select": "选择",
+ "close": "关闭",
+ "Search Settings": "搜索设置",
+ "Page Margins": "页边距",
+ "AI Provider": "AI 服务商",
+ "Ollama URL": "Ollama URL",
+ "Ollama Model": "Ollama 模型",
+ "AI Gateway Model": "AI Gateway 模型",
+ "Actions": "操作",
+ "Navigation": "导航",
+ "Set status for {{count}} book(s)_other": "设置 {{count}} 本书的状态",
+ "Mark as Unread": "标记为未读",
+ "Mark as Finished": "标记为已读",
+ "Finished": "已读",
+ "Unread": "未读",
+ "Clear Status": "清除状态",
+ "Status": "状态",
+ "Loading": "正在加载",
+ "Exit Paragraph Mode": "退出段落模式",
+ "Paragraph Mode": "段落模式",
+ "Embedding Model": "嵌入模型",
+ "{{count}} book(s) synced_other": "{{count}} 本书已同步",
+ "Unable to start RSVP": "无法启动 RSVP",
+ "RSVP not supported for PDF": "PDF 不支持 RSVP",
+ "Select Chapter": "选择章节",
+ "Context": "上下文",
+ "Ready": "准备就绪",
+ "Chapter Progress": "章节进度",
+ "words": "词",
+ "{{time}} left": "剩余 {{time}}",
+ "Reading progress": "阅读进度",
+ "Click to seek": "点击跳转",
+ "Skip back 15 words": "回退 15 词",
+ "Back 15 words (Shift+Left)": "回退 15 词 (Shift+Left)",
+ "Pause (Space)": "暂停 (空格)",
+ "Play (Space)": "播放 (空格)",
+ "Skip forward 15 words": "前进 15 词",
+ "Forward 15 words (Shift+Right)": "前进 15 词 (Shift+Right)",
+ "Pause:": "暂停:",
+ "Decrease speed": "减速",
+ "Slower (Left/Down)": "较慢 (左/下)",
+ "Current speed": "当前速度",
+ "Increase speed": "加速",
+ "Faster (Right/Up)": "较快 (右/上)",
+ "Start RSVP Reading": "开始 RSVP 阅读",
+ "Choose where to start reading": "选择阅读起始位置",
+ "From Chapter Start": "从章节开始",
+ "Start reading from the beginning of the chapter": "重新从本章节开始阅读",
+ "Resume": "继续",
+ "Continue from where you left off": "从上次离开的地方继续",
+ "From Current Page": "从当前页",
+ "Start from where you are currently reading": "从当前正在阅读的位置开始",
+ "From Selection": "从选中内容",
+ "Speed Reading Mode": "快读模式",
+ "Scroll left": "向左滚动",
+ "Scroll right": "向右滚动",
+ "Library Sync Progress": "库同步进度",
+ "Back to library": "返回书库",
+ "Group by...": "分组方式...",
+ "Export as Plain Text": "导出为纯文本",
+ "Export as Markdown": "导出为 Markdown",
+ "Show Page Navigation Buttons": "显示翻页按钮",
+ "Page {{number}}": "第 {{number}} 页",
+ "highlight": "高亮",
+ "underline": "下划线",
+ "squiggly": "波浪线",
+ "red": "红色",
+ "violet": "紫色",
+ "blue": "蓝色",
+ "green": "绿色",
+ "yellow": "黄色",
+ "Select {{style}} style": "选择 {{style}} 样式",
+ "Select {{color}} color": "选择 {{color}} 颜色",
+ "Close Book": "关闭书籍",
+ "Speed Reading": "快速阅读",
+ "Close Speed Reading": "关闭快速阅读",
+ "Authors": "作者",
+ "Books": "书籍",
+ "Groups": "分组",
+ "Back to TTS Location": "回到朗读位置",
+ "Metadata": "元数据",
+ "Image viewer": "图片查看器",
+ "Previous Image": "上一张图片",
+ "Next Image": "下一张图片",
+ "Zoomed": "已缩放",
+ "Zoom level": "缩放级别",
+ "Table viewer": "表格查看器",
+ "Unable to connect to Readwise. Please check your network connection.": "无法连接到 Readwise。请检查您的网络连接。",
+ "Invalid Readwise access token": "无效的 Readwise 访问令牌",
+ "Disconnected from Readwise": "已断开与 Readwise 的连接",
+ "Never": "从不",
+ "Readwise Settings": "Readwise 设置",
+ "Connected to Readwise": "已连接到 Readwise",
+ "Last synced: {{time}}": "上次同步时间:{{time}}",
+ "Sync Enabled": "同步已启用",
+ "Disconnect": "断开连接",
+ "Connect your Readwise account to sync highlights.": "连接您的 Readwise 账户以同步高亮内容。",
+ "Get your access token at": "获取您的访问令牌:",
+ "Access Token": "访问令牌",
+ "Paste your Readwise access token": "粘贴您的 Readwise 访问令牌",
+ "Config": "配置",
+ "Readwise Sync": "Readwise 同步",
+ "Push Highlights": "推送高亮内容",
+ "Highlights synced to Readwise": "高亮内容已同步到 Readwise",
+ "Readwise sync failed: no internet connection": "Readwise 同步失败:无网络连接",
+ "Readwise sync failed: {{error}}": "Readwise 同步失败:{{error}}"
+}
diff --git a/apps/readest-app/public/locales/zh-TW/translation.json b/apps/readest-app/public/locales/zh-TW/translation.json
new file mode 100644
index 0000000000000000000000000000000000000000..dc82c44c158899a5d4a1f9faf82e7ba555a22eef
--- /dev/null
+++ b/apps/readest-app/public/locales/zh-TW/translation.json
@@ -0,0 +1,1048 @@
+{
+ "(detected)": "(檢測到)",
+ "About Readest": "關於 Readest",
+ "Add your notes here...": "在這裡添加您的筆記...",
+ "Animation": "動畫",
+ "Annotate": "筆記",
+ "Apply": "應用",
+ "Auto Mode": "自動主題",
+ "Behavior": "行為",
+ "Book": "書籍",
+ "Bookmark": "書籤",
+ "Cancel": "取消",
+ "Chapter": "章節",
+ "Cherry": "櫻粉",
+ "Color": "顏色",
+ "Confirm": "確認",
+ "Confirm Deletion": "確認刪除",
+ "Copied to notebook": "已複製到筆記本",
+ "Copy": "複製",
+ "Dark Mode": "深色主題",
+ "Default": "預設",
+ "Default Font": "預設字體",
+ "Default Font Size": "預設字號",
+ "Delete": "刪除",
+ "Delete Highlight": "刪除劃線",
+ "Dictionary": "詞典",
+ "Download Readest": "下載 Readest",
+ "Edit": "編輯",
+ "Excerpts": "摘錄",
+ "Failed to import book(s): {{filenames}}": "導入書籍失敗:{{filenames}}",
+ "Fast": "快",
+ "Font": "字體",
+ "Font & Layout": "字體和版面",
+ "Font Face": "字型",
+ "Font Family": "字族",
+ "Font Size": "字號",
+ "Full Justification": "兩端對齊",
+ "Global Settings": "全局設置",
+ "Go Back": "返回",
+ "Go Forward": "前進",
+ "Grass": "青草",
+ "Gray": "素雅",
+ "Gruvbox": "暖橘",
+ "Highlight": "劃線",
+ "Horizontal Direction": "橫排",
+ "Hyphenation": "斷字",
+ "Import Books": "導入書籍",
+ "Layout": "版面",
+ "Light Mode": "淺色主題",
+ "Loading...": "載入中...",
+ "Logged in": "已登入",
+ "Logged in as {{userDisplayName}}": "{{userDisplayName}} 已登入",
+ "Match Case": "匹配大小寫",
+ "Match Diacritics": "匹配重音符號",
+ "Match Whole Words": "匹配整個單詞",
+ "Maximum Number of Columns": "分欄數",
+ "Minimum Font Size": "最小字號",
+ "Monospace Font": "等寬字體",
+ "More Info": "更多信息",
+ "Nord": "極光",
+ "Notebook": "筆記本",
+ "Notes": "筆記",
+ "Open": "打開",
+ "Original Text": "原文",
+ "Page": "頁面",
+ "Paging Animation": "翻頁動畫",
+ "Paragraph": "段落",
+ "Parallel Read": "並排閱讀",
+ "Published": "出版日期",
+ "Publisher": "出版商",
+ "Reading Progress Synced": "閱讀進度已同步",
+ "Reload Page": "重新載入頁面",
+ "Reveal in File Explorer": "在檔案管理器中顯示",
+ "Reveal in Finder": "在訪達中顯示",
+ "Reveal in Folder": "在資料夾中顯示",
+ "Sans-Serif Font": "無襯線字體",
+ "Save": "保存",
+ "Scrolled Mode": "滾動模式",
+ "Search": "搜索",
+ "Search Books...": "搜索書籍...",
+ "Search...": "搜索...",
+ "Select Book": "選擇書籍",
+ "Select Books": "選擇書籍",
+ "Sepia": "舊韻",
+ "Serif Font": "襯線字體",
+ "Show Book Details": "顯示書籍詳情",
+ "Sidebar": "側邊欄",
+ "Sign In": "登入",
+ "Sign Out": "登出",
+ "Sky": "天青",
+ "Slow": "慢",
+ "Solarized": "日暉",
+ "Speak": "朗讀",
+ "Subjects": "主題",
+ "System Fonts": "系統字體",
+ "Theme Color": "主題顏色",
+ "Theme Mode": "主題模式",
+ "Translate": "翻譯",
+ "Translated Text": "譯文",
+ "Unknown": "未知",
+ "Untitled": "無標題",
+ "Updated": "更新日期",
+ "Version {{version}}": "版本 {{version}}",
+ "Vertical Direction": "豎排",
+ "Welcome to your library. You can import your books here and read them anytime.": "書庫空空如也,您可以導入您的書籍並隨時閱讀。",
+ "Wikipedia": "維基百科",
+ "Writing Mode": "排版模式",
+ "Your Library": "書庫",
+ "TTS not supported for PDF": "PDF 文檔暫不支持 TTS",
+ "Override Book Font": "覆蓋書籍字體",
+ "Apply to All Books": "應用於所有書籍",
+ "Apply to This Book": "應用於此書籍",
+ "Unable to fetch the translation. Try again later.": "無法獲取翻譯,請稍後再試。",
+ "Check Update": "檢查更新",
+ "Already the latest version": "已經是最新版本",
+ "Book Details": "書籍詳情",
+ "From Local File": "從本地文件導入",
+ "TOC": "目錄",
+ "Table of Contents": "目錄",
+ "Book uploaded: {{title}}": "書籍已上傳:{{title}}",
+ "Failed to upload book: {{title}}": "書籍上傳失敗:{{title}}",
+ "Book downloaded: {{title}}": "書籍已下載:{{title}}",
+ "Failed to download book: {{title}}": "書籍下載失敗:{{title}}",
+ "Upload Book": "上傳書籍",
+ "Auto Upload Books to Cloud": "自動上傳書籍到雲端",
+ "Book deleted: {{title}}": "書籍已刪除:{{title}}",
+ "Failed to delete book: {{title}}": "書籍刪除失敗:{{title}}",
+ "Check Updates on Start": "啟動時檢查更新",
+ "Insufficient storage quota": "雲存儲空間不足",
+ "Font Weight": "字重",
+ "Line Spacing": "行間距",
+ "Word Spacing": "字間距",
+ "Letter Spacing": "字間距",
+ "Text Indent": "首行縮進",
+ "Paragraph Margin": "段間距",
+ "Override Book Layout": "覆蓋版面佈局",
+ "Untitled Group": "無標題組",
+ "Group Books": "分組書籍",
+ "Remove From Group": "從組中移除",
+ "Create New Group": "創建新組",
+ "Deselect Book": "取消選擇書籍",
+ "Download Book": "下載書籍",
+ "Deselect Group": "取消選擇組",
+ "Select Group": "選擇組",
+ "Keep Screen Awake": "保持屏幕常亮",
+ "Email address": "電子郵件地址",
+ "Your Password": "您的密碼",
+ "Your email address": "您的電子郵件地址",
+ "Your password": "您的密碼",
+ "Sign in": "登入",
+ "Signing in...": "正在登入...",
+ "Sign in with {{provider}}": "使用 {{provider}} 登入",
+ "Already have an account? Sign in": "已經有帳號?登入",
+ "Create a Password": "創建密碼",
+ "Sign up": "註冊",
+ "Signing up...": "正在註冊...",
+ "Don't have an account? Sign up": "沒有帳號?註冊",
+ "Check your email for the confirmation link": "檢查您的電子郵件以獲取確認連結",
+ "Signing in ...": "正在登入...",
+ "Send a magic link email": "發送魔法連結郵件",
+ "Check your email for the magic link": "檢查您的電子郵件以獲取魔法連結",
+ "Send reset password instructions": "發送重設密碼指示",
+ "Sending reset instructions ...": "正在發送重設密碼指示...",
+ "Forgot your password?": "忘記密碼?",
+ "Check your email for the password reset link": "檢查您的電子郵件以獲取密碼重設連結",
+ "New Password": "新密碼",
+ "Your new password": "您的新密碼",
+ "Update password": "更新密碼",
+ "Updating password ...": "正在更新密碼...",
+ "Your password has been updated": "您的密碼已更新",
+ "Phone number": "電話號碼",
+ "Your phone number": "您的電話號碼",
+ "Token": "令牌",
+ "Your OTP token": "您的 OTP 令牌",
+ "Verify token": "驗證令牌",
+ "Account": "帳戶",
+ "Failed to delete user. Please try again later.": "刪除使用者失敗。請稍後再試。",
+ "Community Support": "社群支援",
+ "Priority Support": "優先支援",
+ "Loading profile...": "載入個人資料中...",
+ "Delete Account": "刪除帳戶",
+ "Delete Your Account?": "刪除您的帳戶?",
+ "This action cannot be undone. All your data in the cloud will be permanently deleted.": "此操作無法撤銷。您在雲端的所有資料將被永久刪除。",
+ "Delete Permanently": "永久刪除",
+ "RTL Direction": "從右向左",
+ "Maximum Column Height": "最大列高",
+ "Maximum Column Width": "最大列寬",
+ "Continuous Scroll": "連續滾動",
+ "Fullscreen": "全螢幕",
+ "No supported files found. Supported formats: {{formats}}": "未找到支援的檔案。支援的格式:{{formats}}",
+ "Drop to Import Books": "拖放導入書籍",
+ "Custom": "自定義",
+ "All the world's a stage,\nAnd all the men and women merely players;\nThey have their exits and their entrances,\nAnd one man in his time plays many parts,\nHis acts being seven ages.\n\n— William Shakespeare": "世界是一個舞台,\n所有的男人和女人都只是演員:\n他們有出口,也有入口;\n一個人在他的時代扮演許多角色。 \n\n——威廉·莎士比亞",
+ "Custom Theme": "自定義主題",
+ "Theme Name": "主題名稱",
+ "Text Color": "文字顏色",
+ "Background Color": "背景顏色",
+ "Preview": "預覽",
+ "Contrast": "對比",
+ "Sunset": "日落",
+ "Double Border": "顯示邊框",
+ "Border Color": "邊框顏色",
+ "Border Frame": "頁面邊框",
+ "Show Header": "顯示頁眉",
+ "Show Footer": "顯示頁腳",
+ "Small": "小",
+ "Large": "大",
+ "Auto": "自動",
+ "Language": "語言",
+ "No annotations to export": "沒有要匯出的筆記",
+ "Author": "作者",
+ "Exported from Readest": "從 Readest 匯出",
+ "Highlights & Annotations": "高亮和筆記",
+ "Note": "筆記",
+ "Copied to clipboard": "已複製到剪貼板",
+ "Export Annotations": "匯出筆記",
+ "Auto Import on File Open": "打開文件時自動導入",
+ "LXGW WenKai GB Screen": "霞鶩文楷 SC",
+ "LXGW WenKai TC": "霞鶩文楷 TC",
+ "No chapters detected": "未檢測到章節",
+ "Failed to parse the EPUB file": "無法解析 EPUB 文件",
+ "This book format is not supported": "不支援此書籍格式",
+ "Unable to fetch the translation. Please log in first and try again.": "無法獲取翻譯。請先登入然後重試。",
+ "Group": "分組",
+ "Always on Top": "視窗置頂",
+ "No Timeout": "關閉定時",
+ "{{value}} minute": "{{value}}分鐘",
+ "{{value}} minutes": "{{value}}分鐘",
+ "{{value}} hour": "{{value}}小時",
+ "{{value}} hours": "{{value}}小時",
+ "CJK Font": "中文字體",
+ "Clear Search": "清除搜索",
+ "Header & Footer": "頁眉頁腳",
+ "Apply also in Scrolled Mode": "滾動模式同樣適用",
+ "A new version of Readest is available!": "有新版本的 Readest 可更新!",
+ "Readest {{newVersion}} is available (installed version {{currentVersion}}).": "Readest {{newVersion}} 可更新(已安裝版本 {{currentVersion}})。",
+ "Download and install now?": "立即下載並安裝?",
+ "Downloading {{downloaded}} of {{contentLength}}": "正在下載 {{downloaded}} / {{contentLength}}",
+ "Download finished": "下載完成",
+ "DOWNLOAD & INSTALL": "下載並安裝",
+ "Changelog": "更新日誌:",
+ "Software Update": "軟體更新",
+ "Title": "書名",
+ "Date Read": "閱讀日期",
+ "Date Added": "添加日期",
+ "Format": "格式",
+ "Ascending": "升序",
+ "Descending": "降序",
+ "Sort by...": "排序方式...",
+ "Added": "添加日期",
+ "GuanKiapTsingKhai-T": "原俠正楷-T",
+ "Description": "簡介",
+ "No description available": "暫無簡介",
+ "List": "列表",
+ "Grid": "網格",
+ "(from 'As You Like It', Act II)": "(出自《皆大歡喜》,第二幕)",
+ "Link Color": "連結顏色",
+ "Volume Keys for Page Flip": "音量鍵翻頁",
+ "Screen": "螢幕",
+ "Orientation": "螢幕方向",
+ "Portrait": "豎屏",
+ "Landscape": "橫屏",
+ "Open Last Book on Start": "啟動時打開上次閱讀的書籍",
+ "Checking for updates...": "檢查更新中...",
+ "Error checking for updates": "檢查更新時出錯",
+ "Details": "詳情",
+ "File Size": "檔案大小",
+ "Auto Detect": "自動檢測",
+ "Next Section": "下一章",
+ "Previous Section": "上一章",
+ "Next Page": "下一頁",
+ "Previous Page": "上一頁",
+ "Are you sure to delete {{count}} selected book(s)?_other": "確定要刪除已選擇的 {{count}} 本書嗎?",
+ "Are you sure to delete the selected book?": "確定要刪除已選擇的書籍嗎?",
+ "Deselect": "取消選取",
+ "Select All": "全選",
+ "No translation available.": "暫無翻譯",
+ "Translated by {{provider}}.": "由 {{provider}} 提供翻譯",
+ "DeepL": "DeepL",
+ "Google Translate": "Google Translate",
+ "Azure Translator": "Azure Translator",
+ "Invert Image In Dark Mode": "深色主題下圖片反相",
+ "Help improve Readest": "幫助改進 Readest",
+ "Sharing anonymized statistics": "分享匿名統計數據",
+ "Interface Language": "介面語言",
+ "Translation": "翻譯",
+ "Enable Translation": "啟用翻譯",
+ "Translation Service": "翻譯服務",
+ "Translate To": "翻譯至",
+ "Disable Translation": "停用翻譯",
+ "Scroll": "滾動",
+ "Overlap Pixels": "重疊像素",
+ "System Language": "系統語言",
+ "Security": "安全",
+ "Allow JavaScript": "允許 JavaScript",
+ "Enable only if you trust the file.": "建議僅在您信任該檔案時啟用",
+ "Sort TOC by Page": "依頁碼排序目錄",
+ "Search in {{count}} Book(s)..._other": "在 {{count}} 本書中搜索...",
+ "No notes match your search": "找不到符合的筆記",
+ "Search notes and excerpts...": "搜尋筆記...",
+ "Sign in to Sync": "登入以同步",
+ "Synced at {{time}}": "同步於:{{time}}",
+ "Never synced": "從未同步",
+ "Show Remaining Time": "顯示剩餘時間",
+ "{{time}} min left in chapter": "本章剩餘 {{time}} 分鐘",
+ "Override Book Color": "覆蓋書籍顏色",
+ "Login Required": "需登入",
+ "Quota Exceeded": "額度不足",
+ "{{percentage}}% of Daily Translation Characters Used.": "已使用 {{percentage}}% 的每日翻譯字數",
+ "Translation Characters": "翻譯字數",
+ "{{engine}}: {{count}} voices_other": "{{engine}}: {{count}} 種語音",
+ "Something went wrong. Don't worry, our team has been notified and we're working on a fix.": "出了點問題。別擔心,我們的團隊已經收到通知,正在努力修復。",
+ "Error Details:": "錯誤詳情:",
+ "Try Again": "再試一次",
+ "Need help?": "需要幫助嗎?",
+ "Contact Support": "聯繫支援",
+ "Code Highlighting": "程式碼高亮",
+ "Enable Highlighting": "啟用高亮",
+ "Code Language": "程式語言",
+ "Top Margin (px)": "上邊距",
+ "Bottom Margin (px)": "下邊距",
+ "Right Margin (px)": "右邊距",
+ "Left Margin (px)": "左邊距",
+ "Column Gap (%)": "欄間距",
+ "Always Show Status Bar": "始終顯示狀態欄",
+ "Custom Content CSS": "自訂內容 CSS",
+ "Enter CSS for book content styling...": "輸入書籍內容樣式的CSS…",
+ "Custom Reader UI CSS": "自訂介面 CSS",
+ "Enter CSS for reader interface styling...": "輸入閱讀器介面樣式的CSS…",
+ "Crop": "裁剪",
+ "Book Covers": "書籍封面",
+ "Fit": "適應",
+ "Reset {{settings}}": "重置{{settings}}",
+ "Reset Settings": "重置設置",
+ "{{count}} pages left in chapter_other": "本章剩餘 {{count}} 頁",
+ "Show Remaining Pages": "顯示剩餘頁數",
+ "Source Han Serif CN": "思源宋體",
+ "Huiwen-MinchoGBK": "匯文明朝體",
+ "KingHwa_OldSong": "京華老宋體",
+ "Manage Subscription": "管理訂閱",
+ "Coming Soon": "即將推出",
+ "Upgrade to {{plan}}": "升級到 {{plan}}",
+ "Upgrade to Plus or Pro": "升級到 Plus 或 Pro",
+ "Current Plan": "當前方案",
+ "Plan Limits": "方案限制",
+ "Processing your payment...": "正在處理付款...",
+ "Please wait while we confirm your subscription.": "請稍候,我們正在確認您的訂閱。",
+ "Payment Processing": "付款處理中",
+ "Your payment is being processed. This usually takes a few moments.": "您的付款正在處理中,通常需要幾秒鐘。",
+ "Payment Failed": "付款失敗",
+ "We couldn't process your subscription. Please try again or contact support if the issue persists.": "我們無法處理您的訂閱。請重試,或若問題持續,請聯絡客服。",
+ "Back to Profile": "返回個人資料",
+ "Subscription Successful!": "訂閱成功!",
+ "Thank you for your subscription! Your payment has been processed successfully.": "感謝您的訂閱!您的付款已成功完成。",
+ "Email:": "電子郵件:",
+ "Plan:": "方案:",
+ "Amount:": "金額:",
+ "Go to Library": "前往書庫",
+ "Need help? Contact our support team at support@readest.com": "需要協助?請聯絡支援團隊:support@readest.com",
+ "Free Plan": "免費方案",
+ "month": "月",
+ "AI Translations (per day)": "AI 翻譯(每日)",
+ "Plus Plan": "Plus 方案",
+ "Includes All Free Plan Benefits": "包含所有免費方案功能",
+ "Pro Plan": "Pro 方案",
+ "More AI Translations": "更多 AI 翻譯",
+ "Complete Your Subscription": "完成您的訂閱",
+ "{{percentage}}% of Cloud Sync Space Used.": "已使用 {{percentage}}% 的雲同步空間。",
+ "Cloud Sync Storage": "雲同步空間",
+ "Disable": "禁用",
+ "Enable": "啟用",
+ "Upgrade to Readest Premium": "升級到 Readest Premium",
+ "Show Source Text": "顯示原文",
+ "Cross-Platform Sync": "跨平台同步",
+ "Seamlessly sync your library, progress, highlights, and notes across all your devices—never lose your place again.": "在所有裝置間無縫同步您的書庫、閱讀進度、標註和筆記——再也不會遺失閱讀位置。",
+ "Customizable Reading": "個人化閱讀",
+ "Personalize every detail with adjustable fonts, layouts, themes, and advanced display settings for the perfect reading experience.": "透過可調節的字體、版面配置、主題和進階顯示設定個人化每個細節,獲得完美閱讀體驗。",
+ "AI Read Aloud": "AI 朗讀",
+ "Enjoy hands-free reading with natural-sounding AI voices that bring your books to life.": "享受免手持的閱讀體驗,透過自然流暢的 AI 聲音讓書籍栩栩如生。",
+ "AI Translations": "AI 翻譯",
+ "Translate any text instantly with the power of Google, Azure, or DeepL—understand content in any language.": "借助 Google、Azure 或 DeepL 的強大功能即時翻譯任何文字——理解任何語言的內容。",
+ "Connect with fellow readers and get help fast in our friendly community channels.": "與其他讀者交流,在我們友善的社群頻道中快速獲得幫助。",
+ "Unlimited AI Read Aloud Hours": "無限 AI 朗讀時長",
+ "Listen without limits—convert as much text as you like into immersive audio.": "無限制聆聽——將任意數量的文字轉換為沉浸式音訊。",
+ "Unlock enhanced translation capabilities with more daily usage and advanced options.": "解鎖增強翻譯功能,享受更多翻譯用量和進階選項。",
+ "DeepL Pro Access": "DeepL Pro 存取權限",
+ "Enjoy faster responses and dedicated assistance whenever you need help.": "享受更快回應和專屬幫助,隨時獲得所需支援。",
+ "Daily translation quota reached. Upgrade your plan to continue using AI translations.": "已達每日翻譯配額。升級方案以繼續使用 AI 翻譯。",
+ "Includes All Plus Plan Benefits": "包含所有 Plus 方案優惠",
+ "Early Feature Access": "搶先體驗新功能",
+ "Be the first to explore new features, updates, and innovations before anyone else.": "搶先體驗最新功能、更新與創新成果。",
+ "Advanced AI Tools": "進階 AI 工具",
+ "Harness powerful AI tools for smarter reading, translation, and content discovery.": "運用強大的 AI 工具實現智慧閱讀、翻譯和內容探索。",
+ "Translate up to 100,000 characters daily with the most accurate translation engine available.": "使用最精準的翻譯引擎每天翻譯多達10萬字元。",
+ "Translate up to 500,000 characters daily with the most accurate translation engine available.": "使用最精準的翻譯引擎每天翻譯多達50萬字元。",
+ "Securely store and access your entire reading collection with up to 5 GB of cloud storage.": "使用多達 5GB 的安全雲端儲存保存和存取您的整個閱讀收藏。",
+ "Securely store and access your entire reading collection with up to 20 GB of cloud storage.": "使用多達 20GB 的安全雲端儲存保存和存取您的整個閱讀收藏。",
+ "Deleted cloud backup of the book: {{title}}": "已刪除書籍的雲端備份:{{title}}",
+ "Are you sure to delete the cloud backup of the selected book?": "您確定要刪除所選書籍的雲端備份嗎?",
+ "What's New in Readest": "Readest 更新功能",
+ "Enter book title": "輸入書名",
+ "Subtitle": "副標題",
+ "Enter book subtitle": "輸入書籍副標題",
+ "Enter author name": "輸入作者姓名",
+ "Series": "系列",
+ "Enter series name": "輸入系列名稱",
+ "Series Index": "系列編號",
+ "Enter series index": "輸入系列編號",
+ "Total in Series": "系列總數",
+ "Enter total books in series": "輸入系列中書籍總數",
+ "Enter publisher": "輸入出版社",
+ "Publication Date": "出版日期",
+ "Identifier": "識別碼",
+ "Enter book description": "輸入書籍描述",
+ "Change cover image": "替換封面圖片",
+ "Replace": "替換",
+ "Unlock cover": "解鎖封面",
+ "Lock cover": "鎖定封面",
+ "Auto-Retrieve Metadata": "自動擷取中繼資料",
+ "Auto-Retrieve": "自動擷取",
+ "Unlock all fields": "解鎖所有欄位",
+ "Unlock All": "全部解鎖",
+ "Lock all fields": "鎖定所有欄位",
+ "Lock All": "全部鎖定",
+ "Reset": "重設",
+ "Edit Metadata": "編輯中繼資料",
+ "Locked": "已鎖定",
+ "Select Metadata Source": "選擇中繼資料來源",
+ "Keep manual input": "保留手動輸入",
+ "Google Books": "Google 圖書",
+ "Open Library": "開放圖書館",
+ "Fiction, Science, History": "小說,科學,歷史",
+ "Open Book in New Window": "在新視窗中打開書籍",
+ "Voices for {{lang}}": "{{lang}} 的語音",
+ "Yandex Translate": "Yandex 翻譯",
+ "YYYY or YYYY-MM-DD": "YYYY 或 YYYY-MM-DD",
+ "Restore Purchase": "恢復購買",
+ "No purchases found to restore.": "未找到可恢復的購買。",
+ "Failed to restore purchases.": "恢復購買失敗。",
+ "Failed to manage subscription.": "管理訂閱失敗。",
+ "Failed to load subscription plans.": "加載訂閱計劃失敗。",
+ "year": "年",
+ "Failed to create checkout session": "創建結帳會話失敗",
+ "Storage": "雲同步空間",
+ "Terms of Service": "服務條款",
+ "Privacy Policy": "隱私政策",
+ "Disable Double Click": "禁用雙擊",
+ "TTS not supported for this document": "TTS 不支援此文件",
+ "Reset Password": "重設密碼",
+ "Show Reading Progress": "顯示閱讀進度",
+ "Reading Progress Style": "閱讀進度樣式",
+ "Page Number": "頁碼",
+ "Percentage": "百分比",
+ "Deleted local copy of the book: {{title}}": "已刪除書籍的本地副本:{{title}}",
+ "Failed to delete cloud backup of the book: {{title}}": "未能刪除書籍的雲端備份:{{title}}",
+ "Failed to delete local copy of the book: {{title}}": "未能刪除書籍的本地副本:{{title}}",
+ "Are you sure to delete the local copy of the selected book?": "您確定要刪除所選書籍的本地副本嗎?",
+ "Remove from Cloud & Device": "從雲端和設備中移除",
+ "Remove from Cloud Only": "僅從雲端移除",
+ "Remove from Device Only": "僅從設備中移除",
+ "Disconnected": "已斷開連接",
+ "KOReader Sync Settings": "KOReader 同步設置",
+ "Sync Strategy": "同步策略",
+ "Ask on conflict": "發生衝突時詢問",
+ "Always use latest": "始終使用最新",
+ "Send changes only": "僅發送更改",
+ "Receive changes only": "僅接收更改",
+ "Checksum Method": "校驗和方法",
+ "File Content (recommended)": "文件內容(推薦)",
+ "File Name": "文件名",
+ "Device Name": "設備名稱",
+ "Connect to your KOReader Sync server.": "連接到您的 KOReader 同步伺服器。",
+ "Server URL": "伺服器 URL",
+ "Username": "用戶名",
+ "Your Username": "您的用戶名",
+ "Password": "密碼",
+ "Connect": "連接",
+ "KOReader Sync": "KOReader 同步",
+ "Sync Conflict": "同步衝突",
+ "Sync reading progress from \"{{deviceName}}\"?": "從 \"{{deviceName}}\" 同步閱讀進度?",
+ "another device": "另一個設備",
+ "Local Progress": "本地進度",
+ "Remote Progress": "遠程進度",
+ "Page {{page}} of {{total}} ({{percentage}}%)": "第 {{page}} 頁,共 {{total}} 頁 ({{percentage}}%)",
+ "Current position": "當前位置",
+ "Approximately page {{page}} of {{total}} ({{percentage}}%)": "大約第 {{page}} 頁,共 {{total}} 頁 ({{percentage}}%)",
+ "Approximately {{percentage}}%": "大約 {{percentage}}%",
+ "Failed to connect": "連接失敗",
+ "Sync Server Connected": "同步伺服器已連接",
+ "Sync as {{userDisplayName}}": "以 {{userDisplayName}} 身份同步",
+ "Custom Fonts": "自訂字型",
+ "Cancel Delete": "取消刪除",
+ "Import Font": "匯入字型",
+ "Delete Font": "刪除字型",
+ "Tips": "提示",
+ "Custom fonts can be selected from the Font Face menu": "可以從字型選單中選擇自訂字型",
+ "Manage Custom Fonts": "管理自訂字型",
+ "Select Files": "選擇檔案",
+ "Select Image": "選擇圖片",
+ "Select Video": "選擇影片",
+ "Select Audio": "選擇音訊",
+ "Select Fonts": "選擇字型",
+ "Supported font formats: .ttf, .otf, .woff, .woff2": "支援的字型格式:.ttf, .otf, .woff, .woff2",
+ "Push Progress": "推送閱讀進度",
+ "Pull Progress": "拉取閱讀進度",
+ "Previous Paragraph": "上一段",
+ "Previous Sentence": "上一句",
+ "Pause": "暫停",
+ "Play": "播放",
+ "Next Sentence": "下一句",
+ "Next Paragraph": "下一段",
+ "Separate Cover Page": "單獨封面頁",
+ "Resize Notebook": "調整筆記本大小",
+ "Resize Sidebar": "調整側邊欄大小",
+ "Get Help from the Readest Community": "從 Readest 社群獲取幫助",
+ "Remove cover image": "移除封面圖片",
+ "Bookshelf": "書架",
+ "View Menu": "檢視選單",
+ "Settings Menu": "設定選單",
+ "View account details and quota": "檢視帳戶詳細資料與配額",
+ "Library Header": "圖書館標題",
+ "Book Content": "書籍內容",
+ "Footer Bar": "頁腳欄",
+ "Header Bar": "標頭欄",
+ "View Options": "檢視選項",
+ "Book Menu": "書籍選單",
+ "Search Options": "搜尋選項",
+ "Close": "關閉",
+ "Delete Book Options": "刪除書籍選項",
+ "ON": "開啟",
+ "OFF": "關閉",
+ "Reading Progress": "閱讀進度",
+ "Page Margin": "頁邊距",
+ "Remove Bookmark": "移除書籤",
+ "Add Bookmark": "添加書籤",
+ "Books Content": "書籍內容",
+ "Jump to Location": "跳轉到位置",
+ "Unpin Notebook": "取消固定筆記本",
+ "Pin Notebook": "固定筆記本",
+ "Hide Search Bar": "隱藏搜索欄",
+ "Show Search Bar": "顯示搜索欄",
+ "On {{current}} of {{total}} page": "在第 {{current}} 頁,共 {{total}} 頁",
+ "Section Title": "章節標題",
+ "Decrease": "減少",
+ "Increase": "增加",
+ "Settings Panels": "設定面板",
+ "Settings": "設定",
+ "Unpin Sidebar": "取消固定側邊欄",
+ "Pin Sidebar": "固定側邊欄",
+ "Toggle Sidebar": "切換側邊欄",
+ "Toggle Translation": "切換翻譯",
+ "Translation Disabled": "翻譯已禁用",
+ "Minimize": "最小化",
+ "Maximize or Restore": "最大化或還原",
+ "Exit Parallel Read": "退出並排閱讀",
+ "Enter Parallel Read": "進入並排閱讀",
+ "Zoom Level": "縮放級別",
+ "Zoom Out": "縮小",
+ "Reset Zoom": "重置縮放",
+ "Zoom In": "放大",
+ "Zoom Mode": "縮放模式",
+ "Single Page": "單頁",
+ "Auto Spread": "自動展開",
+ "Fit Page": "適應頁面",
+ "Fit Width": "適應寬度",
+ "Failed to select directory": "選擇目錄失敗",
+ "The new data directory must be different from the current one.": "新的數據目錄必須與當前目錄不同。",
+ "Migration failed: {{error}}": "遷移失敗: {{error}}",
+ "Change Data Location": "更改數據位置",
+ "Current Data Location": "當前數據位置",
+ "Total size: {{size}}": "總大小: {{size}}",
+ "Calculating file info...": "正在計算文件信息...",
+ "New Data Location": "新的數據位置",
+ "Choose Different Folder": "選擇不同的文件夾",
+ "Choose New Folder": "選擇新文件夾",
+ "Migrating data...": "正在遷移數據...",
+ "Copying: {{file}}": "正在複製: {{file}}",
+ "{{current}} of {{total}} files": "{{current}} / {{total}} 個文件",
+ "Migration completed successfully!": "遷移成功完成!",
+ "Your data has been moved to the new location. Please restart the application to complete the process.": "您的數據已移動到新位置。請重新啟動應用程序以完成此過程。",
+ "Migration failed": "遷移失敗",
+ "Important Notice": "重要通知",
+ "This will move all your app data to the new location. Make sure the destination has enough free space.": "這將把您所有的應用數據移動到新位置。請確保目標位置有足夠的可用空間。",
+ "Restart App": "重新啟動應用",
+ "Start Migration": "開始遷移",
+ "Advanced Settings": "高級設置",
+ "File count: {{size}}": "文件數量: {{size}}",
+ "Background Read Aloud": "背景朗讀",
+ "Ready to read aloud": "朗讀準備就緒",
+ "Read Aloud": "朗讀",
+ "Screen Brightness": "螢幕亮度",
+ "Background Image": "背景圖片",
+ "Import Image": "匯入圖片",
+ "Opacity": "不透明度",
+ "Size": "大小",
+ "Cover": "覆蓋",
+ "Contain": "適應",
+ "{{number}} pages left in chapter": "本章剩餘{{number}}頁",
+ "Device": "設備",
+ "E-Ink Mode": "E-Ink 模式",
+ "Highlight Colors": "高亮顏色",
+ "Auto Screen Brightness": "自動螢幕亮度",
+ "Pagination": "翻頁",
+ "Disable Double Tap": "禁用雙擊",
+ "Tap to Paginate": "點擊翻頁",
+ "Click to Paginate": "點擊翻頁",
+ "Tap Both Sides": "點擊兩側翻頁",
+ "Click Both Sides": "點擊兩側翻頁",
+ "Swap Tap Sides": "交換點擊區域",
+ "Swap Click Sides": "交換點擊區域",
+ "Source and Translated": "原文和翻譯",
+ "Translated Only": "僅翻譯",
+ "Source Only": "僅原文",
+ "TTS Text": "TTS 文字",
+ "The book file is corrupted": "書籍文件已損壞",
+ "The book file is empty": "書籍文件為空",
+ "Failed to open the book file": "無法打開書籍文件",
+ "On-Demand Purchase": "按需購買",
+ "Full Customization": "完全自定義",
+ "Lifetime Plan": "終身方案",
+ "One-Time Payment": "一次性付款",
+ "Make a single payment to enjoy lifetime access to specific features on all devices. Purchase specific features or services only when you need them.": "進行一次性付款以享受在所有設備上對特定功能的終身訪問。僅在需要時購買特定功能或服務。",
+ "Expand Cloud Sync Storage": "擴展雲同步存儲",
+ "Expand your cloud storage forever with a one-time purchase. Each additional purchase adds more space.": "通過一次性購買,永久擴展您的雲存儲。每次額外購買都會增加更多空間。",
+ "Unlock All Customization Options": "解鎖所有自定義選項",
+ "Unlock additional themes, fonts, layout options and read aloud, translators, cloud storage services.": "解鎖其他主題、字體、佈局選項以及朗讀、翻譯、雲存儲服務。",
+ "Purchase Successful!": "購買成功!",
+ "lifetime": "永久",
+ "Thank you for your purchase! Your payment has been processed successfully.": "感謝您的購買!您的付款已成功處理。",
+ "Order ID:": "訂單編號:",
+ "TTS Highlighting": "TTS 高亮",
+ "Style": "樣式",
+ "Underline": "底線",
+ "Strikethrough": "刪除線",
+ "Squiggly": "波浪線",
+ "Outline": "輪廓",
+ "Save Current Color": "儲存目前顏色",
+ "Quick Colors": "快速顏色",
+ "Highlighter": "螢光筆",
+ "Save Book Cover": "保存書籍封面",
+ "Auto-save last book cover": "自動保存最後一本書的封面",
+ "Back": "返回",
+ "Confirmation email sent! Please check your old and new email addresses to confirm the change.": "確認郵件已發送!請檢查您的舊電子郵件和新電子郵件以確認更改。",
+ "Failed to update email": "更新電子郵件失敗",
+ "New Email": "新電子郵件",
+ "Your new email": "您的新電子郵件",
+ "Updating email ...": "正在更新電子郵件 ...",
+ "Update email": "更新電子郵件",
+ "Current email": "當前電子郵件",
+ "Update Email": "更新電子郵件",
+ "All": "全部",
+ "Unable to open book": "無法打開書籍",
+ "Punctuation": "標點符號",
+ "Replace Quotation Marks": "替換引號",
+ "Enabled only in vertical layout.": "僅在直排佈局中啟用",
+ "No Conversion": "不轉換",
+ "Simplified to Traditional": "簡體 → 繁體",
+ "Traditional to Simplified": "繁體 → 簡體",
+ "Simplified to Traditional (Taiwan)": "簡體 → 繁體(台灣)",
+ "Simplified to Traditional (Hong Kong)": "簡體 → 繁體(香港)",
+ "Simplified to Traditional (Taiwan), with phrases": "簡體 → 繁體(台灣)慣用語",
+ "Traditional (Taiwan) to Simplified": "繁體(台灣) → 簡體",
+ "Traditional (Hong Kong) to Simplified": "繁體(香港) → 簡體",
+ "Traditional (Taiwan) to Simplified, with phrases": "繁體(台灣) → 簡體慣用語",
+ "Convert Simplified and Traditional Chinese": "簡繁中文轉換",
+ "Convert Mode": "轉換模式",
+ "Failed to auto-save book cover for lock screen: {{error}}": "自動保存鎖定螢幕書籍封面失敗:{{error}}",
+ "Download from Cloud": "從雲端下載",
+ "Upload to Cloud": "上傳到雲端",
+ "Clear Custom Fonts": "清除自訂字型",
+ "Columns": "欄數",
+ "OPDS Catalogs": "OPDS 目錄",
+ "Adding LAN addresses is not supported in the web app version.": "網頁版不支援新增區域網路位址。",
+ "Invalid OPDS catalog. Please check the URL.": "無效的 OPDS 目錄。請檢查 URL。",
+ "Browse and download books from online catalogs": "瀏覽並下載線上目錄的書籍",
+ "My Catalogs": "我的目錄",
+ "Add Catalog": "新增目錄",
+ "No catalogs yet": "尚無目錄",
+ "Add your first OPDS catalog to start browsing books": "新增第一個 OPDS 目錄以開始瀏覽書籍",
+ "Add Your First Catalog": "新增第一個目錄",
+ "Browse": "瀏覽",
+ "Popular Catalogs": "熱門目錄",
+ "Add": "新增",
+ "Add OPDS Catalog": "新增 OPDS 目錄",
+ "Catalog Name": "目錄名稱",
+ "My Calibre Library": "我的 Calibre 圖書館",
+ "OPDS URL": "OPDS URL",
+ "Username (optional)": "使用者名稱(可選)",
+ "Password (optional)": "密碼(可選)",
+ "Description (optional)": "描述(可選)",
+ "A brief description of this catalog": "此目錄的簡短描述",
+ "Validating...": "驗證中...",
+ "View All": "檢視全部",
+ "Forward": "前往",
+ "Home": "首頁",
+ "{{count}} items_other": "{{count}} 項",
+ "Download completed": "下載完成",
+ "Download failed": "下載失敗",
+ "Open Access": "開放存取",
+ "Borrow": "借閱",
+ "Buy": "購買",
+ "Subscribe": "訂閱",
+ "Sample": "試閱",
+ "Download": "下載",
+ "Open & Read": "開啟並閱讀",
+ "Tags": "標籤",
+ "Tag": "標籤",
+ "First": "第一頁",
+ "Previous": "上一頁",
+ "Next": "下一頁",
+ "Last": "最後一頁",
+ "Cannot Load Page": "無法載入頁面",
+ "An error occurred": "發生錯誤",
+ "Online Library": "線上書庫",
+ "URL must start with http:// or https://": "URL 必須以 http:// 或 https:// 開頭",
+ "Title, Author, Tag, etc...": "標題、作者、標籤等...",
+ "Query": "查詢",
+ "Subject": "主題",
+ "Enter {{terms}}": "輸入 {{terms}}",
+ "No search results found": "未找到搜尋結果",
+ "Failed to load OPDS feed: {{status}} {{statusText}}": "載入 OPDS 資料源失敗:{{status}} {{statusText}}",
+ "Search in {{title}}": "在 {{title}} 中搜尋",
+ "Manage Storage": "管理儲存",
+ "Failed to load files": "載入檔案失敗",
+ "Deleted {{count}} file(s)_other": "已刪除 {{count}} 個檔案",
+ "Failed to delete {{count}} file(s)_other": "刪除 {{count}} 個檔案失敗",
+ "Failed to delete files": "刪除檔案失敗",
+ "Total Files": "檔案總數",
+ "Total Size": "總大小",
+ "Quota": "配額",
+ "Used": "已使用",
+ "Files": "檔案",
+ "Search files...": "搜尋檔案...",
+ "Newest First": "最新優先",
+ "Oldest First": "最舊優先",
+ "Largest First": "最大優先",
+ "Smallest First": "最小優先",
+ "Name A-Z": "名稱 A-Z",
+ "Name Z-A": "名稱 Z-A",
+ "{{count}} selected_other": "已選擇 {{count}} 個檔案",
+ "Delete Selected": "刪除所選",
+ "Created": "建立時間",
+ "No files found": "找不到檔案",
+ "No files uploaded yet": "尚未上傳檔案",
+ "files": "檔案",
+ "Page {{current}} of {{total}}": "第 {{current}} 頁,共 {{total}} 頁",
+ "Are you sure to delete {{count}} selected file(s)?_other": "確定要刪除已選擇的 {{count}} 個檔案嗎?",
+ "Cloud Storage Usage": "雲端儲存使用情況",
+ "Rename Group": "重新命名",
+ "From Directory": "從目錄導入",
+ "Successfully imported {{count}} book(s)_other": "成功導入 {{count}} 本書",
+ "Count": "數量",
+ "Start Page": "起始頁",
+ "Search in OPDS Catalog...": "在 OPDS 目錄中搜尋...",
+ "Please log in to use advanced TTS features": "請登入以使用進階 TTS 功能",
+ "Word limit of 30 words exceeded.": "已超過 30 個詞的限制。",
+ "Proofread": "校對",
+ "Current selection": "目前選取內容",
+ "All occurrences in this book": "本書中的所有出現位置",
+ "All occurrences in your library": "整個書庫中的所有出現位置",
+ "Selected text:": "已選取文字:",
+ "Replace with:": "取代為:",
+ "Enter text...": "請輸入文字…",
+ "Case sensitive:": "區分大小寫:",
+ "Scope:": "適用範圍:",
+ "Selection": "選取內容",
+ "Library": "書庫",
+ "Yes": "是",
+ "No": "否",
+ "Proofread Replacement Rules": "校對取代規則",
+ "Selected Text Rules": "已選取文字規則",
+ "No selected text replacement rules": "沒有已選取文字的取代規則",
+ "Book Specific Rules": "書籍層級規則",
+ "No book-level replacement rules": "沒有書籍層級的取代規則",
+ "Disable Quick Action": "停用快速操作",
+ "Enable Quick Action on Selection": "選取時啟用快速操作",
+ "None": "無",
+ "Annotation Tools": "註解工具",
+ "Enable Quick Actions": "啟用快速操作",
+ "Quick Action": "快速操作",
+ "Copy to Notebook": "複製到筆記本",
+ "Copy text after selection": "複製選取後的文字",
+ "Highlight text after selection": "劃線選取後的文字",
+ "Annotate text after selection": "註解選取後的文字",
+ "Search text after selection": "搜尋選取後的文字",
+ "Look up text in dictionary after selection": "在字典中查找選取後的文字",
+ "Look up text in Wikipedia after selection": "在維基百科中查找選取後的文字",
+ "Translate text after selection": "翻譯選取後的文字",
+ "Read text aloud after selection": "朗讀選取後的文字",
+ "Proofread text after selection": "校對選取後的文字",
+ "{{activeCount}} active, {{pendingCount}} pending": "{{activeCount}} 進行中,{{pendingCount}} 等待中",
+ "{{failedCount}} failed": "{{failedCount}} 失敗",
+ "Waiting...": "等待中...",
+ "Failed": "失敗",
+ "Completed": "已完成",
+ "Cancelled": "已取消",
+ "Retry": "重試",
+ "Active": "進行中",
+ "Transfer Queue": "傳輸佇列",
+ "Upload All": "全部上傳",
+ "Download All": "全部下載",
+ "Resume Transfers": "繼續傳輸",
+ "Pause Transfers": "暫停傳輸",
+ "Pending": "等待中",
+ "No transfers": "沒有傳輸",
+ "Retry All": "全部重試",
+ "Clear Completed": "清除已完成",
+ "Clear Failed": "清除失敗",
+ "Upload queued: {{title}}": "上傳已排隊:{{title}}",
+ "Download queued: {{title}}": "下載已排隊:{{title}}",
+ "Book not found in library": "在書庫中找不到書籍",
+ "Unknown error": "未知錯誤",
+ "Please log in to continue": "請登入以繼續",
+ "Cloud File Transfers": "雲端檔案傳輸",
+ "Show Search Results": "顯示搜尋結果",
+ "Search results for '{{term}}'": "包含「{{term}}」的結果",
+ "Close Search": "關閉搜尋",
+ "Previous Result": "上一個結果",
+ "Next Result": "下一個結果",
+ "Bookmarks": "書籤",
+ "Annotations": "註解",
+ "Show Results": "顯示結果",
+ "Clear search": "清除搜尋",
+ "Clear search history": "清除搜尋歷史",
+ "Tap to Toggle Footer": "點擊切換頁尾",
+ "Exported successfully": "匯出成功",
+ "Book exported successfully.": "書籍匯出成功。",
+ "Failed to export the book.": "書籍匯出失敗。",
+ "Export Book": "匯出書籍",
+ "Whole word:": "全詞匹配:",
+ "Error": "錯誤",
+ "Unable to load the article. Try searching directly on {{link}}.": "無法載入文章。請直接在 {{link}} 上搜尋。",
+ "Unable to load the word. Try searching directly on {{link}}.": "無法載入詞彙。請直接在 {{link}} 上搜尋。",
+ "Date Published": "出版日期",
+ "Only for TTS:": "僅用於TTS:",
+ "Uploaded": "已上傳",
+ "Downloaded": "已下載",
+ "Deleted": "已刪除",
+ "Note:": "筆記:",
+ "Time:": "時間:",
+ "Format Options": "格式選項",
+ "Export Date": "匯出日期",
+ "Chapter Titles": "章節標題",
+ "Chapter Separator": "章節分隔符",
+ "Highlights": "標記",
+ "Note Date": "筆記日期",
+ "Advanced": "進階",
+ "Hide": "隱藏",
+ "Show": "顯示",
+ "Use Custom Template": "使用自訂模板",
+ "Export Template": "匯出模板",
+ "Template Syntax:": "模板語法:",
+ "Insert value": "插入值",
+ "Format date (locale)": "格式化日期(區域)",
+ "Format date (custom)": "格式化日期(自訂)",
+ "Conditional": "條件",
+ "Loop": "迴圈",
+ "Available Variables:": "可用變數:",
+ "Book title": "書名",
+ "Book author": "作者",
+ "Export date": "匯出日期",
+ "Array of chapters": "章節陣列",
+ "Chapter title": "章節標題",
+ "Array of annotations": "標註陣列",
+ "Highlighted text": "標記文字",
+ "Annotation note": "標註筆記",
+ "Date Format Tokens:": "日期格式標記:",
+ "Year (4 digits)": "年(4位)",
+ "Month (01-12)": "月(01-12)",
+ "Day (01-31)": "日(01-31)",
+ "Hour (00-23)": "時(00-23)",
+ "Minute (00-59)": "分(00-59)",
+ "Second (00-59)": "秒(00-59)",
+ "Show Source": "顯示原始碼",
+ "No content to preview": "無內容可預覽",
+ "Export": "匯出",
+ "Set Timeout": "設定逾時",
+ "Select Voice": "選擇語音",
+ "Toggle Sticky Bottom TTS Bar": "切換固定TTS欄",
+ "Display what I'm reading on Discord": "在Discord顯示閱讀狀態",
+ "Show on Discord": "在Discord顯示",
+ "Instant {{action}}": "即時{{action}}",
+ "Instant {{action}} Disabled": "即時{{action}}已停用",
+ "Annotation": "註解",
+ "Reset Template": "重置範本",
+ "Annotation style": "標註樣式",
+ "Annotation color": "標註顏色",
+ "Annotation time": "標註時間",
+ "AI": "AI",
+ "Are you sure you want to re-index this book?": "確定要重新索引這本書嗎?",
+ "Enable AI in Settings": "在設定中啟用 AI",
+ "Index This Book": "索引這本書",
+ "Enable AI search and chat for this book": "為這本書啟用 AI 搜尋和聊天",
+ "Start Indexing": "開始索引",
+ "Indexing book...": "正在索引書籍...",
+ "Preparing...": "準備中...",
+ "Delete this conversation?": "刪除此對話?",
+ "No conversations yet": "尚無對話",
+ "Start a new chat to ask questions about this book": "開始新對話來詢問關於這本書的問題",
+ "Rename": "重新命名",
+ "New Chat": "新對話",
+ "Chat": "聊天",
+ "Please enter a model ID": "請輸入模型 ID",
+ "Model not available or invalid": "模型不可用或無效",
+ "Failed to validate model": "模型驗證失敗",
+ "Couldn't connect to Ollama. Is it running?": "無法連線到 Ollama。它是否正在執行?",
+ "Invalid API key or connection failed": "API 金鑰無效或連線失敗",
+ "Connection failed": "連線失敗",
+ "AI Assistant": "AI 助手",
+ "Enable AI Assistant": "啟用 AI 助手",
+ "Provider": "提供者",
+ "Ollama (Local)": "Ollama(本機)",
+ "AI Gateway (Cloud)": "AI 閘道(雲端)",
+ "Ollama Configuration": "Ollama 設定",
+ "Refresh Models": "重新整理模型",
+ "AI Model": "AI 模型",
+ "No models detected": "未偵測到模型",
+ "AI Gateway Configuration": "AI 閘道設定",
+ "Choose from a selection of high-quality, economical AI models. You can also bring your own model by selecting \"Custom Model\" below.": "從一系列高品質、經濟實惠的 AI 模型中選擇。您也可以透過下方的「自訂模型」使用自己的模型。",
+ "API Key": "API 金鑰",
+ "Get Key": "取得金鑰",
+ "Model": "模型",
+ "Custom Model...": "自訂模型...",
+ "Custom Model ID": "自訂模型 ID",
+ "Validate": "驗證",
+ "Model available": "模型可用",
+ "Connection": "連線",
+ "Test Connection": "測試連線",
+ "Connected": "已連線",
+ "Custom Colors": "自定義顏色",
+ "Color E-Ink Mode": "彩色墨水屏模式",
+ "Reading Ruler": "閱讀尺",
+ "Enable Reading Ruler": "啟用閱讀尺",
+ "Lines to Highlight": "突出顯示行數",
+ "Ruler Color": "尺子顏色",
+ "Command Palette": "命令面板",
+ "Search settings and actions...": "搜尋設定和操作...",
+ "No results found for": "未找到結果:",
+ "Type to search settings and actions": "輸入以搜尋設定和操作",
+ "Recent": "最近",
+ "navigate": "導覽",
+ "select": "選擇",
+ "close": "關閉",
+ "Search Settings": "搜尋設定",
+ "Page Margins": "頁邊距",
+ "AI Provider": "AI 服務商",
+ "Ollama URL": "Ollama URL",
+ "Ollama Model": "Ollama 模型",
+ "AI Gateway Model": "AI Gateway 模型",
+ "Actions": "操作",
+ "Navigation": "導覽",
+ "Set status for {{count}} book(s)_other": "設定 {{count}} 本書的狀態",
+ "Mark as Unread": "標示為未讀",
+ "Mark as Finished": "標示為已讀",
+ "Finished": "已讀",
+ "Unread": "未讀",
+ "Clear Status": "清除狀態",
+ "Status": "狀態",
+ "Loading": "正在載入",
+ "Exit Paragraph Mode": "退出段落模式",
+ "Paragraph Mode": "段落模式",
+ "Embedding Model": "嵌入模型",
+ "{{count}} book(s) synced_other": "{{count}} 本書已同步",
+ "Unable to start RSVP": "無法啟動 RSVP",
+ "RSVP not supported for PDF": "PDF 不支援 RSVP",
+ "Select Chapter": "選擇章節",
+ "Context": "上下文",
+ "Ready": "準備就緒",
+ "Chapter Progress": "章節進度",
+ "words": "詞",
+ "{{time}} left": "剩餘 {{time}}",
+ "Reading progress": "閱讀進度",
+ "Click to seek": "點擊跳轉",
+ "Skip back 15 words": "回退 15 詞",
+ "Back 15 words (Shift+Left)": "回退 15 詞 (Shift+Left)",
+ "Pause (Space)": "暫停 (空格)",
+ "Play (Space)": "播放 (空格)",
+ "Skip forward 15 words": "前進 15 詞",
+ "Forward 15 words (Shift+Right)": "前進 15 詞 (Shift+Right)",
+ "Pause:": "暫停:",
+ "Decrease speed": "減速",
+ "Slower (Left/Down)": "較慢 (左/下)",
+ "Current speed": "當前速度",
+ "Increase speed": "加速",
+ "Faster (Right/Up)": "較快 (右/上)",
+ "Start RSVP Reading": "開始 RSVP 閱讀",
+ "Choose where to start reading": "選擇閱讀起始位置",
+ "From Chapter Start": "從章節開始",
+ "Start reading from the beginning of the chapter": "重新從本章節開始閱讀",
+ "Resume": "繼續",
+ "Continue from where you left off": "從上次離開的地方繼續",
+ "From Current Page": "從當前頁",
+ "Start from where you are currently reading": "從當前正在閱讀的位置開始",
+ "From Selection": "從選取內容",
+ "Speed Reading Mode": "快讀模式",
+ "Scroll left": "向左捲動",
+ "Scroll right": "向右捲動",
+ "Library Sync Progress": "資料庫同步進度",
+ "Back to library": "返回書庫",
+ "Group by...": "分組方式...",
+ "Export as Plain Text": "匯出為純文字",
+ "Export as Markdown": "匯出為 Markdown",
+ "Show Page Navigation Buttons": "顯示翻頁按鈕",
+ "Page {{number}}": "第 {{number}} 頁",
+ "highlight": "高亮",
+ "underline": "底線",
+ "squiggly": "波浪線",
+ "red": "紅色",
+ "violet": "紫色",
+ "blue": "藍色",
+ "green": "綠色",
+ "yellow": "黃色",
+ "Select {{style}} style": "選擇 {{style}} 樣式",
+ "Select {{color}} color": "選擇 {{color}} 顏色",
+ "Close Book": "關閉書籍",
+ "Speed Reading": "快速閱讀",
+ "Close Speed Reading": "關閉快速閱讀",
+ "Authors": "作者",
+ "Books": "書籍",
+ "Groups": "分組",
+ "Back to TTS Location": "回到朗讀位置",
+ "Metadata": "元數據",
+ "Image viewer": "圖片檢視器",
+ "Previous Image": "上一張圖片",
+ "Next Image": "下一張圖片",
+ "Zoomed": "已縮放",
+ "Zoom level": "縮放級別",
+ "Table viewer": "表格檢視器",
+ "Unable to connect to Readwise. Please check your network connection.": "無法連接到 Readwise。請檢查您的網路連線。",
+ "Invalid Readwise access token": "無效的 Readwise 存取權杖",
+ "Disconnected from Readwise": "已斷開與 Readwise 的連線",
+ "Never": "從不",
+ "Readwise Settings": "Readwise 設定",
+ "Connected to Readwise": "已連接到 Readwise",
+ "Last synced: {{time}}": "上次同步時間:{{time}}",
+ "Sync Enabled": "同步已啟用",
+ "Disconnect": "斷開連線",
+ "Connect your Readwise account to sync highlights.": "連接您的 Readwise 帳戶以同步高亮內容。",
+ "Get your access token at": "獲取您的存取權杖:",
+ "Access Token": "存取權杖",
+ "Paste your Readwise access token": "貼上您的 Readwise 存取權杖",
+ "Config": "配置",
+ "Readwise Sync": "Readwise 同步",
+ "Push Highlights": "推送高亮內容",
+ "Highlights synced to Readwise": "高亮內容已同步到 Readwise",
+ "Readwise sync failed: no internet connection": "Readwise 同步失敗:無網路連線",
+ "Readwise sync failed: {{error}}": "Readwise 同步失敗:{{error}}"
+}
diff --git a/apps/readest-app/public/manifest.json b/apps/readest-app/public/manifest.json
new file mode 100644
index 0000000000000000000000000000000000000000..16698779acbd58711f1f8833dc71d0992a2eb94c
--- /dev/null
+++ b/apps/readest-app/public/manifest.json
@@ -0,0 +1,26 @@
+{
+ "name": "Readest",
+ "short_name": "Readest",
+ "start_url": "/",
+ "display": "standalone",
+ "background_color": "#ffffff",
+ "description": "Readest is an open-source eBook reader supporting EPUB, PDF, and sync across devices.",
+ "icons": [
+ {
+ "src": "/icon.png",
+ "type": "image/png",
+ "sizes": "192x192"
+ },
+ {
+ "src": "/icon.png",
+ "type": "image/png",
+ "sizes": "256x256"
+ },
+ {
+ "src": "/icon.png",
+ "type": "image/png",
+ "sizes": "512x512"
+ }
+ ],
+ "splash_pages": null
+}
diff --git a/apps/readest-app/raw-loader.d.ts b/apps/readest-app/raw-loader.d.ts
new file mode 100644
index 0000000000000000000000000000000000000000..1edd31c79d93923c843517904a63c50e65647f02
--- /dev/null
+++ b/apps/readest-app/raw-loader.d.ts
@@ -0,0 +1,4 @@
+declare module '!!raw-loader!*' {
+ const contents: string;
+ export = contents;
+}
diff --git a/apps/readest-app/release-notes.json b/apps/readest-app/release-notes.json
new file mode 100644
index 0000000000000000000000000000000000000000..b1d47728254e862242bd5164747f42673f7418cb
--- /dev/null
+++ b/apps/readest-app/release-notes.json
@@ -0,0 +1,962 @@
+{
+ "releases": {
+ "0.9.100": {
+ "date": "2026-02-13",
+ "notes": [
+ "Text-to-Speech: Automatically moves to the next chapter when the current chapter finishes",
+ "Reading: Fixed the reading ruler on Android",
+ "Reading: Improved RSVP layout and stability",
+ "Reading: Fixed an issue where some EPUB books could not adjust font size",
+ "Annotations: Added a magnifier (loupe) when adjusting text selection",
+ "Annotations: Text selection now snaps to word boundaries for better accuracy",
+ "Annotations: Custom highlight colors now apply correctly in the sidebar",
+ "Dictionary: Added a back button for easier navigation",
+ "Dictionary: Fixed an issue where Dictionary and Wikipedia could not open on Android",
+ "Metadata: Added collapsible sections in Book Details",
+ "Metadata: Added support for parsing series information from Calibre-exported EPUB files",
+ "Eink: Improved component layout and colors in E-ink mode",
+ "Layout: Sidebar toggle button position is now persistent"
+ ]
+ },
+ "0.9.99": {
+ "date": "2026-02-07",
+ "notes": [
+ "Reading: Added a reading ruler (line highlight) to help guide your eyes while reading",
+ "Reading: Added paragraph-by-paragraph reading mode for more focused navigation",
+ "Reading: Added a speed reading mode to support faster reading workflows",
+ "Reading: Added support for gamepad input to turn pages",
+ "Accessibility: Improved TalkBack support in dropdown menus for smoother navigation",
+ "Accessibility: Page navigation buttons are now always visible to screen readers",
+ "Accessibility: Reading progress is now updated correctly when navigating with screen readers",
+ "Annotations: Expanded highlight customization with more color options",
+ "Annotations: Added an option to export annotations as plain text",
+ "Library: Added grouping by author and series for better library organization",
+ "Library: Added support of marking books as finished",
+ "Search: Added fuzzy search to quickly find settings even with partial keywords",
+ "Table of Contents: Added page numbers for nested TOC entries",
+ "Text-to-Speech: Added navigation controls to return to the current reading position",
+ "Linux: Added an in-app updater for AppImage builds",
+ "E-ink: Improved color support for color E-ink devices to display richer highlights"
+ ]
+ },
+ "0.9.98": {
+ "date": "2026-01-21",
+ "notes": [
+ "Bookshelf: Added the ability to export original book files directly from the book details dialog",
+ "Bookshelf: Added a new sorting option to organize books by publish date",
+ "Bookshelf: Improved performance for large library with faster and more stable imports",
+ "OPDS: Improved download reliability by correctly detecting filenames for PDF and CBZ files",
+ "Proofreading: Added support for whole-word replacement to make text corrections more precise",
+ "Notes: Added the ability to export notes using a customizable template",
+ "PDF: Added support for panning within PDF documents for easier navigation",
+ "PDF: Improved performance by pre-rendering the next page for smoother page transitions",
+ "Text-to-Speech: Added support for word replacement to improve pronunciation during playback",
+ "Text-to-Speech: Fixed an issue where playback speed settings were not applied correctly on Linux",
+ "E-ink: Improved reading stability by preventing unwanted scrolling when animations are disabled or on e-ink devices",
+ "Discord: Added Discord Rich Presence to display your current reading status on Desktop platforms",
+ "Android: Fixed an issue that could cause occasional crashes during app startup",
+ "Fonts: Improved web font loading for faster and more stable text rendering"
+ ]
+ },
+ "0.9.97": {
+ "date": "2026-01-10",
+ "notes": [
+ "Annotations: Added annotation bubble icons directly on text with instant note popups",
+ "Annotations: Enabled quick highlighting when selecting text",
+ "Annotations: Added the ability to edit the text range of existing highlights",
+ "Annotations: Added an annotation navigation bar for easier browsing",
+ "OPDS: Fixed an issue where CBZ files could not be downloaded from OPDS catalogs",
+ "OPDS: Improved compatibility with Komga OPDS servers",
+ "OPDS: Added support for OPDS servers using self-signed SSL certificates",
+ "PDF: Fixed an issue where some PDF files failed to open",
+ "E-ink: Optimized colors and layout for improved e-ink device readability",
+ "Search: Added search term history for quicker repeated searches",
+ "Text-to-Speech: Reduced excessive pauses between sentences for smoother playback",
+ "File Transfer: Introduced a background transfer queue for uploading and downloading books",
+ "Proofreading: Added a proofread tool that can replace text directly within books"
+ ]
+ },
+ "0.9.96": {
+ "date": "2025-12-19",
+ "notes": [
+ "TTS: Resolved an issue where Edge TTS was blocked in certain regions",
+ "OPDS: Improved compatibility with older versions of Calibre Web",
+ "OPDS: Added an instant search bar for faster browsing in OPDS catalogs",
+ "OPDS: Added a curated book catalog from Standard Ebooks",
+ "Bookshelf: Added a “Group Books” action to the context menu",
+ "Comics: Fixed layout issues to improve comic book reading",
+ "Layout: Footnote popups now adapt correctly to different screen sizes",
+ "Layout: Fixed an issue where the maximum inline width was not applied to EPUBs",
+ "Sync: Improved file downloading by correctly handling special characters in filenames",
+ "UI: Added an option to temporarily dismiss the reading progress bar",
+ "Settings: Screen brightness adjustments now apply only to the reader view",
+ "iOS: You can now open files directly in Readest from the Files app",
+ "macOS: Added a global menu option to open files with Readest"
+ ]
+ },
+ "0.9.95": {
+ "date": "2025-12-08",
+ "notes": [
+ "OPDS: You can now search, browse, and download ebooks directly from OPDS catalogs",
+ "OPDS: Improved compatibility with Calibre Web for reliable downloads",
+ "OPDS: Fixed an issue where book covers from self-hosted Calibre OPDS servers did not display correctly",
+ "Cloud Storage: You can view and delete files stored in your cloud storage directly from the app",
+ "Bookshelf: Added support for importing books from a folder recursively",
+ "Bookshelf: You can now rename your bookshelf groups",
+ "EPUB: Added support for SVG covers from Standard Ebooks",
+ "Annotations: Keyboard shortcuts no longer copy selected text into the notebook",
+ "Footnotes: Footnote popups now scale properly on small screens",
+ "Touch/Styli: Removed the context menu for smoother interaction on touch and stylus devices",
+ "Layout: Devices with unfoldable screens now automatically switch to a two-column layout",
+ "PDF: Improved zoomed-in navigation and hand-tool behavior for smoother page navigation",
+ "Android: Fixed highlighting of the current sentence when using native Android text-to-speech",
+ "Android: Back button handling now works correctly on Android 15 and above",
+ "Android: You can now open files shared from other apps"
+ ]
+ },
+ "0.9.94": {
+ "date": "2025-12-02",
+ "notes": [
+ "OPDS: You can now browse and download ebooks directly from OPDS catalogs",
+ "PDF: Added a hand-tool mode that makes navigating PDF pages easier",
+ "Covers: You can now choose a folder to save the latest book cover image",
+ "CJK: Added one-tap conversion between Simplified and Traditional Chinese",
+ "Shortcuts: Use Ctrl + mouse wheel to quickly zoom in or out",
+ "Library: Added a new option to adjust cover sizes in grid view",
+ "Windows: Added Ebook thumbnails with book covers in Windows Explorer",
+ "TTS: Fixed an issue where the page would scroll when showing the annotator",
+ "Annotations: Resolved layout shifts when selecting text in paginated mode on Android",
+ "Files: Improved backup handling to prevent file corruption",
+ "Layout: Fixed text clipping caused by negative indents",
+ "E-ink: Improved sidebar and notebook background colors for e-ink devices",
+ "Android: The Back button now works properly in menus, dialogs, and alerts",
+ "iOS: Fixed occasional failures when opening books on older iOS versions (16.4 and below)"
+ ]
+ },
+ "0.9.93": {
+ "date": "2025-11-20",
+ "notes": [
+ "Sync: Improved reliability for new accounts so your books sync correctly from the start",
+ "Library: Fixed an occasional issue where returning to the library could get stuck",
+ "Layout: Improved image display in paginated mode so images won't exceed the available height",
+ "TXT: Improved performance and stability when opening and parsing TXT files",
+ "Fonts: Fixed an issue where monospace fonts were not applied correctly in code blocks"
+ ]
+ },
+ "0.9.92": {
+ "date": "2025-11-18",
+ "notes": [
+ "Bookshelf: Added support for nested groups to organize your books more flexibly",
+ "Sync: Improved reliability by automatically retrying failed book syncs",
+ "Sync: Improved token refresh so login sessions stay active longer on KOReader",
+ "E-Ink: Enhanced readability on the library page for E-Ink devices",
+ "UI: Storage capacity is now displayed with precise values in the user profile",
+ "Reader: You can now import files directly into the currently selected book group",
+ "Account: You can now update the email address linked to your Readest account",
+ "Footnotes: Added compatibility for more footnote formats"
+ ]
+ },
+ "0.9.91": {
+ "date": "2025-10-29",
+ "notes": [
+ "TTS: Fixed an issue where system voices were not working on Android",
+ "TTS: Added options to customize the highlight style during read-aloud",
+ "E-Ink: Disabled all shadows to improve display clarity",
+ "E-Ink: Added an option to save the last book cover on Android",
+ "Android: Fixed a crash that occurred when toggling 'Allow Script'",
+ "Android: Adjusted launcher icon size for better compatibility across devices"
+ ]
+ },
+ "0.9.90": {
+ "date": "2025-10-28",
+ "notes": [
+ "Sync: Faster library syncing and support for in-app one-time purchases of extra cloud storage",
+ "TTS: You can now choose the target language for read-aloud on translated books",
+ "Reader: New keyboard shortcuts make it easier to move between sections",
+ "Reader: Smoother scrolling for a more comfortable reading experience",
+ "Reader: Footnotes in definition lists are now fully supported",
+ "Reader: Improved search accuracy and display of search results",
+ "Reader: Clearer error messages when importing books",
+ "Reader: Improved safety when loading book content",
+ "Settings: You can now choose your own highlight colors",
+ "Settings: Added option to adjust screen brightness automatically",
+ "E-Ink: Better readability and clearer progress display with underlined links",
+ "Android: You can now store app data on an external SD card",
+ "iOS: Restores your last reading page if the app was closed in the background",
+ "Localization: Added Persian (Farsi) language support"
+ ]
+ },
+ "0.9.88": {
+ "date": "2025-10-18",
+ "notes": [
+ "TTS: Fixed issue where the read-aloud indicator disappeared too quickly",
+ "Layout: Overriding book layout no longer affects explicitly set text alignment",
+ "Reader: Added localized number display for reading progress in vertical layout",
+ "Reader: Enhanced swipe responsiveness for smoother page transitions",
+ "Settings: Added an option to disable animations when using E-Ink mode"
+ ]
+ },
+ "0.9.87": {
+ "date": "2025-10-16",
+ "notes": [
+ "Reader: Improved chapter detection with better chapter title recognition",
+ "Reader: Enhanced compatibility for parsing more footnote formats",
+ "Theme: Fixed auto theme switching in new reader windows",
+ "TTS: Improved scrolling accuracy to highlighted text during read-aloud",
+ "TTS: Fixed crash issues on certain Android systems"
+ ]
+ },
+ "0.9.86": {
+ "date": "2025-10-14",
+ "notes": [
+ "Reader: Added support for per-book background image customization",
+ "Reader: Added option to override book language metadata for improved hyphenation accuracy",
+ "Sync: Readest sync in KOReader can now be triggered using gesture controls",
+ "Sync: Fixed a crash in KOReader that occurred when syncing progress without an open book",
+ "Sync: Improved upload performance with concurrent upload support"
+ ]
+ },
+ "0.9.85": {
+ "date": "2025-10-14",
+ "notes": [
+ "TTS: Improved media session control compatibility across more Android systems",
+ "TTS: Made the TTS icon less distracting during read-aloud mode",
+ "Settings: Added an option to adjust screen brightness while reading",
+ "Settings: Added support for custom background images",
+ "PDF: Fixed an issue where scrolling and panning didn’t work correctly when zoomed in",
+ "Android: Added adaptive launcher icon for better system integration",
+ "Reader: Added keyboard shortcuts for toggling bookmarks",
+ "Reader: Annotations are now rendered instantly when opening files"
+ ]
+ },
+ "0.9.82": {
+ "date": "2025-10-01",
+ "notes": [
+ "Sync: More reliable syncing between KOReader and Readest",
+ "MOBI: Fixed an issue where some footnotes in MOBI/AZW files were not parsed correctly",
+ "Storage: Added support for changing data location on Windows, macOS, Linux, and Android",
+ "Windows: Portable EXE version now stores all reading data in the directory of the executable",
+ "Android: Added background TTS support with media session controls",
+ "WebView: Extended compatibility down to version 92",
+ "Settings: Added global settings menu to the library page",
+ "iOS: Fixed an issue where custom theme colors were not handled correctly on older Safari versions",
+ "TTS: Added more languages for Edge TTS"
+ ]
+ },
+ "0.9.81": {
+ "date": "2025-09-19",
+ "notes": [
+ "TTS: Added desktop common media control support when TTS is playing",
+ "PDF: Disabled swipe-up gesture for toggling the action bar when zoomed in",
+ "Fonts: Fixed an issue where embedded fonts in ebooks were occasionally not applied",
+ "Reader: Fixed an issue where newly created highlights sometimes would not appear",
+ "Reader: Enabled scrolling in the menu when the menu is too long"
+ ]
+ },
+ "0.9.80": {
+ "date": "2025-09-19",
+ "notes": [
+ "Accessibility: Added support for popular screen readers on all platforms, making books accessible to readers with visual impairments",
+ "Sync: Progress is now synced across different versions of the same book by aggregated metadata",
+ "Library: Groups are now displayed in list view for easier organization",
+ "Library: Added delete confirmation when removing books from the context menu",
+ "Fonts: Added support for fonts with subfamilies when importing TTF/OTF font files",
+ "Layout: Prevented layout shift in Android when the virtual keyboard appears"
+ ]
+ },
+ "0.9.78": {
+ "date": "2025-09-06",
+ "notes": [
+ "TTS: Added option to keep a persistent TTS bar at the bottom of the screen",
+ "TTS: Added previous/next sentence navigation controls in the TTS bar",
+ "TTS: Added media control support on iOS lock screen and AirPods",
+ "TTS: Fixed an issue where headings could not be highlighted for TTS",
+ "Sync: Fixed occasional sync failures between KOReader and Readest",
+ "Fonts: Grouped font styles into custom font families for easier selection",
+ "Reader: Improved text selection sensitivity when using a stylus",
+ "Reader: Books can now be properly closed using the system back button on Android",
+ "EPUB: Fixed parsing to correctly detect the front cover in some EPUB files",
+ "PDF: Added zoom level, zoom mode, and spread mode settings for PDFs",
+ "Reader: Bookmarks can now be edited directly in the sidebar",
+ "Layout: Prevented layout shift when the virtual keyboard appears on Android",
+ "TXT: Improved chapter detection and added support for nested table of contents in TXT files"
+ ]
+ },
+ "0.9.76": {
+ "date": "2025-08-30",
+ "notes": [
+ "Sync: Moved KOReader sync controls into the reader sidebar with a manual push/pull option",
+ "Sync: Improved tolerance and reliability for KOReader sync operations",
+ "Sync: Added support for more KOReader server implementations",
+ "Fonts: Added support for importing multiple styles within a font family",
+ "Reader: Fixed an issue where footnotes are empty in some EPUB files",
+ "Theme: Applied theme background color for PDFs on macOS",
+ "Reader: Added support for importing AZW3 files on Android",
+ "Reader: Reduced screen flash when launching the app and opening books",
+ "Layout: Fixed an issue where the grouping modal would not appear on Linux"
+ ]
+ },
+ "0.9.75": {
+ "date": "2025-08-22",
+ "notes": [
+ "Fonts: Added support for importing local TTF and ODF fonts",
+ "TTS: Reduced the pause between sentences when using Edge TTS",
+ "TTS: Fixed an issue where voices list could not be opened on older versions of iOS",
+ "TOC: Fixed an issue where nested TOC items would not collapse properly in some books",
+ "Translator: Fixed an issue where translations in the popup did not refresh correctly",
+ "Library: Added option to sort authors with last name first",
+ "Layout: Fixed mismatch in close button position between the reader and library pages",
+ "Layout: Book title now remains centered in the available space",
+ "Layout: Fixed footer bar layout in landscape mode"
+ ]
+ },
+ "0.9.72": {
+ "date": "2025-08-18",
+ "notes": [
+ "Fixed Edge TTS voice playback for EPUBs",
+ "Reduced accidental page flips when toggling toolbars",
+ "Fixed images with background colors not displaying correctly in some books",
+ "Added support for custom KOReader Sync Servers on your local network (LAN)"
+ ]
+ },
+ "0.9.71": {
+ "date": "2025-08-13",
+ "notes": [
+ "Sync: Added two ways to sync reading progress with KOReader devices",
+ "EPUB: Applied monospace font settings",
+ "EPUB: Fixed initial text alignment for some EPUB files",
+ "PDF: Fixed issue opening large PDF files on Android",
+ "TTS: Improved book language detection when language code is invalid",
+ "iOS: Fixed applying system color scheme in auto theme mode",
+ "Config: Added option to choose reading progress display style (percentage or page number)",
+ "Library: Added option to delete only the local copy of a book",
+ "Account: Added 'Reset Password' button in the account page"
+ ]
+ },
+ "0.9.69": {
+ "date": "2025-08-02",
+ "notes": [
+ "Updater: Fixed permission issue when updating in standalone reader window",
+ "Config: Added option to disable double‑click actions",
+ "EPUB: Fixed missing images in some EPUB files",
+ "EPUB: Corrected formatting for book subjects",
+ "TXT: Improved language detection when parsing TXT files",
+ "CSS: Resolved issue where custom font colors could not be applied",
+ "Layout: Corrected cover image width display in 'Fit' mode for list view",
+ "Layout: Fixed unintended scrolling in reader view when highlighting text"
+ ]
+ },
+ "0.9.68": {
+ "date": "2025-07-30",
+ "notes": [
+ "Reader: Files now open in a new window by default on Desktop",
+ "Translation: Skips translating content inside , , and