diff --git a/.eslintrc.cjs b/.eslintrc.cjs deleted file mode 100644 index 4bd7b71c7..000000000 --- a/.eslintrc.cjs +++ /dev/null @@ -1,8 +0,0 @@ -module.exports = { - extends: ['react-app'], - rules: { - 'no-unused-vars': 'off', - '@typescript-eslint/no-unused-vars': 'warn' - }, - ignorePatterns: ['android/**', 'build/**', 'node_modules/**', 'public/**', 'electron/**'] -}; \ No newline at end of file diff --git a/.github/workflows/test.yml b/.github/workflows/test.yml new file mode 100644 index 000000000..c46ac5850 --- /dev/null +++ b/.github/workflows/test.yml @@ -0,0 +1,295 @@ +name: Test Builds + +on: + push: + branches: [ development, master ] + pull_request: + branches: [ development, master ] + +jobs: + test-linux: + name: Test Linux (Ubuntu) + runs-on: ubuntu-22.04 + steps: + - uses: actions/checkout@v4 + with: + fetch-depth: 0 + + - name: Setup Node.js v22 + uses: actions/setup-node@v4 + with: + node-version: 22 + cache: 'yarn' + + - name: Cache electron binaries + uses: actions/cache@v4 + with: + path: ~/.cache/electron + key: ${{ runner.os }}-electron-${{ hashFiles('**/yarn.lock') }} + restore-keys: ${{ runner.os }}-electron- + + - name: Install dependencies + run: | + for i in 1 2 3; do + echo "yarn install attempt $i" + yarn install --frozen-lockfile --ignore-engines --network-timeout 100000 --network-concurrency 1 && break + sleep 5 + [ "$i" = "3" ] && exit 1 + done + + - name: Download IPFS + run: node electron/download-ipfs && chmod +x bin/linux/ipfs + + - name: Build React App + run: yarn build + env: + CI: '' + + - name: Build Electron App (Linux) + run: yarn electron:build:linux + + - name: Smoke Test + run: | + echo "Testing AppImage startup..." + APPIMAGE=$(find dist -name "*.AppImage" | head -n 1) + echo "Found AppImage: $APPIMAGE" + chmod +x "$APPIMAGE" + # Use --appimage-extract-and-run to avoid FUSE requirement in CI + # Run with timeout and expect it to start (will be killed after timeout) + timeout 10s "$APPIMAGE" --appimage-extract-and-run --no-sandbox & + APP_PID=$! + sleep 5 + # Check if process is still running (means it started successfully) + if kill -0 $APP_PID 2>/dev/null; then + echo "✓ App started successfully" + kill $APP_PID 2>/dev/null || true + exit 0 + else + echo "✗ App failed to start" + exit 1 + fi + + test-mac-intel: + name: Test Mac (Intel) + runs-on: macos-15-intel + steps: + - uses: actions/checkout@v4 + with: + fetch-depth: 0 + + - name: Setup Node.js v22 + uses: actions/setup-node@v4 + with: + node-version: 22 + cache: 'yarn' + + - name: Install setuptools for native modules + run: | + # Use pip with --break-system-packages for CI environment + pip3 install --break-system-packages setuptools || pip3 install --user setuptools || true + + - name: Cache electron binaries + uses: actions/cache@v4 + with: + path: ~/Library/Caches/electron + key: ${{ runner.os }}-electron-${{ hashFiles('**/yarn.lock') }} + restore-keys: ${{ runner.os }}-electron- + + - name: Install dependencies + run: | + for i in 1 2 3; do + echo "yarn install attempt $i" + yarn install --frozen-lockfile --ignore-engines --network-timeout 100000 --network-concurrency 1 && break + sleep 5 + [ "$i" = "3" ] && exit 1 + done + + - name: Download IPFS + run: node electron/download-ipfs && chmod +x bin/mac/ipfs + + - name: Build React App + run: yarn build + env: + CI: '' + + - name: Build Electron App + # Use --dir to build only the .app bundle without DMG + # This avoids flaky hdiutil "Resource busy" errors in CI + run: yarn build && yarn build:preload && yarn electron-builder build --publish never -m --dir + + - name: Smoke Test + run: | + if [ -d "dist/mac/5chan.app" ]; then + echo "Testing dist/mac/5chan.app..." + # Run the app in background - it will start IPFS which takes time + # We just verify it launches without crashing + ./dist/mac/5chan.app/Contents/MacOS/5chan & + APP_PID=$! + sleep 10 + # Check if process is still running (means it started successfully) + if kill -0 $APP_PID 2>/dev/null; then + echo "✓ App started successfully" + kill $APP_PID 2>/dev/null || true + # Also kill any child processes (IPFS) + pkill -P $APP_PID 2>/dev/null || true + pkill -f ipfs 2>/dev/null || true + exit 0 + else + echo "✗ App failed to start or crashed" + exit 1 + fi + else + echo "Could not find dist/mac/5chan.app to test" + ls -R dist + exit 1 + fi + + test-mac-arm: + name: Test Mac (Apple Silicon) + runs-on: macOS-14 + steps: + - uses: actions/checkout@v4 + with: + fetch-depth: 0 + + - name: Setup Node.js v22 + uses: actions/setup-node@v4 + with: + node-version: 22 + cache: 'yarn' + + - name: Install setuptools for native modules + run: | + # Use pip with --break-system-packages for CI environment + pip3 install --break-system-packages setuptools || pip3 install --user setuptools || true + + - name: Cache electron binaries + uses: actions/cache@v4 + with: + path: ~/Library/Caches/electron + key: ${{ runner.os }}-electron-${{ hashFiles('**/yarn.lock') }} + restore-keys: ${{ runner.os }}-electron- + + - name: Install dependencies + run: | + for i in 1 2 3; do + echo "yarn install attempt $i" + yarn install --frozen-lockfile --ignore-engines --network-timeout 100000 --network-concurrency 1 && break + sleep 5 + [ "$i" = "3" ] && exit 1 + done + + - name: Download IPFS + run: node electron/download-ipfs && chmod +x bin/mac/ipfs + + - name: Build React App + run: yarn build + env: + CI: '' + + - name: Build Electron App + # On M1 runner, this should produce arm64 build + # Use --dir to build only the .app bundle without DMG + # This avoids flaky hdiutil "Resource busy" errors in CI + run: yarn build && yarn build:preload && yarn electron-builder build --publish never -m --dir + + - name: Smoke Test + run: | + if [ -d "dist/mac-arm64/5chan.app" ]; then + APP_PATH="dist/mac-arm64/5chan.app" + elif [ -d "dist/mac/5chan.app" ]; then + APP_PATH="dist/mac/5chan.app" + else + echo "Could not find 5chan.app to test" + ls -R dist + exit 1 + fi + + echo "Testing $APP_PATH..." + # Run the app in background - it will start IPFS which takes time + # We just verify it launches without crashing + "./$APP_PATH/Contents/MacOS/5chan" & + APP_PID=$! + sleep 10 + # Check if process is still running (means it started successfully) + if kill -0 $APP_PID 2>/dev/null; then + echo "✓ App started successfully" + kill $APP_PID 2>/dev/null || true + # Also kill any child processes (IPFS) + pkill -P $APP_PID 2>/dev/null || true + pkill -f ipfs 2>/dev/null || true + exit 0 + else + echo "✗ App failed to start or crashed" + exit 1 + fi + + test-windows: + name: Test Windows + runs-on: windows-2022 + steps: + - uses: actions/checkout@v4 + with: + fetch-depth: 0 + + - name: Setup Node.js v22 + uses: actions/setup-node@v4 + with: + node-version: 22 + cache: 'yarn' + + - name: Cache electron binaries + uses: actions/cache@v4 + with: + path: ~/AppData/Local/electron/Cache + key: ${{ runner.os }}-electron-${{ hashFiles('**/yarn.lock') }} + restore-keys: ${{ runner.os }}-electron- + + - name: Install dependencies + shell: bash + run: | + for i in 1 2 3; do + echo "yarn install attempt $i" + yarn install --frozen-lockfile --ignore-engines --network-timeout 100000 --network-concurrency 1 && break + sleep 5 + [ "$i" = "3" ] && exit 1 + done + + - name: Download IPFS + run: node electron/download-ipfs + + - name: Build React App + run: yarn build + env: + CI: '' + + - name: Build Electron App + run: yarn electron:build:windows + timeout-minutes: 30 + + - name: Smoke Test + shell: bash + run: | + # Try to find the unpacked executable first as it's easiest to run + if [ -d "dist/win-unpacked" ]; then + echo "Testing unpacked exe..." + # Run with timeout - app starts IPFS so won't exit on its own + timeout 15s ./dist/win-unpacked/5chan.exe & + APP_PID=$! + sleep 8 + # Check if process started successfully + if kill -0 $APP_PID 2>/dev/null; then + echo "✓ App started successfully" + taskkill //F //PID $APP_PID 2>/dev/null || true + # Kill any IPFS processes + taskkill //F //IM ipfs.exe 2>/dev/null || true + exit 0 + else + echo "✗ App failed to start" + exit 1 + fi + else + echo "No unpacked directory found" + ls -R dist + exit 1 + fi diff --git a/.gitignore b/.gitignore index 5a19a7f03..865c0404e 100644 --- a/.gitignore +++ b/.gitignore @@ -159,11 +159,4 @@ yarn-debug.log* yarn-error.log* .vscode -.cursor -.playwright-mcp - -# YoYo AI version control directory -.yoyo/ - -.specstory/ -.cursorindexingignore \ No newline at end of file +.cursor \ No newline at end of file diff --git a/.oxfmtrc.json b/.oxfmtrc.json new file mode 100644 index 000000000..f049855fd --- /dev/null +++ b/.oxfmtrc.json @@ -0,0 +1,13 @@ +{ + "$schema": "./node_modules/oxfmt/configuration_schema.json", + "semi": true, + "singleQuote": true, + "printWidth": 170, + "bracketSpacing": true, + "tabWidth": 2, + "trailingComma": "all", + "jsxSingleQuote": true, + "arrowParens": "always", + "useTabs": false, + "ignorePatterns": [] +} diff --git a/AGENTS.md b/AGENTS.md new file mode 100644 index 000000000..6ddbc6a39 --- /dev/null +++ b/AGENTS.md @@ -0,0 +1,115 @@ +# AGENTS.md + +## Project Overview + +Seedit is a serverless, adminless, decentralized Reddit alternative built on the Bitsocial protocol. + +## Stack + +- **React 19** with TypeScript +- **Zustand** for state management +- **React Router v6** for routing +- **Vite** for bundling +- **plebbit-react-hooks** for Plebbit protocol integration +- **i18next** for translations +- **yarn** as package manager +- **oxlint** for linting +- **oxfmt** for formatting +- **tsgo** for type checking (native TypeScript compiler) + +## Commands + +```bash +yarn install # Install dependencies +yarn start # Start dev server (port 3000) +yarn build # Production build +yarn test # Run tests +yarn prettier # Format code +yarn electron # Run Electron app +``` + +## Code Style + +- TypeScript strict mode +- Prettier for formatting (runs on pre-commit) +- Follow DRY principle—extract reusable components + +## React Patterns (Critical) + +AI tends to overuse `useState` and `useEffect`. This project follows modern React patterns instead. + +### Do NOT + +- Use `useState` for shared/global state → use **Zustand stores** in `src/stores/` +- Use `useEffect` for data fetching → use **plebbit-react-hooks** (already handles caching, loading states) +- Copy-paste logic across components → extract into **custom hooks** in `src/hooks/` +- Use boolean flag soup (`isLoading`, `isError`, `isSuccess`) → use **state machines** with Zustand +- Use `useEffect` to sync derived state → **calculate during render** instead + +### Do + +- Use Zustand for any state shared between components +- Use plebbit-react-hooks (`useComment`, `useFeed`, `useSubplebbit`, etc.) for all Plebbit data +- Extract reusable logic into custom hooks +- Calculate derived values during render, not in effects +- Use `useMemo` only when profiling shows it's needed +- Use React Router for navigation (no manual history manipulation) + +### Quick Reference + +| Concern | ❌ Avoid | ✅ Use Instead | +|---------|----------|----------------| +| Shared state | `useState` + prop drilling | Zustand store | +| Data fetching | `useEffect` + fetch | plebbit-react-hooks | +| Derived state | `useEffect` to sync | Calculate during render | +| Side effects | Effects without cleanup | AbortController or query libs | +| Complex flows | Boolean flags | State machine in Zustand | +| Logic reuse | Copy-paste | Custom hooks | + +## Project Structure + +``` +src/ +├── components/ # Reusable UI components +├── views/ # Page-level components (routes) +├── hooks/ # Custom React hooks +├── stores/ # Zustand stores +├── lib/ # Utilities and helpers +└── data/ # Static data (default subplebbits, etc.) +``` + +## Documentation + +The following docs exist for deeper guidance. **Do not read them automatically**—they are large and will bloat the context window. Instead: +- Be aware they exist +- Consult them when relevant to the task or when the user asks +- Offer to read them if the user seems to need React pattern guidance + +Available docs: +- **[docs/react-guide.md](docs/react-guide.md)** — Bad vs good React patterns with code examples +- **[docs/you-might-not-need-an-effect.md](docs/you-might-not-need-an-effect.md)** — When to avoid useEffect (comprehensive) + +## Recommended MCP Servers + +If you need to look up library documentation (like plebbit-react-hooks or plebbit-js), suggest the user install the **Exa MCP server**. Exa's `get_code_context_exa` tool provides accurate, up-to-date docs and code context—it offers broader coverage and fewer hallucinations than alternatives like context7. + +If you need to check Dependabot security alerts, read GitHub Actions logs, search issues/PRs, or look up code across GitHub, suggest the user install the **GitHub MCP server** with the `default,dependabot,actions` toolsets enabled. + +### Context Window Warning + +Each MCP server injects its tool definitions into the context window, consuming tokens even when the tools aren't being used. Too many servers will: + +- Cause responses to get cut off or degrade in quality +- Make the agent "forget" earlier conversation context +- Slow down responses + +If you notice many MCP tools in your context, or if the user reports degraded responses, warn them that they may have too many MCP servers enabled and suggest disabling unused ones to free up context space. + +## Boundaries + +- Never commit secrets or API keys +- Use yarn, not npm +- Keep components focused—split large components +- Add comments for complex logic, skip obvious code +- Test on mobile viewport (this is a responsive app) + diff --git a/README.md b/README.md index 257029524..4a7f63f86 100644 --- a/README.md +++ b/README.md @@ -1,31 +1,30 @@ +[![Commitizen friendly](https://img.shields.io/badge/commitizen-friendly-brightgreen.svg)](http://commitizen.github.io/cz-cli/) + _Telegram group for this repo https://t.me/seeditreact_ # Seedit -Seedit is a serverless, adminless, decentralized reddit alternative. Seedit is a client (interface) for the Plebbit protocol, which is a decentralized social network where anyone can create and fully own unstoppable communities. Learn more: https://plebbit.com +Seedit is a serverless, adminless, decentralized reddit alternative. Seedit is a client (interface) for the Bitsocial protocol, which is a decentralized social network where anyone can create and fully own unstoppable communities. Learn more: https://bitsocial.net - Seedit web version: https://seedit.app — or, using Brave/IPFS Companion: https://seedit.eth ### Downloads -- Seedit desktop version (full p2p plebbit node, seeds automatically): available for Mac/Windows/Linux, [download link in the release page](https://github.com/plebbit/seedit/releases/latest) -- Seedit mobile version: available for Android, [download link in the release page](https://github.com/plebbit/seedit/releases/latest) +- Seedit desktop version (full p2p bitsocial node, seeds automatically): available for Mac/Windows/Linux, [download link in the release page](https://github.com/bitsocialhq/seedit/releases/latest) +- Seedit mobile version: available for Android, [download link in the release page](https://github.com/bitsocialhq/seedit/releases/latest)
## How to create a community -In the plebbit protocol, a seedit community is called a _subplebbit_. To run a subplebbit, you can choose between two options: - -1. If you prefer to use a **GUI**, download the desktop version of the Seedit client, available for Windows, MacOS and Linux: [latest release](https://github.com/plebbit/seedit/releases/latest). Create a subplebbit using using the familiar old.reddit-like UI, and modify its settings to your liking. The app runs an IPFS node, meaning you have to keep it running to have your board online. -2. If you prefer to use a **command line interface**, install plebbit-cli, available for Windows, MacOS and Linux: [latest release](https://github.com/plebbit/plebbit-cli/releases/latest). Follow the instructions in the readme of the repo. When running the daemon for the first time, it will output WebUI links you can use to manage your subplebbit with the ease of the GUI. +To run a Seedit community, you can choose between two options: -Peers can connect to your subplebbit using any plebbit client, such as Plebchan or Seedit. They only need the subplebbit's address, which is not stored in any central database, as plebbit is a pure peer-to-peer protocol. +1. If you prefer to use a **GUI**, download the desktop version of the Seedit client, available for Windows, MacOS and Linux: [latest release](https://github.com/bitsocialhq/seedit/releases/latest). Create a community using using the familiar old.reddit-like UI, and modify its settings to your liking. The app runs an IPFS node, meaning you have to keep it running to have your board online. +2. If you prefer to use a **command line interface**, install bitsocial-cli, available for Windows, MacOS and Linux: [latest release](https://github.com/bitsocialhq/bitsocial-cli/releases/latest). Follow the instructions in the readme of the repo. When running the daemon for the first time, it will output WebUI links you can use to manage your community with the ease of the GUI. -### How to add a community to the default list (p/all) -The default list of communities, used on p/all on Seedit, is plebbit's [temporary default subplebbits](https://github.com/plebbit/lists) list. You can open a pull request in that repo to add your subplebbit to the list, or contact devs via telegram [@plebbit](https://t.me/plebbit). In the future, this process will be automated by submitting proposals to a plebbit DAO, using the [plebbit token](https://etherscan.io/token/0xea81dab2e0ecbc6b5c4172de4c22b6ef6e55bd8f). +Peers can connect to your community using any Bitsocial client, such as 5chan or Seedit. They only need the community address, which is not stored in any central database, as Bitsocial is a pure peer-to-peer protocol. ## To run locally @@ -44,4 +43,4 @@ The default list of communities, used on p/all on Seedit, is plebbit's [temporar ### Build: -The linux/windows/mac/android build scripts are in https://github.com/plebbit/seedit/blob/master/.github/workflows/release.yml +The linux/windows/mac/android build scripts are in https://github.com/bitsocialhq/seedit/blob/master/.github/workflows/release.yml diff --git a/electron/after-all-artifact-build.cjs b/electron/after-all-artifact-build.cjs index 2882e562c..7f9e5dd42 100644 --- a/electron/after-all-artifact-build.cjs +++ b/electron/after-all-artifact-build.cjs @@ -32,7 +32,7 @@ function createHtmlArchive() { } } -module.exports = async function afterAllArtifactBuild(buildResult) { +module.exports = async function afterAllArtifactBuild(_buildResult) { addPortableToPortableExecutableFileName(); createHtmlArchive(); }; \ No newline at end of file diff --git a/electron/before-pack.js b/electron/before-pack.js index d77bbf554..9d92d9381 100755 --- a/electron/before-pack.js +++ b/electron/before-pack.js @@ -96,25 +96,6 @@ const downloadWithRetry = async (url, retries = 3) => { } }; -// plebbit kubo downloads dont need to be extracted -const download = async (url, destinationPath) => { - let binName = 'ipfs'; - if (destinationPath.endsWith('win')) { - binName += '.exe'; - } - const binPath = path.join(destinationPath, binName); - // already downloaded, don't download again - if (fs.pathExistsSync(binPath)) { - return; - } - const split = url.split('/'); - const fileName = split[split.length - 1]; - const downloadPath = path.join(destinationPath, fileName); - const file = await downloadWithRetry(url); - fs.ensureDirSync(destinationPath); - await fs.writeFile(binPath, file); -}; - // official kubo downloads need to be extracted const downloadAndExtract = async (url, destinationPath) => { let binName = 'ipfs'; @@ -128,14 +109,14 @@ const downloadAndExtract = async (url, destinationPath) => { console.log(`Downloading IPFS client from ${url} to ${destinationPath}`); const split = url.split('/'); const fileName = split[split.length - 1]; - const downloadPath = path.join(destinationPath, fileName); + const archivePath = path.join(destinationPath, fileName); const file = await downloadWithRetry(url); fs.ensureDirSync(destinationPath); - await fs.writeFile(downloadPath, file); - console.log(`Downloaded archive to ${downloadPath}`); - console.log(`Extracting ${downloadPath} to ${destinationPath}`); + await fs.writeFile(archivePath, file); + console.log(`Downloaded archive to ${archivePath}`); + console.log(`Extracting ${archivePath} to ${destinationPath}`); try { - await decompress(downloadPath, destinationPath); + await decompress(archivePath, destinationPath); console.log('Decompression complete'); } catch (err) { console.error('Error during decompression:', err); @@ -147,7 +128,7 @@ const downloadAndExtract = async (url, destinationPath) => { fs.moveSync(extractedBinPath, binPath); console.log('Binary moved'); console.log('Cleaning up temporary files'); - fs.removeSync(downloadPath); + fs.removeSync(archivePath); console.log('Cleanup complete'); }; @@ -167,6 +148,6 @@ export const downloadIpfsClients = async () => { } }; -export default async (context) => { +export default async (_context) => { await downloadIpfsClients(); }; diff --git a/electron/log.js b/electron/log.js index e595e6289..efe7fb904 100755 --- a/electron/log.js +++ b/electron/log.js @@ -13,7 +13,7 @@ try { if (fs.lstatSync(envPaths.log).isFile()) { fs.removeSync(envPaths.log); } -} catch (e) {} +} catch {} const logFilePath = path.join(envPaths.log, new Date().toISOString().substring(0, 7)); fs.ensureFileSync(logFilePath); diff --git a/electron/main.js b/electron/main.js index def409220..a6330fe41 100644 --- a/electron/main.js +++ b/electron/main.js @@ -1,19 +1,5 @@ import './log.js'; -import { - app, - BrowserWindow, - Menu, - MenuItem, - Tray, - screen as electronScreen, - shell, - dialog, - nativeTheme, - ipcMain, - Notification, - systemPreferences, - clipboard, -} from 'electron'; +import { app, BrowserWindow, Menu, MenuItem, Tray, shell, dialog, nativeTheme, ipcMain, Notification, systemPreferences, clipboard } from 'electron'; import isDev from 'electron-is-dev'; import fs from 'fs'; import path from 'path'; @@ -335,7 +321,7 @@ const createMainWindow = () => { }); // deny attaching webview https://www.electronjs.org/docs/latest/tutorial/security#12-verify-webview-options-before-creation - mainWindow.webContents.on('will-attach-webview', (e, webPreferences, params) => { + mainWindow.webContents.on('will-attach-webview', (e) => { // deny all e.preventDefault(); }); @@ -352,7 +338,7 @@ const createMainWindow = () => { if (tray) { try { tray.destroy(); - } catch (e) {} + } catch {} } tray = new Tray(trayIconPath); tray.setToolTip('seedit'); @@ -375,7 +361,11 @@ const createMainWindow = () => { // show/hide on tray right click tray.on('right-click', () => { - mainWindow.isVisible() ? mainWindow.hide() : mainWindow.show(); + if (mainWindow.isVisible()) { + mainWindow.hide(); + } else { + mainWindow.show(); + } }); // close to tray diff --git a/electron/preload.mjs b/electron/preload.mjs index fc9975c53..7fadc3365 100644 --- a/electron/preload.mjs +++ b/electron/preload.mjs @@ -1,7 +1,6 @@ import { contextBridge, ipcRenderer } from 'electron'; // dev uses http://localhost, prod uses file://...index.html -const isDev = window.location.protocol === 'http:'; const defaultPlebbitOptions = { plebbitRpcClientsOptions: ['ws://localhost:9138'], @@ -23,10 +22,10 @@ contextBridge.exposeInMainWorld('electron', { 'plugin:file-uploader:pickAndUploadMedia', 'plugin:file-uploader:uploadMedia', 'plugin:file-uploader:pickMedia', - 'get-notification-permission-status', - 'get-platform', - 'test-notification-permission', - 'copy-to-clipboard' + 'get-notification-permission-status', + 'get-platform', + 'test-notification-permission', + 'copy-to-clipboard', ]; if (validChannels.includes(channel)) { return ipcRenderer.invoke(channel, ...args); @@ -45,4 +44,4 @@ contextBridge.exposeInMainWorld('electronApi', { testNotification: () => ipcRenderer.invoke('test-notification-permission'), showNotification: (notification) => ipcRenderer.send('show-notification', notification), copyToClipboard: (text) => ipcRenderer.invoke('copy-to-clipboard', text), -}); \ No newline at end of file +}); diff --git a/electron/proxy-server.js b/electron/proxy-server.js index b6aa8d6f0..544c6003a 100755 --- a/electron/proxy-server.js +++ b/electron/proxy-server.js @@ -7,7 +7,7 @@ import httpProxy from 'http-proxy'; const proxy = httpProxy.createProxyServer({}); // rewrite the request -proxy.on('proxyReq', function (proxyReq, req, res, options) { +proxy.on('proxyReq', function (proxyReq) { // remove headers that could potentially cause an ipfs 403 error proxyReq.removeHeader('X-Forwarded-For'); proxyReq.removeHeader('X-Forwarded-Proto'); diff --git a/electron/start-ipfs.js b/electron/start-ipfs.js index fe8d0edb8..982333b6e 100755 --- a/electron/start-ipfs.js +++ b/electron/start-ipfs.js @@ -62,12 +62,12 @@ const startIpfs = async () => { // init ipfs client on first launch try { await spawnAsync(ipfsPath, ['init'], { env, hideWindows: true }); - } catch (e) {} + } catch {} // make sure repo is migrated try { await spawnAsync(ipfsPath, ['repo', 'migrate'], { env, hideWindows: true }); - } catch (e) {} + } catch {} // dont use 8080 port because it's too common await spawnAsync(ipfsPath, ['config', '--json', 'Addresses.Gateway', '"/ip4/127.0.0.1/tcp/6473"'], { @@ -141,7 +141,7 @@ const startIpfsAutoRestart = async () => { try { // try to run exported onError callback, can be undefined DefaultExport.onError(e)?.catch?.(console.log); - } catch (e) {} + } catch {} } pendingStart = false; }; diff --git a/electron/start-plebbit-rpc.js b/electron/start-plebbit-rpc.js index a0dcc5ae8..02768b3d9 100755 --- a/electron/start-plebbit-rpc.js +++ b/electron/start-plebbit-rpc.js @@ -23,7 +23,7 @@ const plebbitRpcAuthKeyPath = path.join(defaultPlebbitOptions.dataPath, 'auth-ke let plebbitRpcAuthKey; try { plebbitRpcAuthKey = fs.readFileSync(plebbitRpcAuthKeyPath, 'utf8'); -} catch (e) { +} catch { plebbitRpcAuthKey = randomBytes(32).toString('base64').replace(/[/+=]/g, '').substring(0, 40); fs.ensureFileSync(plebbitRpcAuthKeyPath); fs.writeFileSync(plebbitRpcAuthKeyPath, plebbitRpcAuthKey); @@ -44,7 +44,7 @@ const startPlebbitRpcAutoRestart = async () => { console.log(`plebbit rpc: listening on ws://localhost:${port} (local connections only)`); console.log(`plebbit rpc: listening on ws://localhost:${port}/${plebbitRpcAuthKey} (secret auth key for remote connections)`); - plebbitWebSocketServer.ws.on('connection', (socket, request) => { + plebbitWebSocketServer.ws.on('connection', (socket) => { console.log('plebbit rpc: new connection'); // debug raw JSON RPC messages in console if (isDev) { diff --git a/index.html b/index.html index c250b97be..d60a5352f 100644 --- a/index.html +++ b/index.html @@ -9,7 +9,19 @@ - seedit + Seedit + + + diff --git a/oxlintrc.json b/oxlintrc.json new file mode 100644 index 000000000..a2b5e25b5 --- /dev/null +++ b/oxlintrc.json @@ -0,0 +1,15 @@ +{ + "plugins": ["react"], + "rules": { + "react/react-in-jsx-scope": "off", + "react/rules-of-hooks": "error", + "react/exhaustive-deps": "warn" + }, + "ignore": [ + "android/**", + "build/**", + "node_modules/**", + "public/**", + "electron/**" + ] +} diff --git a/package.json b/package.json index 90785325b..4563e4970 100755 --- a/package.json +++ b/package.json @@ -1,8 +1,8 @@ { "name": "Seedit", "version": "0.5.10", - "description": "A GUI for plebbit similar to old.reddit", - "author": "Plebbit Labs", + "description": "A bitsocial client with a old.reddit UI", + "author": "Bitsocial Labs", "type": "module", "license": "GPL-2.0-only", "private": true, @@ -14,11 +14,7 @@ "@capacitor/status-bar": "7.0.1", "@capawesome/capacitor-android-edge-to-edge-support": "7.2.2", "@floating-ui/react": "0.26.1", - "@plebbit/plebbit-react-hooks": "https://github.com/plebbit/plebbit-react-hooks.git#d17fa5d9b50f6e489f11d67f7e652c69be33cc6d", - "@testing-library/jest-dom": "5.14.1", - "@testing-library/react": "13.0.0", - "@testing-library/user-event": "13.2.1", - "@types/jest": "29.5.5", + "@plebbit/plebbit-react-hooks": "https://github.com/plebbit/plebbit-react-hooks.git#60b9d18ebc647f76cdda8f36e2143192d7378658", "@types/node": "20.8.2", "@types/react": "18.2.25", "@types/react-dom": "18.2.10", @@ -28,7 +24,6 @@ "electron-is-dev": "2.0.0", "env-paths": "3.0.0", "ext-name": "5.0.0", - "fastestsmallesttextencoderdecoder": "1.0.22", "form-data": "4.0.2", "fs-extra": "11.2.0", "gifuct-js": "2.1.2", @@ -40,15 +35,13 @@ "lodash": "4.17.21", "memoizee": "0.4.15", "node-fetch": "2", - "prettier": "3.0.3", "react": "19.1.2", "react-ace": "14.0.1", "react-dom": "19.1.2", "react-dropzone": "14.3.8", - "react-grab": "^0.0.18", "react-i18next": "13.2.2", "react-markdown": "8.0.6", - "react-router-dom": "6.16.0", + "react-router-dom": "6.30.2", "react-router-hash-link": "2.4.3", "react-virtuoso": "4.7.8", "rehype-raw": "7.0.0", @@ -56,7 +49,6 @@ "remark-gfm": "3.0.1", "remark-supersub": "1.0.0", "tcp-port-used": "1.0.2", - "text-encoding-utf-8": "1.0.2", "typescript": "5.1.6", "zustand": "4.4.3" }, @@ -85,7 +77,9 @@ "electron:before:download-ipfs": "node electron/download-ipfs", "electron:before:delete-data": "rimraf .plebbit", "android:build:icons": "cordova-res android --skip-config --copy --resources /tmp/plebbit-react-android-icons --icon-source ./android/icons/icon.png --splash-source ./android/icons/splash.png --icon-foreground-source ./android/icons/icon-foreground.png --icon-background-source '#ffffee'", - "prettier": "prettier {src,electron}/**/*.{js,ts,tsx} --write", + "prettier": "oxfmt src/**/*.{js,ts,tsx} electron/**/*.{js,mjs}", + "lint": "oxlint src electron", + "type-check": "tsgo --noEmit", "changelog": "conventional-changelog -p angular -i CHANGELOG.md -s -r 0", "android:build": "yarn build && npx cap sync android && npx cap run android" }, @@ -111,12 +105,10 @@ "@react-scan/vite-plugin-react-scan": "0.1.8", "@types/memoizee": "0.4.9", "@types/node-fetch": "2", - "@typescript-eslint/eslint-plugin": "8.29.0", - "@typescript-eslint/parser": "8.29.0", "@vitejs/plugin-react": "4.3.4", "assert": "2.1.0", - "babel-plugin-react-compiler": "19.0.0-beta-40c6c23-20250301", - "browserify-sign": "4.2.3", + "babel-plugin-react-compiler": "1.0.0", + "buffer": "6.0.3", "concurrently": "8.0.1", "conventional-changelog-cli": "4.1.0", "cordova-res": "0.15.4", @@ -126,25 +118,37 @@ "decompress": "4.2.1", "electron": "36.4.0", "electron-builder": "26.0.12", - "eslint": "8.56.0", - "eslint-config-react-app": "7.0.1", - "eslint-plugin-react": "7.37.4", - "eslint-plugin-react-compiler": "19.0.0-beta-40c6c23-20250301", - "eslint-plugin-react-hooks": "5.2.0", "husky": "4.3.8", "isomorphic-fetch": "3.0.0", "lint-staged": "12.3.8", - "react-scan": "0.3.4", - "readable-stream": "4.7.0", + "react-grab": "0.0.98", + "react-scan": "0.4.3", "stream-browserify": "3.0.0", - "vite": "6.2.1", - "vite-plugin-eslint": "1.8.1", - "vite-plugin-node-polyfills": "0.23.0", + "vite": "npm:rolldown-vite@7.3.1", + "vite-plugin-node-polyfills": "0.24.0", "vite-plugin-pwa": "0.21.1", - "wait-on": "7.0.1" + "wait-on": "7.0.1", + "oxlint": "1.39.0", + "oxfmt": "0.24.0", + "@typescript/native-preview": "7.0.0-dev.20260115.1" }, "resolutions": { - "@bonfida/spl-name-service": "3.0.0" + "js-yaml": "4.1.1", + "baseline-browser-mapping": "^2.9.11", + "vite": "npm:rolldown-vite@7.3.1", + "qs": "6.14.1", + "mdast-util-to-hast": "12.3.0", + "node-forge": "1.3.3", + "glob": "10.5.0", + "tmp": "0.2.5", + "elliptic": "6.6.1", + "ws": "8.18.3", + "jose": "4.15.9", + "sharp": "0.34.5", + "cacache": "19.0.1", + "preact": "10.27.3", + "@remix-run/router": "1.23.2", + "@peculiar/asn1-schema": "2.5.0" }, "main": "electron/main.js", "build": { @@ -185,8 +189,8 @@ } }, "lint-staged": { - "{src,electron}/**/*.{js,ts,tsx}": [ - "prettier --write" + "{src,electron}/**/*.{js,ts,tsx,mjs}": [ + "oxfmt" ] }, "husky": { diff --git a/prettier.config.cjs b/prettier.config.cjs deleted file mode 100644 index 1adf0f16d..000000000 --- a/prettier.config.cjs +++ /dev/null @@ -1,11 +0,0 @@ -module.exports = { - semi: true, - singleQuote: true, - printWidth: 170, - bracketSpacing: true, - tabWidth: 2, - trailingComma: 'all', - jsxSingleQuote: true, - arrowParens: 'always', - useTabs: false, -} \ No newline at end of file diff --git a/public/translations/ar/default.json b/public/translations/ar/default.json index 20e3786ad..b34a73eed 100644 --- a/public/translations/ar/default.json +++ b/public/translations/ar/default.json @@ -1,13 +1,7 @@ { - "hot": "شائع", - "new": "جديد", - "active": "نشط", - "controversial": "مثير للجدل", - "top": "الأعلى تصويتًا", "about": "حول", "comments": "تعليقات", "preferences": "التفضيلات", - "account_bar_language": "العربية", "submit": "إرسال", "dark": "داكن", "light": "فاتح", @@ -22,7 +16,6 @@ "post_comments": "تعليقات", "share": "مشاركة", "save": "حفظ", - "unsave": "إلغاء الحفظ", "hide": "إخفاء", "report": "الإبلاغ", "crosspost": "نشر متقاطع", @@ -37,11 +30,7 @@ "time_1_year_ago": "منذ عام واحد", "time_x_years_ago": "منذ {{count}} سنوات", "spoiler": "حرق", - "unspoiler": "إلغاء حرق", - "reply_permalink": "رابط ثابت", - "embed": "تضمين", "reply_reply": "الرد", - "best": "أفضل", "reply_sorted_by": "مرتبة حسب", "all_comments": "جميع {{count}} التعليقات", "no_comments": "لا تعليقات (بعد)", @@ -66,11 +55,10 @@ "next": "التالي", "loading": "تحميل", "pending": "قيد الانتظار", - "or": "أو", "submit_subscriptions_notice": "المجتمعات المقترحة", "submit_subscriptions": "مجتمعاتك المشتركة", "rules_for": "قواعد لـ", - "no_communities_found": "لا توجد مجتمعات على <1>https://github.com/plebbit/lists", + "no_communities_found": "لا توجد مجتمعات على <1>https://github.com/bitsocialhq/lists", "connect_community_notice": "للاتصال بمجتمع، استخدم 🔎 في أعلى اليمين", "options": "خيارات", "hide_options": "إخفاء الخيارات", @@ -85,7 +73,6 @@ "time_x_months": "{{count}} أشهر", "time_1_year": "عام واحد", "time_x_years": "{{count}} سنوات", - "search": "بحث", "submit_post": "قدم مشاركة جديدة", "create_your_community": "أنشئ مجتمعك الخاص", "moderators": "المشرفون", @@ -95,7 +82,6 @@ "created_by": "تم إنشاؤها بواسطة {{creatorAddress}}", "community_for": "مجتمع لمدة {{date}}", "post_submitted_on": "تم تقديم هذا المنشور في {{postDate}}", - "readers_count": "قرّاء {{count}}", "users_online": "مستخدمين {{count}} هنا الآن", "point": "نقطة", "points": "نقاط", @@ -107,26 +93,15 @@ "moderation": "مراقبة", "interface_language": "لغة الواجهة", "theme": "نسق", - "profile": "الملف الشخصي", "account": "حساب", "display_name": "اسم العرض", "crypto_address": "عنوان العملة الرقمية", - "reset": "إعادة", - "changes": "تغييرات", "check": "تحقق", "crypto_address_verification": "إذا تم حل عنوان العملة الرقمية عبر الند للند", - "is_current_account": "هل هذا الحساب الحالي", - "account_data_preview": "معاينة بيانات الحساب", "create": "أنشئ", - "a_new_account": "حساب جديد", - "import": "استيراد", - "export": "تصدير", "delete": "حذف", - "full_account_data": "بيانات الحساب الكاملة", - "this_account": "هذا الحساب", "locked": "مقفل", "reason": "السبب", - "no_posts_found": "لم يتم العثور على منشورات", "sorted_by": "مرتبة حسب", "downvoted": "قمت بالتصويت بالسلب", "hidden": "مخفي", @@ -138,21 +113,14 @@ "full_comments": "جميع التعليقات", "context": "السياق", "block": "حظر", - "hide_post": "إخفاء المنشور", "post": "منشور", "unhide": "إظهار", "unblock": "إلغاء الحظر", "undo": "تراجع", "post_hidden": "المنشور مخفي", - "old": "قديمة", - "copy_link": "انسخ الرابط", "link_copied": "تم نسخ الرابط", - "view_on": "عرض على {{destination}}", "block_community": "حظر المجتمع", "unblock_community": "إلغاء حظر المجتمع", - "block_community_alert": "هل أنت متأكد أنك تريد حظر هذا المجتمع؟", - "unblock_community_alert": "هل أنت متأكد أنك تريد إلغاء حظر هذا المجتمع؟", - "search_community_address": "ابحث عن عنوان مجتمع", "search_feed_post": "ابحث عن منشور في هذا التغذية", "from": "من", "via": "عبر", @@ -169,15 +137,12 @@ "no_posts": "لا توجد مشاركات", "media_url": "عنوان وسائط", "post_locked_info": "هذه المشاركة {{state}}. لن تتمكن من التعليق.", - "no_subscriptions_notice": "لم تنضم إلى أي مجتمع بعد.", "members_count": "{{count}} أعضاء", "communities": "مجتمع", "edit": "تعديل", "moderator": "مشرف", "description": "وصف", "rules": "قواعد", - "challenge": "تحدي", - "settings": "الإعدادات", "save_options": "حفظ الخيارات", "logo": "شعار", "address": "عنوان", @@ -188,26 +153,15 @@ "moderation_tools": "أدوات الإشراف", "submit_to": "إرسال إلى <1>{{link}}", "edit_subscriptions": "تحرير الاشتراكات", - "last_account_notice": "لا يمكنك حذف حسابك الأخير، يرجى إنشاء حساب جديد أولاً.", "delete_confirm": "هل أنت متأكد أنك تريد حذف {{value}}؟", "saving": "حفظ", "deleted": "تم الحذف", - "mark_spoiler": "وسم كما حرق", - "remove_spoiler": "إزالة حريف", - "delete_post": "حذف المنشور", - "undo_delete": "تراجع الحذف", - "edit_content": "تحرير المحتوى", "online": "متصل", "offline": "غير متصل", - "download_app": "تحميل التطبيق", - "approved_user": "مستخدم معتمد", "subscriber": "مشترك", - "approved": "معتمد", - "proposed": "مقترح", "join_communities_notice": "انقر على الأزرار <1>{{join}} أو <2>{{leave}} لاختيار المجتمعات التي تظهر على صفحة البداية.", "below_subscribed": "فيما يلي المجتمعات التي اشتركت فيها.", "not_subscribed": "لم تشترك في أي مجتمع حتى الآن.", - "below_approved_user": "أدناه هي المجتمعات التي أنت مستخدم معتمد فيها.", "below_moderator_access": "أدناه هي المجتمعات التي لديك وصولاً كمشرف إليها.", "not_moderator": "أنت لست مشرفًا على أي مجتمع.", "create_community": "إنشاء مجتمع", @@ -228,7 +182,6 @@ "address_setting_info": "قم بتعيين عنوان مجتمع قابل قراءة باستخدام نطاق العملات الرقمية", "enter_crypto_address": "الرجاء إدخال عنوان كريبتو صالح.", "check_for_updates": "<1>تحقق من التحديثات", - "general_settings": "إعدادات عامة", "refresh_to_update": "قم بتحديث الصفحة للتحديث", "latest_development_version": "أنت على أحدث إصدار تطوير، النسخة {{commit}}. لاستخدام النسخة الثابتة، انتقل إلى {{link}}.", "latest_stable_version": "أنت على أحدث نسخة ثابتة، seedit v{{version}}.", @@ -236,7 +189,6 @@ "new_stable_version": "إصدار مستقر جديد متاح، seedit v{{newVersion}}. أنت تستخدم seedit v{{oldVersion}}.", "download_latest_desktop": "حمل أحدث إصدار سطح المكتب هنا: {{link}}", "contribute_on_github": "المساهمة على GitHub", - "create_community_not_available": "غير متاح على الويب بعد. يمكنك إنشاء مجتمع باستخدام تطبيق سطح المكتب، قم بتنزيله هنا: {{desktopLink}}. إذا كنت مرتاحًا باستخدام سطر الأوامر، تحقق من: {{cliLink}}", "no_media_found": "لم يتم العثور على وسائط", "no_image_found": "لم يتم العثور على صورة", "warning_spam": "تحذير: لم يتم تحديد تحدي، المجتمع عُرضة لهجمات البريد العشوائي.", @@ -254,7 +206,6 @@ "owner": "المالك", "admin": "مسؤول", "settings_saved": "تم حفظ الإعدادات لـ p/{{subplebbitAddress}}", - "mod_edit": "تحرير المشرف", "continue_thread": "تابع هذا الموضوع", "mod_edit_reason": "سبب تعديل المشرف", "double_confirm": "هل أنت متأكد حقًا؟ هذا الإجراء لا يمكن التراجع عنه.", @@ -266,12 +217,10 @@ "not_found_description": "الصفحة التي طلبتها غير موجودة", "last_edited": "آخر تعديل {{timestamp}}", "view_spoiler": "عرض الحاضر", - "more": "المزيد", "default_communities": "المجتمعات الافتراضية", "avatar": "الصورة الرمزية", "pending_edit": "تحرير معلق", "failed_edit": "فشل التعديل", - "copy_full_address": "<1>نسخ العنوان الكامل", "node_stats": "إحصائيات العقدة", "version": "الإصدار", "edit_reason": "سبب التعديل", @@ -291,30 +240,22 @@ "ban_user_for": "حظر المستخدم لمدة <1> يوم(أيام)", "crypto_wallets": "محافظ العملات الرقمية", "wallet_address": "عنوان المحفظة", - "save_wallets": "<1>حفظ المحفظة(المحافظ) في الحساب", "remove": "إزالة", "add_wallet": "<1>إضافة محفظة رقمية", "show_settings": "عرض الإعدادات", "hide_settings": "إخفاء الإعدادات", - "wallet": "محفظة", "undelete": "إلغاء الحذف", "downloading_comments": "تحميل التعليقات", "you_blocked_community": "لقد حظرت هذه المجتمعة", "show": "اظهر", "plebbit_options": "خيارات plebbit", "general": "عام", - "own_communities": "المجتمعات الخاصة بي", - "invalid_community_address": "عنوان المجتمع غير صالح", - "newer_posts_available": "مشاركات جديدة متوفرة: <1>إعادة تحميل الخلاصة", "more_posts_last_week": "{{count}} منشورات في الأسبوع {{currentTimeFilterName}}: <1>عرض المزيد من المنشورات من الأسبوع الماضي", "more_posts_last_month": "{{count}} منشورات في {{currentTimeFilterName}}: <1>عرض المزيد من المشاركات من الشهر الماضي", - "sure_delete": "هل أنت متأكد أنك تريد حذف هذا المنشور؟", - "sure_undelete": "هل أنت متأكد أنك تريد استعادة هذا المنشور؟", "profile_info": "تم إنشاء حسابك u/{{shortAddress}}. <1>تعيين اسم العرض, <2>تصدير النسخة الاحتياطية, <3>اعرف المزيد.", "show_all_instead": "عرض المشاركات منذ {{timeFilterName}} ، <1>عرض الكل بدلاً من ذلك", "subplebbit_offline_info": "قد يكون الرد على الرسائل غير متاح حالياً وقد تفشل النشر.", "posts_last_synced_info": "آخر تزامن الرسائل {{time}}، قد يكون الرد على الرسائل غير متاح حالياً وقد تفشل النشر.", - "stored_locally": "مخزنة محليًا ({{location}})، ليست متزامنة عبر الأجهزة", "import_account_backup": "<1>استيراد نسخة احتياطية للحساب", "export_account_backup": "<1>تصدير نسخة احتياطية للحساب", "save_reset_changes": "<1>حفظ أو <2>إعادة تعيين التغييرات", @@ -334,17 +275,11 @@ "communities_you_moderate": "المجتمعات التي تشرف عليها", "blur_media": "تمويه الوسائط المعلمة كـ NSFW/18+", "nsfw_content": "محتوى NSFW", - "nsfw_communities": "مجتمعات NSFW", - "hide_adult": "إخفاء المجتمعات المعلَمة كـ \"بالغ\"", - "hide_gore": "إخفاء المجتمعات المعلَمة كـ \"دموي\"", - "hide_anti": "إخفاء المجتمعات المعلَمة كـ \"مناهض\"", - "filters": "مرشحات", "see_nsfw": "انقر لرؤية NSFW", "see_nsfw_spoiler": "انقر لرؤية NSFW المفسد", "always_show_nsfw": "هل تريد دائمًا عرض وسائل الإعلام NSFW؟", "always_show_nsfw_notice": "حسنًا، لقد غيرنا تفضيلاتك لعرض وسائل الإعلام NSFW دائمًا.", "content_options": "خيارات المحتوى", - "hide_vulgar": "إخفاء المجتمعات المعلَمة كـ \"فاحش\"", "over_18": "أكثر من 18؟", "must_be_over_18": "يجب أن تكون فوق 18 عامًا لعرض هذه المجتمع", "must_be_over_18_explanation": "يجب أن تكون في سن 18 عامًا على الأقل لعرض هذا المحتوى. هل أنت فوق 18 عامًا ومستعد لرؤية المحتوى البالغ؟", @@ -355,7 +290,6 @@ "block_user": "حظر المستخدم", "unblock_user": "إلغاء حظر المستخدم", "filtering_by_tag": "تصفية حسب التاغ: \"{{tag}}\"", - "read_only_community_settings": "إعدادات المجتمع للقراءة فقط", "you_are_moderator": "أنت مشرف في هذه المجتمع", "you_are_admin": "أنت مشرف في هذه المجتمع", "you_are_owner": "أنت مالك هذا المجتمع", @@ -377,7 +311,6 @@ "search_posts": "البحث عن المشاركات", "found_n_results_for": "تم العثور على {{count}} منشورات لـ \"{{query}}\"", "clear_search": "مسح البحث", - "loading_iframe": "تحميل الإطار", "no_matches_found_for": "لم يتم العثور على تطابقات لـ \"{{query}}\"", "searching": "البحث", "hide_default_communities_from_topbar": "إخفاء المجتمعات الافتراضية من شريط الأدوات العلوي", @@ -410,42 +343,48 @@ "expand_media_previews_based_on_community_media_preferences": "قم بتوسيع معاينات الوسائط بناءً على تفضيلات الوسائط في تلك المجتمع", "show_all_nsfw": "عرض كل المحتوى NSFW", "hide_all_nsfw": "إخفاء كل المحتوى غير الآمن", - "unstoppable_by_design": "...لا يمكن إيقافه حسب التصميم.", - "servers_are_overrated": "الخوادم مبالغ في شأنها.", - "cryptographic_playground": "... الملعب التشفيري.", - "where_you_own_the_keys": "...حيث تمتلك المفاتيح.", - "no_middleman_here": "...لا وسيط هنا.", - "join_the_decentralution": "...انضم إلى الثورة اللامركزية.", - "because_privacy_matters": "...لأن الخصوصية مهمة.", - "freedom_served_fresh_daily": "...الحرية تُقدّم طازجة يوميًا.", - "your_community_your_rules": "مجتمعك، قواعدك.", - "centralization_is_boring": "...المركزية مملة.", - "like_torrents_for_thoughts": "...مثل التورنت، للأفكار.", - "cant_stop_the_signal": "...لا يمكن إيقاف الإشارة.", - "fully_yours_forever": "...لك تمامًا، إلى الأبد.", - "powered_by_caffeine": "...مدعوم بالكافيين.", - "speech_wants_to_be_free": "...الصوت يريد أن يكون حراً.", - "crypto_certified_community": "...مجتمع معتمد بالتشفير.", - "take_ownership_literally": "...تحمل المسؤولية حرفياً.", - "your_ideas_decentralized": "...أفكارك، موزعة.", - "for_digital_sovereignty": "...من أجل السيادة الرقمية.", - "for_your_movement": "...لحركتك.", - "because_you_love_freedom": "...لأنك تحب الحرية.", - "decentralized_but_for_real": "...لامركزي، ولكن حقاً.", - "for_your_peace_of_mind": "...لراحة بالك.", - "no_corporation_to_answer_to": "...لا شركة للمساءلة.", - "your_tokenized_sovereignty": "...سيادتك المُرمَّزة.", - "for_text_only_wonders": "...للعجائب النصية فقط.", - "because_open_source_rulez": "...لأن المصدر المفتوح هو الأفضل.", - "truly_peer_to_peer": "...نظير إلى نظير حقًا.", - "no_hidden_fees": "...لا رسوم خفية.", - "no_global_rules": "...لا توجد قواعد عامة.", - "for_reddits_downfall": "...لسقوط Reddit.", - "evil_corp_cant_stop_us": "...Evil Corp™ لا يمكنها إيقافنا.", - "no_gods_no_global_admins": "...لا آلهة، لا مسؤولون عامون.", "tags": "الوسوم", "moderator_of": "مشرف على", "not_subscriber_nor_moderator": "أنت لست مشتركًا ولا مشرفًا في أي مجتمع.", "more_posts_last_year": "{{count}} منشورات في {{currentTimeFilterName}}: <1>عرض المزيد من المنشورات من العام الماضي", - "editor_fallback_warning": "فشل تحميل المحرر المتقدم، يتم استخدام محرر نصوص أساسي كبديل." + "editor_fallback_warning": "فشل تحميل المحرر المتقدم، يتم استخدام محرر نصوص أساسي كبديل.", + "hot": "hot", + "new": "new", + "active": "active", + "top": "top", + "best": "best", + "old": "old", + "unstoppable_by_design": "...unstoppable by design.", + "servers_are_overrated": "...servers are overrated.", + "cryptographic_playground": "... cryptographic playground.", + "where_you_own_the_keys": "...where you own the keys.", + "no_middleman_here": "...no middleman here.", + "join_the_decentralution": "...join the decentralution.", + "because_privacy_matters": "...because privacy matters.", + "freedom_served_fresh_daily": "...freedom served fresh daily.", + "your_community_your_rules": "...your community, your rules.", + "centralization_is_boring": "...centralization is boring.", + "like_torrents_for_thoughts": "...like torrents, for thoughts.", + "cant_stop_the_signal": "...can't stop the signal.", + "fully_yours_forever": "...fully yours, forever.", + "powered_by_caffeine": "...powered by caffeine.", + "speech_wants_to_be_free": "...speech wants to be free.", + "crypto_certified_community": "...crypto-certified community.", + "take_ownership_literally": "...take ownership literally.", + "your_ideas_decentralized": "...your ideas, decentralized.", + "for_digital_sovereignty": "...for digital sovereignty.", + "for_your_movement": "...for your movement.", + "because_you_love_freedom": "...because you love freedom.", + "decentralized_but_for_real": "...decentralized, but for real.", + "for_your_peace_of_mind": "...for your peace of mind.", + "no_corporation_to_answer_to": "...no corporation to answer to.", + "your_tokenized_sovereignty": "...your tokenized sovereignty.", + "for_text_only_wonders": "...for text-only wonders.", + "because_open_source_rulez": "...because open source rulez.", + "truly_peer_to_peer": "...truly peer to peer.", + "no_hidden_fees": "...no hidden fees.", + "no_global_rules": "...no global rules.", + "for_reddits_downfall": "...for Reddit's downfall.", + "evil_corp_cant_stop_us": "...Evil Corp™ can't stop us.", + "no_gods_no_global_admins": "...no gods, no global admins." } diff --git a/public/translations/bn/default.json b/public/translations/bn/default.json index 3721601f7..a1ff8415a 100644 --- a/public/translations/bn/default.json +++ b/public/translations/bn/default.json @@ -1,13 +1,7 @@ { - "hot": "জনপ্রিয়", - "new": "নতুন", - "active": "সক্রিয়", - "controversial": "বিতর্কিত", - "top": "শীর্ষ", "about": "সম্পর্কে", "comments": "মন্তব্য", "preferences": "পছন্দ", - "account_bar_language": "ইংরেজি", "submit": "জমা দিন", "dark": "অন্ধকার", "light": "আলো", @@ -22,7 +16,6 @@ "post_comments": "মন্তব্যগুলি", "share": "শেয়ার", "save": "সংরক্ষণ", - "unsave": "অসংরক্ষণ", "hide": "লুকান", "report": "রিপোর্ট", "crosspost": "ক্রসপোস্ট", @@ -37,11 +30,7 @@ "time_1_year_ago": "১ বছর আগে", "time_x_years_ago": "{{count}} বছর আগে", "spoiler": "স্পয়লার", - "unspoiler": "আনস্পয়লার", - "reply_permalink": "স্থায়ী লিঙ্ক", - "embed": "embed", "reply_reply": "উত্তর", - "best": "সেরা", "reply_sorted_by": "অনুসারে বাছাই", "all_comments": "সব {{count}} মন্তব্য", "no_comments": "কোনো মন্তব্য নেই (এখনো)", @@ -66,11 +55,10 @@ "next": "পরবর্তী", "loading": "লোড হচ্ছে", "pending": "মুলতুবি", - "or": "অথবা", "submit_subscriptions_notice": "প্রস্তাবিত কমিউনিটিগুলি", "submit_subscriptions": "আপনার সাবস্ক্রাইব করা কমিউনিটিগুলি", "rules_for": "এর নিয়মাবলী", - "no_communities_found": "<1>https://github.com/plebbit/lists এ কোনো সম্প্রদায় পাওয়া যায়নি", + "no_communities_found": "<1>https://github.com/bitsocialhq/lists এ কোনো সম্প্রদায় পাওয়া যায়নি", "connect_community_notice": "একটি সম্প্রদায়ের সাথে যুক্ত হতে, ডান উপরে 🔎 ব্যবহার করুন", "options": "অপশনস", "hide_options": "অপশনগুলি লুকান", @@ -85,7 +73,6 @@ "time_x_months": "{{count}} মাস", "time_1_year": "১ বছর", "time_x_years": "{{count}} বছর", - "search": "অনুসন্ধান", "submit_post": "নতুন পোস্ট দিন", "create_your_community": "আপনার নিজস্ব সম্প্রদায় তৈরি করুন", "moderators": "মডারেটর", @@ -95,7 +82,6 @@ "created_by": "দ্বারা তৈরি {{creatorAddress}}", "community_for": "মেয়াদ শেষে একটি সম্প্রদায়", "post_submitted_on": "এই পোস্টটি {{postDate}} তে সাবমিট করা হয়েছে", - "readers_count": "{{count}} পাঠক", "users_online": "{{count}} ব্যবহারকারী এখানে এখন", "point": "পয়েন্ট", "points": "পয়েন্টস", @@ -107,26 +93,15 @@ "moderation": "মধ্যস্থতা", "interface_language": "ইন্টারফেস ভাষা", "theme": "থিম", - "profile": "প্রোফাইল", "account": "অ্যাকাউন্ট", "display_name": "প্রদর্শনী নাম", "crypto_address": "ক্রিপ্টো ঠিকানা", - "reset": "রিসেট", - "changes": "পরিবর্তন", "check": "চেক", "crypto_address_verification": "যদি ক্রিপ্টো ঠিকানা পি2প দ্বারা সমাধান হয়", - "is_current_account": "কি এটি বর্তমান অ্যাকাউন্ট", - "account_data_preview": "অ্যাকাউন্ট ডেটা প্রিভিউ", "create": "তৈরি করুন", - "a_new_account": "নতুন অ্যাকাউন্ট", - "import": "আমদানি", - "export": "রপ্তানি", "delete": "মুছে ফেলা", - "full_account_data": "সম্পূর্ণ অ্যাকাউন্ট ডেটা", - "this_account": "এই অ্যাকাউন্ট", "locked": "লক করা", "reason": "কারণ", - "no_posts_found": "পোস্ট খুঁজে পাওয়া যায়নি", "sorted_by": "বাছাই করা", "downvoted": "নেতিবাচক ভোট দেন", "hidden": "লুকানো", @@ -138,21 +113,14 @@ "full_comments": "সম্পূর্ণ মন্তব্য", "context": "প্রসঙ্গ", "block": "ব্লক", - "hide_post": "পোস্ট লুকাও", "post": "পোস্ট", "unhide": "দেখাও", "unblock": "ব্লক বাতিল", "undo": "পূর্ববর্তী করা", "post_hidden": "পোস্ট লুকানো", - "old": "পুরাতন", - "copy_link": "লিংক কপি করুন", "link_copied": "লিংক কপি হয়েছে", - "view_on": "{{destination}} দেখুন", "block_community": "সম্প্রদায় ব্লক করুন", "unblock_community": "সম্প্রদায় ব্লক আনব্লক করুন", - "block_community_alert": "আপনি কি নিশ্চিত যে আপনি এই সম্প্রদায়টি ব্লক করতে চান?", - "unblock_community_alert": "আপনি কি নিশ্চিত যে আপনি এই সম্প্রদায়টি অনব্লক করতে চান?", - "search_community_address": "একটি সম্প্রদায়ের ঠিকানা খুঁজে পেতে", "search_feed_post": "এই ফিডে একটি পোস্ট খুঁজুন", "from": "থেকে", "via": "মাধ্যমে", @@ -169,15 +137,12 @@ "no_posts": "কোন পোস্ট নেই", "media_url": "মিডিয়া ইউআরএল", "post_locked_info": "এই পোস্ট {{state}}। আপনি মন্তব্য করতে পারবেন না।", - "no_subscriptions_notice": "আপনি এখনো কোনও সম্প্রদানে যোগ দিননি।", "members_count": "{{count}} সদস্য", "communities": "সম্প্রদান", "edit": "সম্পাদনা", "moderator": "মডারেটর", "description": "বর্ণনা", "rules": "নির্বাচনসমূহ", - "challenge": "চ্যালেঞ্জ", - "settings": "সেটিংস", "save_options": "অপশন সংরক্ষণ করুন", "logo": "লোগো", "address": "ঠিকানা", @@ -188,26 +153,15 @@ "moderation_tools": "মধ্যস্থতা সরঞ্জাম", "submit_to": "জমা দিন <1>{{link}}", "edit_subscriptions": "সাবস্ক্রিপশন সম্পাদনা", - "last_account_notice": "আপনি আপনার সর্বশেষ অ্যাকাউন্টটি মুছে ফেলতে পারবেন না, দয়া করে প্রথমে একটি নতুন তৈরি করুন।", "delete_confirm": "আপনি কি নিশ্চিত যে আপনি {{value}} মুছতে চান?", "saving": "সংরক্ষণ", "deleted": "মোছা হয়েছে", - "mark_spoiler": "স্পোইলার হিসেবে চিহ্নিত করুন", - "remove_spoiler": "স্পোইলার সরানো", - "delete_post": "পোস্ট মুছে ফেলুন", - "undo_delete": "মুছে ফেলা পূনঃস্থাপন করুন", - "edit_content": "সামগ্রী সম্পাদনা", "online": "অনলাইন", "offline": "অফলাইন", - "download_app": "অ্যাপ ডাউনলোড করুন", - "approved_user": "অনুমোদিত ব্যবহারকারী", "subscriber": "সাবস্ক্রাইবার", - "approved": "অনুমোদিত", - "proposed": "প্রস্তাবিত", "join_communities_notice": "হোম ফিডে কোন কোন সম্প্রদানগুলি প্রদর্শন করা উচিত তা চয়ন করতে <1>{{join}} বা <2>{{leave}} বোতামগুলি চাপুন", "below_subscribed": "নিম্নে আপনি সদস্য হয়েছেন সে সম্প্রদানগুলি রয়েছে।", "not_subscribed": "আপনি এখনো কোন সম্প্রদায়ে সাবস্ক্রাইব করেননি।", - "below_approved_user": "নীচে সেটি সম্প্রদায়গুলি যেগুলি আপনি অনুমোদিত ব্যবহারকারী।", "below_moderator_access": "নীচে সেটি সম্প্রদায়গুলি যেগুলি আপনি মডারেটরেটর অ্যাক্সেস রাখেন।", "not_moderator": "আপনি কোনও সম্প্রদায়ে মডারেটর নন।", "create_community": "সম্প্রদায় তৈরি করুন", @@ -228,7 +182,6 @@ "address_setting_info": "একটি ক্রিপ্টো ডোমেন ব্যবহার করে একটি পঠনযোগ্য সম্প্রদায় ঠিকানা সেট করুন", "enter_crypto_address": "দয়া করে একটি বৈধ ক্রিপ্টো ঠিকানা দিন।", "check_for_updates": "<1>যাচাই করুন আপডেট", - "general_settings": "সাধারণ সেটিংস", "refresh_to_update": "আপডেট করতে পৃষ্ঠাটি রিফ্রেশ করুন", "latest_development_version": "আপনি সর্বশেষ ডেভেলপমেন্ট সংস্করণে আছেন, কমিট {{commit}}। স্থিতিশীল সংস্করণ ব্যবহার করতে, {{link}} যান।", "latest_stable_version": "আপনি সর্বশেষ স্থিতিশীল সংস্করণে আছেন, seedit v{{version}}।", @@ -236,7 +189,6 @@ "new_stable_version": "নতুন স্থিতিশীল সংস্করণ উপলব্ধ, seedit v{{newVersion}}। আপনি seedit v{{oldVersion}} ব্যবহার করছেন।", "download_latest_desktop": "সর্বশেষ ডেস্কটপ সংস্করণ এখানে ডাউনলোড করুন: {{link}}", "contribute_on_github": "GitHub এ অবদান রাখুন", - "create_community_not_available": "এখনো ওয়েবে উপলব্ধ নেই। ডেস্কটপ অ্যাপ্লিকেশন ব্যবহার করে আপনি একটি সম্প্রদায় তৈরি করতে পারেন, এটি এখানে ডাউনলোড করুন: {{desktopLink}}। আপনি যদি কমান্ড লাইনে সুবিধা প্রাপ্ত হন, তাহলে চেক করুন: {{cliLink}}", "no_media_found": "কোন মিডিয়া পাওয়া যায়নি", "no_image_found": "ছবি পাওয়া যায়নি", "warning_spam": "সতর্কতা: কোন চ্যালেঞ্জ নির্বাচন করা হয়নি, কমিউনিটি স্প্যাম হামলার নিশ্চিততা ব্যতিত.", @@ -254,7 +206,6 @@ "owner": "মালিক", "admin": "অ্যাডমিন", "settings_saved": "p/{{subplebbitAddress}} এর জন্য সেটিংস সংরক্ষিত হয়েছে", - "mod_edit": "মড সম্পাদনা", "continue_thread": "এই থ্রেড চালিয়ে যান", "mod_edit_reason": "মড এডিট কারণ", "double_confirm": "আপনি কি সত্যিই নিশ্চিত? এই অ্যাকশন বিপর্যস্ত করা যাবে না।", @@ -266,12 +217,10 @@ "not_found_description": "আপনি যে পৃষ্ঠাটি অনুরোধ করেছেন সেটি অস্তিত্বে নেই", "last_edited": "শেষ সম্পাদনা {{timestamp}}", "view_spoiler": "স্পোয়ালার দেখুন", - "more": "আরও", "default_communities": "ডিফল্ট কমিউনিটিস", "avatar": "অবতার", "pending_edit": "মুলতুবি সম্পাদনা", "failed_edit": "ব্যর্থ সম্পাদনা", - "copy_full_address": "<1>অনুলিপি সম্পূর্ণ ঠিকানা", "node_stats": "নোড পরিসংখ্যান", "version": "সংস্করণ", "edit_reason": "সম্পাদনার কারণ", @@ -291,30 +240,22 @@ "ban_user_for": "ব্যবহারকারীকে <1> দিনের জন্য বন্ধ করুন", "crypto_wallets": "ক্রিপ্টো ওয়ালেট", "wallet_address": "ওয়ালেট ঠিকানা", - "save_wallets": "<1>হিসাবে সংরক্ষণ করুন ওয়ালেট(গুলি) ", "remove": "মুছে ফেলুন", "add_wallet": "<1>যোগ একটি ক্রিপ্টো ওয়ালেট", "show_settings": "সেটিংস দেখুন", "hide_settings": "সেটিংস লুকান", - "wallet": "ওয়ালেট", "undelete": "মুছে ফেলা প্রত্যাহার", "downloading_comments": "মন্তব্য ডাউনলোড হচ্ছে", "you_blocked_community": "আপনি এই সম্প্রদায়টি ব্লক করেছেন", "show": "দেখান", "plebbit_options": "প্লেবিট বিকল্প", "general": "সাধারণ", - "own_communities": "নিজস্ব সম্প্রদায়", - "invalid_community_address": "অবৈধ সম্প্রদায় ঠিকানা", - "newer_posts_available": "নতুন পোস্ট উপলব্ধ: <1>ফিড পুনরায় লোড করুন", "more_posts_last_week": "{{count}} পোস্ট গত {{currentTimeFilterName}}: <1>গত সপ্তাহ থেকে আরও পোস্ট দেখান", "more_posts_last_month": "{{count}} পোস্ট {{currentTimeFilterName}}-এ: <1>গত মাসের আরও পোস্ট দেখান", - "sure_delete": "আপনি কি নিশ্চিত যে আপনি এই পোস্টটি মুছে ফেলতে চান?", - "sure_undelete": "আপনি কি নিশ্চিত যে আপনি এই পোস্টটি পুনরুদ্ধার করতে চান?", "profile_info": "আপনার অ্যাকাউন্ট u/{{shortAddress}} তৈরি করা হয়েছে। <1>ডিসপ্লে নাম সেট করুন, <2>ব্যাকআপ রপ্তানি করুন, <3>আরো জানুন.", "show_all_instead": "আপনি {{timeFilterName}} থেকে পোস্টগুলি দেখছেন, <1>তার পরিবর্তে সব দেখান", "subplebbit_offline_info": "সাবপ্লেবিট অফলাইন হতে পারে এবং প্রকাশনা ব্যর্থ হতে পারে।", "posts_last_synced_info": "পোস্টগুলি সর্বশেষ সিঙ্ক হয়েছে {{time}}, সাবপ্লেবিট অফলাইন হতে পারে এবং প্রকাশনা ব্যর্থ হতে পারে।", - "stored_locally": "স্থানীয়ভাবে সংরক্ষিত ({{location}}), ডিভাইসের মধ্যে সিঙ্ক করা হয়নি", "import_account_backup": "<1>আমদানি অ্যাকাউন্ট ব্যাকআপ", "export_account_backup": "<1>রপ্তানি অ্যাকাউন্ট ব্যাকআপ", "save_reset_changes": "<1>সংরক্ষণ করুন অথবা <2>রিসেট করুন পরিবর্তনগুলি", @@ -334,17 +275,11 @@ "communities_you_moderate": "আপনি যে কমিউনিটিগুলি পরিচালনা করেন", "blur_media": "NSFW/18+ হিসেবে চিহ্নিত মিডিয়া ব্লার করুন", "nsfw_content": "NSFW কনটেন্ট", - "nsfw_communities": "NSFW কমিউনিটিজ", - "hide_adult": "এডাল্ট হিসেবে ট্যাগ করা কমিউনিটিগুলি লুকান", - "hide_gore": "গোর হিসেবে ট্যাগ করা কমিউনিটিগুলি লুকান", - "hide_anti": "অ্যান্টি হিসেবে ট্যাগ করা কমিউনিটিগুলি লুকান", - "filters": "ফিল্টার", "see_nsfw": "NSFW দেখতে ক্লিক করুন", "see_nsfw_spoiler": "NSFW স্পয়লার দেখতে ক্লিক করুন", "always_show_nsfw": "আপনি কি সর্বদা NSFW মিডিয়া দেখাতে চান?", "always_show_nsfw_notice": "ওকে, আমরা আপনার পছন্দগুলি সর্বদা NSFW মিডিয়া দেখাতে পরিবর্তন করেছি।", "content_options": "সামগ্রী বিকল্প", - "hide_vulgar": "ভুলগার হিসেবে ট্যাগ করা কমিউনিটিগুলি লুকান", "over_18": "১৮ এর উপরে?", "must_be_over_18": "এই কমিউনিটি দেখতে আপনাকে ১৮+ হতে হবে", "must_be_over_18_explanation": "এই কন্টেন্ট দেখতে আপনাকে অন্তত ১৮ বছর বয়সী হতে হবে। আপনি কি ১৮ বছরের উপরে এবং প্রাপ্তবয়স্ক কন্টেন্ট দেখতে ইচ্ছুক?", @@ -355,7 +290,6 @@ "block_user": "ব্যবহারকারী ব্লক করুন", "unblock_user": "ব্যবহারকারী আনব্লক করুন", "filtering_by_tag": "ট্যাগ দ্বারা ফিল্টার করা হচ্ছে: \"{{tag}}\"", - "read_only_community_settings": "শুধু-পাঠযোগ্য কমিউনিটি সেটিংস", "you_are_moderator": "আপনি এই কমিউনিটির একজন মডারেটর", "you_are_admin": "আপনি এই কমিউনিটির একজন প্রশাসক", "you_are_owner": "আপনি এই কমিউনিটির মালিক", @@ -377,7 +311,6 @@ "search_posts": "পোস্টগুলি অনুসন্ধান করুন", "found_n_results_for": "{{query}} এর জন্য {{count}} পোস্ট পাওয়া গেছে", "clear_search": "খোঁজ মুছে ফেলুন", - "loading_iframe": "লোড হচ্ছে আইফ্রেম", "no_matches_found_for": "\"{{query}}\" এর জন্য কোনো মিল পাওয়া যায়নি", "searching": "খুঁজছে", "hide_default_communities_from_topbar": "টপবার থেকে ডিফল্ট কমিউনিটিগুলি লুকান", @@ -410,42 +343,48 @@ "expand_media_previews_based_on_community_media_preferences": "সেই কমিউনিটির মিডিয়া পছন্দের উপর ভিত্তি করে মিডিয়া প্রিভিউগুলি সম্প্রসারণ করুন", "show_all_nsfw": "সব NSFW দেখান", "hide_all_nsfw": "সব NSFW লুকান", - "unstoppable_by_design": "...ডিজাইনের দ্বারা অপ্রতিরোধ্য।", - "servers_are_overrated": "সার্ভারগুলি অতিরঞ্জিত।", - "cryptographic_playground": "... ক্রিপ্টোগ্রাফিক প্লেগ্রাউন্ড।", - "where_you_own_the_keys": "...যেখানে আপনি চাবিগুলোর মালিক।", - "no_middleman_here": "...এখানে কোনো মধ্যস্থতাকারী নেই।", - "join_the_decentralution": "...ডিসেন্ট্রালিউশনে যোগ দিন।", - "because_privacy_matters": "...কারণ গোপনীয়তা গুরুত্বপূর্ণ।", - "freedom_served_fresh_daily": "...স্বাধীনতা প্রতিদিন তাজা পরিবেশন করা হয়।", - "your_community_your_rules": "আপনার কমিউনিটি, আপনার নিয়ম।", - "centralization_is_boring": "...কেন্দ্রীকরণ বোরিং।", - "like_torrents_for_thoughts": "...টরেন্টের মতো, চিন্তাগুলোর জন্য।", - "cant_stop_the_signal": "...সংকেত থামানো যায় না।", - "fully_yours_forever": "...সম্পূর্ণ আপনার, চিরকাল।", - "powered_by_caffeine": "...ক্যাফিন দ্বারা চালিত।", - "speech_wants_to_be_free": "...স্বর মুক্ত হতে চায়।", - "crypto_certified_community": "...ক্রিপ্টো-সার্টিফাইড কমিউনিটি।", - "take_ownership_literally": "...আসল অর্থে দায়িত্ব গ্রহণ করুন।", - "your_ideas_decentralized": "...আপনার আইডিয়াসমূহ, বিকেন্দ্রীকৃত।", - "for_digital_sovereignty": "...ডিজিটাল সার্বভৌমত্বের জন্য।", - "for_your_movement": "...আপনার চলাচলের জন্য।", - "because_you_love_freedom": "...কারণ তুমি স্বাধীনতা ভালোবাসো।", - "decentralized_but_for_real": "...বিকেন্দ্রীকৃত, কিন্তু সত্যিই।", - "for_your_peace_of_mind": "...আপনার মানসিক শান্তির জন্য।", - "no_corporation_to_answer_to": "...কোন কর্পোরেশন নেই উত্তর দেওয়ার জন্য।", - "your_tokenized_sovereignty": "...আপনার টোকেনাইজড সার্বভৌমত্ব।", - "for_text_only_wonders": "...শুধুমাত্র টেক্সটের জন্য বিস্ময়কর।", - "because_open_source_rulez": "...কারণ ওপেন সোর্সই চমৎকার।", - "truly_peer_to_peer": "...বাস্তবে পিয়ার টু পিয়ার।", - "no_hidden_fees": "...কোন লুকানো ফি নেই।", - "no_global_rules": "...কোনও গ্লোবাল রুল নেই।", - "for_reddits_downfall": "...রেডডিটের পতনের জন্য।", - "evil_corp_cant_stop_us": "...Evil Corp™ আমাদের থামাতে পারে না।", - "no_gods_no_global_admins": "...কোনো দেবতা নেই, কোনো গ্লোবাল অ্যাডমিন নেই।", "tags": "ট্যাগসমূহ", "moderator_of": "মডারেটর", "not_subscriber_nor_moderator": "আপনি কোনও কমিউনিটির সদস্য বা মডারেটর নন।", "more_posts_last_year": "{{count}} পোস্ট {{currentTimeFilterName}} এ: <1>গত বছরের আরও পোস্ট দেখান", - "editor_fallback_warning": "উন্নত সম্পাদক লোড করতে ব্যর্থ হয়েছে, বিকল্প হিসেবে মৌলিক টেক্সট সম্পাদক ব্যবহার করা হচ্ছে।" + "editor_fallback_warning": "উন্নত সম্পাদক লোড করতে ব্যর্থ হয়েছে, বিকল্প হিসেবে মৌলিক টেক্সট সম্পাদক ব্যবহার করা হচ্ছে।", + "hot": "hot", + "new": "new", + "active": "active", + "top": "top", + "best": "best", + "old": "old", + "unstoppable_by_design": "...unstoppable by design.", + "servers_are_overrated": "...servers are overrated.", + "cryptographic_playground": "... cryptographic playground.", + "where_you_own_the_keys": "...where you own the keys.", + "no_middleman_here": "...no middleman here.", + "join_the_decentralution": "...join the decentralution.", + "because_privacy_matters": "...because privacy matters.", + "freedom_served_fresh_daily": "...freedom served fresh daily.", + "your_community_your_rules": "...your community, your rules.", + "centralization_is_boring": "...centralization is boring.", + "like_torrents_for_thoughts": "...like torrents, for thoughts.", + "cant_stop_the_signal": "...can't stop the signal.", + "fully_yours_forever": "...fully yours, forever.", + "powered_by_caffeine": "...powered by caffeine.", + "speech_wants_to_be_free": "...speech wants to be free.", + "crypto_certified_community": "...crypto-certified community.", + "take_ownership_literally": "...take ownership literally.", + "your_ideas_decentralized": "...your ideas, decentralized.", + "for_digital_sovereignty": "...for digital sovereignty.", + "for_your_movement": "...for your movement.", + "because_you_love_freedom": "...because you love freedom.", + "decentralized_but_for_real": "...decentralized, but for real.", + "for_your_peace_of_mind": "...for your peace of mind.", + "no_corporation_to_answer_to": "...no corporation to answer to.", + "your_tokenized_sovereignty": "...your tokenized sovereignty.", + "for_text_only_wonders": "...for text-only wonders.", + "because_open_source_rulez": "...because open source rulez.", + "truly_peer_to_peer": "...truly peer to peer.", + "no_hidden_fees": "...no hidden fees.", + "no_global_rules": "...no global rules.", + "for_reddits_downfall": "...for Reddit's downfall.", + "evil_corp_cant_stop_us": "...Evil Corp™ can't stop us.", + "no_gods_no_global_admins": "...no gods, no global admins." } diff --git a/public/translations/cs/default.json b/public/translations/cs/default.json index fa14b0b2d..3e34524a4 100644 --- a/public/translations/cs/default.json +++ b/public/translations/cs/default.json @@ -1,13 +1,7 @@ { - "hot": "Populární", - "new": "Nové", - "active": "Aktivní", - "controversial": "Kontroverzní", - "top": "Nejlepší", "about": "O", "comments": "komentáře", "preferences": "Předvolby", - "account_bar_language": "Angličtina", "submit": "Odeslat", "dark": "Tmavý", "light": "Světlá", @@ -22,7 +16,6 @@ "post_comments": "Komentáře", "share": "Sdílet", "save": "Uložit", - "unsave": "Zrušit uložení", "hide": "Skrýt", "report": "Nahlásit", "crosspost": "Crosspost", @@ -37,11 +30,7 @@ "time_1_year_ago": "Před 1 rokem", "time_x_years_ago": "Před {{count}} roky", "spoiler": "Spoiler", - "unspoiler": "Odstranit spoiler", - "reply_permalink": "Trvalý odkaz", - "embed": "Embed", "reply_reply": "Odpověď", - "best": "Nejlepší", "reply_sorted_by": "Řazeno podle", "all_comments": "Všechny {{count}} komentáře", "no_comments": "Žádné komentáře (zatím)", @@ -66,11 +55,10 @@ "next": "Další", "loading": "Načítání", "pending": "Čeká na schválení", - "or": "nebo", "submit_subscriptions_notice": "Navrhované komunity", "submit_subscriptions": "vaše odběratelské komunity", "rules_for": "pravidla pro", - "no_communities_found": "Na <1>https://github.com/plebbit/lists nebyly nalezeny žádné komunity", + "no_communities_found": "Na <1>https://github.com/bitsocialhq/lists nebyly nalezeny žádné komunity", "connect_community_notice": "Chcete-li se připojit ke komunitě, použijte 🔎 vpravo nahoře", "options": "možnosti", "hide_options": "skrýt možnosti", @@ -85,7 +73,6 @@ "time_x_months": "{{count}} měsíců", "time_1_year": "1 rok", "time_x_years": "{{count}} let", - "search": "hledat", "submit_post": "Odeslat nový příspěvek", "create_your_community": "Vytvořte si vlastní komunitu", "moderators": "moderátoři", @@ -95,7 +82,6 @@ "created_by": "vytvořeno uživatelem {{creatorAddress}}", "community_for": "komunita po dobu {{date}}", "post_submitted_on": "tento příspěvek byl odeslán dne {{postDate}}", - "readers_count": "{{count}} čtenáři", "users_online": "{{count}} uživatelé zde nyní", "point": "bod", "points": "body", @@ -107,26 +93,15 @@ "moderation": "moderace", "interface_language": "jazyk rozhraní", "theme": "téma", - "profile": "profil", "account": "účet", "display_name": "zobrazované jméno", "crypto_address": "adresa kryptoměny", - "reset": "obnovit", - "changes": "změny", "check": "kontrolovat", "crypto_address_verification": "pokud je kryptoměna vyřešena p2p", - "is_current_account": "je to aktuální účet", - "account_data_preview": "náhled údajů o účtu", "create": "vytvořte", - "a_new_account": "nový účet", - "import": "import", - "export": "export", "delete": "smazat", - "full_account_data": "plná účetní data", - "this_account": "tento účet", "locked": "uzamčeno", "reason": "důvod", - "no_posts_found": "žádné nalezené příspěvky", "sorted_by": "seřazeno podle", "downvoted": "hlasováno dolů", "hidden": "skrytý", @@ -138,21 +113,14 @@ "full_comments": "všechny komentáře", "context": "kontext", "block": "blokovat", - "hide_post": "skrýt příspěvek", "post": "příspěvek", "unhide": "zobrazit", "unblock": "odblokovat", "undo": "vrátit zpět", "post_hidden": "skrytý příspěvek", - "old": "staré", - "copy_link": "kopírovat odkaz", "link_copied": "odkaz byl zkopírován", - "view_on": "zobrazit na {{destination}}", "block_community": "blokovat komunitu", "unblock_community": "odblokovat komunitu", - "block_community_alert": "Jste si jisti, že chcete tuto komunitu blokovat?", - "unblock_community_alert": "Jste si jisti, že chcete tuto komunitu odblokovat?", - "search_community_address": "Hledat adresu komunity", "search_feed_post": "Hledejte příspěvek na této návěštce", "from": "od", "via": "přes", @@ -169,15 +137,12 @@ "no_posts": "žádné příspěvky", "media_url": "URL médií", "post_locked_info": "Tento příspěvek je {{state}}. Nebudete moci komentovat.", - "no_subscriptions_notice": "Dosud jste se nepřipojili k žádné komunitě.", "members_count": "{{count}} členů", "communities": "komunita", "edit": "upravit", "moderator": "Moderátor", "description": "Popis", "rules": "Pravidla", - "challenge": "Výzva", - "settings": "Nastavení", "save_options": "Uložit možnosti", "logo": "Logo", "address": "Adresa", @@ -188,26 +153,15 @@ "moderation_tools": "Nástroje pro moderaci", "submit_to": "Odeslat na <1>{{link}}", "edit_subscriptions": "Upravit předplatné", - "last_account_notice": "Nemůžete smazat svůj poslední účet, nejprve si vytvořte nový.", "delete_confirm": "Opravdu chcete smazat {{value}}?", "saving": "Ukládání", "deleted": "Smazáno", - "mark_spoiler": "Označit jako spoilery", - "remove_spoiler": "Odebrat spoiler", - "delete_post": "Smazat příspěvek", - "undo_delete": "Zrušit smazání", - "edit_content": "Upravit obsah", "online": "Online", "offline": "Offline", - "download_app": "Stáhnout aplikaci", - "approved_user": "Schválený uživatel", "subscriber": "Odběratel", - "approved": "Schváleno", - "proposed": "Navrženo", "join_communities_notice": "Klikněte na tlačítka <1>{{join}} nebo <2>{{leave}} pro výběr komunit, které se zobrazí na úvodní stránce.", "below_subscribed": "Níže jsou komunity, do kterých jste se přihlásili.", "not_subscribed": "Zatím nejste přihlášeni ke žádné komunitě.", - "below_approved_user": "Níže jsou komunity, na kterých jste schváleným uživatelem.", "below_moderator_access": "Níže jsou komunity, ke kterým máte moderátorský přístup.", "not_moderator": "Nejste moderátorem žádné komunity.", "create_community": "Vytvořit komunitu", @@ -228,7 +182,6 @@ "address_setting_info": "Nastavte čitelnou adresu komunity pomocí krypto domény", "enter_crypto_address": "Zadejte prosím platnou kryptoadresu.", "check_for_updates": "<1>Zkontrolujte aktualizace", - "general_settings": "Obecné nastavení", "refresh_to_update": "Obnovte stránku pro aktualizaci", "latest_development_version": "Jste na nejnovější vývojové verzi, commit {{commit}}. Chcete-li použít stabilní verzi, přejděte na {{link}}.", "latest_stable_version": "Jste na nejnovější stabilní verzi, seedit v{{version}}.", @@ -236,7 +189,6 @@ "new_stable_version": "Nová stabilní verze k dispozici, seedit v{{newVersion}}. Používáte seedit v{{oldVersion}}.", "download_latest_desktop": "Stáhněte si nejnovější verzi pro stolní počítače zde: {{link}}", "contribute_on_github": "Přispět na GitHubu", - "create_community_not_available": "Zatím nedostupné na webu. Můžete vytvořit komunitu pomocí desktopové aplikace, stáhnout ji zde: {{desktopLink}}. Pokud se cítíte pohodlně s příkazovým řádkem, podívejte se sem: {{cliLink}}", "no_media_found": "Žádná média nebyla nalezena", "no_image_found": "Obrázek nebyl nalezen", "warning_spam": "Varování: nebyl vybrán žádný výzva, komunita je ohrožena spamovými útoky.", @@ -254,7 +206,6 @@ "owner": "vlastník", "admin": "správce", "settings_saved": "Nastavení uloženo pro p/{{subplebbitAddress}}", - "mod_edit": "úprava moderátora", "continue_thread": "pokračovat v tématu", "mod_edit_reason": "Důvod úpravy moderátorem", "double_confirm": "Opravdu jste si jisti? Tato akce je nevratná.", @@ -266,12 +217,10 @@ "not_found_description": "Požadovaná stránka neexistuje", "last_edited": "Poslední úprava {{timestamp}}", "view_spoiler": "zobrazit spoiler", - "more": "více", "default_communities": "výchozí komunity", "avatar": "avatar", "pending_edit": "čekající úprava", "failed_edit": "neúspěšná úprava", - "copy_full_address": "<1>kopírovat plnou adresu", "node_stats": "statistiky uzlu", "version": "verze", "edit_reason": "důvod úpravy", @@ -291,30 +240,22 @@ "ban_user_for": "Zakázat uživatele na <1> den (dní)", "crypto_wallets": "Kryptoměny", "wallet_address": "Adresa peněženky", - "save_wallets": "<1>Uložit peněženku(y) do účtu", "remove": "Odebrat", "add_wallet": "<1>Přidat kryptoměnovou peněženku", "show_settings": "Zobrazit nastavení", "hide_settings": "Skrýt nastavení", - "wallet": "Peněženka", "undelete": "Obnovit smazání", "downloading_comments": "stahování komentářů", "you_blocked_community": "Zablokovali jste tuto komunitu", "show": "ukázat", "plebbit_options": "plebbit možnosti", "general": "obecné", - "own_communities": "vlastní komunity", - "invalid_community_address": "Neplatná adresa komunity", - "newer_posts_available": "Novější příspěvky jsou k dispozici: <1>znovu načíst kanál", "more_posts_last_week": "{{count}} příspěvků minulý {{currentTimeFilterName}}: <1>zobrazit více příspěvků z minulého týdne", "more_posts_last_month": "{{count}} příspěvků v {{currentTimeFilterName}}: <1>zobrazit více příspěvků z minulého měsíce", - "sure_delete": "Opravdu chcete smazat tento příspěvek?", - "sure_undelete": "Opravdu chcete obnovit tento příspěvek?", "profile_info": "Váš účet u/{{shortAddress}} byl vytvořen. <1>Nastavit zobrazované jméno, <2>exportovat zálohu, <3>další informace.", "show_all_instead": "Zobrazujeme příspěvky od {{timeFilterName}}, <1>zobrazit vše místo toho", "subplebbit_offline_info": "Subplebbit může být offline a zveřejnění může selhat.", "posts_last_synced_info": "Poslední synchronizace příspěvků {{time}}, subplebbit může být offline a zveřejňování může selhat.", - "stored_locally": "Uloženo lokálně ({{location}}), není synchronizováno mezi zařízeními", "import_account_backup": "<1>importovat zálohu účtu", "export_account_backup": "<1>exportovat zálohu účtu", "save_reset_changes": "<1>uložit nebo <2>resetovat změny", @@ -334,17 +275,11 @@ "communities_you_moderate": "Komunity, které moderujete", "blur_media": "Zamázat média označená jako NSFW/18+", "nsfw_content": "NSFW obsah", - "nsfw_communities": "NSFW komunity", - "hide_adult": "Skrýt komunity označené jako \"dospělý\"", - "hide_gore": "Skrýt komunity označené jako \"gore\"", - "hide_anti": "Skrýt komunity označené jako \"anti\"", - "filters": "Filtry", "see_nsfw": "Klikněte pro zobrazení NSFW", "see_nsfw_spoiler": "Klikněte pro zobrazení NSFW spoileru", "always_show_nsfw": "Chcete vždy zobrazit NSFW média?", "always_show_nsfw_notice": "Dobře, změnili jsme vaše preference na vždy zobrazovat NSFW média.", "content_options": "Možnosti obsahu", - "hide_vulgar": "Skrýt komunity označené jako \"vulgar\"", "over_18": "Více než 18?", "must_be_over_18": "Musíte být starší 18 let, abyste si mohli prohlédnout tuto komunitu", "must_be_over_18_explanation": "Musíte být alespoň 18 let starý/á, abyste si mohli prohlédnout tento obsah. Jste starší 18 let a ochotni vidět obsah pro dospělé?", @@ -355,7 +290,6 @@ "block_user": "Zablokovat uživatele", "unblock_user": "Odblokovat uživatele", "filtering_by_tag": "Filtruje se podle tagu: \"{{tag}}\"", - "read_only_community_settings": "Nastavení komunity pouze pro čtení", "you_are_moderator": "Jste moderátorem této komunity", "you_are_admin": "Jste administrátorem této komunity", "you_are_owner": "Jste vlastníkem této komunity", @@ -377,7 +311,6 @@ "search_posts": "hledat příspěvky", "found_n_results_for": "nalezeno {{count}} příspěvků pro \"{{query}}\"", "clear_search": "vymazat hledání", - "loading_iframe": "načítání iframe", "no_matches_found_for": "nenalezeny žádné shody pro \"{{query}}\"", "searching": "hledání", "hide_default_communities_from_topbar": "Skrýt výchozí komunity z horního panelu", @@ -410,42 +343,48 @@ "expand_media_previews_based_on_community_media_preferences": "Rozbalte náhledy médií na základě preferencí médií dané komunity", "show_all_nsfw": "Zobrazit vše NSFW", "hide_all_nsfw": "Skrýt vše NSFW", - "unstoppable_by_design": "...nezastavitelný podle designu.", - "servers_are_overrated": "Servery jsou přeceňované.", - "cryptographic_playground": "... kryptografické hřiště.", - "where_you_own_the_keys": "...kde vlastníte klíče.", - "no_middleman_here": "...tady není žádný prostředník.", - "join_the_decentralution": "...připojte se k decentralizaci.", - "because_privacy_matters": "...protože na soukromí záleží.", - "freedom_served_fresh_daily": "...svoboda podávaná čerstvě každý den.", - "your_community_your_rules": "Vaše komunita, vaše pravidla.", - "centralization_is_boring": "...centralizace je nudná.", - "like_torrents_for_thoughts": "...jako torrenty, pro myšlenky.", - "cant_stop_the_signal": "...signál nelze zastavit.", - "fully_yours_forever": "...zcela tvůj navždy.", - "powered_by_caffeine": "...poháněno kofeinem.", - "speech_wants_to_be_free": "...řeč chce být svobodná.", - "crypto_certified_community": "...krypto-certifikovaná komunita.", - "take_ownership_literally": "...vezměte vlastnictví doslova.", - "your_ideas_decentralized": "...vaše nápady, decentralizované.", - "for_digital_sovereignty": "...pro digitální suverenitu.", - "for_your_movement": "...pro váš pohyb.", - "because_you_love_freedom": "...protože milujete svobodu.", - "decentralized_but_for_real": "...decentralizované, ale opravdu.", - "for_your_peace_of_mind": "...pro váš klid.", - "no_corporation_to_answer_to": "...žádná korporace, které by se muselo odpovídat.", - "your_tokenized_sovereignty": "...vaše tokenizovaná suverenita.", - "for_text_only_wonders": "...pro zázraky pouze s textem.", - "because_open_source_rulez": "...protože open source vládne.", - "truly_peer_to_peer": "...opravdu peer to peer.", - "no_hidden_fees": "...žádné skryté poplatky.", - "no_global_rules": "...žádná globální pravidla.", - "for_reddits_downfall": "...pro pád Redditu.", - "evil_corp_cant_stop_us": "...Evil Corp™ nás nezastaví.", - "no_gods_no_global_admins": "...žádní bohové, žádní globální správci.", "tags": "Štítky", "moderator_of": "moderátor", "not_subscriber_nor_moderator": "Nejste odběratelem ani moderátorem žádné komunity.", "more_posts_last_year": "{{count}} příspěvků v {{currentTimeFilterName}}: <1>zobrazit více příspěvků z minulého roku", - "editor_fallback_warning": "Pokročilý editor se nepodařilo načíst, jako záložní je použit základní textový editor." + "editor_fallback_warning": "Pokročilý editor se nepodařilo načíst, jako záložní je použit základní textový editor.", + "hot": "hot", + "new": "new", + "active": "active", + "top": "top", + "best": "best", + "old": "old", + "unstoppable_by_design": "...unstoppable by design.", + "servers_are_overrated": "...servers are overrated.", + "cryptographic_playground": "... cryptographic playground.", + "where_you_own_the_keys": "...where you own the keys.", + "no_middleman_here": "...no middleman here.", + "join_the_decentralution": "...join the decentralution.", + "because_privacy_matters": "...because privacy matters.", + "freedom_served_fresh_daily": "...freedom served fresh daily.", + "your_community_your_rules": "...your community, your rules.", + "centralization_is_boring": "...centralization is boring.", + "like_torrents_for_thoughts": "...like torrents, for thoughts.", + "cant_stop_the_signal": "...can't stop the signal.", + "fully_yours_forever": "...fully yours, forever.", + "powered_by_caffeine": "...powered by caffeine.", + "speech_wants_to_be_free": "...speech wants to be free.", + "crypto_certified_community": "...crypto-certified community.", + "take_ownership_literally": "...take ownership literally.", + "your_ideas_decentralized": "...your ideas, decentralized.", + "for_digital_sovereignty": "...for digital sovereignty.", + "for_your_movement": "...for your movement.", + "because_you_love_freedom": "...because you love freedom.", + "decentralized_but_for_real": "...decentralized, but for real.", + "for_your_peace_of_mind": "...for your peace of mind.", + "no_corporation_to_answer_to": "...no corporation to answer to.", + "your_tokenized_sovereignty": "...your tokenized sovereignty.", + "for_text_only_wonders": "...for text-only wonders.", + "because_open_source_rulez": "...because open source rulez.", + "truly_peer_to_peer": "...truly peer to peer.", + "no_hidden_fees": "...no hidden fees.", + "no_global_rules": "...no global rules.", + "for_reddits_downfall": "...for Reddit's downfall.", + "evil_corp_cant_stop_us": "...Evil Corp™ can't stop us.", + "no_gods_no_global_admins": "...no gods, no global admins." } diff --git a/public/translations/da/default.json b/public/translations/da/default.json index d559c8881..97e75f76e 100644 --- a/public/translations/da/default.json +++ b/public/translations/da/default.json @@ -1,13 +1,7 @@ { - "hot": "Populær", - "new": "Ny", - "active": "Aktiv", - "controversial": "Kontroversiel", - "top": "Top", "about": "Om", "comments": "kommentarer", "preferences": "Indstillinger", - "account_bar_language": "Engelsk", "submit": "Indsend", "dark": "Mørk", "light": "Lys", @@ -22,7 +16,6 @@ "post_comments": "Kommentarer", "share": "Del", "save": "Gem", - "unsave": "Fjern gem", "hide": "Skjul", "report": "Rapporter", "crosspost": "Krydspost", @@ -37,11 +30,7 @@ "time_1_year_ago": "1 år siden", "time_x_years_ago": "{{count}} år siden", "spoiler": "Spoiler", - "unspoiler": "Fjern spoiler", - "reply_permalink": "Permalink", - "embed": "Embed", "reply_reply": "Svar", - "best": "Bedste", "reply_sorted_by": "Sorteret efter", "all_comments": "Alle {{count}} kommentarer", "no_comments": "Ingen kommentarer (endnu)", @@ -66,11 +55,10 @@ "next": "Næste", "loading": "Indlæser", "pending": "Afventer", - "or": "eller", "submit_subscriptions_notice": "Foreslåede fællesskaber", "submit_subscriptions": "dine abonnerede fællesskaber", "rules_for": "regler for", - "no_communities_found": "Ingen samfund fundet på <1>https://github.com/plebbit/lists", + "no_communities_found": "Ingen samfund fundet på <1>https://github.com/bitsocialhq/lists", "connect_community_notice": "For at oprette forbindelse til et fællesskab, brug 🔎 øverst til højre", "options": "muligheder", "hide_options": "skjul muligheder", @@ -85,7 +73,6 @@ "time_x_months": "{{count}} måneder", "time_1_year": "1 år", "time_x_years": "{{count}} år", - "search": "søge", "submit_post": "Indsend en ny post", "create_your_community": "Opret din egen fællesskab", "moderators": "moderatorer", @@ -95,7 +82,6 @@ "created_by": "oprettet af {{creatorAddress}}", "community_for": "fællesskab i {{date}}", "post_submitted_on": "denne indsendt dette indlæg på {{postDate}}", - "readers_count": "{{count}} læsere", "users_online": "{{count}} brugere her nu", "point": "punkt", "points": "point", @@ -107,26 +93,15 @@ "moderation": "moderation", "interface_language": "grænsefladesprog", "theme": "tema", - "profile": "profil", "account": "konto", "display_name": "visningsnavn", "crypto_address": "kryptoadresse", - "reset": "nulstil", - "changes": "ændringer", "check": "check", "crypto_address_verification": "hvis kryptoadressen er løst p2p", - "is_current_account": "er dette den nuværende konto", - "account_data_preview": "konto data forhåndsvisning", "create": "opret", - "a_new_account": "ny konto", - "import": "importer", - "export": "eksportér", "delete": "slet", - "full_account_data": "fulde kontodata", - "this_account": "denne konto", "locked": "låst", "reason": "grund", - "no_posts_found": "ingen indlæg fundet", "sorted_by": "sorteret efter", "downvoted": "stemt nedad", "hidden": "skjult", @@ -138,21 +113,14 @@ "full_comments": "alle kommentarer", "context": "kontekst", "block": "blokér", - "hide_post": "skjul indlæg", "post": "opslag", "unhide": "vis", "unblock": "fjern blokering", "undo": "fortryd", "post_hidden": "skjult indlæg", - "old": "gamle", - "copy_link": "kopier linket", "link_copied": "link kopieret", - "view_on": "vis på {{destination}}", "block_community": "blokér fællesskab", "unblock_community": "fjern blokering af fællesskab", - "block_community_alert": "Er du sikker på, at du vil blokere dette fællesskab?", - "unblock_community_alert": "Er du sikker på, at du vil fjerne blokeringen af dette fællesskab?", - "search_community_address": "Søg efter en fællesskabsadresse", "search_feed_post": "Søg efter et opslag på dette feed", "from": "fra", "via": "via", @@ -169,15 +137,12 @@ "no_posts": "ingen indlæg", "media_url": "medie-URL", "post_locked_info": "Dette indlæg er {{state}}. Du vil ikke kunne kommentere.", - "no_subscriptions_notice": "Du har endnu ikke tilsluttet dig nogen fællesskab.", "members_count": "{{count}} medlemmer", "communities": "fællesskab", "edit": "redigere", "moderator": "Moderator", "description": "Beskrivelse", "rules": "Regler", - "challenge": "Udfordring", - "settings": "Indstillinger", "save_options": "Gem indstillinger", "logo": "Logo", "address": "Adresse", @@ -188,26 +153,15 @@ "moderation_tools": "Moderationsværktøjer", "submit_to": "Indsend til <1>{{link}}", "edit_subscriptions": "Rediger abonnementer", - "last_account_notice": "Du kan ikke slette din sidste konto, opret venligst en ny først.", "delete_confirm": "Er du sikker på, at du vil slette {{value}}?", "saving": "Gemmer", "deleted": "Slettet", - "mark_spoiler": "Marker som spoiler", - "remove_spoiler": "Fjern spoiler", - "delete_post": "Slet indlæg", - "undo_delete": "Fortryd sletning", - "edit_content": "Rediger indhold", "online": "Online", "offline": "Offline", - "download_app": "Hent appen", - "approved_user": "Godkendt bruger", "subscriber": "Abonnent", - "approved": "Godkendt", - "proposed": "Foreslået", "join_communities_notice": "Klik på knapperne <1>{{join}} eller <2>{{leave}} for at vælge, hvilke fællesskaber der skal vises på hjemmesiden.", "below_subscribed": "Nedenfor er de fællesskaber, du har tilmeldt dig.", "not_subscribed": "Du er ikke tilmeldt nogen fællesskab endnu.", - "below_approved_user": "Nedenfor er de fællesskaber, hvor du er en godkendt bruger.", "below_moderator_access": "Nedenfor er de fællesskaber, du har moderatoradgang til.", "not_moderator": "Du er ikke moderator på nogen fællesskab.", "create_community": "Opret fællesskab", @@ -228,7 +182,6 @@ "address_setting_info": "Indstil en læsbar fællesskabsadresse ved hjælp af en krypto-domæne", "enter_crypto_address": "Indtast venligst en gyldig krypto adresse.", "check_for_updates": "<1>Tjek for opdateringer", - "general_settings": "Generelle indstillinger", "refresh_to_update": "Opdater siden for at opdatere", "latest_development_version": "Du er på den nyeste udviklingsversion, commit {{commit}}. For at bruge den stabile version, gå til {{link}}.", "latest_stable_version": "Du er på den seneste stabile version, seedit v{{version}}.", @@ -236,7 +189,6 @@ "new_stable_version": "Ny stabil version tilgængelig, seedit v{{newVersion}}. Du bruger seedit v{{oldVersion}}.", "download_latest_desktop": "Download den seneste version til skrivebordet her: {{link}}", "contribute_on_github": "Bidrag på GitHub", - "create_community_not_available": "Endnu ikke tilgængelig på internettet. Du kan oprette en fællesskab ved hjælp af desktop-appen, download den her: {{desktopLink}}. Hvis du er fortrolig med kommandolinjen, kan du tjekke: {{cliLink}}", "no_media_found": "Ingen medier fundet", "no_image_found": "Ingen billede fundet", "warning_spam": "Advarsel: Ingen udfordring valgt, fællesskabet er sårbart over for spam-angreb.", @@ -254,7 +206,6 @@ "owner": "ejeren", "admin": "administrator", "settings_saved": "Indstillinger gemt for p/{{subplebbitAddress}}", - "mod_edit": "moderatorredigering", "continue_thread": "fortsæt denne tråd", "mod_edit_reason": "Mod redigeringsårsag", "double_confirm": "Er du virkelig sikker? Denne handling er uigenkaldelig.", @@ -266,12 +217,10 @@ "not_found_description": "Den side, du har anmodet om, findes ikke", "last_edited": "Sidst redigeret {{timestamp}}", "view_spoiler": "vis spoiler", - "more": "mere", "default_communities": "standardfællesskaber", "avatar": "avatar", "pending_edit": "ventende redigering", "failed_edit": "mislykket redigering", - "copy_full_address": "<1>kopiér fuld adresse", "node_stats": "nodestatistikker", "version": "version", "edit_reason": "redigeringsgrund", @@ -291,30 +240,22 @@ "ban_user_for": "Udeluk brugeren i <1> dag(e)", "crypto_wallets": "Crypto Wallets", "wallet_address": "Walletadresse", - "save_wallets": "<1>Gem wallet(s) til konto", "remove": "Fjern", "add_wallet": "<1>Tilføj en crypto-wallet", "show_settings": "Vis indstillinger", "hide_settings": "Skjul indstillinger", - "wallet": "Wallet", "undelete": "Gendan sletning", "downloading_comments": "downloading kommentarer", "you_blocked_community": "Du har blokeret dette fællesskab", "show": "vise", "plebbit_options": "plebbit indstillinger", "general": "almindelig", - "own_communities": "egne fællesskaber", - "invalid_community_address": "Ugyldig fællesskabsadresse", - "newer_posts_available": "Nyere indlæg tilgængelige: <1>genindlæs feed", "more_posts_last_week": "{{count}} indlæg sidste {{currentTimeFilterName}}: <1>vis flere indlæg fra sidste uge", "more_posts_last_month": "{{count}} indlæg sidste {{currentTimeFilterName}}: <1>vis flere indlæg fra sidste måned", - "sure_delete": "Er du sikker på, at du vil slette dette indlæg?", - "sure_undelete": "Er du sikker på, at du vil gendanne dette indlæg?", "profile_info": "Din konto u/{{shortAddress}} blev oprettet. <1>Indstil visningsnavn, <2>eksporter sikkerhedskopi, <3>læs mere.", "show_all_instead": "Viser indlæg siden {{timeFilterName}}, <1>vis alle i stedet", "subplebbit_offline_info": "Subplebbiten kan være offline, og offentliggørelse kan mislykkes.", "posts_last_synced_info": "Seneste synkroniserede indlæg {{time}}, subplebbiten kan være offline, og offentliggørelse kan mislykkes.", - "stored_locally": "Lager lokalt ({{location}}), ikke synkroniseret på tværs af enheder", "import_account_backup": "<1>importere kontosikkerhedskopi", "export_account_backup": "<1>eksportere kontosikkerhedskopi", "save_reset_changes": "<1>gem eller <2>nulstil ændringer", @@ -334,17 +275,11 @@ "communities_you_moderate": "De samfund, du modererer", "blur_media": "Slør medier markeret som NSFW/18+", "nsfw_content": "NSFW indhold", - "nsfw_communities": "NSFW fællesskaber", - "hide_adult": "Skjul samfund markeret som \"voksen\"", - "hide_gore": "Skjul samfund markeret som \"gore\"", - "hide_anti": "Skjul samfund markeret som \"anti\"", - "filters": "Filtre", "see_nsfw": "Klik for at se NSFW", "see_nsfw_spoiler": "Klik for at se NSFW spoiler", "always_show_nsfw": "Vil du altid vise NSFW medier?", "always_show_nsfw_notice": "Okay, vi har ændret dine præferencer til altid at vise NSFW medier.", "content_options": "Indholdsindstillinger", - "hide_vulgar": "Skjul samfund markeret som \"vulgar\"", "over_18": "Over 18?", "must_be_over_18": "Du skal være over 18 år for at se dette fællesskab", "must_be_over_18_explanation": "Du skal være mindst 18 år gammel for at se dette indhold. Er du over 18 og villig til at se voksenindhold?", @@ -355,7 +290,6 @@ "block_user": "Bloker bruger", "unblock_user": "Fjern blokering af bruger", "filtering_by_tag": "Filtrering efter tag: \"{{tag}}\"", - "read_only_community_settings": "Kun-læsning fællesskabsindstillinger", "you_are_moderator": "Du er moderator i dette fællesskab", "you_are_admin": "Du er administrator af dette fællesskab", "you_are_owner": "Du er ejer af dette fællesskab", @@ -377,7 +311,6 @@ "search_posts": "søg efter indlæg", "found_n_results_for": "fundet {{count}} indlæg for \"{{query}}\"", "clear_search": "ryd søgning", - "loading_iframe": "loading iframe", "no_matches_found_for": "der blev ikke fundet nogen matches for \"{{query}}\"", "searching": "søger", "hide_default_communities_from_topbar": "Skjul standardfællesskaber fra topbaren", @@ -410,42 +343,48 @@ "expand_media_previews_based_on_community_media_preferences": "Udvid mediepræsentationer baseret på det fællesskabs mediepræferencer", "show_all_nsfw": "Vis alle NSFW", "hide_all_nsfw": "Skjul alle NSFW", - "unstoppable_by_design": "...ustoppelig af design.", - "servers_are_overrated": "Servere er overvurderede.", - "cryptographic_playground": "... kryptografisk legeplads.", - "where_you_own_the_keys": "...hvor du ejer nøglerne.", - "no_middleman_here": "...ingen mellemmand her.", - "join_the_decentralution": "...deltag i decentralution.", - "because_privacy_matters": "...fordi privatliv er vigtigt.", - "freedom_served_fresh_daily": "...frihed serveret frisk dagligt.", - "your_community_your_rules": "Dit fællesskab, dine regler.", - "centralization_is_boring": "...centralisering er kedeligt.", - "like_torrents_for_thoughts": "...som torrents, for tanker.", - "cant_stop_the_signal": "...kan ikke stoppe signalet.", - "fully_yours_forever": "...fuldstændig din, for evigt.", - "powered_by_caffeine": "...drevet af koffein.", - "speech_wants_to_be_free": "...tale vil være fri.", - "crypto_certified_community": "...krypto-certificeret fællesskab.", - "take_ownership_literally": "...tag ejerskab bogstaveligt talt.", - "your_ideas_decentralized": "...dine idéer, decentraliserede.", - "for_digital_sovereignty": "...for digital suverænitet.", - "for_your_movement": "...til din bevægelse.", - "because_you_love_freedom": "...fordi du elsker frihed.", - "decentralized_but_for_real": "...decentraliseret, men på rigtig.", - "for_your_peace_of_mind": "...for din sindsro.", - "no_corporation_to_answer_to": "...ingen virksomhed at stå til regnskab for.", - "your_tokenized_sovereignty": "...din tokeniserede suverænitet.", - "for_text_only_wonders": "...til tekst-only vidundere.", - "because_open_source_rulez": "...fordi open source regerer.", - "truly_peer_to_peer": "...virkelig peer to peer.", - "no_hidden_fees": "...ingen skjulte gebyrer.", - "no_global_rules": "...ingen globale regler.", - "for_reddits_downfall": "...for Reddits fald.", - "evil_corp_cant_stop_us": "...Evil Corp™ kan ikke stoppe os.", - "no_gods_no_global_admins": "...ingen guder, ingen globale administratorer.", "tags": "Tags", "moderator_of": "moderator af", "not_subscriber_nor_moderator": "Du er hverken abonnent eller moderator i nogen fællesskab.", "more_posts_last_year": "{{count}} indlæg sidste {{currentTimeFilterName}}: <1>vis flere indlæg fra sidste år", - "editor_fallback_warning": "Avanceret editor kunne ikke indlæses, bruger grundlæggende teksteditor som fallback." + "editor_fallback_warning": "Avanceret editor kunne ikke indlæses, bruger grundlæggende teksteditor som fallback.", + "hot": "hot", + "new": "new", + "active": "active", + "top": "top", + "best": "best", + "old": "old", + "unstoppable_by_design": "...unstoppable by design.", + "servers_are_overrated": "...servers are overrated.", + "cryptographic_playground": "... cryptographic playground.", + "where_you_own_the_keys": "...where you own the keys.", + "no_middleman_here": "...no middleman here.", + "join_the_decentralution": "...join the decentralution.", + "because_privacy_matters": "...because privacy matters.", + "freedom_served_fresh_daily": "...freedom served fresh daily.", + "your_community_your_rules": "...your community, your rules.", + "centralization_is_boring": "...centralization is boring.", + "like_torrents_for_thoughts": "...like torrents, for thoughts.", + "cant_stop_the_signal": "...can't stop the signal.", + "fully_yours_forever": "...fully yours, forever.", + "powered_by_caffeine": "...powered by caffeine.", + "speech_wants_to_be_free": "...speech wants to be free.", + "crypto_certified_community": "...crypto-certified community.", + "take_ownership_literally": "...take ownership literally.", + "your_ideas_decentralized": "...your ideas, decentralized.", + "for_digital_sovereignty": "...for digital sovereignty.", + "for_your_movement": "...for your movement.", + "because_you_love_freedom": "...because you love freedom.", + "decentralized_but_for_real": "...decentralized, but for real.", + "for_your_peace_of_mind": "...for your peace of mind.", + "no_corporation_to_answer_to": "...no corporation to answer to.", + "your_tokenized_sovereignty": "...your tokenized sovereignty.", + "for_text_only_wonders": "...for text-only wonders.", + "because_open_source_rulez": "...because open source rulez.", + "truly_peer_to_peer": "...truly peer to peer.", + "no_hidden_fees": "...no hidden fees.", + "no_global_rules": "...no global rules.", + "for_reddits_downfall": "...for Reddit's downfall.", + "evil_corp_cant_stop_us": "...Evil Corp™ can't stop us.", + "no_gods_no_global_admins": "...no gods, no global admins." } diff --git a/public/translations/de/default.json b/public/translations/de/default.json index 625cd92d3..68a17058b 100644 --- a/public/translations/de/default.json +++ b/public/translations/de/default.json @@ -1,13 +1,7 @@ { - "hot": "Beliebt", - "new": "Neu", - "active": "Aktiv", - "controversial": "Kontrovers", - "top": "Top", "about": "Über", "comments": "Kommentare", "preferences": "Einstellungen", - "account_bar_language": "Deutsch", "submit": "Einreichen", "dark": "Dunkel", "light": "hell", @@ -22,7 +16,6 @@ "post_comments": "Kommentare", "share": "Weitersagen", "save": "Speichern", - "unsave": "Nicht speichern", "hide": "Ausblenden", "report": "melden", "crosspost": "crosspost", @@ -37,11 +30,7 @@ "time_1_year_ago": "vor 1 Jahr", "time_x_years_ago": "vor {{count}} Jahren", "spoiler": "ausklappen", - "unspoiler": "einklappen", - "reply_permalink": "Dauerlink", - "embed": "Embed", "reply_reply": "Antwort", - "best": "Besten", "reply_sorted_by": "Sortiert nach", "all_comments": "Alle {{count}} kommentare", "no_comments": "Keine kommentare (noch)", @@ -66,11 +55,10 @@ "next": "Nächste", "loading": "Laden", "pending": "Ausstehend", - "or": "oder", "submit_subscriptions_notice": "Vorgeschlagene Communitys", "submit_subscriptions": "Ihre abonnierten Gemeinschaften", "rules_for": "Regeln für", - "no_communities_found": "Keine Gemeinschaften gefunden auf <1>https://github.com/plebbit/lists", + "no_communities_found": "Keine Gemeinschaften gefunden auf <1>https://github.com/bitsocialhq/lists", "connect_community_notice": "Um eine Verbindung zu einer Gemeinschaft herzustellen, verwenden Sie 🔎 oben rechts", "options": "Optionen", "hide_options": "Optionen ausblenden", @@ -85,7 +73,6 @@ "time_x_months": "{{count}} Monate", "time_1_year": "1 Jahr", "time_x_years": "{{count}} Jahre", - "search": "suchen", "submit_post": "Einen neuen Beitrag veröffentlichen", "create_your_community": "Erstelle deine eigene Community", "moderators": "Moderatoren", @@ -95,7 +82,6 @@ "created_by": "erstellt von {{creatorAddress}}", "community_for": "eine Gemeinschaft seit {{date}}", "post_submitted_on": "dieser Beitrag wurde am {{postDate}} eingereicht", - "readers_count": "{{count}} Leser", "users_online": "{{count}} Nutzer jetzt hier", "point": "Punkt", "points": "Punkte", @@ -107,26 +93,15 @@ "moderation": "Moderation", "interface_language": "Oberflächensprache", "theme": "Thema", - "profile": "Profil", "account": "Konto", "display_name": "Anzeigename", "crypto_address": "Krypto-Adresse", - "reset": "zurücksetzen", - "changes": "Änderungen", "check": "überprüfen", "crypto_address_verification": "wenn die Krypto-Adresse p2p aufgelöst ist", - "is_current_account": "ist das aktuelle Konto", - "account_data_preview": "Vorschau der Kontodaten", "create": "erstellen", - "a_new_account": "ein neues Konto", - "import": "importiere", - "export": "exportiere", "delete": "löschen", - "full_account_data": "vollständige Kontodaten", - "this_account": "dieses Konto", "locked": "gesperrt", "reason": "Grund", - "no_posts_found": "keine Beiträge gefunden", "sorted_by": "sortiert nach", "downvoted": "negativ bewertet", "hidden": "versteckt", @@ -138,21 +113,14 @@ "full_comments": "alle Kommentare", "context": "Kontext", "block": "blockieren", - "hide_post": "Beitrag ausblenden", "post": "Beitrag", "unhide": "anzeigen", "unblock": "Blockierung aufheben", "undo": "rückgängig machen", "post_hidden": "versteckter Beitrag", - "old": "alt", - "copy_link": "Link kopieren", "link_copied": "Link kopiert", - "view_on": "ansehen auf {{destination}}", "block_community": "Community blockieren", "unblock_community": "Community-Blockierung aufheben", - "block_community_alert": "Sind Sie sicher, dass Sie diese Community blockieren möchten?", - "unblock_community_alert": "Sind Sie sicher, dass Sie diese Community freischalten möchten?", - "search_community_address": "Suche nach einer Community-Adresse", "search_feed_post": "Suche nach einem Beitrag in diesem Feed", "from": "von", "via": "über", @@ -169,15 +137,12 @@ "no_posts": "keine Beiträge", "media_url": "Medien-URL", "post_locked_info": "Dieser Beitrag ist {{state}}. Sie können keinen Kommentar hinterlassen.", - "no_subscriptions_notice": "Du hast dich noch keiner Community angeschlossen.", "members_count": "{{count}} Mitglieder", "communities": "Gemeinschaft", "edit": "bearbeiten", "moderator": "Moderator", "description": "Beschreibung", "rules": "Regeln", - "challenge": "Herausforderung", - "settings": "Einstellungen", "save_options": "Optionen speichern", "logo": "Logo", "address": "Adresse", @@ -188,26 +153,15 @@ "moderation_tools": "Moderationstools", "submit_to": "Einreichen an <1>{{link}}", "edit_subscriptions": "Abonnements bearbeiten", - "last_account_notice": "Sie können Ihr letztes Konto nicht löschen, bitte erstellen Sie zuerst ein neues.", "delete_confirm": "Möchten Sie {{value}} wirklich löschen?", "saving": "Speichern", "deleted": "Gelöscht", - "mark_spoiler": "Als Spoiler markieren", - "remove_spoiler": "Spoiler entfernen", - "delete_post": "Beitrag löschen", - "undo_delete": "Löschen rückgängig machen", - "edit_content": "Inhalt bearbeiten", "online": "Online", "offline": "Offline", - "download_app": "App herunterladen", - "approved_user": "Bestätigter Benutzer", "subscriber": "Abonnent", - "approved": "Genehmigt", - "proposed": "Vorgeschlagen", "join_communities_notice": "Klicken Sie auf die Schaltflächen <1>{{join}} oder <2>{{leave}}, um auszuwählen, welche Communities auf der Startseite angezeigt werden sollen.", "below_subscribed": "Unten sind die Communities, denen du beigetreten bist.", "not_subscribed": "Du bist bisher in keiner Community angemeldet.", - "below_approved_user": "Hier sind die Gemeinschaften, auf denen du ein genehmigter Benutzer bist.", "below_moderator_access": "Hier sind die Gemeinschaften, auf die Sie als Moderator zugreifen können.", "not_moderator": "Du bist kein Moderator in einer Gemeinschaft.", "create_community": "Gemeinschaft erstellen", @@ -228,7 +182,6 @@ "address_setting_info": "Setzen Sie eine lesbare Gemeindeadresse mit einer Krypto-Domäne", "enter_crypto_address": "Bitte geben Sie eine gültige Krypto-Adresse ein.", "check_for_updates": "<1>Überprüfen Sie auf Updates", - "general_settings": "Allgemeine Einstellungen", "refresh_to_update": "Aktualisieren Sie die Seite, um zu aktualisieren", "latest_development_version": "Du befindest dich auf der neuesten Entwicklungsversion, Commit {{commit}}. Um die stabile Version zu verwenden, gehe zu {{link}}.", "latest_stable_version": "Du befindest dich auf der neuesten stabilen Version, seedit v{{version}}.", @@ -236,7 +189,6 @@ "new_stable_version": "Neue stabile Version verfügbar, seedit v{{newVersion}}. Du verwendest seedit v{{oldVersion}}.", "download_latest_desktop": "Laden Sie hier die neueste Desktop-Version herunter: {{link}}", "contribute_on_github": "Beitragen auf GitHub", - "create_community_not_available": "Noch nicht im Web verfügbar. Sie können eine Community mit der Desktop-App erstellen, laden Sie sie hier herunter: {{desktopLink}}. Wenn Sie sich mit der Befehlszeile wohlfühlen, schauen Sie hier nach: {{cliLink}}", "no_media_found": "Keine Medien gefunden", "no_image_found": "Kein Bild gefunden", "warning_spam": "Warnung: Keine Herausforderung ausgewählt, die Gemeinschaft ist anfällig für Spam-Angriffe.", @@ -254,7 +206,6 @@ "owner": "Besitzer", "admin": "Administrator", "settings_saved": "Einstellungen für p/{{subplebbitAddress}} gespeichert", - "mod_edit": "Moderator bearbeiten", "continue_thread": "diesen Thread fortsetzen", "mod_edit_reason": "Moderator Bearbeitungsgrund", "double_confirm": "Sind Sie wirklich sicher? Diese Aktion ist nicht rückgängig zu machen.", @@ -266,12 +217,10 @@ "not_found_description": "Die von Ihnen angeforderte Seite existiert nicht", "last_edited": "Zuletzt bearbeitet am {{timestamp}}", "view_spoiler": "Spoiler anzeigen", - "more": "mehr", "default_communities": "Standard-Communities", "avatar": "Avatar", "pending_edit": "ausstehende Bearbeitung", "failed_edit": "fehlgeschlagene Bearbeitung", - "copy_full_address": "<1>Kopieren Sie die vollständige Adresse", "node_stats": "Knotenstatistiken", "version": "Version", "edit_reason": "Bearbeitungsgrund", @@ -291,30 +240,22 @@ "ban_user_for": "Benutzer für <1> Tag(e) sperren", "crypto_wallets": "Krypto-Wallets", "wallet_address": "Wallet-Adresse", - "save_wallets": "<1>Speichern von Wallet(s) im Konto", "remove": "Entfernen", "add_wallet": "<1>Hinzufügen einer Krypto-Brieftasche", "show_settings": "Einstellungen anzeigen", "hide_settings": "Einstellungen ausblenden", - "wallet": "Wallet", "undelete": "Wiederherstellen", "downloading_comments": "Kommentare werden heruntergeladen", "you_blocked_community": "Du hast diese Gemeinschaft blockiert", "show": "zeigen", "plebbit_options": "plebbit optionen", "general": "allgemein", - "own_communities": "eigene Gemeinschaften", - "invalid_community_address": "Ungültige Gemeindeadresse", - "newer_posts_available": "Neuere Beiträge verfügbar: <1>Feed neu laden", "more_posts_last_week": "{{count}} Beiträge letzte {{currentTimeFilterName}}: <1>zeige mehr Beiträge aus letzter Woche", "more_posts_last_month": "{{count}} Beiträge im {{currentTimeFilterName}}: <1>weitere Beiträge aus dem letzten Monat anzeigen", - "sure_delete": "Sind Sie sicher, dass Sie diesen Beitrag löschen möchten?", - "sure_undelete": "Sind Sie sicher, dass Sie diesen Beitrag wiederherstellen möchten?", "profile_info": "Ihr Konto u/{{shortAddress}} wurde erstellt. <1>Anzeige Name festlegen, <2>Backup exportieren, <3>Erfahren Sie mehr.", "show_all_instead": "Zeigt Beiträge seit {{timeFilterName}}, <1>stattdessen alles anzeigen", "subplebbit_offline_info": "Der Subplebbit könnte offline sein und das Veröffentlichen könnte fehlschlagen.", "posts_last_synced_info": "Beiträge zuletzt synchronisiert {{time}}, der Subplebbit könnte offline sein und das Veröffentlichen könnte fehlschlagen.", - "stored_locally": "Lokal gespeichert ({{location}}), nicht geräteübergreifend synchronisiert", "import_account_backup": "<1>importieren Sie die Kontosicherung", "export_account_backup": "<1>exportieren Sie die Kontosicherung", "save_reset_changes": "<1>speichern oder <2>zurücksetzen Änderungen", @@ -334,17 +275,11 @@ "communities_you_moderate": "Gemeinschaften, die du moderierst", "blur_media": "Unschärfe Medien, die als NSFW/18+ markiert sind", "nsfw_content": "NSFW-Inhalt", - "nsfw_communities": "NSFW-Communities", - "hide_adult": "Verstecke Communities, die als \"Erwachsene\" markiert sind", - "hide_gore": "Verstecke Communities, die als \"Gore\" markiert sind", - "hide_anti": "Verstecke Communities, die als \"Anti\" markiert sind", - "filters": "Filter", "see_nsfw": "Klicken Sie, um NSFW zu sehen", "see_nsfw_spoiler": "Klicken Sie, um den NSFW Spoiler zu sehen", "always_show_nsfw": "Möchten Sie immer NSFW-Medien anzeigen?", "always_show_nsfw_notice": "Okay, wir haben deine Präferenzen geändert, um immer NSFW-Medien anzuzeigen.", "content_options": "Inhaltsoptionen", - "hide_vulgar": "Verstecke Communities, die als \"Vulgar\" markiert sind", "over_18": "Über 18?", "must_be_over_18": "Sie müssen über 18 Jahre alt sein, um diese Community zu sehen", "must_be_over_18_explanation": "Sie müssen mindestens 18 Jahre alt sein, um diesen Inhalt zu sehen. Sind Sie über 18 Jahre alt und bereit, Erwachsenen-Inhalte zu sehen?", @@ -355,7 +290,6 @@ "block_user": "Benutzer blockieren", "unblock_user": "Benutzer entsperren", "filtering_by_tag": "Filtern nach Tag: \"{{tag}}\"", - "read_only_community_settings": "Nur-Lese-Community-Einstellungen", "you_are_moderator": "Du bist Moderator in dieser Community", "you_are_admin": "Du bist ein Administrator dieser Community", "you_are_owner": "Du bist der Eigentümer dieser Community", @@ -377,7 +311,6 @@ "search_posts": "Beiträge suchen", "found_n_results_for": "Es wurden {{count}} Beiträge für \"{{query}}\" gefunden", "clear_search": "Suche löschen", - "loading_iframe": "lade iframe", "no_matches_found_for": "Keine Übereinstimmungen für \"{{query}}\" gefunden", "searching": "Suche", "hide_default_communities_from_topbar": "Standardgemeinschaften aus der oberen Leiste ausblenden", @@ -410,42 +343,48 @@ "expand_media_previews_based_on_community_media_preferences": "Erweitern Sie Medienvorschauen basierend auf den Medienpräferenzen dieser Community", "show_all_nsfw": "Alle NSFW anzeigen", "hide_all_nsfw": "Alle NSFW ausblenden", - "unstoppable_by_design": "...durch das Design unaufhaltsam.", - "servers_are_overrated": "Server sind überbewertet.", - "cryptographic_playground": "... kryptographischer Spielplatz.", - "where_you_own_the_keys": "...wo Sie die Schlüssel besitzen.", - "no_middleman_here": "...kein Vermittler hier.", - "join_the_decentralution": "...mach bei der Dezentralution mit.", - "because_privacy_matters": "...weil Datenschutz wichtig ist.", - "freedom_served_fresh_daily": "...Freiheit täglich frisch serviert.", - "your_community_your_rules": "Deine Community, deine Regeln.", - "centralization_is_boring": "...Zentralisierung ist langweilig.", - "like_torrents_for_thoughts": "...wie Torrents, für Gedanken.", - "cant_stop_the_signal": "...das Signal kann nicht gestoppt werden.", - "fully_yours_forever": "...ganz dein, für immer.", - "powered_by_caffeine": "...betrieben durch Koffein.", - "speech_wants_to_be_free": "...Sprache will frei sein.", - "crypto_certified_community": "...krypto-zertifizierte Gemeinschaft.", - "take_ownership_literally": "...übernehme buchstäblich die Verantwortung.", - "your_ideas_decentralized": "...deine Ideen, dezentralisiert.", - "for_digital_sovereignty": "...für digitale Souveränität.", - "for_your_movement": "...für Ihre Bewegung.", - "because_you_love_freedom": "...weil du Freiheit liebst.", - "decentralized_but_for_real": "...dezentralisiert, aber wirklich.", - "for_your_peace_of_mind": "...für Ihre Seelenruhe.", - "no_corporation_to_answer_to": "...keine Firma, der man Rechenschaft schuldig ist.", - "your_tokenized_sovereignty": "...deine tokenisierte Souveränität.", - "for_text_only_wonders": "...für reine Textwunder.", - "because_open_source_rulez": "...weil Open Source einfach unschlagbar ist.", - "truly_peer_to_peer": "...wirklich Peer-to-Peer.", - "no_hidden_fees": "...keine versteckten Gebühren.", - "no_global_rules": "...keine globalen Regeln.", - "for_reddits_downfall": "...für den Niedergang von Reddit.", - "evil_corp_cant_stop_us": "...Evil Corp™ kann uns nicht stoppen.", - "no_gods_no_global_admins": "...keine Götter, keine globalen Administratoren.", "tags": "Tags", "moderator_of": "Moderator von", "not_subscriber_nor_moderator": "Sie sind weder Abonnent noch Moderator einer Community.", "more_posts_last_year": "{{count}} Beiträge im letzten {{currentTimeFilterName}}: <1>zeige mehr Beiträge vom letzten Jahr", - "editor_fallback_warning": "Erweiterter Editor konnte nicht geladen werden, grundlegender Texteditor wird als Ersatz verwendet." + "editor_fallback_warning": "Erweiterter Editor konnte nicht geladen werden, grundlegender Texteditor wird als Ersatz verwendet.", + "hot": "hot", + "new": "new", + "active": "active", + "top": "top", + "best": "best", + "old": "old", + "unstoppable_by_design": "...unstoppable by design.", + "servers_are_overrated": "...servers are overrated.", + "cryptographic_playground": "... cryptographic playground.", + "where_you_own_the_keys": "...where you own the keys.", + "no_middleman_here": "...no middleman here.", + "join_the_decentralution": "...join the decentralution.", + "because_privacy_matters": "...because privacy matters.", + "freedom_served_fresh_daily": "...freedom served fresh daily.", + "your_community_your_rules": "...your community, your rules.", + "centralization_is_boring": "...centralization is boring.", + "like_torrents_for_thoughts": "...like torrents, for thoughts.", + "cant_stop_the_signal": "...can't stop the signal.", + "fully_yours_forever": "...fully yours, forever.", + "powered_by_caffeine": "...powered by caffeine.", + "speech_wants_to_be_free": "...speech wants to be free.", + "crypto_certified_community": "...crypto-certified community.", + "take_ownership_literally": "...take ownership literally.", + "your_ideas_decentralized": "...your ideas, decentralized.", + "for_digital_sovereignty": "...for digital sovereignty.", + "for_your_movement": "...for your movement.", + "because_you_love_freedom": "...because you love freedom.", + "decentralized_but_for_real": "...decentralized, but for real.", + "for_your_peace_of_mind": "...for your peace of mind.", + "no_corporation_to_answer_to": "...no corporation to answer to.", + "your_tokenized_sovereignty": "...your tokenized sovereignty.", + "for_text_only_wonders": "...for text-only wonders.", + "because_open_source_rulez": "...because open source rulez.", + "truly_peer_to_peer": "...truly peer to peer.", + "no_hidden_fees": "...no hidden fees.", + "no_global_rules": "...no global rules.", + "for_reddits_downfall": "...for Reddit's downfall.", + "evil_corp_cant_stop_us": "...Evil Corp™ can't stop us.", + "no_gods_no_global_admins": "...no gods, no global admins." } diff --git a/public/translations/el/default.json b/public/translations/el/default.json index 6ff63eff2..31e9c2109 100644 --- a/public/translations/el/default.json +++ b/public/translations/el/default.json @@ -1,13 +1,7 @@ { - "hot": "Δημοφιλή", - "new": "Νέα", - "active": "Ενεργά", - "controversial": "Αμφιλεγόμενα", - "top": "Κορυφαία", "about": "Σχετικά", "comments": "σχόλια", "preferences": "Προτιμήσεις", - "account_bar_language": "Αγγλικά", "submit": "Υποβολή", "dark": "Σκοτεινός", "light": "Φωτεινό", @@ -22,7 +16,6 @@ "post_comments": "Σχόλια", "share": "Μοιραστείτε", "save": "Αποθήκευση", - "unsave": "Αφαίρεση αποθήκευσης", "hide": "Απόκρυψη", "report": "Αναφορά", "crosspost": "Διασταυρούμενη δημοσίευση", @@ -37,11 +30,7 @@ "time_1_year_ago": "Πριν από 1 έτος", "time_x_years_ago": "Πριν από {{count}} έτη", "spoiler": "Διαρροή", - "unspoiler": "Χωρίς Διαρροή", - "reply_permalink": "Μόνιμος σύνδεσμος", - "embed": "Embed", "reply_reply": "Απάντηση", - "best": "Καλύτερα", "reply_sorted_by": "Ταξινομημένα κατά", "all_comments": "Όλα τα {{count}} σχόλια", "no_comments": "Κανένα σχόλιο (ακόμη)", @@ -66,11 +55,10 @@ "next": "Επόμενο", "loading": "Φόρτωση", "pending": "Εκκρεμεί", - "or": "ή", "submit_subscriptions_notice": "Προτεινόμενες κοινότητες", "submit_subscriptions": "οι κοινότητες στις οποίες έχετε συνδρομή", "rules_for": "κανόνες για", - "no_communities_found": "Δεν βρέθηκαν κοινότητες στο <1>https://github.com/plebbit/lists", + "no_communities_found": "Δεν βρέθηκαν κοινότητες στο <1>https://github.com/bitsocialhq/lists", "connect_community_notice": "Για να συνδεθείτε με μια κοινότητα, χρησιμοποιήστε το 🔎 στην επάνω δεξιά γωνία", "options": "επιλογές", "hide_options": "απόκρυψη επιλογών", @@ -85,7 +73,6 @@ "time_x_months": "{{count}} μήνες", "time_1_year": "1 έτος", "time_x_years": "{{count}} έτη", - "search": "αναζήτηση", "submit_post": "Υποβάλετε μια νέα ανάρτηση", "create_your_community": "Δημιουργήστε τη δική σας κοινότητα", "moderators": "διαχειριστές", @@ -95,7 +82,6 @@ "created_by": "δημιουργήθηκε από {{creatorAddress}}", "community_for": "κοινότητα για {{date}}", "post_submitted_on": "αυτή η ανάρτηση κατατέθηκε στις {{postDate}}", - "readers_count": "{{count}} αναγνώστες", "users_online": "{{count}} χρήστες εδώ τώρα", "point": "σημείο", "points": "σημεία", @@ -107,26 +93,15 @@ "moderation": "διαμεσολάβηση", "interface_language": "γλώσσα διεπαφής", "theme": "θέμα", - "profile": "προφίλ", "account": "λογαριασμός", "display_name": "όνομα εμφάνισης", "crypto_address": "διεύθυνση κρυπτονομίσματος", - "reset": "επαναφορά", - "changes": "αλλαγές", "check": "ελέγξτε", "crypto_address_verification": "εάν η διεύθυνση κρυπτονομίσματος είναι αναγνωρισμένη p2p", - "is_current_account": "είναι το τρέχον λογαριασμός", - "account_data_preview": "προεπισκόπηση δεδομένων λογαριασμού", "create": "δημιουργήστε", - "a_new_account": "νέος λογαριασμός", - "import": "εισαγωγή", - "export": "εξαγωγή", "delete": "διαγραφή", - "full_account_data": "πλήρα δεδομένα λογαριασμού", - "this_account": "αυτός ο λογαριασμός", "locked": "κλειδωμένο", "reason": "λόγος", - "no_posts_found": "δεν βρέθηκαν αναρτήσεις", "sorted_by": "ταξινομημένο κατά", "downvoted": "καταψήφιση", "hidden": "κρυφός", @@ -138,21 +113,14 @@ "full_comments": "όλα τα σχόλια", "context": "πλαίσιο", "block": "φραγή", - "hide_post": "απόκρυψη δημοσίευσης", "post": "δημοσίευση", "unhide": "εμφάνιση", "unblock": "αναίρεση φραγής", "undo": "αναίρεση", "post_hidden": "κρυφή δημοσίευση", - "old": "παλιά", - "copy_link": "αντιγραφή συνδέσμου", "link_copied": "ο σύνδεσμος αντιγράφηκε", - "view_on": "προβολή σε {{destination}}", "block_community": "φραγή κοινότητας", "unblock_community": "αναίρεση φραγής κοινότητας", - "block_community_alert": "Είστε σίγουροι ότι θέλετε να φράξετε αυτήν την κοινότητα;", - "unblock_community_alert": "Είστε σίγουροι ότι θέλετε να αναιρέσετε το φράγμα αυτής της κοινότητας;", - "search_community_address": "Αναζήτηση διεύθυνσης κοινότητας", "search_feed_post": "Ψάξτε για μια ανάρτηση σε αυτήν τη ροή", "from": "από", "via": "μέσω", @@ -169,15 +137,12 @@ "no_posts": "κανένα άρθρο", "media_url": "URL πολυμέσων", "post_locked_info": "Αυτή η ανάρτηση είναι {{state}}. Δεν θα μπορείτε να σχολιάσετε.", - "no_subscriptions_notice": "Δεν έχετε εγγραφεί ακόμη σε κοινότητα.", "members_count": "{{count}} μέλη", "communities": "κοινόνια", "edit": "επικοινωνιακό", "moderator": "Διαμεσολαβητής", "description": "Περιγραφή", "rules": "Κανόνες", - "challenge": "Πρόκληση", - "settings": "Ρυθμίσεις", "save_options": "Αποθήκευση επιλογών", "logo": "Λογότυπο", "address": "Διεύθυνση", @@ -188,26 +153,15 @@ "moderation_tools": "Εργαλεία διαμεσολάβησης", "submit_to": "Υποβολή σε <1>{{link}}", "edit_subscriptions": "Επεξεργασία συνδρομών", - "last_account_notice": "Δεν μπορείτε να διαγράψετε το τελευταίο σας λογαριασμό, δημιουργήστε πρώτα έναν νέο.", "delete_confirm": "Είστε σίγουροι ότι θέλετε να διαγράψετε το {{value}};", "saving": "Αποθήκευση", "deleted": "Διαγράφηκε", - "mark_spoiler": "Σημειώστε ως spoiler", - "remove_spoiler": "Κατάργηση spoiler", - "delete_post": "Διαγραφή ανάρτησης", - "undo_delete": "Αναίρεση διαγραφής", - "edit_content": "Επεξεργασία περιεχομένου", "online": "Σε απευθείας σύνδεση", "offline": "Εκτός σύνδεσης", - "download_app": "Λήψη εφαρμογής", - "approved_user": "Εγκεκριμένος χρήστης", "subscriber": "Συνδρομητής", - "approved": "Εγκρίθηκε", - "proposed": "Προτεινόμενο", "join_communities_notice": "Κάντε κλικ στα κουμπιά <1>{{join}} ή <2>{{leave}} για να επιλέξετε ποιες κοινότητες θα εμφανίζονται στην αρχική σελίδα.", "below_subscribed": "Παρακάτω είναι οι κοινότητες στις οποίες έχετε εγγραφεί.", "not_subscribed": "Δεν είστε ακόμα εγγεγραμμένος σε κοινότητα.", - "below_approved_user": "Παρακάτω βρίσκονται οι κοινότητες στις οποίες είστε εγκεκριμένος χρήστης.", "below_moderator_access": "Παρακάτω βρίσκονται οι κοινότητες στις οποίες έχετε πρόσβαση ως διαχειριστής.", "not_moderator": "Δεν είστε διαχειριστής σε καμία κοινότητα.", "create_community": "Δημιουργία κοινότητας", @@ -228,7 +182,6 @@ "address_setting_info": "Ορίστε μια αναγνώσιμη διεύθυνση κοινότητας χρησιμοποιώντας ένα κρυπτο-τομέα", "enter_crypto_address": "Παρακαλώ εισαγάγετε μια έγκυρη διεύθυνση κρυπτονομίσματος.", "check_for_updates": "<1>Ελέγξτε για ενημερώσεις", - "general_settings": "Γενικές ρυθμίσεις", "refresh_to_update": "Ανανεώστε τη σελίδα για να ενημερωθεί", "latest_development_version": "Βρίσκεστε στην πιο πρόσφατη έκδοση ανάπτυξης, commit {{commit}}. Για να χρησιμοποιήσετε την σταθερή έκδοση, πηγαίνετε στη διεύθυνση {{link}}.", "latest_stable_version": "Βρίσκεστε στην πιο πρόσφατη σταθερή έκδοση, seedit v{{version}}.", @@ -236,7 +189,6 @@ "new_stable_version": "Νέα σταθερή έκδοση διαθέσιμη, seedit v{{newVersion}}. Χρησιμοποιείτε seedit v{{oldVersion}}.", "download_latest_desktop": "Κατεβάστε την πιο πρόσφατη έκδοση για επιτραπέζιο υπολογιστή εδώ: {{link}}", "contribute_on_github": "Συνεισφέρετε στο GitHub", - "create_community_not_available": "Ακόμη δεν είναι διαθέσιμο στο web. Μπορείτε να δημιουργήσετε μια κοινότητα χρησιμοποιώντας την εφαρμογή επιφάνειας εργασίας, κατεβάστε την εδώ: {{desktopLink}}. Αν είστε άνετοι με τη γραμμή εντολών, ελέγξτε εδώ: {{cliLink}}", "no_media_found": "Δεν βρέθηκαν πολυμέσα", "no_image_found": "Δεν βρέθηκε εικόνα", "warning_spam": "Προειδοποίηση: Δεν επιλέχθηκε πρόκληση, η κοινότητα είναι ευάλωτη στις επιθέσεις ανεπιθύμητων μηνυμάτων.", @@ -254,7 +206,6 @@ "owner": "κάτοχος", "admin": "διαχειριστής", "settings_saved": "Οι ρυθμίσεις αποθηκεύτηκαν για το p/{{subplebbitAddress}}", - "mod_edit": "επεξεργασία του διαχειριστή", "continue_thread": "συνεχίστε αυτό το θέμα", "mod_edit_reason": "Λόγος επεξεργασίας από συντονιστή", "double_confirm": "Είστε σίγουροι; Αυτή η ενέργεια είναι αναίρεση.", @@ -266,12 +217,10 @@ "not_found_description": "Η σελίδα που ζητήσατε δεν υπάρχει", "last_edited": "Τελευταία επεξεργασία {{timestamp}}", "view_spoiler": "προβολή spoiler", - "more": "περισσότερα", "default_communities": "προεπιλεγμένες κοινότητες", "avatar": "εικόνα προφίλ", "pending_edit": "εκκρεμής επεξεργασία", "failed_edit": "αποτυχημένη επεξεργασία", - "copy_full_address": "<1>αντιγραφή πλήρους διεύθυνσης", "node_stats": "στατιστικές κόμβων", "version": "έκδοση", "edit_reason": "λόγος επεξεργασίας", @@ -291,30 +240,22 @@ "ban_user_for": "Αποκλεισμός χρήστη για <1> ημέρα(ες)", "crypto_wallets": "Πορτοφόλια κρυπτονομισμάτων", "wallet_address": "Διεύθυνση πορτοφολιού", - "save_wallets": "<1>Αποθήκευση πορτοφολιού(ων) στον λογαριασμό", "remove": "Αφαίρεση", "add_wallet": "<1>Προσθήκη ενός κρυπτονομισματικού πορτοφολιού", "show_settings": "Εμφάνιση ρυθμίσεων", "hide_settings": "Απόκρυψη ρυθμίσεων", - "wallet": "Πορτοφόλι", "undelete": "Ανάκτηση διαγραφής", "downloading_comments": "κατέβασμα σχολίων", "you_blocked_community": "Έχετε αποκλείσει αυτή την κοινότητα", "show": "εμφάνιση", "plebbit_options": "επιλογές plebbit", "general": "γενικός", - "own_communities": "δικές μου κοινότητες", - "invalid_community_address": "Μη έγκυρη διεύθυνση κοινότητας", - "newer_posts_available": "Διαθέσιμες νεότερες αναρτήσεις: <1>ανανεώστε τη ροή", "more_posts_last_week": "{{count}} αναρτήσεις την περασμένη {{currentTimeFilterName}}: <1>δείτε περισσότερες αναρτήσεις από την περασμένη εβδομάδα", "more_posts_last_month": "{{count}} δημοσιεύσεις στο {{currentTimeFilterName}}: <1>δείτε περισσότερες δημοσιεύσεις από τον τελευταίο μήνα", - "sure_delete": "Είστε σίγουροι ότι θέλετε να διαγράψετε αυτήν την ανάρτηση;", - "sure_undelete": "Είστε σίγουροι ότι θέλετε να επαναφέρετε αυτήν την ανάρτηση;", "profile_info": "Ο λογαριασμός σας u/{{shortAddress}} δημιουργήθηκε. <1>Ορίστε το όνομα εμφάνισης, <2>εξαγωγή αντιγράφου ασφαλείας, <3>μάθετε περισσότερα.", "show_all_instead": "Εμφανίζονται αναρτήσεις από {{timeFilterName}}, <1>εμφάνιση όλων αντί αυτού", "subplebbit_offline_info": "Το subplebbit ενδέχεται να είναι εκτός σύνδεσης και η δημοσίευση μπορεί να αποτύχει.", "posts_last_synced_info": "Τελευταία συγχρονισμένες αναρτήσεις {{time}}, το subplebbit ενδέχεται να είναι εκτός σύνδεσης και η δημοσίευση μπορεί να αποτύχει.", - "stored_locally": "Αποθηκευμένο τοπικά ({{location}}), δεν συγχρονίζεται σε όλες τις συσκευές", "import_account_backup": "<1>εισαγωγή αντιγράφου ασφαλείας λογαριασμού", "export_account_backup": "<1>εξαγωγή αντιγράφου ασφαλείας λογαριασμού", "save_reset_changes": "<1>αποθήκευση ή <2>επανεκκίνηση αλλαγών", @@ -334,17 +275,11 @@ "communities_you_moderate": "Κοινότητες που moderates", "blur_media": "Θολώστε τα μέσα που είναι επισημασμένα ως NSFW/18+", "nsfw_content": "Περιεχόμενο NSFW", - "nsfw_communities": "Κοινότητες NSFW", - "hide_adult": "Απόκρυψη κοινοτήτων που είναι επισημασμένες ως \"ενήλικες\"", - "hide_gore": "Απόκρυψη κοινοτήτων που είναι επισημασμένες ως \"gore\"", - "hide_anti": "Απόκρυψη κοινοτήτων που είναι επισημασμένες ως \"αντι\"", - "filters": "Φίλτρα", "see_nsfw": "Κλικ για να δείτε το NSFW", "see_nsfw_spoiler": "Κλικ για να δείτε το NSFW spoiler", "always_show_nsfw": "Θέλετε να εμφανίζετε πάντα τα μέσα NSFW;", "always_show_nsfw_notice": "Εντάξει, αλλάξαμε τις προτιμήσεις σας για να εμφανίζετε πάντα τα μέσα NSFW.", "content_options": "Επιλογές περιεχομένου", - "hide_vulgar": "Απόκρυψη κοινοτήτων που είναι επισημασμένες ως \"vulgar\"", "over_18": "Άνω των 18;", "must_be_over_18": "Πρέπει να είστε άνω των 18 για να δείτε αυτήν την κοινότητα", "must_be_over_18_explanation": "Πρέπει να είστε τουλάχιστον 18 ετών για να δείτε αυτό το περιεχόμενο. Είστε άνω των 18 και πρόθυμοι να δείτε περιεχόμενο για ενήλικες;", @@ -355,7 +290,6 @@ "block_user": "Αποκλεισμός χρήστη", "unblock_user": "Ξεκλείδωμα χρήστη", "filtering_by_tag": "Φιλτράρισμα με tag: \"{{tag}}\"", - "read_only_community_settings": "Ρυθμίσεις κοινότητας μόνο για ανάγνωση", "you_are_moderator": "Είσαι συντονιστής αυτής της κοινότητας", "you_are_admin": "Είσαι διαχειριστής αυτής της κοινότητας", "you_are_owner": "Είσαι ο ιδιοκτήτης αυτής της κοινότητας", @@ -377,7 +311,6 @@ "search_posts": "αναζήτηση αναρτήσεων", "found_n_results_for": "βρέθηκαν {{count}} δημοσιεύσεις για \"{{query}}\"", "clear_search": "καθαρισμός αναζήτησης", - "loading_iframe": "φόρτωση iframe", "no_matches_found_for": "δεν βρέθηκαν αποτελέσματα για \"{{query}}\"", "searching": "αναζήτηση", "hide_default_communities_from_topbar": "Απόκρυψη προεπιλεγμένων κοινοτήτων από την πάνω μπάρα", @@ -410,42 +343,48 @@ "expand_media_previews_based_on_community_media_preferences": "Επεκτείνετε τις προεπισκοπήσεις μέσων βάσει των προτιμήσεων μέσων της κοινότητας", "show_all_nsfw": "Εμφάνιση όλων NSFW", "hide_all_nsfw": "Απόκρυψη όλων των NSFW", - "unstoppable_by_design": "...αδιακοπή από τον σχεδιασμό.", - "servers_are_overrated": "Οι διακομιστές είναι υπερτιμημένοι.", - "cryptographic_playground": "... κρυπτογραφική παιδική χαρά.", - "where_you_own_the_keys": "...όπου κατέχετε τα κλειδιά.", - "no_middleman_here": "...κανένας μεσάζων εδώ.", - "join_the_decentralution": "...ενταχθείτε στην αποκέντρωση.", - "because_privacy_matters": "...επειδή η ιδιωτικότητα μετράει.", - "freedom_served_fresh_daily": "...η ελευθερία σερβίρεται φρέσκια καθημερινά.", - "your_community_your_rules": "Η κοινότητά σου, οι κανόνες σου.", - "centralization_is_boring": "...η κεντροποίηση είναι βαρετή.", - "like_torrents_for_thoughts": "...σαν torrents, για σκέψεις.", - "cant_stop_the_signal": "...δεν μπορεί να σταματήσει το σήμα.", - "fully_yours_forever": "...για πάντα δικός σου.", - "powered_by_caffeine": "...υποστηρίζεται από καφεΐνη.", - "speech_wants_to_be_free": "...η ομιλία θέλει να είναι ελεύθερη.", - "crypto_certified_community": "...κρυπτο-πιστοποιημένη κοινότητα.", - "take_ownership_literally": "...αναλάβετε κυριολεκτικά την ευθύνη.", - "your_ideas_decentralized": "...οι ιδέες σας, αποκεντρωμένες.", - "for_digital_sovereignty": "...για ψηφιακή κυριαρχία.", - "for_your_movement": "...για την κίνησή σας.", - "because_you_love_freedom": "...γιατί αγαπάς την ελευθερία.", - "decentralized_but_for_real": "...αποκεντρωμένο, αλλά πραγματικά.", - "for_your_peace_of_mind": "...για την ηρεμία σας.", - "no_corporation_to_answer_to": "...καμία εταιρεία στην οποία πρέπει να δίνει λογαριασμό.", - "your_tokenized_sovereignty": "...η κωδικοποιημένη σας κυριαρχία.", - "for_text_only_wonders": "...για θαύματα μόνο με κείμενο.", - "because_open_source_rulez": "...επειδή το ανοιχτό λογισμικό είναι το καλύτερο.", - "truly_peer_to_peer": "...πραγματικά peer to peer.", - "no_hidden_fees": "...χωρίς κρυφές χρεώσεις.", - "no_global_rules": "...δεν υπάρχουν παγκόσμιοι κανόνες.", - "for_reddits_downfall": "...για την πτώση του Reddit.", - "evil_corp_cant_stop_us": "...Evil Corp™ δεν μπορεί να μας σταματήσει.", - "no_gods_no_global_admins": "...κανένας θεός, κανένας παγκόσμιος διαχειριστής.", "tags": "Ετικέτες", "moderator_of": "διαχειριστής του", "not_subscriber_nor_moderator": "Δεν είστε συνδρομητής ούτε διαχειριστής σε καμία κοινότητα.", "more_posts_last_year": "{{count}} αναρτήσεις στο {{currentTimeFilterName}}: <1>δείτε περισσότερες αναρτήσεις από το περασμένο έτος", - "editor_fallback_warning": "Ο προηγμένος επεξεργαστής απέτυχε να φορτωθεί, χρησιμοποιείται βασικός επεξεργαστής κειμένου ως εναλλακτική λύση." + "editor_fallback_warning": "Ο προηγμένος επεξεργαστής απέτυχε να φορτωθεί, χρησιμοποιείται βασικός επεξεργαστής κειμένου ως εναλλακτική λύση.", + "hot": "hot", + "new": "new", + "active": "active", + "top": "top", + "best": "best", + "old": "old", + "unstoppable_by_design": "...unstoppable by design.", + "servers_are_overrated": "...servers are overrated.", + "cryptographic_playground": "... cryptographic playground.", + "where_you_own_the_keys": "...where you own the keys.", + "no_middleman_here": "...no middleman here.", + "join_the_decentralution": "...join the decentralution.", + "because_privacy_matters": "...because privacy matters.", + "freedom_served_fresh_daily": "...freedom served fresh daily.", + "your_community_your_rules": "...your community, your rules.", + "centralization_is_boring": "...centralization is boring.", + "like_torrents_for_thoughts": "...like torrents, for thoughts.", + "cant_stop_the_signal": "...can't stop the signal.", + "fully_yours_forever": "...fully yours, forever.", + "powered_by_caffeine": "...powered by caffeine.", + "speech_wants_to_be_free": "...speech wants to be free.", + "crypto_certified_community": "...crypto-certified community.", + "take_ownership_literally": "...take ownership literally.", + "your_ideas_decentralized": "...your ideas, decentralized.", + "for_digital_sovereignty": "...for digital sovereignty.", + "for_your_movement": "...for your movement.", + "because_you_love_freedom": "...because you love freedom.", + "decentralized_but_for_real": "...decentralized, but for real.", + "for_your_peace_of_mind": "...for your peace of mind.", + "no_corporation_to_answer_to": "...no corporation to answer to.", + "your_tokenized_sovereignty": "...your tokenized sovereignty.", + "for_text_only_wonders": "...for text-only wonders.", + "because_open_source_rulez": "...because open source rulez.", + "truly_peer_to_peer": "...truly peer to peer.", + "no_hidden_fees": "...no hidden fees.", + "no_global_rules": "...no global rules.", + "for_reddits_downfall": "...for Reddit's downfall.", + "evil_corp_cant_stop_us": "...Evil Corp™ can't stop us.", + "no_gods_no_global_admins": "...no gods, no global admins." } diff --git a/public/translations/en/default.json b/public/translations/en/default.json index 0657b75a4..5e672e115 100644 --- a/public/translations/en/default.json +++ b/public/translations/en/default.json @@ -1,13 +1,46 @@ { + "active": "active", + "best": "best", + "because_open_source_rulez": "...because open source rulez.", + "because_privacy_matters": "...because privacy matters.", + "because_you_love_freedom": "...because you love freedom.", + "cant_stop_the_signal": "...can't stop the signal.", + "centralization_is_boring": "...centralization is boring.", + "crypto_certified_community": "...crypto-certified community.", + "cryptographic_playground": "... cryptographic playground.", + "decentralized_but_for_real": "...decentralized, but for real.", + "evil_corp_cant_stop_us": "...Evil Corp™ can't stop us.", + "for_digital_sovereignty": "...for digital sovereignty.", + "for_reddits_downfall": "...for Reddit's downfall.", + "for_text_only_wonders": "...for text-only wonders.", + "for_your_movement": "...for your movement.", + "for_your_peace_of_mind": "...for your peace of mind.", + "freedom_served_fresh_daily": "...freedom served fresh daily.", + "fully_yours_forever": "...fully yours, forever.", "hot": "hot", + "join_the_decentralution": "...join the decentralution.", + "like_torrents_for_thoughts": "...like torrents, for thoughts.", "new": "new", - "active": "active", - "controversial": "controversial", + "no_corporation_to_answer_to": "...no corporation to answer to.", + "no_gods_no_global_admins": "...no gods, no global admins.", + "no_hidden_fees": "...no hidden fees.", + "no_global_rules": "...no global rules.", + "no_middleman_here": "...no middleman here.", + "old": "old", + "powered_by_caffeine": "...powered by caffeine.", + "servers_are_overrated": "...servers are overrated.", + "speech_wants_to_be_free": "...speech wants to be free.", + "take_ownership_literally": "...take ownership literally.", "top": "top", + "truly_peer_to_peer": "...truly peer to peer.", + "unstoppable_by_design": "...unstoppable by design.", + "where_you_own_the_keys": "...where you own the keys.", + "your_community_your_rules": "...your community, your rules.", + "your_ideas_decentralized": "...your ideas, decentralized.", + "your_tokenized_sovereignty": "...your tokenized sovereignty.", "about": "about", "comments": "comments", "preferences": "preferences", - "account_bar_language": "English", "submit": "submit", "dark": "dark", "light": "light", @@ -22,7 +55,6 @@ "post_comments": "comments", "share": "share", "save": "save", - "unsave": "unsave", "hide": "hide", "report": "report", "crosspost": "crosspost", @@ -37,11 +69,7 @@ "time_1_year_ago": "1 year ago", "time_x_years_ago": "{{count}} years ago", "spoiler": "spoiler", - "unspoiler": "unspoiler", - "reply_permalink": "permalink", - "embed": "embed", "reply_reply": "reply", - "best": "best", "reply_sorted_by": "sorted by", "all_comments": "all {{count}} comments", "no_comments": "no comments (yet)", @@ -66,11 +94,10 @@ "next": "Next", "loading": "Loading", "pending": "Pending", - "or": "or", "submit_subscriptions_notice": "Suggested Communities", "submit_subscriptions": "your subscribed communities", "rules_for": "rules for", - "no_communities_found": "No communities found on <1>https://github.com/plebbit/lists", + "no_communities_found": "No communities found on <1>https://github.com/bitsocialhq/lists", "connect_community_notice": "To connect to a community, use 🔎 in the top right", "options": "options", "hide_options": "hide options", @@ -85,7 +112,6 @@ "time_x_months": "{{count}} months", "time_1_year": "1 year", "time_x_years": "{{count}} years", - "search": "search", "submit_post": "Submit a new post", "create_your_community": "Create your own community", "moderators": "moderators", @@ -95,7 +121,6 @@ "created_by": "created by {{creatorAddress}}", "community_for": "a community for {{date}}", "post_submitted_on": "this post was submitted on {{postDate}}", - "readers_count": "{{count}} readers", "users_online": "{{count}} users here now", "point": "point", "points": "points", @@ -107,26 +132,15 @@ "moderation": "mod", "interface_language": "interface language", "theme": "theme", - "profile": "profile", "account": "account", "display_name": "display name", "crypto_address": "crypto address", - "reset": "reset", - "changes": "changes", "check": "check", "crypto_address_verification": "if the crypto address is resolved p2p", - "is_current_account": "is the current account", - "account_data_preview": "account data preview", "create": "create", - "a_new_account": "a new account", - "import": "import", - "export": "export", "delete": "delete", - "full_account_data": "full account data", - "this_account": "this account", "locked": "locked", "reason": "reason", - "no_posts_found": "no posts found", "sorted_by": "sorted by", "downvoted": "downvoted", "hidden": "hidden", @@ -138,21 +152,14 @@ "full_comments": "full comments", "context": "context", "block": "block", - "hide_post": "hide post", "post": "post", "unhide": "unhide", "unblock": "unblock", "undo": "undo", "post_hidden": "post hidden", - "old": "old", - "copy_link": "copy link", "link_copied": "link copied", - "view_on": "view on {{destination}}", "block_community": "block community", "unblock_community": "unblock community", - "block_community_alert": "Are you sure you want to block this community?", - "unblock_community_alert": "Are you sure you want to unblock this community?", - "search_community_address": "Search a community address", "search_feed_post": "Search a post in this feed", "from": "from", "via": "via", @@ -169,15 +176,12 @@ "no_posts": "no posts", "media_url": "media url", "post_locked_info": "This post is {{state}}. You won't be able to comment.", - "no_subscriptions_notice": "You haven't joined any community.", "members_count": "{{count}} members", "communities": "communities", "edit": "edit", "moderator": "Moderator", "description": "Description", "rules": "Rules", - "challenge": "Challenge", - "settings": "Settings", "save_options": "Save Options", "logo": "Logo", "address": "Address", @@ -188,26 +192,15 @@ "moderation_tools": "Moderation Tools", "submit_to": "Submit to <1>{{link}}", "edit_subscriptions": "Edit Subscriptions", - "last_account_notice": "You cannot delete your last account, please create a new one first.", "delete_confirm": "Are you sure you want to delete {{value}}?", "saving": "Saving", "deleted": "Deleted", - "mark_spoiler": "Mark as Spoiler", - "remove_spoiler": "Remove Spoiler", - "delete_post": "Delete Post", - "undo_delete": "Undo Delete", - "edit_content": "Edit Content", "online": "Online", "offline": "Offline", - "download_app": "Download App", - "approved_user": "Approved User", "subscriber": "Subscriber", - "approved": "Approved", - "proposed": "Proposed", "join_communities_notice": "Click the <1>{{join}} or <2>{{leave}} buttons to choose which communities appear on the home feed.", "below_subscribed": "Below are communities you have subscribed to.", "not_subscribed": "You are not subscribed to any community.", - "below_approved_user": "Below are the communities that you are an approved user on.", "below_moderator_access": "Below are the communities that you have moderator access to.", "not_moderator": "You are not a moderator on any community.", "create_community": "Create community", @@ -228,7 +221,6 @@ "address_setting_info": "Set a readable community address using a crypto domain", "enter_crypto_address": "Please enter a valid crypto address.", "check_for_updates": "<1>Check for updates", - "general_settings": "general settings", "refresh_to_update": "Refresh the page to update", "latest_development_version": "You're on the latest development version, commit {{commit}}. To use the stable version, go to {{link}}.", "latest_stable_version": "You are on the latest stable version, seedit v{{version}}.", @@ -236,7 +228,6 @@ "new_stable_version": "New stable version available, seedit v{{newVersion}}. You are using seedit v{{oldVersion}}.", "download_latest_desktop": "Download the latest desktop version here: {{link}}", "contribute_on_github": "Contribute on GitHub", - "create_community_not_available": "Not yet available on web. You can create a community using the desktop app, available on Windows, MacOS and Linux. Download it here: {{desktopLink}}. If you are comfortable with the command line, you can use plebbit-cli instead: {{cliLink}}", "no_media_found": "No media found", "no_image_found": "No image found", "warning_spam": "Warning: no challenge selected, the community is vulnerable to spam attacks.", @@ -254,7 +245,6 @@ "owner": "owner", "admin": "admin", "settings_saved": "Settings saved for p/{{subplebbitAddress}}", - "mod_edit": "mod edit", "continue_thread": "continue this thread", "mod_edit_reason": "Mod edit reason", "double_confirm": "Are you really sure? This action is irreversible.", @@ -266,12 +256,10 @@ "not_found_description": "The page you requested does not exist", "last_edited": "last edited {{timestamp}}", "view_spoiler": "view spoiler", - "more": "more", "default_communities": "default communities", "avatar": "avatar", "pending_edit": "pending edit", "failed_edit": "failed edit", - "copy_full_address": "<1>copy full address", "node_stats": "node stats", "version": "version", "edit_reason": "edit reason", @@ -291,30 +279,22 @@ "ban_user_for": "Ban user for <1> day(s)", "crypto_wallets": "Crypto Wallets", "wallet_address": "Wallet address", - "save_wallets": "<1>Save wallet(s) to account", "remove": "Remove", "add_wallet": "<1>Add a crypto wallet", "show_settings": "Show settings", "hide_settings": "Hide settings", - "wallet": "Wallet", "undelete": "Undelete", "downloading_comments": "downloading comments", "you_blocked_community": "You blocked this community", "show": "show", "plebbit_options": "plebbit options", "general": "general", - "own_communities": "own communities", - "invalid_community_address": "Invalid community address", - "newer_posts_available": "Newer posts available: <1>reload feed", "more_posts_last_week": "{{count}} posts last {{currentTimeFilterName}}: <1>show more posts from last week", "more_posts_last_month": "{{count}} posts last {{currentTimeFilterName}}: <1>show more posts from last month", - "sure_delete": "Are you sure you want to delete this post?", - "sure_undelete": "Are you sure you want to undelete this post?", "profile_info": "Your account u/{{shortAddress}} was created. <1>Set display name, <2>export backup, <3>learn more.", "show_all_instead": "Showing posts since {{timeFilterName}}, <1>show all instead", "subplebbit_offline_info": "The subplebbit might be offline and publishing might fail.", "posts_last_synced_info": "Posts last synced {{time}}, the subplebbit might be offline and publishing might fail.", - "stored_locally": "Stored locally ({{location}}), not synced across devices", "import_account_backup": "<1>import account backup", "export_account_backup": "<1>export account backup", "save_reset_changes": "<1>save or <2>reset changes", @@ -334,17 +314,11 @@ "communities_you_moderate": "Communities you moderate", "blur_media": "Blur media marked as NSFW/18+", "nsfw_content": "NSFW content", - "nsfw_communities": "NSFW communities", - "hide_adult": "Hide communities tagged as \"adult\"", - "hide_gore": "Hide communities tagged as \"gore\"", - "hide_anti": "Hide communities tagged as \"anti\"", - "filters": "Filters", "see_nsfw": "Click to see nsfw", "see_nsfw_spoiler": "Click to see nsfw spoiler", "always_show_nsfw": "Always show NSFW media?", "always_show_nsfw_notice": "Ok, we changed your preferences to always show NSFW media.", "content_options": "Content options", - "hide_vulgar": "Hide communities tagged as \"vulgar\"", "over_18": "Over 18?", "must_be_over_18": "You must be 18+ to view this community", "must_be_over_18_explanation": "You must be at least eighteen years old to view this content. Are you over eighteen and willing to see adult content?", @@ -355,7 +329,6 @@ "block_user": "Block user", "unblock_user": "Unblock user", "filtering_by_tag": "Filtering by tag: \"{{tag}}\"", - "read_only_community_settings": "Read-only community settings", "you_are_moderator": "You are a moderator of this community.", "you_are_admin": "You are an admin of this community.", "you_are_owner": "You are the owner of this community.", @@ -377,7 +350,6 @@ "search_posts": "search posts", "found_n_results_for": "found {{count}} posts for \"{{query}}\"", "clear_search": "clear search", - "loading_iframe": "loading iframe", "no_matches_found_for": "no matches found for \"{{query}}\"", "searching": "searching", "hide_default_communities_from_topbar": "Hide default communities from topbar", @@ -411,39 +383,6 @@ "expand_media_previews_based_on_community_media_preferences": "Expand media previews based on that community's media preferences", "show_all_nsfw": "show all nsfw", "hide_all_nsfw": "hide all nsfw", - "unstoppable_by_design": "...unstoppable by design.", - "servers_are_overrated": "...servers are overrated.", - "cryptographic_playground": "... cryptographic playground.", - "where_you_own_the_keys": "...where you own the keys.", - "no_middleman_here": "...no middleman here.", - "join_the_decentralution": "...join the decentralution.", - "because_privacy_matters": "...because privacy matters.", - "freedom_served_fresh_daily": "...freedom served fresh daily.", - "your_community_your_rules": "...your community, your rules.", - "centralization_is_boring": "...centralization is boring.", - "like_torrents_for_thoughts": "...like torrents, for thoughts.", - "cant_stop_the_signal": "...can't stop the signal.", - "fully_yours_forever": "...fully yours, forever.", - "powered_by_caffeine": "...powered by caffeine.", - "speech_wants_to_be_free": "...speech wants to be free.", - "crypto_certified_community": "...crypto-certified community.", - "take_ownership_literally": "...take ownership literally.", - "your_ideas_decentralized": "...your ideas, decentralized.", - "for_digital_sovereignty": "...for digital sovereignty.", - "for_your_movement": "...for your movement.", - "because_you_love_freedom": "...because you love freedom.", - "decentralized_but_for_real": "...decentralized, but for real.", - "for_your_peace_of_mind": "...for your peace of mind.", - "no_corporation_to_answer_to": "...no corporation to answer to.", - "your_tokenized_sovereignty": "...your tokenized sovereignty.", - "for_text_only_wonders": "...for text-only wonders.", - "because_open_source_rulez": "...because open source rulez.", - "truly_peer_to_peer": "...truly peer to peer.", - "no_hidden_fees": "...no hidden fees.", - "no_global_rules": "...no global rules.", - "for_reddits_downfall": "...for Reddit's downfall.", - "evil_corp_cant_stop_us": "...Evil Corp™ can't stop us.", - "no_gods_no_global_admins": "...no gods, no global admins.", "tags": "Tags", "moderator_of": "moderator of", "not_subscriber_nor_moderator": "You are not a subscriber nor a moderator of any community.", diff --git a/public/translations/es/default.json b/public/translations/es/default.json index 77cbd0b70..abc886e27 100644 --- a/public/translations/es/default.json +++ b/public/translations/es/default.json @@ -1,13 +1,7 @@ { - "hot": "popular", - "new": "nuevo", - "active": "activo", - "controversial": "controversial", - "top": "mejor valorado", "about": "acerca de", "comments": "comentarios", "preferences": "preferencias", - "account_bar_language": "Español", "submit": "enviar", "dark": "oscuro", "light": "claro", @@ -22,7 +16,6 @@ "post_comments": "comentarios", "share": "compartir", "save": "guardar", - "unsave": "desguardar", "hide": "ocultar", "report": "reportar", "crosspost": "crosspost", @@ -37,11 +30,7 @@ "time_1_year_ago": "hace 1 año", "time_x_years_ago": "hace {{count}} años", "spoiler": "spoiler", - "unspoiler": "despoiler", - "reply_permalink": "enlace permanente", - "embed": "embed", "reply_reply": "responder", - "best": "mejores", "reply_sorted_by": "ordenado por", "all_comments": "todos los {{count}} comentarios", "no_comments": "sin comentarios (aún)", @@ -66,11 +55,10 @@ "next": "Siguiente", "loading": "Cargando", "pending": "Pendiente", - "or": "o", "submit_subscriptions_notice": "Comunidades sugeridas", "submit_subscriptions": "tus comunidades suscritas", "rules_for": "reglas para", - "no_communities_found": "No se encontraron comunidades en <1>https://github.com/plebbit/lists", + "no_communities_found": "No se encontraron comunidades en <1>https://github.com/bitsocialhq/lists", "connect_community_notice": "Para conectarte a una comunidad, usa 🔎 en la parte superior derecha", "options": "opciones", "hide_options": "ocultar opciones", @@ -85,7 +73,6 @@ "time_x_months": "{{count}} meses", "time_1_year": "1 año", "time_x_years": "{{count}} años", - "search": "buscar", "submit_post": "Enviar una nueva publicación", "create_your_community": "Crea tu propia comunidad", "moderators": "moderadores", @@ -95,7 +82,6 @@ "created_by": "creado por {{creatorAddress}}", "community_for": "una comunidad por {{date}}", "post_submitted_on": "esta publicación se presentó el {{postDate}}", - "readers_count": "{{count}} lectores", "users_online": "{{count}} usuarios aquí ahora", "point": "punto", "points": "puntos", @@ -107,26 +93,15 @@ "moderation": "moderación", "interface_language": "idioma de interfaz", "theme": "tema", - "profile": "perfil", "account": "cuenta", "display_name": "nombre visible", "crypto_address": "dirección de cripto", - "reset": "restablecer", - "changes": "cambios", "check": "verificar", "crypto_address_verification": "si la dirección de cripto se resuelve p2p", - "is_current_account": "es la cuenta actual", - "account_data_preview": "vista previa de datos de cuenta", "create": "crear", - "a_new_account": "una nueva cuenta", - "import": "importar", - "export": "exportar", "delete": "eliminar", - "full_account_data": "datos completos de la cuenta", - "this_account": "esta cuenta", "locked": "bloqueado", "reason": "motivo", - "no_posts_found": "no se encontraron publicaciones", "sorted_by": "ordenado por", "downvoted": "voto negativo", "hidden": "oculto", @@ -138,21 +113,14 @@ "full_comments": "todos los comentarios", "context": "contexto", "block": "bloquear", - "hide_post": "ocultar publicación", "post": "publicación", "unhide": "mostrar", "unblock": "desbloquear", "undo": "deshacer", "post_hidden": "publicación oculta", - "old": "antiguos", - "copy_link": "copiar enlace", "link_copied": "enlace copiado", - "view_on": "ver en {{destination}}", "block_community": "bloquear comunidad", "unblock_community": "desbloquear comunidad", - "block_community_alert": "¿Estás seguro de que quieres bloquear esta comunidad?", - "unblock_community_alert": "¿Estás seguro de que quieres desbloquear esta comunidad?", - "search_community_address": "Buscar una dirección de comunidad", "search_feed_post": "Buscar una publicación en este feed", "from": "de", "via": "a través de", @@ -169,15 +137,12 @@ "no_posts": "sin publicaciones", "media_url": "URL de medios", "post_locked_info": "Esta publicación está {{state}}. No podrás comentar.", - "no_subscriptions_notice": "Todavía no te has unido a ninguna comunidad.", "members_count": "{{count}} miembros", "communities": "comunidades", "edit": "editar", "moderator": "Moderador", "description": "Descripción", "rules": "Reglas", - "challenge": "Desafío", - "settings": "Ajustes", "save_options": "Guardar opciones", "logo": "Logotipo", "address": "Dirección", @@ -188,26 +153,15 @@ "moderation_tools": "Herramientas de moderación", "submit_to": "Enviar a <1>{{link}}", "edit_subscriptions": "Editar suscripciones", - "last_account_notice": "No puedes eliminar tu última cuenta, por favor crea una nueva primero.", "delete_confirm": "¿Estás seguro de que quieres eliminar {{value}}?", "saving": "Guardando", "deleted": "Eliminado", - "mark_spoiler": "Marcar como spoiler", - "remove_spoiler": "Eliminar spoiler", - "delete_post": "Eliminar publicación", - "undo_delete": "Deshacer eliminación", - "edit_content": "Editar contenido", "online": "En línea", "offline": "Sin conexión", - "download_app": "Descargar aplicación", - "approved_user": "Usuario aprobado", "subscriber": "Suscriptor", - "approved": "Aprobado", - "proposed": "Propuesto", "join_communities_notice": "Haz clic en los botones <1>{{join}} o <2>{{leave}} para elegir qué comunidades aparecen en la página de inicio.", "below_subscribed": "A continuación se muestran las comunidades a las que te has suscrito.", "not_subscribed": "Todavía no estás suscrito a ninguna comunidad.", - "below_approved_user": "A continuación se muestran las comunidades en las que eres un usuario aprobado.", "below_moderator_access": "A continuación se muestran las comunidades a las que tienes acceso como moderador.", "not_moderator": "No eres moderador en ninguna comunidad.", "create_community": "Crear comunidad", @@ -228,7 +182,6 @@ "address_setting_info": "Establezca una dirección comunitaria legible utilizando un dominio cripto", "enter_crypto_address": "Por favor, introduzca una dirección de cripto válida.", "check_for_updates": "<1>Verifique las actualizaciones", - "general_settings": "Configuración general", "refresh_to_update": "Actualiza la página para actualizar", "latest_development_version": "Estás en la última versión de desarrollo, commit {{commit}}. Para usar la versión estable, ve a {{link}}.", "latest_stable_version": "Estás en la última versión estable, seedit v{{version}}.", @@ -236,7 +189,6 @@ "new_stable_version": "Nueva versión estable disponible, seedit v{{newVersion}}. Estás usando seedit v{{oldVersion}}.", "download_latest_desktop": "Descarga la última versión de escritorio aquí: {{link}}", "contribute_on_github": "Contribuir en GitHub", - "create_community_not_available": "Todavía no disponible en la web. Puedes crear una comunidad utilizando la aplicación de escritorio, descárgala aquí: {{desktopLink}}. Si te sientes cómodo con la línea de comandos, échale un vistazo aquí: {{cliLink}}", "no_media_found": "No se encontraron medios", "no_image_found": "No se encontró imagen", "warning_spam": "Advertencia: no se ha seleccionado ningún desafío, la comunidad es vulnerable a los ataques de spam.", @@ -254,7 +206,6 @@ "owner": "propietario", "admin": "administrador", "settings_saved": "Ajustes guardados para p/{{subplebbitAddress}}", - "mod_edit": "edición de moderador", "continue_thread": "continuar este hilo", "mod_edit_reason": "Razón de edición del moderador", "double_confirm": "¿Estás realmente seguro? Esta acción es irreversible.", @@ -266,12 +217,10 @@ "not_found_description": "La página que solicitaste no existe", "last_edited": "última edición {{timestamp}}", "view_spoiler": "ver spoiler", - "more": "más", "default_communities": "comunidades predeterminadas", "avatar": "avatar", "pending_edit": "edición pendiente", "failed_edit": "edición fallida", - "copy_full_address": "<1>copiar la dirección completa", "node_stats": "estadísticas del nodo", "version": "versión", "edit_reason": "motivo de la edición", @@ -291,30 +240,22 @@ "ban_user_for": "Prohibir al usuario durante <1> día(s)", "crypto_wallets": "Billeteras cripto", "wallet_address": "Dirección de la billetera", - "save_wallets": "<1>Guardar cartera(s) en la cuenta", "remove": "Eliminar", "add_wallet": "<1>Agregar una billetera cripto", "show_settings": "Mostrar ajustes", "hide_settings": "Ocultar ajustes", - "wallet": "Cartera", "undelete": "Recuperar", "downloading_comments": "descargando comentarios", "you_blocked_community": "Has bloqueado esta comunidad", "show": "mostrar", "plebbit_options": "opciones plebbit", "general": "general", - "own_communities": "comunidades propias", - "invalid_community_address": "Dirección de comunidad no válida", - "newer_posts_available": "Publicaciones más recientes disponibles: <1>recargar feed", "more_posts_last_week": "{{count}} publicaciones la última {{currentTimeFilterName}}: <1>ver más publicaciones de la semana pasada", "more_posts_last_month": "{{count}} publicaciones en {{currentTimeFilterName}}: <1>mostrar más publicaciones del mes pasado", - "sure_delete": "¿Está seguro de que desea eliminar esta publicación?", - "sure_undelete": "¿Está seguro de que desea restaurar esta publicación?", "profile_info": "Tu cuenta u/{{shortAddress}} fue creada. <1>Establecer nombre para mostrar, <2>exportar copia de seguridad, <3>más información.", "show_all_instead": "Mostrando publicaciones desde {{timeFilterName}}, <1>mostrar todo en su lugar", "subplebbit_offline_info": "El subplebbit podría estar fuera de línea y la publicación podría fallar.", "posts_last_synced_info": "Últimas publicaciones sincronizadas {{time}}, el subplebbit podría estar fuera de línea y la publicación podría fallar.", - "stored_locally": "Almacenado localmente ({{location}}), no sincronizado entre dispositivos", "import_account_backup": "<1>importar copia de seguridad de la cuenta", "export_account_backup": "<1>exportar copia de seguridad de la cuenta", "save_reset_changes": "<1>guardar o <2>restablecer cambios", @@ -334,17 +275,11 @@ "communities_you_moderate": "Comunidades que moderas", "blur_media": "Difuminar los medios marcados como NSFW/18+", "nsfw_content": "Contenido NSFW", - "nsfw_communities": "Comunidades NSFW", - "hide_adult": "Ocultar comunidades etiquetadas como \"adulto\"", - "hide_gore": "Ocultar comunidades etiquetadas como \"gore\"", - "hide_anti": "Ocultar comunidades etiquetadas como \"anti\"", - "filters": "Filtros", "see_nsfw": "Haz clic para ver NSFW", "see_nsfw_spoiler": "Haz clic para ver el spoiler NSFW", "always_show_nsfw": "¿Siempre mostrar medios NSFW?", "always_show_nsfw_notice": "Ok, cambiamos tus preferencias para mostrar siempre medios NSFW.", "content_options": "Opciones de contenido", - "hide_vulgar": "Ocultar comunidades etiquetadas como \"vulgar\"", "over_18": "¿Más de 18?", "must_be_over_18": "Debes tener más de 18 años para ver esta comunidad", "must_be_over_18_explanation": "Debe tener al menos dieciocho años para ver este contenido. ¿Tienes más de dieciocho años y estás dispuesto a ver contenido para adultos?", @@ -355,7 +290,6 @@ "block_user": "Bloquear usuario", "unblock_user": "Desbloquear usuario", "filtering_by_tag": "Filtrando por etiqueta: \"{{tag}}\"", - "read_only_community_settings": "Configuración de comunidad solo lectura", "you_are_moderator": "Eres moderador de esta comunidad", "you_are_admin": "Eres un administrador de esta comunidad", "you_are_owner": "Eres el dueño de esta comunidad", @@ -377,7 +311,6 @@ "search_posts": "buscar publicaciones", "found_n_results_for": "se encontraron {{count}} publicaciones para \"{{query}}\"", "clear_search": "borrar búsqueda", - "loading_iframe": "cargando iframe", "no_matches_found_for": "no se encontraron coincidencias para \"{{query}}\"", "searching": "buscando", "hide_default_communities_from_topbar": "Ocultar comunidades predeterminadas de la barra superior", @@ -410,42 +343,48 @@ "expand_media_previews_based_on_community_media_preferences": "Expande las vistas previas de medios según las preferencias de medios de esa comunidad", "show_all_nsfw": "mostrar todo NSFW", "hide_all_nsfw": "ocultar todo NSFW", - "unstoppable_by_design": "...imparable por diseño.", - "servers_are_overrated": "...los servidores están sobrevalorados.", - "cryptographic_playground": "... patio de juegos criptográfico.", - "where_you_own_the_keys": "...donde posees las claves.", - "no_middleman_here": "...sin intermediarios aquí.", - "join_the_decentralution": "...únete a la decentralution.", - "because_privacy_matters": "...porque la privacidad importa.", - "freedom_served_fresh_daily": "...libertad servida fresca diariamente.", - "your_community_your_rules": "...tu comunidad, tus reglas.", - "centralization_is_boring": "...la centralización es aburrida.", - "like_torrents_for_thoughts": "...como torrents, para pensamientos.", - "cant_stop_the_signal": "...no se puede detener la señal.", - "fully_yours_forever": "...completamente tuyo, para siempre.", - "powered_by_caffeine": "...impulsado por cafeína.", - "speech_wants_to_be_free": "...el habla quiere ser libre.", - "crypto_certified_community": "...comunidad certificada en criptografía.", - "take_ownership_literally": "...toma la propiedad literalmente.", - "your_ideas_decentralized": "...tus ideas, descentralizadas.", - "for_digital_sovereignty": "...por la soberanía digital.", - "for_your_movement": "...para tu movimiento.", - "because_you_love_freedom": "...porque amas la libertad.", - "decentralized_but_for_real": "...descentralizado, pero de verdad.", - "for_your_peace_of_mind": "...para tu tranquilidad.", - "no_corporation_to_answer_to": "...ninguna corporación a la que rendir cuentas.", - "your_tokenized_sovereignty": "...tu soberanía tokenizada.", - "for_text_only_wonders": "...para maravillas solo de texto.", - "because_open_source_rulez": "...porque el código abierto manda.", - "truly_peer_to_peer": "...realmente peer to peer.", - "no_hidden_fees": "...sin cargos ocultos.", - "no_global_rules": "...no hay reglas globales.", - "for_reddits_downfall": "...para la caída de Reddit.", - "evil_corp_cant_stop_us": "...Evil Corp™ no puede detenernos.", - "no_gods_no_global_admins": "...no hay dioses, no hay administradores globales.", "tags": "Etiquetas", "moderator_of": "moderador de", "not_subscriber_nor_moderator": "No eres suscriptor ni moderador de ninguna comunidad.", "more_posts_last_year": "{{count}} publicaciones en {{currentTimeFilterName}}: <1>mostrar más publicaciones del año pasado", - "editor_fallback_warning": "No se pudo cargar el editor avanzado, se está usando el editor de texto básico como alternativa." + "editor_fallback_warning": "No se pudo cargar el editor avanzado, se está usando el editor de texto básico como alternativa.", + "hot": "hot", + "new": "new", + "active": "active", + "top": "top", + "best": "best", + "old": "old", + "unstoppable_by_design": "...unstoppable by design.", + "servers_are_overrated": "...servers are overrated.", + "cryptographic_playground": "... cryptographic playground.", + "where_you_own_the_keys": "...where you own the keys.", + "no_middleman_here": "...no middleman here.", + "join_the_decentralution": "...join the decentralution.", + "because_privacy_matters": "...because privacy matters.", + "freedom_served_fresh_daily": "...freedom served fresh daily.", + "your_community_your_rules": "...your community, your rules.", + "centralization_is_boring": "...centralization is boring.", + "like_torrents_for_thoughts": "...like torrents, for thoughts.", + "cant_stop_the_signal": "...can't stop the signal.", + "fully_yours_forever": "...fully yours, forever.", + "powered_by_caffeine": "...powered by caffeine.", + "speech_wants_to_be_free": "...speech wants to be free.", + "crypto_certified_community": "...crypto-certified community.", + "take_ownership_literally": "...take ownership literally.", + "your_ideas_decentralized": "...your ideas, decentralized.", + "for_digital_sovereignty": "...for digital sovereignty.", + "for_your_movement": "...for your movement.", + "because_you_love_freedom": "...because you love freedom.", + "decentralized_but_for_real": "...decentralized, but for real.", + "for_your_peace_of_mind": "...for your peace of mind.", + "no_corporation_to_answer_to": "...no corporation to answer to.", + "your_tokenized_sovereignty": "...your tokenized sovereignty.", + "for_text_only_wonders": "...for text-only wonders.", + "because_open_source_rulez": "...because open source rulez.", + "truly_peer_to_peer": "...truly peer to peer.", + "no_hidden_fees": "...no hidden fees.", + "no_global_rules": "...no global rules.", + "for_reddits_downfall": "...for Reddit's downfall.", + "evil_corp_cant_stop_us": "...Evil Corp™ can't stop us.", + "no_gods_no_global_admins": "...no gods, no global admins." } diff --git a/public/translations/fa/default.json b/public/translations/fa/default.json index 42b4ba771..99034533c 100644 --- a/public/translations/fa/default.json +++ b/public/translations/fa/default.json @@ -1,13 +1,7 @@ { - "hot": "داغ", - "new": "جدید", - "active": "فعال", - "controversial": "مورد بحث", - "top": "برتر", "about": "درباره", "comments": "نظرات", "preferences": "تنظیمات", - "account_bar_language": "انگلیسی", "submit": "ارسال", "dark": "تاریک", "light": "روشن", @@ -22,7 +16,6 @@ "post_comments": "نظرات", "share": "اشتراک گذاری", "save": "ذخیره", - "unsave": "حذف از ذخیره", "hide": "پنهان کردن", "report": "گزارش", "crosspost": "پست مشترک", @@ -37,11 +30,7 @@ "time_1_year_ago": "1 سال پیش", "time_x_years_ago": "{{count}} سال پیش", "spoiler": "اسپویلر", - "unspoiler": "حذف اسپویلر", - "reply_permalink": "پیوند ثابت", - "embed": "توکار", "reply_reply": "پاسخ", - "best": "بهترین", "reply_sorted_by": "مرتب‌شده بر اساس", "all_comments": "همه {{count}} نظرات", "no_comments": "بدون نظر (هنوز)", @@ -66,11 +55,10 @@ "next": "بعدی", "loading": "بارگذاری", "pending": "در انتظار تایید", - "or": "یا", "submit_subscriptions_notice": "جوامع پیشنهادی", "submit_subscriptions": "جوامع مشترک شده شما", "rules_for": "قوانین برای", - "no_communities_found": "هیچ انجمنی در <1>https://github.com/plebbit/lists یافت نشد", + "no_communities_found": "هیچ انجمنی در <1>https://github.com/bitsocialhq/lists یافت نشد", "connect_community_notice": "برای اتصال به یک انجمن، از 🔎 در بالا سمت راست استفاده کنید", "options": "گزینه‌ها", "hide_options": "مخفی کردن گزینه‌ها", @@ -85,7 +73,6 @@ "time_x_months": "{{count}} ماه", "time_1_year": "1 سال", "time_x_years": "{{count}} سال", - "search": "جستجو", "submit_post": "ثبت یک پست جدید", "create_your_community": "ایجاد جامعه خودتان", "moderators": "مدیران", @@ -95,7 +82,6 @@ "created_by": "ساخته شده توسط {{creatorAddress}}", "community_for": "یک جامعه برای {{date}}", "post_submitted_on": "این پست در {{postDate}} ارسال شده است", - "readers_count": "{{count}} خوانندگان", "users_online": "کاربران {{count}} در حال حاضر اینجا هستند", "point": "نقطه", "points": "امتیازها", @@ -107,26 +93,15 @@ "moderation": "مدیریت", "interface_language": "زبان رابط", "theme": "تم", - "profile": "پروفایل", "account": "حساب", "display_name": "نام نمایشی", "crypto_address": "آدرس رمزارز", - "reset": "بازنشانی", - "changes": "تغییرات", "check": "بررسی کنید", "crypto_address_verification": "اگر آدرس رمزارز به صورت p2p حل شود", - "is_current_account": "آیا این حساب جاری است", - "account_data_preview": "پیش‌نمایش داده‌های حساب", "create": "ایجاد کنید", - "a_new_account": "یک حساب جدید", - "import": "وارد کردن", - "export": "صدور", "delete": "حذف کنید", - "full_account_data": "داده حساب کامل", - "this_account": "این حساب", "locked": "قفل شده", "reason": "دلیل", - "no_posts_found": "هیچ پستی یافت نشد", "sorted_by": "مرتب شده بر اساس", "downvoted": "رای منفی داده شده", "hidden": "مخفی", @@ -138,21 +113,14 @@ "full_comments": "تمام نظرات", "context": "زمینه", "block": "مسدود کنید", - "hide_post": "پنهان کردن پست", "post": "پست", "unhide": "نمایش دادن", "unblock": "لغو مسدودیت", "undo": "لغو", "post_hidden": "پست مخفی", - "old": "قدیمی", - "copy_link": "کپی کردن لینک", "link_copied": "لینک کپی شد", - "view_on": "مشاهده در {{destination}}", "block_community": "بلاک جامعه", "unblock_community": "لغو مسدود کردن جامعه", - "block_community_alert": "آیا مطمئن هستید که می‌خواهید این جامعه را مسدود کنید؟", - "unblock_community_alert": "آیا مطمئن هستید که می‌خواهید این جامعه را از مسدودیت خارج کنید؟", - "search_community_address": "جستجوی آدرس یک جامعه", "search_feed_post": "در این خوراک یک پست جستجو کنید", "from": "از", "via": "توسط", @@ -169,15 +137,12 @@ "no_posts": "بدون پست", "media_url": "آدرس رسانه", "post_locked_info": "این پست {{state}} است. شما نمی‌توانید نظر دهید.", - "no_subscriptions_notice": "هنوز به هیچ انجمنی پیوسته نشده‌اید.", "members_count": "{{count}} عضو", "communities": "انجمن", "edit": "ویرایش", "moderator": "مدیر", "description": "توضیحات", "rules": "قوانین", - "challenge": "چالش", - "settings": "تنظیمات", "save_options": "ذخیره گزینه‌ها", "logo": "آرم", "address": "آدرس", @@ -188,26 +153,15 @@ "moderation_tools": "ابزارهای نظارت", "submit_to": "ارسال به <1>{{link}}", "edit_subscriptions": "ویرایش اشتراک‌ها", - "last_account_notice": "شما نمی‌توانید حساب آخر خود را حذف کنید، لطفاً ابتدا یک حساب جدید ایجاد کنید.", "delete_confirm": "آیا مطمئن هستید که می‌خواهید {{value}} را حذف کنید؟", "saving": "ذخیره", "deleted": "حذف شده", - "mark_spoiler": "علامت گذاری به عنوان حریف", - "remove_spoiler": "حذف حریف", - "delete_post": "حذف پست", - "undo_delete": "بازگشت حذف", - "edit_content": "ویرایش محتوا", "online": "آنلاین", "offline": "آفلاین", - "download_app": "دانلود اپلیکیشن", - "approved_user": "کاربر تأیید شده", "subscriber": "مشترک", - "approved": "تایید شده", - "proposed": "پیشنهادی", "join_communities_notice": "برای انتخاب کمیته‌هایی که در صفحه خانه نمایش داده می‌شوند، روی دکمه‌های <1>{{join}} یا <2>{{leave}} کلیک کنید.", "below_subscribed": "در زیر، جوامعی که در آن‌ها مشترک شده‌اید نمایش داده شده است.", "not_subscribed": "تاکنون در هیچ جامعه‌ای مشترک نشده‌اید.", - "below_approved_user": "در زیر جوامعی که در آنها کاربر تاییدشده هستید، نمایش داده می‌شود.", "below_moderator_access": "در زیر جوامعی که به عنوان مدیر دسترسی دارید، نمایش داده می‌شوند.", "not_moderator": "شما مدیر در هیچ جامعه نیستید.", "create_community": "ایجاد اجتماع", @@ -228,7 +182,6 @@ "address_setting_info": "تنظیم یک آدرس مشترک قابل خواندن با استفاده از یک دامنه رمزنگاری", "enter_crypto_address": "لطفاً یک آدرس کریپتو صحیح وارد کنید.", "check_for_updates": "<1>بررسی برای به‌روزرسانی‌ها", - "general_settings": "تنظیمات عمومی", "refresh_to_update": "برای به‌روزرسانی صفحه را رفرش کنید", "latest_development_version": "شما در نسخه توسعه‌ی جدیدتر هستید، کامیت {{commit}}. برای استفاده از نسخه پایدار، به {{link}} بروید.", "latest_stable_version": "شما در آخرین نسخه پایدار، seedit v{{version}} هستید.", @@ -236,7 +189,6 @@ "new_stable_version": "نسخه پایدار جدید موجود است، seedit v{{newVersion}}. شما seedit v{{oldVersion}} را استفاده می‌کنید.", "download_latest_desktop": "نسخه‌ی جدید سطح میز کامپیوتر را از اینجا دانلود کنید: {{link}}", "contribute_on_github": "مشارکت در GitHub", - "create_community_not_available": "هنوز در وب در دسترس نیست. می‌توانید با استفاده از برنامه رایانه رومیزی یک اجتماع ایجاد کنید، آن را از اینجا دانلود کنید: {{desktopLink}}. اگر با خط فرمان آشنا هستید، در اینجا بررسی کنید: {{cliLink}}", "no_media_found": "هیچ رسانه‌ای پیدا نشد", "no_image_found": "هیچ تصویری پیدا نشد", "warning_spam": "هشدار: چالشی انتخاب نشده است، جامعه در معرض حملات اسپم قرار دارد.", @@ -254,7 +206,6 @@ "owner": "صاحب", "admin": "مدیر", "settings_saved": "تنظیمات برای p/{{subplebbitAddress}} ذخیره شد", - "mod_edit": "ویرایش مدیر", "continue_thread": "ادامه این موضوع", "mod_edit_reason": "دلیل ویرایش مدیر", "double_confirm": "آیا مطمئن هستید؟ این عمل غیرقابل برگشت است.", @@ -266,12 +217,10 @@ "not_found_description": "صفحه‌ای که درخواست کرده‌اید وجود ندارد", "last_edited": "آخرین ویرایش {{timestamp}}", "view_spoiler": "نمایش اسپویلر", - "more": "بیشتر", "default_communities": "جوامع پیش‌فرض", "avatar": "آواتار", "pending_edit": "ویرایش در انتظار", "failed_edit": "ویرایش ناموفق", - "copy_full_address": "<1>کپی آدرس کامل", "node_stats": "آمار گره", "version": "نسخه", "edit_reason": "دلیل ویرایش", @@ -291,30 +240,22 @@ "ban_user_for": "بستن کاربر برای <1> روز", "crypto_wallets": "کیف پول رمز ارز", "wallet_address": "آدرس کیف پول", - "save_wallets": "<1>ذخیره کیف پول(ها) در حساب", "remove": "حذف", "add_wallet": "<1>افزودن یک کیف پول رمز ارز", "show_settings": "نمایش تنظیمات", "hide_settings": "مخفی کردن تنظیمات", - "wallet": "کیف پول", "undelete": "بازیابی", "downloading_comments": "در حال بارگیری نظرات", "you_blocked_community": "شما این انجمن را مسدود کرده‌اید", "show": "نمایش", "plebbit_options": "گزینه های plebbit", "general": "عمومی", - "own_communities": "انجمن‌های خودم", - "invalid_community_address": "آدرس انجمن نامعتبر است", - "newer_posts_available": "پست‌های جدید موجود است: <1>بارگذاری مجدد فید", "more_posts_last_week": "{{count}} پست‌ها هفته گذشته {{currentTimeFilterName}}: <1>نمایش پست‌های بیشتر از هفته گذشته", "more_posts_last_month": "{{count}} پست در {{currentTimeFilterName}}: <1>نمایش پست‌های بیشتر از ماه گذشته", - "sure_delete": "آیا مطمئن هستید که می‌خواهید این پست را حذف کنید؟", - "sure_undelete": "آیا مطمئن هستید که می‌خواهید این پست را بازیابی کنید؟", "profile_info": "حساب کاربری شما u/{{shortAddress}} ایجاد شد. <1>تنظیم نام نمایشی, <2>پشتیبان گیری صادر کنید, <3>بیشتر بدانید.", "show_all_instead": "نمایش پست‌ها از {{timeFilterName}}، <1>به‌جای آن همه را نشان بده", "subplebbit_offline_info": "زیرپلبیت ممکن است آفلاین باشد و انتشار ممکن است شکست خورده باشد.", "posts_last_synced_info": "آخرین پست‌ها همگام‌سازی شده‌اند {{time}}، زیرپلبیت ممکن است آفلاین باشد و انتشار ممکن است شکست خورده باشد.", - "stored_locally": "محلی ذخیره شده ({{location}})، با دستگاه‌ها همگام‌سازی نشده است", "import_account_backup": "<1>وارد کردن پشتیبان حساب", "export_account_backup": "<1>خروجی پشتیبان حساب", "save_reset_changes": "<1>ذخیره یا <2>بازنشانی تغییرات", @@ -334,17 +275,11 @@ "communities_you_moderate": "انجمن‌هایی که شما مدیریت می‌کنید", "blur_media": "پوشاندن رسانه‌های علامت‌گذاری شده به عنوان NSFW/18+", "nsfw_content": "محتوای NSFW", - "nsfw_communities": "انجمن‌های NSFW", - "hide_adult": "پنهان کردن جوامع برچسب‌خورده به عنوان \"بزرگسال\"", - "hide_gore": "پنهان کردن جوامع برچسب‌خورده به عنوان \"گور\"", - "hide_anti": "پنهان کردن جوامع برچسب‌خورده به عنوان \"ضد\"", - "filters": "فیلترها", "see_nsfw": "برای مشاهده NSFW کلیک کنید", "see_nsfw_spoiler": "برای مشاهده NSFW اسپویلر کلیک کنید", "always_show_nsfw": "آیا می‌خواهید همیشه رسانه‌های NSFW را نمایش دهید؟", "always_show_nsfw_notice": "باشه، ما تنظیمات شما را برای نمایش دائمی رسانه‌های NSFW تغییر دادیم.", "content_options": "گزینه‌های محتوا", - "hide_vulgar": "پنهان کردن جوامع برچسب‌خورده به عنوان \"زشت\"", "over_18": "بالای 18؟", "must_be_over_18": "برای مشاهده این جامعه باید بالای ۱۸ سال باشید", "must_be_over_18_explanation": "برای مشاهده این محتوا باید حداقل هجده سال داشته باشید. آیا شما بالای هجده سال دارید و آماده مشاهده محتوای بزرگسالان هستید؟", @@ -355,7 +290,6 @@ "block_user": "مسدود کردن کاربر", "unblock_user": "باز کردن قفل کاربر", "filtering_by_tag": "فیلتر کردن بر اساس برچسب: \"{{tag}}\"", - "read_only_community_settings": "تنظیمات جامعه فقط برای خواندن", "you_are_moderator": "شما مدیر این جامعه هستید", "you_are_admin": "شما مدیر این جامعه هستید", "you_are_owner": "شما مالک این جامعه هستید", @@ -377,7 +311,6 @@ "search_posts": "جستجو در پست‌ها", "found_n_results_for": "پست‌های {{count}} برای \"{{query}}\" پیدا شد", "clear_search": "پاک کردن جستجو", - "loading_iframe": "در حال بارگذاری iframe", "no_matches_found_for": "هیچ تطبیقی برای \"{{query}}\" پیدا نشد", "searching": "در حال جستجو", "hide_default_communities_from_topbar": "پنهان کردن جوامع پیش‌فرض از نوار بالای صفحه", @@ -410,42 +343,48 @@ "expand_media_previews_based_on_community_media_preferences": "پیش‌نمایش‌های رسانه‌ای را بر اساس ترجیحات رسانه‌ای آن جامعه گسترش دهید", "show_all_nsfw": "نمایش همه NSFW", "hide_all_nsfw": "مخفی کردن همه محتوای NSFW", - "unstoppable_by_design": "...غیرقابل توقف به‌واسطه طراحی.", - "servers_are_overrated": "سرورها بیش از حد ارزش‌گذاری شده‌اند.", - "cryptographic_playground": "... زمین بازی رمزنگاری.", - "where_you_own_the_keys": "...جایی که شما مالک کلیدها هستید.", - "no_middleman_here": "...بدون واسطه اینجا.", - "join_the_decentralution": "...به دسنترالوشن بپیوندید.", - "because_privacy_matters": "...زیرا حریم خصوصی اهمیت دارد.", - "freedom_served_fresh_daily": "...آزادی هر روز تازه سرو می‌شود.", - "your_community_your_rules": "...جامعه شما، قوانین شما.", - "centralization_is_boring": "...متمرکز بودن خسته‌کننده است.", - "like_torrents_for_thoughts": "...مثل تورنت‌ها، برای افکار.", - "cant_stop_the_signal": "...نمی‌توان سیگنال را متوقف کرد.", - "fully_yours_forever": "...کاملاً متعلق به شما، برای همیشه.", - "powered_by_caffeine": "...با کافئین تامین شده.", - "speech_wants_to_be_free": "...سخن می‌خواهد آزاد باشد.", - "crypto_certified_community": "...جامعه‌ی تاییدشده‌ی رمزنگاری.", - "take_ownership_literally": "...به‌صورت لفظی مالکیت را بپذیرید.", - "your_ideas_decentralized": "...ایده‌های شما، غیرمتمرکز.", - "for_digital_sovereignty": "...برای حاکمیت دیجیتال.", - "for_your_movement": "...برای حرکت شما.", - "because_you_love_freedom": "...چون آزادی را دوست داری.", - "decentralized_but_for_real": "...غیرمتمرکز، اما واقعی.", - "for_your_peace_of_mind": "...برای آرامش خاطر شما.", - "no_corporation_to_answer_to": "...هیچ شرکتی که پاسخگو باشد وجود ندارد.", - "your_tokenized_sovereignty": "...حاکمیت توکنیزه‌شده شما.", - "for_text_only_wonders": "...برای شگفتی‌های فقط متنی.", - "because_open_source_rulez": "...چون متن باز برتر است.", - "truly_peer_to_peer": "...واقعاً همتا به همتا.", - "no_hidden_fees": "...بدون هزینه‌های پنهان.", - "no_global_rules": "...هیچ قانون کلی وجود ندارد.", - "for_reddits_downfall": "...برای سقوط ردیت.", - "evil_corp_cant_stop_us": "...Evil Corp™ نمی‌تواند ما را متوقف کند.", - "no_gods_no_global_admins": "...نه خدایان، نه مدیران جهانی.", "tags": "برچسب‌ها", "moderator_of": "مدیر", "not_subscriber_nor_moderator": "شما نه عضو مشترک هستید و نه مدیر هیچ جامعه‌ای.", "more_posts_last_year": "{{count}} پست در {{currentTimeFilterName}}: <1>نمایش پست‌های بیشتر از سال گذشته", - "editor_fallback_warning": "ویرایشگر پیشرفته بارگیری نشد، از ویرایشگر متن ساده به عنوان جایگزین استفاده می‌شود." + "editor_fallback_warning": "ویرایشگر پیشرفته بارگیری نشد، از ویرایشگر متن ساده به عنوان جایگزین استفاده می‌شود.", + "hot": "hot", + "new": "new", + "active": "active", + "top": "top", + "best": "best", + "old": "old", + "unstoppable_by_design": "...unstoppable by design.", + "servers_are_overrated": "...servers are overrated.", + "cryptographic_playground": "... cryptographic playground.", + "where_you_own_the_keys": "...where you own the keys.", + "no_middleman_here": "...no middleman here.", + "join_the_decentralution": "...join the decentralution.", + "because_privacy_matters": "...because privacy matters.", + "freedom_served_fresh_daily": "...freedom served fresh daily.", + "your_community_your_rules": "...your community, your rules.", + "centralization_is_boring": "...centralization is boring.", + "like_torrents_for_thoughts": "...like torrents, for thoughts.", + "cant_stop_the_signal": "...can't stop the signal.", + "fully_yours_forever": "...fully yours, forever.", + "powered_by_caffeine": "...powered by caffeine.", + "speech_wants_to_be_free": "...speech wants to be free.", + "crypto_certified_community": "...crypto-certified community.", + "take_ownership_literally": "...take ownership literally.", + "your_ideas_decentralized": "...your ideas, decentralized.", + "for_digital_sovereignty": "...for digital sovereignty.", + "for_your_movement": "...for your movement.", + "because_you_love_freedom": "...because you love freedom.", + "decentralized_but_for_real": "...decentralized, but for real.", + "for_your_peace_of_mind": "...for your peace of mind.", + "no_corporation_to_answer_to": "...no corporation to answer to.", + "your_tokenized_sovereignty": "...your tokenized sovereignty.", + "for_text_only_wonders": "...for text-only wonders.", + "because_open_source_rulez": "...because open source rulez.", + "truly_peer_to_peer": "...truly peer to peer.", + "no_hidden_fees": "...no hidden fees.", + "no_global_rules": "...no global rules.", + "for_reddits_downfall": "...for Reddit's downfall.", + "evil_corp_cant_stop_us": "...Evil Corp™ can't stop us.", + "no_gods_no_global_admins": "...no gods, no global admins." } diff --git a/public/translations/fi/default.json b/public/translations/fi/default.json index cb6ddca72..5faaa6d1b 100644 --- a/public/translations/fi/default.json +++ b/public/translations/fi/default.json @@ -1,13 +1,7 @@ { - "hot": "Suosittu", - "new": "Uusi", - "active": "Aktiivinen", - "controversial": "Kiistanalainen", - "top": "Parhaat", "about": "Tietoja", "comments": "kommentit", "preferences": "Asetukset", - "account_bar_language": "Englanti", "submit": "Lähetä", "dark": "Tumma", "light": "Vaalea", @@ -22,7 +16,6 @@ "post_comments": "Kommentit", "share": "Jaa", "save": "Tallenna", - "unsave": "Poista tallennus", "hide": "Piilota", "report": "Ilmoita", "crosspost": "Ristipostitus", @@ -37,11 +30,7 @@ "time_1_year_ago": "1 vuosi sitten", "time_x_years_ago": "{{count}} vuotta sitten", "spoiler": "Juonipaljastus", - "unspoiler": "Poista juonipaljastus", - "reply_permalink": "Pysyvä linkki", - "embed": "Upottaa", "reply_reply": "Vastaus", - "best": "Parhaat", "reply_sorted_by": "Lajiteltu", "all_comments": "Kaikki {{count}} kommentit", "no_comments": "Ei kommentteja (vielä)", @@ -66,11 +55,10 @@ "next": "Seuraava", "loading": "Ladataan", "pending": "Odottaa hyväksyntää", - "or": "tai", "submit_subscriptions_notice": "Ehdotetut yhteisöt", "submit_subscriptions": "tilaamasi yhteisöt", "rules_for": "säännöt", - "no_communities_found": "Yhteisöjä ei löytynyt osoitteesta <1>https://github.com/plebbit/lists", + "no_communities_found": "Yhteisöjä ei löytynyt osoitteesta <1>https://github.com/bitsocialhq/lists", "connect_community_notice": "Yhteisöön liittymiseksi käytä 🔎 oikeassa yläkulmassa", "options": "vaihtoehdot", "hide_options": "piilota vaihtoehdot", @@ -85,7 +73,6 @@ "time_x_months": "{{count}} kuukautta", "time_1_year": "1 vuosi", "time_x_years": "{{count}} vuotta", - "search": "etsi", "submit_post": "Lähetä uusi viesti", "create_your_community": "Luo oma yhteisösi", "moderators": "moderaattorit", @@ -95,7 +82,6 @@ "created_by": "luonut {{creatorAddress}}", "community_for": "yhteisössä {{date}}", "post_submitted_on": "tämä viesti on toimitettu {{postDate}}", - "readers_count": "{{count}} lukijat", "users_online": "{{count}} käyttäjää täällä nyt", "point": "piste", "points": "pisteet", @@ -107,26 +93,15 @@ "moderation": "moderointi", "interface_language": "käyttöliittymäkieli", "theme": "teema", - "profile": "profiili", "account": "tili", "display_name": "näyttönimi", "crypto_address": "krypto-osoite", - "reset": "nollaa", - "changes": "muutokset", "check": "tarkista", "crypto_address_verification": "jos krypto-osoite on ratkaistu p2p", - "is_current_account": "onko tämä nykyinen tili", - "account_data_preview": "tilitietojen esikatselu", "create": "luo", - "a_new_account": "uusi tili", - "import": "tuo", - "export": "vie", "delete": "poista", - "full_account_data": "täydelliset tilitiedot", - "this_account": "tämä tili", "locked": "lukittu", "reason": "syy", - "no_posts_found": "ei löytynyt viestejä", "sorted_by": "lajiteltu", "downvoted": "äänestetty alas", "hidden": "piilotettu", @@ -138,21 +113,14 @@ "full_comments": "kaikki kommentit", "context": "yhteys", "block": "estää", - "hide_post": "piilota viesti", "post": "viesti", "unhide": "näytä", "unblock": "poista esto", "undo": "peruuta", "post_hidden": "piilotettu viesti", - "old": "vanhat", - "copy_link": "kopioi linkki", "link_copied": "linkki kopioitu", - "view_on": "näytä kohteessa {{destination}}", "block_community": "estä yhteisö", "unblock_community": "poista yhteisön esto", - "block_community_alert": "Oletko varma, että haluat estää tämän yhteisön?", - "unblock_community_alert": "Oletko varma, että haluat poistaa tämän yhteisön estoista?", - "search_community_address": "Etsi yhteisön osoite", "search_feed_post": "Etsi viesti tästä syötteestä", "from": "lähettäjältä", "via": "kautta", @@ -169,15 +137,12 @@ "no_posts": "ei viestejä", "media_url": "medialinkki", "post_locked_info": "Tämä viesti on {{state}}. Et voi kommentoida.", - "no_subscriptions_notice": "Et ole vielä liittynyt mihinkään yhteisöön.", "members_count": "{{count}} jäsentä", "communities": "yhteisö", "edit": "muokata", "moderator": "Moderaattori", "description": "Kuvaus", "rules": "Säännöt", - "challenge": "Haaste", - "settings": "Asetukset", "save_options": "Tallenna asetukset", "logo": "Logo", "address": "Osoite", @@ -188,26 +153,15 @@ "moderation_tools": "Moderointityökalut", "submit_to": "Lähetä osoitteeseen <1>{{link}}", "edit_subscriptions": "Muokkaa tilauksia", - "last_account_notice": "Et voi poistaa viimeistä tiliäsi, luo ensin uusi.", "delete_confirm": "Haluatko varmasti poistaa {{value}}?", "saving": "Tallentaa", "deleted": "Poistettu", - "mark_spoiler": "Merkitse spoilereiksi", - "remove_spoiler": "Poista spoiler", - "delete_post": "Poista viesti", - "undo_delete": "Peru poistaminen", - "edit_content": "Muokkaa sisältöä", "online": "Verkossa", "offline": "Poissa verkosta", - "download_app": "Lataa sovellus", - "approved_user": "Hyväksytty käyttäjä", "subscriber": "Tilaaja", - "approved": "Hyväksytty", - "proposed": "Ehdotettu", "join_communities_notice": "Valitse, mitkä yhteisöt näkyvät etusivulla napsauttamalla painikkeita <1>{{join}} tai <2>{{leave}}.", "below_subscribed": "Alla ovat yhteisöt, joihin olet tilannut.", "not_subscribed": "Et ole vielä tilannut yhteenkään yhteisöön.", - "below_approved_user": "Alla ovat yhteisöt, joissa olet hyväksytty käyttäjä.", "below_moderator_access": "Alla ovat yhteisöt, joissa sinulla on moderaattoripääsy.", "not_moderator": "Et ole moderaattori missään yhteisössä.", "create_community": "Luo yhteisö", @@ -228,7 +182,6 @@ "address_setting_info": "Aseta luettava yhteisön osoite käyttämällä kryptoaluetta", "enter_crypto_address": "Syötä voimassa oleva krypto-osoite.", "check_for_updates": "<1>Tarkista päivitykset", - "general_settings": "Yleiset asetukset", "refresh_to_update": "Päivitä sivu päivittääksesi", "latest_development_version": "Olet uusimmassa kehitysversion, commit {{commit}}. Käyttääksesi vakaa versio, siirry osoitteeseen {{link}}.", "latest_stable_version": "Olet viimeisimmässä vakaa versio, seedit v{{version}}.", @@ -236,7 +189,6 @@ "new_stable_version": "Uusi vakaa versio saatavilla, seedit v{{newVersion}}. Käytät seedit v{{oldVersion}}.", "download_latest_desktop": "Lataa uusin työpöytäversio täältä: {{link}}", "contribute_on_github": "Osallistu GitHubissa", - "create_community_not_available": "Ei vielä saatavilla verkossa. Voit luoda yhteisön käyttämällä työpöytäsovellusta, lataa se täältä: {{desktopLink}}. Jos olet mukava komentorivin kanssa, tarkista täältä: {{cliLink}}", "no_media_found": "Ei löydettyjä medioita", "no_image_found": "Ei löytynyt kuvaa", "warning_spam": "Varoitus: haastetta ei ole valittu, yhteisö on altis roskapostihyökkäyksille.", @@ -254,7 +206,6 @@ "owner": "omistaja", "admin": "ylläpitäjä", "settings_saved": "Asetukset tallennettu p/{{subplebbitAddress}} varten", - "mod_edit": "moderoinnin muokkaus", "continue_thread": "jatka tätä säiettä", "mod_edit_reason": "Moderaattorin muokkausperuste", "double_confirm": "Oletko varma? Tämä toiminto on peruuttamaton.", @@ -266,12 +217,10 @@ "not_found_description": "Pyytämääsi sivua ei löydy", "last_edited": "Viimeksi muokattu {{timestamp}}", "view_spoiler": "näytä spoiler", - "more": "lisää", "default_communities": "oletusyhteisöt", "avatar": "avatar", "pending_edit": "odottava muokkaus", "failed_edit": "epäonnistunut muokkaus", - "copy_full_address": "<1>kopioi koko osoite", "node_stats": "solmustatistiikka", "version": "versio", "edit_reason": "muokkaussyy", @@ -291,30 +240,22 @@ "ban_user_for": "Estä käyttäjä <1> päiväksi", "crypto_wallets": "Krypto-lompakot", "wallet_address": "Lompakon osoite", - "save_wallets": "<1>Tallenna lompakko(a) tilille", "remove": "Poista", "add_wallet": "<1>Lisää krypto-lompakko", "show_settings": "Näytä asetukset", "hide_settings": "Piilota asetukset", - "wallet": "Lompakko", "undelete": "Palauta", "downloading_comments": "lataamassa kommentteja", "you_blocked_community": "Olet estänyt tämän yhteisön", "show": "näyttää", "plebbit_options": "plebbit-vaihtoehdot", "general": "yleinen", - "own_communities": "omat yhteisöt", - "invalid_community_address": "Virheellinen yhteisön osoite", - "newer_posts_available": "Uudemmat postaukset saatavilla: <1>lataa syöte uudelleen", "more_posts_last_week": "{{count}} viestiä viime {{currentTimeFilterName}}: <1>näytä lisää viestejä viime viikolta", "more_posts_last_month": "{{count}} julkaisua viimeisimmässä {{currentTimeFilterName}}: <1>näytä lisää julkaisuja viime kuukaudelta", - "sure_delete": "Oletko varma, että haluat poistaa tämän viestin?", - "sure_undelete": "Oletko varma, että haluat palauttaa tämän viestin?", "profile_info": "Tilitilisi u/{{shortAddress}} on luotu. <1>Aseta näyttönimi, <2>vienti varmuuskopio, <3>lue lisää.", "show_all_instead": "Näytetään viestejä ajasta {{timeFilterName}}, <1>näytä kaikki sen sijaan", "subplebbit_offline_info": "Subplebbit voi olla offline-tilassa, ja julkaisu voi epäonnistua.", "posts_last_synced_info": "Viimeksi synkronoidut viestit {{time}}, subplebbit voi olla offline-tilassa, ja julkaisu voi epäonnistua.", - "stored_locally": "Tallennettu paikallisesti ({{location}}), ei synkronoitu laitteiden välillä", "import_account_backup": "<1>tuoda tilin varmuuskopio", "export_account_backup": "<1>viedä tilin varmuuskopio", "save_reset_changes": "<1>tallenna tai <2>nollaa muutokset", @@ -334,17 +275,11 @@ "communities_you_moderate": "Yhteisöt, joita moderoinnit", "blur_media": "Sumenna media, jotka on merkitty NSFW/18+", "nsfw_content": "NSFW-sisältö", - "nsfw_communities": "NSFW-yhteisöt", - "hide_adult": "Piilota yhteisöt, jotka on merkitty \"aikuiseksi\"", - "hide_gore": "Piilota yhteisöt, jotka on merkitty \"gore\"", - "hide_anti": "Piilota yhteisöt, jotka on merkitty \"anti\"", - "filters": "Suodattimet", "see_nsfw": "Napsauta nähdäksesi NSFW", "see_nsfw_spoiler": "Napsauta nähdäksesi NSFW-spoilerin", "always_show_nsfw": "Haluatko aina näyttää NSFW-mediaa?", "always_show_nsfw_notice": "Ok, muutimme asetuksesi aina näyttääksesi NSFW-mediaa.", "content_options": "Sisältöasetukset", - "hide_vulgar": "Piilota yhteisöt, jotka on merkitty \"vulgar\"", "over_18": "Yli 18?", "must_be_over_18": "Sinun täytyy olla yli 18-vuotias nähdäksesi tämän yhteisön", "must_be_over_18_explanation": "Sinun täytyy olla vähintään kahdeksantoista vuotta vanha nähdäksesi tämän sisällön. Oletko yli 18-vuotias ja halukas katsomaan aikuisille tarkoitettua sisältöä?", @@ -355,7 +290,6 @@ "block_user": "Estä käyttäjä", "unblock_user": "Poista käyttäjän esto", "filtering_by_tag": "Suodattaminen tagilla: \"{{tag}}\"", - "read_only_community_settings": "Vain-luku yhteisön asetukset", "you_are_moderator": "Olet tämän yhteisön moderaattori", "you_are_admin": "Olet tämän yhteisön ylläpitäjä", "you_are_owner": "Olet tämän yhteisön omistaja", @@ -377,7 +311,6 @@ "search_posts": "etsi viestejä", "found_n_results_for": "löytyi {{count}} viestiä hakusanalla \"{{query}}\"", "clear_search": "tyhjennä haku", - "loading_iframe": "ladataan iframe", "no_matches_found_for": "ei löytynyt osumia hakusanalla \"{{query}}\"", "searching": "etsitään", "hide_default_communities_from_topbar": "Piilota oletusyhteisöt yläpalkista", @@ -410,42 +343,48 @@ "expand_media_previews_based_on_community_media_preferences": "Laajenna mediakatsauksia kyseisen yhteisön mediatoiveiden perusteella", "show_all_nsfw": "näytä kaikki NSFW", "hide_all_nsfw": "piilota kaikki NSFW", - "unstoppable_by_design": "...suunnittelultaan pysäyttämätön.", - "servers_are_overrated": "...palvelimia yliarvostetaan.", - "cryptographic_playground": "... kryptografinen leikkikenttä.", - "where_you_own_the_keys": "...missä omistat avaimet.", - "no_middleman_here": "...ei välikäsiä täällä.", - "join_the_decentralution": "...liity decentralutioniin.", - "because_privacy_matters": "...koska yksityisyys on tärkeää.", - "freedom_served_fresh_daily": "...vapaus tarjotaan tuoreena päivittäin.", - "your_community_your_rules": "...yhteisösi, sinun sääntösi.", - "centralization_is_boring": "...keskittäminen on tylsää.", - "like_torrents_for_thoughts": "...kuin torrentit, ajatuksille.", - "cant_stop_the_signal": "...ei voi pysäyttää signaalia.", - "fully_yours_forever": "...täysin sinun, ikuisesti.", - "powered_by_caffeine": "...kofeiinilla varustettu.", - "speech_wants_to_be_free": "...puhe haluaa olla vapaa.", - "crypto_certified_community": "...krypto-sertifioitu yhteisö.", - "take_ownership_literally": "...ota omistajuus kirjaimellisesti.", - "your_ideas_decentralized": "...ideasi, hajautettu.", - "for_digital_sovereignty": "...digitaalisen suvereniteetin puolesta.", - "for_your_movement": "...liikkeellesi.", - "because_you_love_freedom": "...koska rakastat vapautta.", - "decentralized_but_for_real": "...hajautettu, mutta oikeasti.", - "for_your_peace_of_mind": "...mielenrauhaasi varten.", - "no_corporation_to_answer_to": "...ei ole yhtiötä, jolle vastata.", - "your_tokenized_sovereignty": "...tokenisoitu suvereniteettisi.", - "for_text_only_wonders": "...vain tekstille ihmeille.", - "because_open_source_rulez": "...koska avoin lähdekoodi on paras.", - "truly_peer_to_peer": "...todella peer to peer.", - "no_hidden_fees": "...ei piilokuluja.", - "no_global_rules": "...ei globaalien sääntöjä.", - "for_reddits_downfall": "...Redditin tuhon vuoksi.", - "evil_corp_cant_stop_us": "...Evil Corp™ ei voi pysäyttää meitä.", - "no_gods_no_global_admins": "...ei jumalia, ei globaaleja ylläpitäjiä.", "tags": "Tagit", "moderator_of": "moderaattori", "not_subscriber_nor_moderator": "Et ole tilaaja etkä moderaattori missään yhteisössä.", "more_posts_last_year": "{{count}} julkaisua viime {{currentTimeFilterName}}: <1>näytä lisää julkaisuja viime vuodelta", - "editor_fallback_warning": "edistynyt editori epäonnistui latautumaan, perus tekstieditori käytössä varatoimintona." + "editor_fallback_warning": "edistynyt editori epäonnistui latautumaan, perus tekstieditori käytössä varatoimintona.", + "hot": "hot", + "new": "new", + "active": "active", + "top": "top", + "best": "best", + "old": "old", + "unstoppable_by_design": "...unstoppable by design.", + "servers_are_overrated": "...servers are overrated.", + "cryptographic_playground": "... cryptographic playground.", + "where_you_own_the_keys": "...where you own the keys.", + "no_middleman_here": "...no middleman here.", + "join_the_decentralution": "...join the decentralution.", + "because_privacy_matters": "...because privacy matters.", + "freedom_served_fresh_daily": "...freedom served fresh daily.", + "your_community_your_rules": "...your community, your rules.", + "centralization_is_boring": "...centralization is boring.", + "like_torrents_for_thoughts": "...like torrents, for thoughts.", + "cant_stop_the_signal": "...can't stop the signal.", + "fully_yours_forever": "...fully yours, forever.", + "powered_by_caffeine": "...powered by caffeine.", + "speech_wants_to_be_free": "...speech wants to be free.", + "crypto_certified_community": "...crypto-certified community.", + "take_ownership_literally": "...take ownership literally.", + "your_ideas_decentralized": "...your ideas, decentralized.", + "for_digital_sovereignty": "...for digital sovereignty.", + "for_your_movement": "...for your movement.", + "because_you_love_freedom": "...because you love freedom.", + "decentralized_but_for_real": "...decentralized, but for real.", + "for_your_peace_of_mind": "...for your peace of mind.", + "no_corporation_to_answer_to": "...no corporation to answer to.", + "your_tokenized_sovereignty": "...your tokenized sovereignty.", + "for_text_only_wonders": "...for text-only wonders.", + "because_open_source_rulez": "...because open source rulez.", + "truly_peer_to_peer": "...truly peer to peer.", + "no_hidden_fees": "...no hidden fees.", + "no_global_rules": "...no global rules.", + "for_reddits_downfall": "...for Reddit's downfall.", + "evil_corp_cant_stop_us": "...Evil Corp™ can't stop us.", + "no_gods_no_global_admins": "...no gods, no global admins." } diff --git a/public/translations/fil/default.json b/public/translations/fil/default.json index eb6314eb2..44df29275 100644 --- a/public/translations/fil/default.json +++ b/public/translations/fil/default.json @@ -1,13 +1,7 @@ { - "hot": "Sikat", - "new": "Bago", - "active": "Aktibo", - "controversial": "Kontrobersyal", - "top": "Pinakamataas", "about": "Tungkol sa", "comments": "mga komento", "preferences": "Mga Kagustuhan", - "account_bar_language": "Ingles", "submit": "Ipadala", "dark": "Madilim", "light": "Maliwanag", @@ -22,7 +16,6 @@ "post_comments": "Mga Komento", "share": "Ibahagi", "save": "I-save", - "unsave": "Huwag I-save", "hide": "Itago", "report": "I-ulat", "crosspost": "Crosspost", @@ -37,11 +30,7 @@ "time_1_year_ago": "1 taon ang nakalipas", "time_x_years_ago": "{{count}} taon ang nakalipas", "spoiler": "Spoiler", - "unspoiler": "Walang Spoiler", - "reply_permalink": "Permalink", - "embed": "Embed", "reply_reply": "Tumugon", - "best": "Pinakamahusay", "reply_sorted_by": "Naayos ayon sa", "all_comments": "Lahat ng {{count}} mga komento", "no_comments": "Walang komento (pa)", @@ -66,11 +55,10 @@ "next": "Susunod", "loading": "Naglo-load", "pending": "Nakabinbin", - "or": "o", "submit_subscriptions_notice": "Mga Inirerekomendang Komunidad", "submit_subscriptions": "iyong mga sinubskribang komunidad", "rules_for": "mga patakaran para sa", - "no_communities_found": "Walang natagpuang mga komunidad sa <1>https://github.com/plebbit/lists", + "no_communities_found": "Walang natagpuang mga komunidad sa <1>https://github.com/bitsocialhq/lists", "connect_community_notice": "Upang kumonekta sa isang komunidad, gamitin ang 🔎 sa itaas na kanan", "options": "mga opsyon", "hide_options": "itago ang mga opsyon", @@ -85,7 +73,6 @@ "time_x_months": "{{count}} buwan", "time_1_year": "1 taon", "time_x_years": "{{count}} taon", - "search": "hanapin", "submit_post": "Magsumite ng bagong post", "create_your_community": "Lumikha ng sariling komunidad", "moderators": "moderators", @@ -95,7 +82,6 @@ "created_by": "likha ni {{creatorAddress}}", "community_for": "isang komunidad para sa {{date}}", "post_submitted_on": "ang post na ito ay isinumite noong {{postDate}}", - "readers_count": "{{count}} mga mambabasa", "users_online": "{{count}} mga gumagamit dito ngayon", "point": "punto", "points": "mga punto", @@ -107,26 +93,15 @@ "moderation": "moderasyon", "interface_language": "wika ng interface", "theme": "tema", - "profile": "profile", "account": "account", "display_name": "display name", "crypto_address": "crypto address", - "reset": "i-reset", - "changes": "pagbabago", "check": "suriin", "crypto_address_verification": "kung nairesolba ang crypto address p2p", - "is_current_account": "ang kasalukuyang account ba", - "account_data_preview": "preview ng account data", "create": "gumawa", - "a_new_account": "isang bagong account", - "import": "i-import", - "export": "i-export", "delete": "burahin", - "full_account_data": "buong account data", - "this_account": "ang account na ito", "locked": "nakalock", "reason": "dahilan", - "no_posts_found": "walang mga post na natagpuan", "sorted_by": "inurutan ayon sa", "downvoted": "binoto ng negatibo", "hidden": "nakatagong", @@ -138,21 +113,14 @@ "full_comments": "kumpletong mga komento", "context": "konteksto", "block": "blocked", - "hide_post": "itago ang post", "post": "post", "unhide": "ibalik", "unblock": "ibinuka", "undo": "ibalik", "post_hidden": "post na itinago", - "old": "lumang", - "copy_link": "kopyahin ang link", "link_copied": "nakopya ang link", - "view_on": "tingnan sa {{destination}}", "block_community": "i-block ang komunidad", "unblock_community": "i-unblock ang komunidad", - "block_community_alert": "Sigurado ka bang gusto mong i-block ang komunidad na ito?", - "unblock_community_alert": "Sigurado ka bang gusto mong i-unblock ang komunidad na ito?", - "search_community_address": "Maghanap ng address ng komunidad", "search_feed_post": "Maghanap ng post sa feed na ito", "from": "mula sa", "via": "sa pamamagitan ng", @@ -169,15 +137,12 @@ "no_posts": "walang post", "media_url": "media url", "post_locked_info": "Ang post na ito ay {{state}}. Hindi ka makakapagkomento.", - "no_subscriptions_notice": "Hindi ka pa sumali sa anumang komunidad.", "members_count": "{{count}} miyembro", "communities": "komunidad", "edit": "ipunin", "moderator": "Moderator", "description": "Deskripsyon", "rules": "Mga Alituntunin", - "challenge": "Hamong", - "settings": "Mga Setting", "save_options": "I-save ang mga Opsyon", "logo": "Logo", "address": "Address", @@ -188,26 +153,15 @@ "moderation_tools": "Mga Kasangkapan sa Moderasyon", "submit_to": "Isumite sa <1>{{link}}", "edit_subscriptions": "I-edit ang mga Subskripsyon", - "last_account_notice": "Hindi mo maaaring burahin ang iyong huling account, mangyaring gumawa muna ng bago.", "delete_confirm": "Sigurado ka bang nais mong burahin ang {{value}}?", "saving": "Nag-i-save", "deleted": "Nadelete", - "mark_spoiler": "I-mark bilang spoiler", - "remove_spoiler": "Tanggalin ang spoiler", - "delete_post": "Burahin ang Post", - "undo_delete": "I-undo ang Pag-delete", - "edit_content": "I-edit ang Nilalaman", "online": "Online", "offline": "Offline", - "download_app": "I-download ang App", - "approved_user": "Aprobado na User", "subscriber": "Subscriber", - "approved": "Aprobado", - "proposed": "Proposed", "join_communities_notice": "I-click ang mga pindutan <1>{{join}} o <2>{{leave}} upang pumili kung aling mga komunidad ang magpapakita sa home feed.", "below_subscribed": "Narito ang mga komunidad na iyong sinubaybayan.", "not_subscribed": "Hindi ka pa nakasubok sa alinmang komunidad.", - "below_approved_user": "Narito ang mga komunidad na ikaw ay isang inaprubahang tagagamit.", "below_moderator_access": "Narito ang mga komunidad na mayroon kang access bilang moderator.", "not_moderator": "Hindi ka moderator sa anumang komunidad.", "create_community": "Lumikha ng komunidad", @@ -228,7 +182,6 @@ "address_setting_info": "Itakda ang isang mababasa ang komunidad na address gamit ang isang crypto domain", "enter_crypto_address": "Mangyaring magpasok ng wastong crypto address.", "check_for_updates": "<1>Tingnan para sa mga update", - "general_settings": "Pangkalahatang mga setting", "refresh_to_update": "I-refresh ang pahina upang i-update", "latest_development_version": "Nasa pinakabagong bersyon ng pag-unlad, commit {{commit}}. Upang gamitin ang stable na bersyon, pumunta sa {{link}}.", "latest_stable_version": "Nasa pinakabagong stable na bersyon, seedit v{{version}}.", @@ -236,7 +189,6 @@ "new_stable_version": "Bagong stable na bersyon na magagamit, seedit v{{newVersion}}. Ginagamit mo ang seedit v{{oldVersion}}.", "download_latest_desktop": "I-download ang pinakabagong bersyon ng desktop dito: {{link}}", "contribute_on_github": "Mag-contribute sa GitHub", - "create_community_not_available": "Hindi pa ito magagamit sa web. Maaari kang lumikha ng isang komunidad gamit ang desktop app, i-download ito dito: {{desktopLink}}. Kung komportable ka sa command line, tingnan ito: {{cliLink}}", "no_media_found": "Walang natagpuang midya", "no_image_found": "Walang natagpuang larawan", "warning_spam": "Babala: walang piniling hamon, ang komunidad ay madaling sakupin ng mga atake ng spam.", @@ -254,7 +206,6 @@ "owner": "may-ari", "admin": "admin", "settings_saved": "Naisilbi ang mga setting para sa p/{{subplebbitAddress}}", - "mod_edit": "pag-edit ng mod", "continue_thread": "ituloy ang thread na ito", "mod_edit_reason": "Dahilan ng pag-edit ng mod", "double_confirm": "Sigurado ka ba talaga? Ang aksyon na ito ay hindi mababawi.", @@ -266,12 +217,10 @@ "not_found_description": "Ang pahinang hiniling mo ay hindi umiiral", "last_edited": "huling inedit {{timestamp}}", "view_spoiler": "tingnan ang spoiler", - "more": "higit pa", "default_communities": "default na mga komunidad", "avatar": "avatar", "pending_edit": "naka-pending na edit", "failed_edit": "nakabigong edit", - "copy_full_address": "<1>kopyahin ang buong address", "node_stats": "stats ng node", "version": "bersyon", "edit_reason": "dahilan ng pag-edit", @@ -291,30 +240,22 @@ "ban_user_for": "I-ban ang user para sa <1> araw", "crypto_wallets": "Mga Wallet ng Crypto", "wallet_address": "Address ng wallet", - "save_wallets": "<1>I-save ang wallet(s) sa account", "remove": "Alisin", "add_wallet": "<1>Magdagdag ng isang crypto wallet", "show_settings": "Ipakita ang mga setting", "hide_settings": "Itago ang mga setting", - "wallet": "Wallet", "undelete": "I-undelete", "downloading_comments": "nagda-download na mga komento", "you_blocked_community": "I-block mo ang komunidad na ito", "show": "ipakita", "plebbit_options": "mga pagpipilian ng plebbit", "general": "pangkalahatan", - "own_communities": "sariling mga pamayanan", - "invalid_community_address": "Hindi wastong address ng pamayanan", - "newer_posts_available": "Mga bagong post na available: <1>i-reload ang feed", "more_posts_last_week": "{{count}} mga post huling {{currentTimeFilterName}}: <1>ipakita ang higit pang mga post mula sa nakaraang linggo", "more_posts_last_month": "{{count}} mga post sa {{currentTimeFilterName}}: <1>ipakita ang higit pang mga post mula sa nakaraang buwan", - "sure_delete": "Sigurado ka bang gusto mong tanggalin ang post na ito?", - "sure_undelete": "Sigurado ka bang gusto mong ibalik ang post na ito?", "profile_info": "Ang iyong account u/{{shortAddress}} ay nalikha. <1>I-set ang display name, <2>I-export ang backup, <3>alamin pa.", "show_all_instead": "Ipinapakita ang mga post mula {{timeFilterName}}, <1>ipakita ang lahat sa halip", "subplebbit_offline_info": "Maaaring offline ang subplebbit at maaaring mabigo ang paglalathala.", "posts_last_synced_info": "Huling naka-sync na mga post {{time}}, maaaring offline ang subplebbit at maaaring mabigo ang paglalathala.", - "stored_locally": "Nakaimbak nang lokal ({{location}}), hindi naka-sync sa iba pang device", "import_account_backup": "<1>i-import ang backup ng account", "export_account_backup": "<1>ilabas ang backup ng account", "save_reset_changes": "<1>i-save o <2>i-reset ang mga pagbabago", @@ -334,17 +275,11 @@ "communities_you_moderate": "Mga komunidad na iyong mino-moderate", "blur_media": "I-blur ang media na minarkahan bilang NSFW/18+", "nsfw_content": "Nilalaman ng NSFW", - "nsfw_communities": "NSFW na komunidad", - "hide_adult": "Itago ang mga komunidad na minarkahan bilang \"adult\"", - "hide_gore": "Itago ang mga komunidad na minarkahan bilang \"gore\"", - "hide_anti": "Itago ang mga komunidad na minarkahan bilang \"anti\"", - "filters": "Mga filter", "see_nsfw": "I-click upang makita ang NSFW", "see_nsfw_spoiler": "I-click upang makita ang NSFW spoiler", "always_show_nsfw": "Palaging ipakita ang mga media ng NSFW?", "always_show_nsfw_notice": "Okay, binago namin ang iyong mga preference upang palaging ipakita ang NSFW media.", "content_options": "Mga opsyon sa nilalaman", - "hide_vulgar": "Itago ang mga komunidad na minarkahan bilang \"vulgar\"", "over_18": "Higit sa 18?", "must_be_over_18": "Dapat kang 18+ upang makita ang komunidad na ito", "must_be_over_18_explanation": "Dapat kang hindi bababa sa labing walong taon upang makita ang nilalamang ito. Ikaw ba ay higit sa labing walong taon at handang makita ang nilalamang pang-adulto?", @@ -355,7 +290,6 @@ "block_user": "I-block ang gumagamit", "unblock_user": "I-unblock ang gumagamit", "filtering_by_tag": "Nag-filter ayon sa tag: \"{{tag}}\"", - "read_only_community_settings": "Mga setting ng komunidad na read-only", "you_are_moderator": "Ikaw ay isang moderator ng komunidad na ito", "you_are_admin": "Ikaw ay isang admin ng komunidad na ito", "you_are_owner": "Ikaw ang may-ari ng komunidad na ito", @@ -377,7 +311,6 @@ "search_posts": "maghanap ng mga post", "found_n_results_for": "nakita ang {{count}} mga post para sa \"{{query}}\"", "clear_search": "i-clear ang paghahanap", - "loading_iframe": "naglo-load na iframe", "no_matches_found_for": "walang nahanap na tugma para sa \"{{query}}\"", "searching": "naghahanap", "hide_default_communities_from_topbar": "Itago ang mga default na komunidad mula sa topbar", @@ -410,42 +343,48 @@ "expand_media_previews_based_on_community_media_preferences": "Palawakin ang mga preview ng media batay sa mga kagustuhan ng media ng komunidad na iyon", "show_all_nsfw": "ipakita lahat ng NSFW", "hide_all_nsfw": "Itago lahat ng NSFW", - "unstoppable_by_design": "...hindi mapipigilan dahil sa disenyo.", - "servers_are_overrated": "...ang mga server ay sobra ang papuri.", - "cryptographic_playground": "... cryptographic playground.", - "where_you_own_the_keys": "...kung saan pagmamay-ari mo ang mga susi.", - "no_middleman_here": "...walang tagapamagitan dito.", - "join_the_decentralution": "...sumali sa decentralution.", - "because_privacy_matters": "...dahil mahalaga ang privacy.", - "freedom_served_fresh_daily": "...kalayaan na inihahain ng sariwa araw-araw.", - "your_community_your_rules": "...ang iyong komunidad, ang iyong mga patakaran.", - "centralization_is_boring": "...ang sentralisasyon ay nakakainip.", - "like_torrents_for_thoughts": "...parang torrents, para sa mga ideya.", - "cant_stop_the_signal": "...hindi mapipigilan ang signal.", - "fully_yours_forever": "...lubos mong pag-aari, magpakailanman.", - "powered_by_caffeine": "...pinatatakbo ng caffeine.", - "speech_wants_to_be_free": "...gusto ng pagsasalita na maging malaya.", - "crypto_certified_community": "...crypto-certified community.", - "take_ownership_literally": "...kuninang kunin ang pag-aari nang literal.", - "your_ideas_decentralized": "...ang iyong mga ideya, decentralized.", - "for_digital_sovereignty": "...para sa digital na soberanya.", - "for_your_movement": "...para sa iyong paggalaw.", - "because_you_love_freedom": "...dahil mahal mo ang kalayaan.", - "decentralized_but_for_real": "...decentralized, pero totoo.", - "for_your_peace_of_mind": "...para sa iyong kapayapaan ng isip.", - "no_corporation_to_answer_to": "...walang korporasyon na sasalang sa pananagutan.", - "your_tokenized_sovereignty": "...ang iyong tokenized na soberanya.", - "for_text_only_wonders": "...para sa mga himala na teksto lamang.", - "because_open_source_rulez": "...dahil open source ay astig.", - "truly_peer_to_peer": "...tunay na peer to peer.", - "no_hidden_fees": "...walang nakatagong bayad.", - "no_global_rules": "...walang global na mga patakaran.", - "for_reddits_downfall": "...para sa pagbagsak ng Reddit.", - "evil_corp_cant_stop_us": "...Hindi kami mapipigilan ng Evil Corp™.", - "no_gods_no_global_admins": "...walang diyos, walang global admins.", "tags": "Mga tag", "moderator_of": "moderator ng", "not_subscriber_nor_moderator": "Hindi ka subscriber ni moderator ng anumang komunidad.", "more_posts_last_year": "{{count}} post sa huling {{currentTimeFilterName}}: <1>ipakita ang mas maraming post mula sa nakaraang taon", - "editor_fallback_warning": "Nabigong mag-load ang advanced editor, gamit ang basic text editor bilang fallback." + "editor_fallback_warning": "Nabigong mag-load ang advanced editor, gamit ang basic text editor bilang fallback.", + "hot": "hot", + "new": "new", + "active": "active", + "top": "top", + "best": "best", + "old": "old", + "unstoppable_by_design": "...unstoppable by design.", + "servers_are_overrated": "...servers are overrated.", + "cryptographic_playground": "... cryptographic playground.", + "where_you_own_the_keys": "...where you own the keys.", + "no_middleman_here": "...no middleman here.", + "join_the_decentralution": "...join the decentralution.", + "because_privacy_matters": "...because privacy matters.", + "freedom_served_fresh_daily": "...freedom served fresh daily.", + "your_community_your_rules": "...your community, your rules.", + "centralization_is_boring": "...centralization is boring.", + "like_torrents_for_thoughts": "...like torrents, for thoughts.", + "cant_stop_the_signal": "...can't stop the signal.", + "fully_yours_forever": "...fully yours, forever.", + "powered_by_caffeine": "...powered by caffeine.", + "speech_wants_to_be_free": "...speech wants to be free.", + "crypto_certified_community": "...crypto-certified community.", + "take_ownership_literally": "...take ownership literally.", + "your_ideas_decentralized": "...your ideas, decentralized.", + "for_digital_sovereignty": "...for digital sovereignty.", + "for_your_movement": "...for your movement.", + "because_you_love_freedom": "...because you love freedom.", + "decentralized_but_for_real": "...decentralized, but for real.", + "for_your_peace_of_mind": "...for your peace of mind.", + "no_corporation_to_answer_to": "...no corporation to answer to.", + "your_tokenized_sovereignty": "...your tokenized sovereignty.", + "for_text_only_wonders": "...for text-only wonders.", + "because_open_source_rulez": "...because open source rulez.", + "truly_peer_to_peer": "...truly peer to peer.", + "no_hidden_fees": "...no hidden fees.", + "no_global_rules": "...no global rules.", + "for_reddits_downfall": "...for Reddit's downfall.", + "evil_corp_cant_stop_us": "...Evil Corp™ can't stop us.", + "no_gods_no_global_admins": "...no gods, no global admins." } diff --git a/public/translations/fr/default.json b/public/translations/fr/default.json index 745193118..44a4c7aa9 100644 --- a/public/translations/fr/default.json +++ b/public/translations/fr/default.json @@ -1,13 +1,7 @@ { - "hot": "populaire", - "new": "nouveau", - "active": "actifs", - "controversial": "controversé", - "top": "au top", "about": "à propos", "comments": "commentaires", "preferences": "préférences", - "account_bar_language": "Français", "submit": "soumettre", "dark": "sombre", "light": "clair", @@ -22,7 +16,6 @@ "post_comments": "commentaires", "share": "partager", "save": "enregistrer", - "unsave": "libérer", "hide": "masquer", "report": "signaler", "crosspost": "crosspost", @@ -37,11 +30,7 @@ "time_1_year_ago": "il y a 1 an", "time_x_years_ago": "il y a {{count}} ans", "spoiler": "spoiler", - "unspoiler": "unspoiler", - "reply_permalink": "lien permanent", - "embed": "embed", "reply_reply": "répondre", - "best": "meilleurs", "reply_sorted_by": "trié par", "all_comments": "tous les {{count}} commentaires", "no_comments": "aucun commentaire (encore)", @@ -66,11 +55,10 @@ "next": "Suivant", "loading": "Chargement", "pending": "En attente", - "or": "ou", "submit_subscriptions_notice": "Communautés suggérées", "submit_subscriptions": "vos communautés abonnées", "rules_for": "règles pour", - "no_communities_found": "Aucune communauté trouvée sur <1>https://github.com/plebbit/lists", + "no_communities_found": "Aucune communauté trouvée sur <1>https://github.com/bitsocialhq/lists", "connect_community_notice": "Pour vous connecter à une communauté, utilisez 🔎 en haut à droite", "options": "options", "hide_options": "cacher les options", @@ -85,7 +73,6 @@ "time_x_months": "{{count}} mois", "time_1_year": "1 an", "time_x_years": "{{count}} ans", - "search": "rechercher", "submit_post": "Soumettre une nouvelle publication", "create_your_community": "Créez votre propre communauté", "moderators": "modérateurs", @@ -95,7 +82,6 @@ "created_by": "créé par {{creatorAddress}}", "community_for": "une communauté depuis {{date}}", "post_submitted_on": "cette publication a été soumise le {{postDate}}", - "readers_count": "{{count}} lecteurs", "users_online": "{{count}} utilisateurs ici maintenant", "point": "point", "points": "points", @@ -107,26 +93,15 @@ "moderation": "modération", "interface_language": "langue de l'interface", "theme": "thème", - "profile": "profil", "account": "compte", "display_name": "nom d'affichage", "crypto_address": "adresse crypto", - "reset": "réinitialiser", - "changes": "changements", "check": "vérifier", "crypto_address_verification": "si l’adresse crypto est résolue en p2p", - "is_current_account": "est-ce le compte actuel", - "account_data_preview": "aperçu des données du compte", "create": "créer", - "a_new_account": "un nouveau compte", - "import": "importer", - "export": "exporter", "delete": "supprimer", - "full_account_data": "données complètes du compte", - "this_account": "ce compte", "locked": "verrouillé", "reason": "raison", - "no_posts_found": "aucune publication trouvée", "sorted_by": "trié par", "downvoted": "vote négatif", "hidden": "caché", @@ -138,21 +113,14 @@ "full_comments": "tous les commentaires", "context": "contexte", "block": "bloquer", - "hide_post": "masquer la publication", "post": "publication", "unhide": "afficher", "unblock": "débloquer", "undo": "annuler", "post_hidden": "publication masquée", - "old": "anciens", - "copy_link": "copier le lien", "link_copied": "lien copié", - "view_on": "voir sur {{destination}}", "block_community": "bloquer la communauté", "unblock_community": "débloquer la communauté", - "block_community_alert": "Êtes-vous sûr de vouloir bloquer cette communauté ?", - "unblock_community_alert": "Êtes-vous sûr de vouloir débloquer cette communauté ?", - "search_community_address": "Rechercher une adresse de communauté", "search_feed_post": "Rechercher un article dans ce flux", "from": "de", "via": "via", @@ -169,15 +137,12 @@ "no_posts": "pas de publications", "media_url": "URL multimédia", "post_locked_info": "Ce post est {{state}}. Vous ne pourrez pas commenter.", - "no_subscriptions_notice": "Vous n'avez rejoint aucune communauté.", "members_count": "{{count}} membres", "communities": "communauté", "edit": "modifier", "moderator": "Modérateur", "description": "Description", "rules": "Règles", - "challenge": "Défi", - "settings": "Paramètres", "save_options": "Enregistrer les options", "logo": "Logo", "address": "Adresse", @@ -188,26 +153,15 @@ "moderation_tools": "Outils de modération", "submit_to": "Soumettre à <1>{{link}}", "edit_subscriptions": "Modifier les abonnements", - "last_account_notice": "Vous ne pouvez pas supprimer votre dernier compte, veuillez d'abord en créer un nouveau.", "delete_confirm": "Êtes-vous sûr de vouloir supprimer {{value}}?", "saving": "Enregistrement", "deleted": "Supprimé", - "mark_spoiler": "Marquer comme spoiler", - "remove_spoiler": "Supprimer le spoiler", - "delete_post": "Supprimer la publication", - "undo_delete": "Annuler la suppression", - "edit_content": "Modifier le contenu", "online": "En ligne", "offline": "Hors ligne", - "download_app": "Télécharger l'application", - "approved_user": "Utilisateur approuvé", "subscriber": "Abonné", - "approved": "Approuvé", - "proposed": "Proposé", "join_communities_notice": "Cliquez sur les boutons <1>{{join}} ou <2>{{leave}} pour choisir quelles communautés apparaissent sur la page d'accueil.", "below_subscribed": "Ci-dessous se trouvent les communautés auxquelles vous êtes abonné.", "not_subscribed": "Vous n'êtes abonné à aucune communauté pour le moment.", - "below_approved_user": "Ci-dessous se trouvent les communautés où vous êtes un utilisateur approuvé.", "below_moderator_access": "Ci-dessous se trouvent les communautés auxquelles vous avez accès en tant que modérateur.", "not_moderator": "Vous n'êtes pas modérateur dans aucune communauté.", "create_community": "Créer une communauté", @@ -228,7 +182,6 @@ "address_setting_info": "Définir une adresse de communauté lisible à l'aide d'un domaine cryptographique", "enter_crypto_address": "Veuillez entrer une adresse crypto valide.", "check_for_updates": "<1>Vérifiez les mises à jour", - "general_settings": "Paramètres généraux", "refresh_to_update": "Actualisez la page pour mettre à jour", "latest_development_version": "Vous êtes sur la dernière version de développement, commit {{commit}}. Pour utiliser la version stable, allez sur {{link}}.", "latest_stable_version": "Vous êtes sur la dernière version stable, seedit v{{version}}.", @@ -236,7 +189,6 @@ "new_stable_version": "Nouvelle version stable disponible, seedit v{{newVersion}}. Vous utilisez seedit v{{oldVersion}}.", "download_latest_desktop": "Téléchargez la dernière version de bureau ici : {{link}}", "contribute_on_github": "Contribuer sur GitHub", - "create_community_not_available": "Pas encore disponible sur le web. Vous pouvez créer une communauté en utilisant l'application de bureau, téléchargez-la ici : {{desktopLink}}. Si vous êtes à l'aise avec la ligne de commande, consultez ici : {{cliLink}}", "no_media_found": "Aucun média trouvé", "no_image_found": "Aucune image trouvée", "warning_spam": "Attention : aucun défi n'a été sélectionné, la communauté est vulnérable aux attaques de spam.", @@ -254,7 +206,6 @@ "owner": "propriétaire", "admin": "administrateur", "settings_saved": "Paramètres enregistrés pour p/{{subplebbitAddress}}", - "mod_edit": "mod edit", "continue_thread": "continuer ce fil de discussion", "mod_edit_reason": "Raison de modification du modérateur", "double_confirm": "Êtes-vous vraiment sûr? Cette action est irréversible.", @@ -266,12 +217,10 @@ "not_found_description": "La page que vous avez demandée n'existe pas", "last_edited": "dernière édition {{timestamp}}", "view_spoiler": "voir le spoiler", - "more": "plus", "default_communities": "communautés par défaut", "avatar": "avatar", "pending_edit": "modification en attente", "failed_edit": "modification échouée", - "copy_full_address": "<1>copier l'adresse complète", "node_stats": "statistiques du nœud", "version": "version", "edit_reason": "motif de la modification", @@ -291,30 +240,22 @@ "ban_user_for": "Bannir l'utilisateur pendant <1> jour(s)", "crypto_wallets": "Portefeuilles de crypto", "wallet_address": "Adresse de portefeuille", - "save_wallets": "<1>Enregistrer le(s) portefeuille(s) dans le compte", "remove": "Retirer", "add_wallet": "<1>Ajouter un portefeuille crypto", "show_settings": "Afficher les paramètres", "hide_settings": "Masquer les paramètres", - "wallet": "Portefeuille", "undelete": "Récupérer", "downloading_comments": "téléchargement des commentaires", "you_blocked_community": "Vous avez bloqué cette communauté", "show": "montrer", "plebbit_options": "options plebbit", "general": "général", - "own_communities": "communautés propres", - "invalid_community_address": "Adresse de la communauté non valide", - "newer_posts_available": "De nouveaux messages disponibles : <1>recharger le flux", "more_posts_last_week": "{{count}} publications la semaine dernière {{currentTimeFilterName}}: <1>afficher plus de publications de la semaine dernière", "more_posts_last_month": "{{count}} publications dans {{currentTimeFilterName}}: <1>voir plus de publications du mois dernier", - "sure_delete": "Êtes-vous sûr de vouloir supprimer ce post ?", - "sure_undelete": "Êtes-vous sûr de vouloir restaurer ce post ?", "profile_info": "Votre compte u/{{shortAddress}} a été créé. <1>Définir le nom d'affichage, <2>exporter la sauvegarde, <3>en savoir plus.", "show_all_instead": "Affichage des publications depuis {{timeFilterName}}, <1>afficher tout à la place", "subplebbit_offline_info": "Le subplebbit pourrait être hors ligne et la publication pourrait échouer.", "posts_last_synced_info": "Dernières publications synchronisées {{time}}, le subplebbit pourrait être hors ligne et la publication pourrait échouer.", - "stored_locally": "Stocké localement ({{location}}), non synchronisé entre les appareils", "import_account_backup": "<1>importer la sauvegarde du compte", "export_account_backup": "<1>exporter la sauvegarde du compte", "save_reset_changes": "<1>enregistrer ou <2>réinitialiser les modifications", @@ -334,17 +275,11 @@ "communities_you_moderate": "Communautés que vous modérez", "blur_media": "Flouter les médias marqués comme NSFW/18+", "nsfw_content": "Contenu NSFW", - "nsfw_communities": "Communautés NSFW", - "hide_adult": "Cacher les communautés étiquetées comme \"adulte\"", - "hide_gore": "Cacher les communautés étiquetées comme \"gore\"", - "hide_anti": "Cacher les communautés étiquetées comme \"anti\"", - "filters": "Filtres", "see_nsfw": "Cliquez pour voir le NSFW", "see_nsfw_spoiler": "Cliquez pour voir le spoiler NSFW", "always_show_nsfw": "Voulez-vous toujours afficher les médias NSFW ?", "always_show_nsfw_notice": "D'accord, nous avons modifié vos préférences pour afficher toujours les médias NSFW.", "content_options": "Options de contenu", - "hide_vulgar": "Cacher les communautés étiquetées comme \"vulgaire\"", "over_18": "Plus de 18?", "must_be_over_18": "Vous devez avoir 18 ans ou plus pour voir cette communauté", "must_be_over_18_explanation": "Vous devez avoir au moins dix-huit ans pour voir ce contenu. Avez-vous plus de dix-huit ans et êtes-vous prêt à voir du contenu pour adultes ?", @@ -355,7 +290,6 @@ "block_user": "Bloquer l'utilisateur", "unblock_user": "Débloquer l'utilisateur", "filtering_by_tag": "Filtrage par tag : \"{{tag}}\"", - "read_only_community_settings": "Paramètres de la communauté en lecture seule", "you_are_moderator": "Vous êtes modérateur de cette communauté", "you_are_admin": "Vous êtes un administrateur de cette communauté", "you_are_owner": "Vous êtes le propriétaire de cette communauté", @@ -377,7 +311,6 @@ "search_posts": "chercher des publications", "found_n_results_for": "trouvé {{count}} publications pour \"{{query}}\"", "clear_search": "effacer la recherche", - "loading_iframe": "chargement iframe", "no_matches_found_for": "aucune correspondance trouvée pour \"{{query}}\"", "searching": "recherche", "hide_default_communities_from_topbar": "Masquer les communautés par défaut de la barre supérieure", @@ -410,42 +343,48 @@ "expand_media_previews_based_on_community_media_preferences": "Développez les aperçus des médias en fonction des préférences médias de cette communauté", "show_all_nsfw": "afficher tout NSFW", "hide_all_nsfw": "masquer tout NSFW", - "unstoppable_by_design": "...inarrêtable par conception.", - "servers_are_overrated": "...les serveurs sont surestimés.", - "cryptographic_playground": "... terrain de jeu cryptographique.", - "where_you_own_the_keys": "...où vous possédez les clés.", - "no_middleman_here": "...pas d'intermédiaire ici.", - "join_the_decentralution": "...rejoignez la decentralution.", - "because_privacy_matters": "...parce que la vie privée compte.", - "freedom_served_fresh_daily": "...la liberté servie fraîche chaque jour.", - "your_community_your_rules": "...votre communauté, vos règles.", - "centralization_is_boring": "...la centralisation est ennuyeuse.", - "like_torrents_for_thoughts": "...comme des torrents, pour les pensées.", - "cant_stop_the_signal": "...on ne peut pas arrêter le signal.", - "fully_yours_forever": "...entièrement à toi, pour toujours.", - "powered_by_caffeine": "...alimenté par la caféine.", - "speech_wants_to_be_free": "...la parole veut être libre.", - "crypto_certified_community": "...communauté certifiée crypto.", - "take_ownership_literally": "...prenez littéralement possession.", - "your_ideas_decentralized": "...vos idées, décentralisées.", - "for_digital_sovereignty": "...pour la souveraineté numérique.", - "for_your_movement": "...pour votre mouvement.", - "because_you_love_freedom": "...parce que vous aimez la liberté.", - "decentralized_but_for_real": "...décentralisé, mais pour de vrai.", - "for_your_peace_of_mind": "...pour votre tranquillité d'esprit.", - "no_corporation_to_answer_to": "...aucune société à laquelle rendre des comptes.", - "your_tokenized_sovereignty": "...votre souveraineté tokenisée.", - "for_text_only_wonders": "...pour les merveilles uniquement textuelles.", - "because_open_source_rulez": "...parce que l'open source déchire.", - "truly_peer_to_peer": "...vraiment peer to peer.", - "no_hidden_fees": "...pas de frais cachés.", - "no_global_rules": "...pas de règles globales.", - "for_reddits_downfall": "...pour la chute de Reddit.", - "evil_corp_cant_stop_us": "...Evil Corp™ ne peut pas nous arrêter.", - "no_gods_no_global_admins": "...pas de dieux, pas d'administrateurs globaux.", "tags": "Tags", "moderator_of": "modérateur de", "not_subscriber_nor_moderator": "Vous n'êtes ni abonné ni modérateur d'aucune communauté.", "more_posts_last_year": "{{count}} publications lors du dernier {{currentTimeFilterName}} : <1>afficher plus de publications de l'année dernière", - "editor_fallback_warning": "Le éditeur avancé n'a pas pu se charger, utilisation de l'éditeur de texte basique en remplacement." + "editor_fallback_warning": "Le éditeur avancé n'a pas pu se charger, utilisation de l'éditeur de texte basique en remplacement.", + "hot": "hot", + "new": "new", + "active": "active", + "top": "top", + "best": "best", + "old": "old", + "unstoppable_by_design": "...unstoppable by design.", + "servers_are_overrated": "...servers are overrated.", + "cryptographic_playground": "... cryptographic playground.", + "where_you_own_the_keys": "...where you own the keys.", + "no_middleman_here": "...no middleman here.", + "join_the_decentralution": "...join the decentralution.", + "because_privacy_matters": "...because privacy matters.", + "freedom_served_fresh_daily": "...freedom served fresh daily.", + "your_community_your_rules": "...your community, your rules.", + "centralization_is_boring": "...centralization is boring.", + "like_torrents_for_thoughts": "...like torrents, for thoughts.", + "cant_stop_the_signal": "...can't stop the signal.", + "fully_yours_forever": "...fully yours, forever.", + "powered_by_caffeine": "...powered by caffeine.", + "speech_wants_to_be_free": "...speech wants to be free.", + "crypto_certified_community": "...crypto-certified community.", + "take_ownership_literally": "...take ownership literally.", + "your_ideas_decentralized": "...your ideas, decentralized.", + "for_digital_sovereignty": "...for digital sovereignty.", + "for_your_movement": "...for your movement.", + "because_you_love_freedom": "...because you love freedom.", + "decentralized_but_for_real": "...decentralized, but for real.", + "for_your_peace_of_mind": "...for your peace of mind.", + "no_corporation_to_answer_to": "...no corporation to answer to.", + "your_tokenized_sovereignty": "...your tokenized sovereignty.", + "for_text_only_wonders": "...for text-only wonders.", + "because_open_source_rulez": "...because open source rulez.", + "truly_peer_to_peer": "...truly peer to peer.", + "no_hidden_fees": "...no hidden fees.", + "no_global_rules": "...no global rules.", + "for_reddits_downfall": "...for Reddit's downfall.", + "evil_corp_cant_stop_us": "...Evil Corp™ can't stop us.", + "no_gods_no_global_admins": "...no gods, no global admins." } diff --git a/public/translations/he/default.json b/public/translations/he/default.json index 03f962292..e47ce2671 100644 --- a/public/translations/he/default.json +++ b/public/translations/he/default.json @@ -1,13 +1,7 @@ { - "hot": "פופולרי", - "new": "חדש", - "active": "פעיל", - "controversial": "שנוי במחלוקת", - "top": "הכי מדורג", "about": "אודות", "comments": "תגובות", "preferences": "העדפות", - "account_bar_language": "אנגלית", "submit": "שלח", "dark": "כהה", "light": "בהיר", @@ -22,7 +16,6 @@ "post_comments": "תגובות", "share": "שתף", "save": "שמור", - "unsave": "בטל שמירה", "hide": "הסתר", "report": "דווח", "crosspost": "פוסט משולב", @@ -37,11 +30,7 @@ "time_1_year_ago": "לפני שנה", "time_x_years_ago": "לפני {{count}} שנים", "spoiler": "ספוילר", - "unspoiler": "הסר ספוילר", - "reply_permalink": "קישור קבוע", - "embed": "הטמע", "reply_reply": "תגובה", - "best": "הכי טובים", "reply_sorted_by": "ממוין לפי", "all_comments": "כל {{count}} התגובות", "no_comments": "אין תגובות (עדיין)", @@ -66,11 +55,10 @@ "next": "הבא", "loading": "טוען", "pending": "ממתין לאישור", - "or": "או", "submit_subscriptions_notice": "קהילות מומלצות", "submit_subscriptions": "הקהילות שאתה מנוי עליהן", "rules_for": "כללים עבור", - "no_communities_found": "לא נמצאו קהילות ב-<1>https://github.com/plebbit/lists", + "no_communities_found": "לא נמצאו קהילות ב-<1>https://github.com/bitsocialhq/lists", "connect_community_notice": "לקישור לקהילה, השתמש ב-🔎 בפינה הימנית העליונה", "options": "אפשרויות", "hide_options": "הסתר אפשרויות", @@ -85,7 +73,6 @@ "time_x_months": "{{count}} חודשים", "time_1_year": "שנה אחת", "time_x_years": "{{count}} שנים", - "search": "חיפוש", "submit_post": "שלח פוסט חדש", "create_your_community": "צור את הקהילה שלך", "moderators": "מנהלים", @@ -95,7 +82,6 @@ "created_by": "נוצר על ידי {{creatorAddress}}", "community_for": "קהילה למשך {{date}}", "post_submitted_on": "הפוסט הזה הוגש בתאריך {{postDate}}", - "readers_count": "{{count}} קוראים", "users_online": "{{count}} משתמשים כאן עכשיו", "point": "נקודה", "points": "נקודות", @@ -107,26 +93,15 @@ "moderation": "הגבלה", "interface_language": "שפת ממשק", "theme": "ערכת נושא", - "profile": "פרופיל", "account": "חשבון", "display_name": "שם התצוגה", "crypto_address": "כתובת קריפטו", - "reset": "איפוס", - "changes": "שינויים", "check": "בדוק", "crypto_address_verification": "אם כתובת הקריפטו פתרה p2p", - "is_current_account": "האם זה החשבון הנוכחי", - "account_data_preview": "תצוגה מקדימה של נתוני החשבון", "create": "צור", - "a_new_account": "חשבון חדש", - "import": "יבא", - "export": "יצוא", "delete": "מחק", - "full_account_data": "נתוני החשבון המלאים", - "this_account": "החשבון הזה", "locked": "נעול", "reason": "סיבה", - "no_posts_found": "לא נמצאו פרסומים", "sorted_by": "ממוין לפי", "downvoted": "קיבל דירוג שלילי", "hidden": "מוסתר", @@ -138,21 +113,14 @@ "full_comments": "כל התגובות", "context": "הקשר", "block": "חסום", - "hide_post": "הסתרת הפוסט", "post": "פוסט", "unhide": "הצג", "unblock": "ביטול חסימה", "undo": "בטל", "post_hidden": "הפוסט מוסתר", - "old": "ישנים", - "copy_link": "העתק קישור", "link_copied": "הקישור הועתק", - "view_on": "הצג ב-{{destination}}", "block_community": "חסום קהל", "unblock_community": "ביטול חסימת הקהל", - "block_community_alert": "האם אתה בטוח שברצונך לחסום את הקהל הזה?", - "unblock_community_alert": "האם אתה בטוח שברצונך לבטל את חסימת הקהל הזו?", - "search_community_address": "חפש כתובת של קהילה", "search_feed_post": "חפש פוסט בפיד זה", "from": "מאת", "via": "דרך", @@ -169,15 +137,12 @@ "no_posts": "אין פוסטים", "media_url": "כתובת מדיה", "post_locked_info": "הפוסט הזה הוא {{state}}. לא תוכל להגיב.", - "no_subscriptions_notice": "עדיין לא הצטרפת לאף קהילה.", "members_count": "{{count}} חברים", "communities": "קהילה", "edit": "עריכה", "moderator": "מנהל", "description": "תיאור", "rules": "כללים", - "challenge": "אתגר", - "settings": "הגדרות", "save_options": "שמירת האפשרויות", "logo": "לוגו", "address": "כתובת", @@ -188,26 +153,15 @@ "moderation_tools": "כלי ניטור", "submit_to": "שלח אל <1>{{link}}", "edit_subscriptions": "ערוך מנויים", - "last_account_notice": "אינך יכול למחוק את החשבון האחרון שלך, אנא צור חשבון חדש תחילה.", "delete_confirm": "האם אתה בטוח שברצונך למחוק את {{value}}?", "saving": "שמירה", "deleted": "נמחק", - "mark_spoiler": "סמן כ-spoiler", - "remove_spoiler": "הסרת ספוילר", - "delete_post": "מחיקת הפרסום", - "undo_delete": "בטל מחיקה", - "edit_content": "ערוך תוכן", "online": "מקוון", "offline": "מנותק", - "download_app": "הורד את האפליקציה", - "approved_user": "משתמש מאושר", "subscriber": "מנוי", - "approved": "מאושר", - "proposed": "מוצע", "join_communities_notice": "לחץ על הכפתורים <1>{{join}} או <2>{{leave}} כדי לבחור אילו קהילות יוצגו בעמוד הבית.", "below_subscribed": "למטה הן הקהילות שנרשמת אליהן.", "not_subscribed": "אתה עדיין לא רשום לשום קהילה.", - "below_approved_user": "למטה תוכלו למצוא את הקהילות בהן אתם משתמשים מאושרים.", "below_moderator_access": "למטה תוכלו למצוא את הקהילות בהם יש לך גישה כמנהל.", "not_moderator": "אינך מודרטור בקהילה אחת.", "create_community": "צור קהילה", @@ -228,7 +182,6 @@ "address_setting_info": "הגדר כתובת קהילה נקראת באמצעות תחום קריפטוגרפי", "enter_crypto_address": "אנא הזן כתובת קריפטו תקף.", "check_for_updates": "<1>בדוק עבור עדכונים", - "general_settings": "הגדרות כלליות", "refresh_to_update": "רענן את העמוד כדי לעדכן", "latest_development_version": "אתה נמצא בגרסת הפיתוח האחרונה, קומיט {{commit}}. כדי להשתמש בגרסה יציבה, עבור אל {{link}}.", "latest_stable_version": "אתה נמצא בגרסה היציבה האחרונה, seedit v{{version}}.", @@ -236,7 +189,6 @@ "new_stable_version": "גרסה יציבה חדשה זמינה, seedit v{{newVersion}}. אתה משתמש seedit v{{oldVersion}}.", "download_latest_desktop": "הורד את הגרסה האחרונה לשולחן העבודה כאן: {{link}}", "contribute_on_github": "לתרום ב-GitHub", - "create_community_not_available": "עדיין לא זמין ברשת. ניתן ליצור קהילה באמצעות האפליקציה לשולחן העבודה, הורד אותה כאן: {{desktopLink}}. אם אתה מרגיש בנוח עם שורת הפקודות, היכנס לכאן: {{cliLink}}", "no_media_found": "לא נמצאו מדיה", "no_image_found": "לא נמצאה תמונה", "warning_spam": "אזהרה: לא נבחר אף אתגר, הקהילה חשופה לתקיפות דואר זבל.", @@ -254,7 +206,6 @@ "owner": "בעלים", "admin": "מנהל", "settings_saved": "הגדרות נשמרו עבור p/{{subplebbitAddress}}", - "mod_edit": "עריכת מנהל", "continue_thread": "המשך את השרשור הזה", "mod_edit_reason": "סיבת עריכת המנהל", "double_confirm": "האם אתה באמת בטוח? הפעולה הזו היא לא הפיכה.", @@ -266,12 +217,10 @@ "not_found_description": "הדף שביקשת אינו קיים", "last_edited": "עריכה אחרונה {{timestamp}}", "view_spoiler": "הצג ספוילר", - "more": "יותר", "default_communities": "קהילות ברירת מחדל", "avatar": "אוואטר", "pending_edit": "עריכה ממתינה", "failed_edit": "עריכה נכשלה", - "copy_full_address": "<1>העתק כתובת מלאה", "node_stats": "סטטיסטיקות הצומת", "version": "גרסה", "edit_reason": "סיבת העריכה", @@ -291,30 +240,22 @@ "ban_user_for": "אסור למשתמש למשך <1> יום", "crypto_wallets": "ארנק קריפטו", "wallet_address": "כתובת הארנק", - "save_wallets": "<1>שמור את הארנק(ים) בחשבון", "remove": "הסר", "add_wallet": "<1>הוסף ארנק קריפטו", "show_settings": "הצג הגדרות", "hide_settings": "הסתר הגדרות", - "wallet": "ארנק", "undelete": "שחזור מחיקה", "downloading_comments": "מוריד תגובות", "you_blocked_community": "חסמת את הקהילה הזו", "show": "תצוגה", "plebbit_options": "אפשרויות plebbit", "general": "כללי", - "own_communities": "הקהילות שלי", - "invalid_community_address": "כתובת הקהילה אינה חוקית", - "newer_posts_available": "פוסטים חדשים זמינים: <1>רענן את הזרם", "more_posts_last_week": "{{count}} פוסטים בשבוע האחרון {{currentTimeFilterName}}: <1>הצג פוסטים נוספים מהשבוע שעבר", "more_posts_last_month": "{{count}} פוסטים ב{{currentTimeFilterName}}: <1>הראה פוסטים נוספים מהחודש שעבר", - "sure_delete": "האם אתה בטוח שברצונך למחוק את הפוסט הזה?", - "sure_undelete": "האם אתה בטוח שברצונך לשחזר את הפוסט הזה?", "profile_info": "החשבון שלך u/{{shortAddress}} נוצר. <1>קבע שם תצוגה, <2>ייצא גיבוי, <3>למד עוד.", "show_all_instead": "מראה פוסטים מאז {{timeFilterName}}, <1>הצג הכל במקום זאת", "subplebbit_offline_info": "הסאבפלביט עשוי להיות לא מקוון והפרסום עשוי להכשל.", "posts_last_synced_info": "הפוסטים סונכרנו לאחרונה {{time}}, הסאבפלביט עשוי להיות לא מקוון והפרסום עשוי להכשל.", - "stored_locally": "מאוחסן מקומית ({{location}}), לא מסונכרן בין מכשירים", "import_account_backup": "<1>יבוא גיבוי חשבון", "export_account_backup": "<1>ייצוא גיבוי חשבון", "save_reset_changes": "<1>שמור או <2>אפס שינויים", @@ -334,17 +275,11 @@ "communities_you_moderate": "קהילות שאתה מנהל", "blur_media": "הטשטש מדיה שסומנה כ-NSFW/18+", "nsfw_content": "תוכן NSFW", - "nsfw_communities": "קהילות NSFW", - "hide_adult": "הסתר קהילות שסומנו כ\"מבוגר\"", - "hide_gore": "הסתר קהילות שסומנו כ\"גור\"", - "hide_anti": "הסתר קהילות שסומנו כ\"נגד\"", - "filters": "סינונים", "see_nsfw": "לחץ כדי לראות NSFW", "see_nsfw_spoiler": "לחץ כדי לראות את ה-NSFW ספוילר", "always_show_nsfw": "האם תמיד להציג מדיה NSFW?", "always_show_nsfw_notice": "אוקי, שינינו את ההעדפות שלך להציג תמיד מדיה NSFW.", "content_options": "אפשרויות תוכן", - "hide_vulgar": "הסתר קהילות שסומנו כ\"גס\"", "over_18": "מעל גיל 18?", "must_be_over_18": "אתה חייב להיות מעל גיל 18 כדי לראות את הקהילה הזאת", "must_be_over_18_explanation": "עליך להיות לפחות בן 18 על מנת לצפות בתוכן הזה. האם אתה מעל גיל 18 ומוכן לראות תוכן למבוגרים?", @@ -355,7 +290,6 @@ "block_user": "לחסום משתמש", "unblock_user": "שחרר חסימה של משתמש", "filtering_by_tag": "מיון לפי תג: \"{{tag}}\"", - "read_only_community_settings": "הגדרות קהילה לקריאה בלבד", "you_are_moderator": "אתה מנהל קהילה זו", "you_are_admin": "אתה מנהל מערכת של קהילה זו", "you_are_owner": "אתה הבעלים של קהילה זו", @@ -377,7 +311,6 @@ "search_posts": "חפש פוסטים", "found_n_results_for": "נמצאו {{count}} פוסטים עבור \"{{query}}\"", "clear_search": "נקה חיפוש", - "loading_iframe": "טוען iframe", "no_matches_found_for": "לא נמצאו תוצאות עבור \"{{query}}\"", "searching": "מחפש", "hide_default_communities_from_topbar": "הסתר קהילות ברירת מחדל מהסרגל העליון", @@ -410,42 +343,48 @@ "expand_media_previews_based_on_community_media_preferences": "הרחב תצוגות מדיה בהתאם להעדפות המדיה של הקהילה", "show_all_nsfw": "הצג הכל NSFW", "hide_all_nsfw": "הסתר את כל התוכן הלא בטוח", - "unstoppable_by_design": "...בלתי ניתן לעצירה בעיצוב.", - "servers_are_overrated": "...שרתים מוערכים יותר מדי.", - "cryptographic_playground": "... מגרש קריפטוגרפי.", - "where_you_own_the_keys": "...שבו אתה הבעלים של המפתחות.", - "no_middleman_here": "...אין מתווך כאן.", - "join_the_decentralution": "...הצטרפו למהפכה המבוזרת.", - "because_privacy_matters": "...כי פרטיות חשובה.", - "freedom_served_fresh_daily": "...חופש מוגש טרי מדי יום.", - "your_community_your_rules": "...הקהילה שלך, הכללים שלך.", - "centralization_is_boring": "...מרכזיות היא משעממת.", - "like_torrents_for_thoughts": "...כמו טורנטים, למחשבות.", - "cant_stop_the_signal": "...לא יכולים לעצור את האות.", - "fully_yours_forever": "...שלך לגמרי, לנצח.", - "powered_by_caffeine": "...מופעל על ידי קפאין.", - "speech_wants_to_be_free": "...הדיבור רוצה להיות חופשי.", - "crypto_certified_community": "...קהילה מאומתת בקריפטו.", - "take_ownership_literally": "...קח בעלות מילולית.", - "your_ideas_decentralized": "...הרעיונות שלך, מבוזרים.", - "for_digital_sovereignty": "...לריבונות דיגיטלית.", - "for_your_movement": "...לתנועה שלך.", - "because_you_love_freedom": "...כי אתה אוהב חופש.", - "decentralized_but_for_real": "...מבוזר, אבל באמת.", - "for_your_peace_of_mind": "...לשקט נפשי שלך.", - "no_corporation_to_answer_to": "...אין תאגיד שאחריו צריך לדווח.", - "your_tokenized_sovereignty": "...הריבונות הממומנת שלך.", - "for_text_only_wonders": "...לעוד הפלאות טקסט בלבד.", - "because_open_source_rulez": "...כי קוד פתוח שולט.", - "truly_peer_to_peer": "...באמת peer to peer.", - "no_hidden_fees": "...אין עמלות נסתרות.", - "no_global_rules": "...אין כללים גלובליים.", - "for_reddits_downfall": "...לנפילתו של Reddit.", - "evil_corp_cant_stop_us": "...Evil Corp™ לא יכול לעצור אותנו.", - "no_gods_no_global_admins": "...אין אלים, אין מנהלי מערכת גלובליים.", "tags": "תגיות", "moderator_of": "מנהל של", "not_subscriber_nor_moderator": "אתה לא מנוי ולא מפקח על שום קהילה.", "more_posts_last_year": "{{count}} פוסטים ב{{currentTimeFilterName}} האחרון: <1>הצג עוד פוסטים מהשנה שעברה", - "editor_fallback_warning": "העורך המתקדם נכשל בטעינה, משתמשים בעורך טקסט בסיסי כפתרון חלופי." + "editor_fallback_warning": "העורך המתקדם נכשל בטעינה, משתמשים בעורך טקסט בסיסי כפתרון חלופי.", + "hot": "hot", + "new": "new", + "active": "active", + "top": "top", + "best": "best", + "old": "old", + "unstoppable_by_design": "...unstoppable by design.", + "servers_are_overrated": "...servers are overrated.", + "cryptographic_playground": "... cryptographic playground.", + "where_you_own_the_keys": "...where you own the keys.", + "no_middleman_here": "...no middleman here.", + "join_the_decentralution": "...join the decentralution.", + "because_privacy_matters": "...because privacy matters.", + "freedom_served_fresh_daily": "...freedom served fresh daily.", + "your_community_your_rules": "...your community, your rules.", + "centralization_is_boring": "...centralization is boring.", + "like_torrents_for_thoughts": "...like torrents, for thoughts.", + "cant_stop_the_signal": "...can't stop the signal.", + "fully_yours_forever": "...fully yours, forever.", + "powered_by_caffeine": "...powered by caffeine.", + "speech_wants_to_be_free": "...speech wants to be free.", + "crypto_certified_community": "...crypto-certified community.", + "take_ownership_literally": "...take ownership literally.", + "your_ideas_decentralized": "...your ideas, decentralized.", + "for_digital_sovereignty": "...for digital sovereignty.", + "for_your_movement": "...for your movement.", + "because_you_love_freedom": "...because you love freedom.", + "decentralized_but_for_real": "...decentralized, but for real.", + "for_your_peace_of_mind": "...for your peace of mind.", + "no_corporation_to_answer_to": "...no corporation to answer to.", + "your_tokenized_sovereignty": "...your tokenized sovereignty.", + "for_text_only_wonders": "...for text-only wonders.", + "because_open_source_rulez": "...because open source rulez.", + "truly_peer_to_peer": "...truly peer to peer.", + "no_hidden_fees": "...no hidden fees.", + "no_global_rules": "...no global rules.", + "for_reddits_downfall": "...for Reddit's downfall.", + "evil_corp_cant_stop_us": "...Evil Corp™ can't stop us.", + "no_gods_no_global_admins": "...no gods, no global admins." } diff --git a/public/translations/hi/default.json b/public/translations/hi/default.json index 8169454f7..04c1f218e 100644 --- a/public/translations/hi/default.json +++ b/public/translations/hi/default.json @@ -1,13 +1,7 @@ { - "hot": "लोकप्रिय", - "new": "नया", - "active": "सक्रिय", - "controversial": "विवादास्पद", - "top": "सर्वाधिक मत", "about": "के बारे में", "comments": "टिप्पणियां", "preferences": "प्राथमिकताएँ", - "account_bar_language": "हिंदी", "submit": "भेजें", "dark": "अंधेरा", "light": "हल्का", @@ -22,7 +16,6 @@ "post_comments": "टिप्पणियां", "share": "शेयर करें", "save": "सहेजें", - "unsave": "असहेजें", "hide": "छिपाएं", "report": "रिपोर्ट करें", "crosspost": "क्रॉसपोस्ट", @@ -37,11 +30,7 @@ "time_1_year_ago": "1 साल पहले", "time_x_years_ago": "{{count}} साल पहले", "spoiler": "स्पॉयलर", - "unspoiler": "अनस्पॉयलर", - "reply_permalink": "स्थायी लिंक", - "embed": "एम्बेड", "reply_reply": "उत्तर", - "best": "सर्वश्रेष्ठ", "reply_sorted_by": "इसके अनुसार क्रमबद्ध", "all_comments": "सभी {{count}} टिप्पणियां", "no_comments": "कोई टिप्पणी नहीं (अब तक)", @@ -66,11 +55,10 @@ "next": "अगला", "loading": "लोड हो रहा है", "pending": "लंबित", - "or": "या", "submit_subscriptions_notice": "सुझाई गई कम्युनिटीज़", "submit_subscriptions": "आपके सब्सक्राइब किए गए समुदाय", "rules_for": "के लिए नियम", - "no_communities_found": "<1>https://github.com/plebbit/lists पर कोई समुदाय नहीं मिला", + "no_communities_found": "<1>https://github.com/bitsocialhq/lists पर कोई समुदाय नहीं मिला", "connect_community_notice": "किसी समुदाय से जुड़ने के लिए, ऊपर दाईं ओर 🔎 का उपयोग करें", "options": "विकल्प", "hide_options": "विकल्प छुपाएँ", @@ -85,7 +73,6 @@ "time_x_months": "{{count}} महीने", "time_1_year": "1 वर्ष", "time_x_years": "{{count}} वर्ष", - "search": "खोज", "submit_post": "नई पोस्ट सबमिट करें", "create_your_community": "अपनी खुद की समुदाय बनाएं", "moderators": "मॉडरेटर्स", @@ -95,7 +82,6 @@ "created_by": "द्वारा बनाई गई {{creatorAddress}}", "community_for": "{{date}} के लिए एक समुदाय", "post_submitted_on": "इस पोस्ट को {{postDate}} को जमा किया गया था", - "readers_count": "{{count}} पाठक", "users_online": "{{count}} यहां अभी {{count}} उपयोगकर्ता हैं", "point": "बिंदु", "points": "बिंदु", @@ -107,26 +93,15 @@ "moderation": "संयंत्रणा", "interface_language": "इंटरफेस भाषा", "theme": "थीम", - "profile": "प्रोफ़ाइल", "account": "खाता", "display_name": "प्रदर्शन नाम", "crypto_address": "क्रिप्टो पता", - "reset": "रीसेट करें", - "changes": "परिवर्तन", "check": "जाँच करें", "crypto_address_verification": "यदि क्रिप्टो पता p2p द्वारा हल किया गया है", - "is_current_account": "क्या यह वर्तमान खाता है", - "account_data_preview": "खाता डेटा पूर्वावलोकन", "create": "बनाएँ", - "a_new_account": "एक नया खाता", - "import": "आयात", - "export": "निर्यात", "delete": "हटाएँ", - "full_account_data": "पूरे खाते का डेटा", - "this_account": "इस खाता", "locked": "लॉक किया गया", "reason": "कारण", - "no_posts_found": "कोई पोस्ट नहीं मिली", "sorted_by": "क्रमित द्वारा", "downvoted": "नकारात्मक वोट दिया गया", "hidden": "छुपा हुआ", @@ -138,21 +113,14 @@ "full_comments": "सभी टिप्पणियाँ", "context": "संदर्भ", "block": "ब्लॉक", - "hide_post": "पोस्ट छुपाएं", "post": "पोस्ट", "unhide": "दिखाएं", "unblock": "ब्लॉक को खोलें", "undo": "पूर्ववत करें", "post_hidden": "पोस्ट छुपी हुई", - "old": "पुराने", - "copy_link": "लिंक कॉपी करें", "link_copied": "लिंक कॉपी किया गया", - "view_on": "{{destination}} पर देखें", "block_community": "समुदाय को ब्लॉक करें", "unblock_community": "समुदाय अवरोध को हटाएं", - "block_community_alert": "क्या आप इस समुदाय को ब्लॉक करना चाहते हैं?", - "unblock_community_alert": "क्या आप इस समुदाय को अनब्लॉक करना चाहते हैं?", - "search_community_address": "एक समुदाय पता खोजें", "search_feed_post": "इस फ़ीड में एक पोस्ट खोजें", "from": "से", "via": "के माध्यम से", @@ -169,15 +137,12 @@ "no_posts": "कोई पोस्ट नहीं", "media_url": "मीडिया यूआरएल", "post_locked_info": "यह पोस्ट {{state}} है। आप टिप्पणी नहीं कर पाएंगे।", - "no_subscriptions_notice": "आपने अब तक किसी समुदाय में शामिल नहीं हुए हैं।", "members_count": "{{count}} सदस्य", "communities": "समुदाय", "edit": "संपादित करें", "moderator": "मॉडरेटर", "description": "विवरण", "rules": "नियम", - "challenge": "चुनौती", - "settings": "सेटिंग्स", "save_options": "विकल्प सहेजें", "logo": "लोगो", "address": "पता", @@ -188,26 +153,15 @@ "moderation_tools": "मॉडरेशन टूल्स", "submit_to": "जमा करें <1>{{link}}", "edit_subscriptions": "सदस्यता संपादित करें", - "last_account_notice": "आप अपना आखिरी खाता नहीं हटा सकते, कृपया पहले एक नया खाता बनाएं।", "delete_confirm": "क्या आप निश्चित हैं कि आप {{value}} को हटाना चाहते हैं?", "saving": "सहेज रहा है", "deleted": "हटा दिया गया", - "mark_spoiler": "स्पॉइलर के रूप में चिह्नित करें", - "remove_spoiler": "स्पॉइलर हटाएं", - "delete_post": "पोस्ट हटाएं", - "undo_delete": "मिटाने को पूना करें", - "edit_content": "सामग्री संपादित करें", "online": "ऑनलाइन", "offline": "ऑफ़लाइन", - "download_app": "ऐप डाउनलोड करें", - "approved_user": "मान्यता प्राप्त उपयोगकर्ता", "subscriber": "सदस्य", - "approved": "मान्यता प्राप्त", - "proposed": "प्रस्तावित", "join_communities_notice": "होम फीड पर कौन सी कम्युनिटी दिखाई देनी चाहिए, इसे चुनने के लिए <1>{{join}} या <2>{{leave}} बटन पर क्लिक करें।", "below_subscribed": "नीचे वे समुदाय हैं जिनमें आपने सदस्य बनाया है।", "not_subscribed": "आप अब तक किसी समुदाय के सदस्य नहीं हैं।", - "below_approved_user": "नीचे वे समुदाय हैं जिनमें आप मंजूर उपयोगकर्ता हैं।", "below_moderator_access": "नीचे वे समुदाय हैं जिनकी आपके पास मॉडरेटर एक्सेस है।", "not_moderator": "आप किसी भी समुदाय में मॉडरेटर नहीं हैं।", "create_community": "समुदाय बनाएं", @@ -228,7 +182,6 @@ "address_setting_info": "क्रिप्टो डोमेन का उपयोग करके एक पठनीय समुदाय पता सेट करें", "enter_crypto_address": "कृपया एक मान्य क्रिप्टो पता दर्ज करें।", "check_for_updates": "<1>जाँचें अपडेट के लिए", - "general_settings": "सामान्य सेटिंग्स", "refresh_to_update": "अपडेट करने के लिए पृष्ठ को रिफ्रेश करें", "latest_development_version": "आप नवीनतम विकास संस्करण पर हैं, कमिट {{commit}}। स्थिर संस्करण का उपयोग करने के लिए, {{link}} पर जाएं।", "latest_stable_version": "आप नवीनतम स्थिर संस्करण पर हैं, seedit v{{version}}।", @@ -236,7 +189,6 @@ "new_stable_version": "नई स्थिर संस्करण उपलब्ध है, seedit v{{newVersion}}। आप seedit v{{oldVersion}} का उपयोग कर रहे हैं।", "download_latest_desktop": "यहां सबसे नवीन डेस्कटॉप संस्करण डाउनलोड करें: {{link}}", "contribute_on_github": "GitHub पर सहयोग करें", - "create_community_not_available": "अभी तक वेब पर उपलब्ध नहीं है। आप डेस्कटॉप ऐप का उपयोग करके एक समुदाय बना सकते हैं, इसे यहां डाउनलोड करें: {{desktopLink}}। यदि आप कमांड लाइन के साथ सहायक हैं, तो यहां जांचें: {{cliLink}}", "no_media_found": "कोई मीडिया नहीं मिला", "no_image_found": "कोई चित्र नहीं मिला", "warning_spam": "चेतावनी: कोई चुनौती चयनित नहीं की गई, समुदाय स्पैम हमलों के लिए आश्वस्त है।", @@ -254,7 +206,6 @@ "owner": "मालिक", "admin": "व्यवस्थापक", "settings_saved": "प/{{subplebbitAddress}} के लिए सेटिंग्स सहेजी गईं", - "mod_edit": "मॉड संपादन", "continue_thread": "इस धागे को जारी रखें", "mod_edit_reason": "मॉड संपादन कारण", "double_confirm": "क्या आप वास्तव में सुनिश्चित हैं? यह क्रिया अपरिवर्तनीय है।", @@ -266,12 +217,10 @@ "not_found_description": "आपके द्वारा अनुरोधित पृष्ठ मौजूद नहीं है", "last_edited": "अंतिम संशोधन {{timestamp}}", "view_spoiler": "स्पॉइलर देखें", - "more": "अधिक", "default_communities": "डिफ़ॉल्ट समुदाय", "avatar": "अवतार", "pending_edit": "अपूर्ण संपादन", "failed_edit": "विफल संपादन", - "copy_full_address": "<1>कॉपी पूरा पता", "node_stats": "नोड आंकड़े", "version": "संस्करण", "edit_reason": "संपादन का कारण", @@ -291,30 +240,22 @@ "ban_user_for": "उपयोगकर्ता को <1> दिनों के लिए प्रतिबंधित करें", "crypto_wallets": "क्रिप्टो वॉलेट्स", "wallet_address": "वॉलेट पता", - "save_wallets": "<1>हिसाब में सुरक्षित करें वॉलेट(स) ", "remove": "हटाएं", "add_wallet": "<1>को जोड़ें एक क्रिप्टो वॉलेट", "show_settings": "सेटिंग्स दिखाएं", "hide_settings": "सेटिंग्स छुपाएं", - "wallet": "वॉलेट", "undelete": "डिलीट को वापस लाओ", "downloading_comments": "टिप्पणियाँ डाउनलोड हो रही हैं", "you_blocked_community": "आपने इस समुदाय को ब्लॉक कर दिया है", "show": "दिखाएँ", "plebbit_options": "plebbit विकल्प", "general": "सामान्य", - "own_communities": "खुद की समुदायें", - "invalid_community_address": "अमान्य समुदाय पता", - "newer_posts_available": "नए पोस्ट उपलब्ध हैं: <1>फीड को फिर से लोड करें", "more_posts_last_week": "{{count}} पोस्ट पिछले {{currentTimeFilterName}}: <1>और अधिक पोस्ट पिछले सप्ताह से दिखाएं", "more_posts_last_month": "{{count}} पोस्ट {{currentTimeFilterName}} में: <1>दूसरे महीने के और पोस्ट दिखाएं", - "sure_delete": "क्या आप निश्चित हैं कि आप इस पोस्ट को हटाना चाहते हैं?", - "sure_undelete": "क्या आप निश्चित हैं कि आप इस पोस्ट को पुनर्स्थापित करना चाहते हैं?", "profile_info": "आपका खाता u/{{shortAddress}} बनाया गया था। <1>प्रदर्शन नाम सेट करें, <2>बैकअप निर्यात करें, <3>अधिक जानें.", "show_all_instead": "आप {{timeFilterName}} से पोस्ट देख रहे हैं, <1>इसके बजाय सभी दिखाएं", "subplebbit_offline_info": "सबप्लेबिट ऑफलाइन हो सकता है और प्रकाशन विफल हो सकता है।", "posts_last_synced_info": "आखिरी बार सिंक की गई पोस्ट {{time}}, सबप्लेबिट ऑफलाइन हो सकता है और प्रकाशन विफल हो सकता है।", - "stored_locally": "स्थानीय रूप से संग्रहीत ({{location}}), उपकरणों के बीच समन्वयित नहीं", "import_account_backup": "<1>आयात खाता बैकअप", "export_account_backup": "<1>निर्यात खाता बैकअप", "save_reset_changes": "<1>सहेजें या <2>रीसेट परिवर्तन", @@ -334,17 +275,11 @@ "communities_you_moderate": "आप जो समुदाय मॉडरेट करते हैं", "blur_media": "NSFW/18+ के रूप में चिह्नित मीडिया को ब्लर करें", "nsfw_content": "NSFW सामग्री", - "nsfw_communities": "NSFW समुदाय", - "hide_adult": "जो \"वयस्क\" के रूप में टैग की गई समुदायों को छिपाएं", - "hide_gore": "जो \"गोर\" के रूप में टैग की गई समुदायों को छिपाएं", - "hide_anti": "जो \"एंटी\" के रूप में टैग की गई समुदायों को छिपाएं", - "filters": "फ़िल्टर", "see_nsfw": "NSFW देखने के लिए क्लिक करें", "see_nsfw_spoiler": "NSFW स्पॉयलर देखने के लिए क्लिक करें", "always_show_nsfw": "क्या आप हमेशा NSFW मीडिया दिखाना चाहते हैं?", "always_show_nsfw_notice": "ठीक है, हमने आपकी प्राथमिकताएँ हमेशा NSFW मीडिया दिखाने के लिए बदल दी हैं।", "content_options": "सामग्री विकल्प", - "hide_vulgar": "जो \"वुल्गर\" के रूप में टैग की गई समुदायों को छिपाएं", "over_18": "18 से ऊपर?", "must_be_over_18": "आपको इस समुदाय को देखने के लिए 18+ होना चाहिए", "must_be_over_18_explanation": "इस सामग्री को देखने के लिए आपको कम से कम अठारह साल का होना चाहिए। क्या आप अठारह साल से ऊपर हैं और वयस्क सामग्री देखने के इच्छुक हैं?", @@ -355,7 +290,6 @@ "block_user": "उपयोगकर्ता को ब्लॉक करें", "unblock_user": "उपयोगकर्ता को अनब्लॉक करें", "filtering_by_tag": "टैग द्वारा फ़िल्टरिंग: \"{{tag}}\"", - "read_only_community_settings": "केवल-पढ़ने योग्य समुदाय सेटिंग्स", "you_are_moderator": "आप इस समुदाय के मॉडरेटर हैं", "you_are_admin": "आप इस समुदाय के व्यवस्थापक हैं", "you_are_owner": "आप इस समुदाय के मालिक हैं", @@ -377,7 +311,6 @@ "search_posts": "पोस्ट खोजें", "found_n_results_for": " \"{{query}}\" के लिए {{count}} पोस्ट मिलीं", "clear_search": "खोज साफ करें", - "loading_iframe": "लोड हो रहा है iframe", "no_matches_found_for": "\"{{query}}\" के लिए कोई मेल नहीं मिला", "searching": "खोज रहा है", "hide_default_communities_from_topbar": "टॉपबार से डिफ़ॉल्ट समुदायों को छिपाएं", @@ -410,42 +343,48 @@ "expand_media_previews_based_on_community_media_preferences": "उस समुदाय की मीडिया प्राथमिकताओं के आधार पर मीडिया पूर्वावलोकन का विस्तार करें", "show_all_nsfw": "सभी NSFW दिखाएं", "hide_all_nsfw": "सभी NSFW छुपाएं", - "unstoppable_by_design": "...डिज़ाइन द्वारा अजेय।", - "servers_are_overrated": "...सर्वर की अधिक कद्र की जाती है।", - "cryptographic_playground": "... क्रिप्टोग्राफिक प्लेग्राउंड।", - "where_you_own_the_keys": "...जहां आपके पास चाबियां हैं।", - "no_middleman_here": "...यहाँ कोई मध्यस्थ नहीं है।", - "join_the_decentralution": "...डिसेंट्राल्यूशन में शामिल हों।", - "because_privacy_matters": "...क्योंकि गोपनीयता मायने रखती है।", - "freedom_served_fresh_daily": "...आजादी रोज ताजा परोसी जाती है।", - "your_community_your_rules": "...आपका समुदाय, आपके नियम।", - "centralization_is_boring": "...केंद्रीकरण बोरिंग है।", - "like_torrents_for_thoughts": "...टोरेंट्स की तरह, विचारों के लिए।", - "cant_stop_the_signal": "...सिग्नल को रोका नहीं जा सकता।", - "fully_yours_forever": "...पूरी तरह से आपका, हमेशा के लिए।", - "powered_by_caffeine": "...कैफीन द्वारा संचालित।", - "speech_wants_to_be_free": "...भाषण स्वतंत्र होना चाहता है।", - "crypto_certified_community": "...क्रिप्टो-प्रमाणित समुदाय।", - "take_ownership_literally": "...स्वामित्व सचमुच लें।", - "your_ideas_decentralized": "...आपके विचार, विकेंद्रीकृत।", - "for_digital_sovereignty": "...डिजिटल संप्रभुता के लिए।", - "for_your_movement": "...आपकी चाल के लिए।", - "because_you_love_freedom": "...क्योंकि आप स्वतंत्रता से प्यार करते हैं।", - "decentralized_but_for_real": "...विकेंद्रीकृत, लेकिन सच में।", - "for_your_peace_of_mind": "...आपकी मानसिक शांति के लिए।", - "no_corporation_to_answer_to": "...कोई कंपनी जिसे जवाबदेह होना हो।", - "your_tokenized_sovereignty": "...आपकी टोकनयुक्त संप्रभुता।", - "for_text_only_wonders": "...केवल टेक्स्ट-आधारित आश्चर्यों के लिए।", - "because_open_source_rulez": "...क्योंकि ओपन सोर्स सबसे बढ़िया है।", - "truly_peer_to_peer": "...सचमुच पीयर टू पीयर।", - "no_hidden_fees": "...कोई छुपा शुल्क नहीं।", - "no_global_rules": "...कोई वैश्विक नियम नहीं।", - "for_reddits_downfall": "...Reddit के पतन के लिए।", - "evil_corp_cant_stop_us": "...Evil Corp™ हमें रोक नहीं सकता।", - "no_gods_no_global_admins": "...कोई भगवान नहीं, कोई वैश्विक एडमिन नहीं।", "tags": "टैग", "moderator_of": "मॉडरेटर", "not_subscriber_nor_moderator": "आप किसी भी समुदाय के सदस्य या मॉडरेटर नहीं हैं।", "more_posts_last_year": "{{count}} पोस्ट पिछले {{currentTimeFilterName}} में: <1>पिछले साल के और पोस्ट दिखाएं", - "editor_fallback_warning": "उन्नत संपादक लोड करने में विफल, बैकअप के रूप में मूल पाठ संपादक का उपयोग कर रहे हैं।" + "editor_fallback_warning": "उन्नत संपादक लोड करने में विफल, बैकअप के रूप में मूल पाठ संपादक का उपयोग कर रहे हैं।", + "hot": "hot", + "new": "new", + "active": "active", + "top": "top", + "best": "best", + "old": "old", + "unstoppable_by_design": "...unstoppable by design.", + "servers_are_overrated": "...servers are overrated.", + "cryptographic_playground": "... cryptographic playground.", + "where_you_own_the_keys": "...where you own the keys.", + "no_middleman_here": "...no middleman here.", + "join_the_decentralution": "...join the decentralution.", + "because_privacy_matters": "...because privacy matters.", + "freedom_served_fresh_daily": "...freedom served fresh daily.", + "your_community_your_rules": "...your community, your rules.", + "centralization_is_boring": "...centralization is boring.", + "like_torrents_for_thoughts": "...like torrents, for thoughts.", + "cant_stop_the_signal": "...can't stop the signal.", + "fully_yours_forever": "...fully yours, forever.", + "powered_by_caffeine": "...powered by caffeine.", + "speech_wants_to_be_free": "...speech wants to be free.", + "crypto_certified_community": "...crypto-certified community.", + "take_ownership_literally": "...take ownership literally.", + "your_ideas_decentralized": "...your ideas, decentralized.", + "for_digital_sovereignty": "...for digital sovereignty.", + "for_your_movement": "...for your movement.", + "because_you_love_freedom": "...because you love freedom.", + "decentralized_but_for_real": "...decentralized, but for real.", + "for_your_peace_of_mind": "...for your peace of mind.", + "no_corporation_to_answer_to": "...no corporation to answer to.", + "your_tokenized_sovereignty": "...your tokenized sovereignty.", + "for_text_only_wonders": "...for text-only wonders.", + "because_open_source_rulez": "...because open source rulez.", + "truly_peer_to_peer": "...truly peer to peer.", + "no_hidden_fees": "...no hidden fees.", + "no_global_rules": "...no global rules.", + "for_reddits_downfall": "...for Reddit's downfall.", + "evil_corp_cant_stop_us": "...Evil Corp™ can't stop us.", + "no_gods_no_global_admins": "...no gods, no global admins." } diff --git a/public/translations/hu/default.json b/public/translations/hu/default.json index 9ef15c2aa..05e6d25d0 100644 --- a/public/translations/hu/default.json +++ b/public/translations/hu/default.json @@ -1,13 +1,7 @@ { - "hot": "Népszerű", - "new": "Új", - "active": "Aktív", - "controversial": "Vitatható", - "top": "Legjobbak", "about": "Ról", "comments": "hozzászólások", "preferences": "Beállítások", - "account_bar_language": "Angol", "submit": "Küldés", "dark": "Sötét", "light": "Világos", @@ -22,7 +16,6 @@ "post_comments": "Hozzászólások", "share": "Megosztás", "save": "Mentés", - "unsave": "Mentés visszavonása", "hide": "Elrejtés", "report": "Jelentés", "crosspost": "Keresztposzt", @@ -37,11 +30,7 @@ "time_1_year_ago": "1 éve", "time_x_years_ago": "{{count}} éve", "spoiler": "Spoiler", - "unspoiler": "Spoiler eltávolítása", - "reply_permalink": "Állandó hivatkozás", - "embed": "Embed", "reply_reply": "Válasz", - "best": "Legjobb", "reply_sorted_by": "Sorrend", "all_comments": "Mind a {{count}} hozzászólások", "no_comments": "Nincsenek hozzászólások (még)", @@ -66,11 +55,10 @@ "next": "Következő", "loading": "Betöltés", "pending": "Függőben", - "or": "vagy", "submit_subscriptions_notice": "Ajánlott közösségek", "submit_subscriptions": "az Ön által feliratkozott közösségek", "rules_for": "szabályok a", - "no_communities_found": "Nem található közösségek a <1>https://github.com/plebbit/lists-en", + "no_communities_found": "Nem található közösségek a <1>https://github.com/bitsocialhq/lists-en", "connect_community_notice": "Közösséghez való csatlakozáshoz használja a 🔎 gombot a jobb felső sarokban", "options": "opciók", "hide_options": "opciók elrejtése", @@ -85,7 +73,6 @@ "time_x_months": "{{count}} hónap", "time_1_year": "1 év", "time_x_years": "{{count}} év", - "search": "keres", "submit_post": "Új bejegyzés beküldése", "create_your_community": "Hozd létre saját közösséged", "moderators": "moderátorok", @@ -95,7 +82,6 @@ "created_by": "készítette {{creatorAddress}}", "community_for": "egy közösség {{date}}", "post_submitted_on": "ez a bejegyzés {{postDate}} n lett benyújtva", - "readers_count": "{{count}} olvasók", "users_online": "{{count}} felhasználó itt most", "point": "pont", "points": "pontok", @@ -107,26 +93,15 @@ "moderation": "mérséklés", "interface_language": "felhasználói felület nyelve", "theme": "téma", - "profile": "profil", "account": "fiók", "display_name": "megjelenítendő név", "crypto_address": "kriptovaluta cím", - "reset": "alaphelyzetbe állít", - "changes": "változások", "check": "ellenőriz", "crypto_address_verification": "ha a kriptocím p2p felbontású", - "is_current_account": "a jelenlegi számla", - "account_data_preview": "számlaadatok előnézete", "create": "készít", - "a_new_account": "egy új fiók", - "import": "importálás", - "export": "exportálás", "delete": "töröl", - "full_account_data": "teljes fiókadata", - "this_account": "ez a fiók", "locked": "lezárt", "reason": "ok", - "no_posts_found": "nincsenek találatok", "sorted_by": "rendezve", "downvoted": "leértékelt", "hidden": "rejtett", @@ -138,21 +113,14 @@ "full_comments": "összes hozzászólás", "context": "környezet", "block": "blokkol", - "hide_post": "posta elrejtése", "post": "poszt", "unhide": "megjelenít", "unblock": "blokk feloldása", "undo": "visszavon", "post_hidden": "elrejtett poszt", - "old": "régi", - "copy_link": "link másolása", "link_copied": "link másolva", - "view_on": "megtekintés itt: {{destination}}", "block_community": "közösség blokkolása", "unblock_community": "közösség tiltásának feloldása", - "block_community_alert": "Biztos vagy benne, hogy blokkolni szeretnéd ezt a közösséget?", - "unblock_community_alert": "Biztos vagy benne, hogy feloldani szeretnéd ezt a közösséget?", - "search_community_address": "Keresse meg egy közösség címét", "search_feed_post": "Keresse meg a hírt ebben az összefoglalóban", "from": "tőle", "via": "könnyen", @@ -169,15 +137,12 @@ "no_posts": "nincsenek hozzászólások", "media_url": "média URL", "post_locked_info": "Ez a bejegyzés {{state}}. Nem fogsz tudni kommentálni.", - "no_subscriptions_notice": "Még nem csatlakoztál egyetlen közösséghez sem.", "members_count": "{{count}} tag", "communities": "közösség", "edit": "szerkesztés", "moderator": "Moderátor", "description": "Leírás", "rules": "Szabályok", - "challenge": "Kihívás", - "settings": "Beállítások", "save_options": "Beállítások mentése", "logo": "Logó", "address": "Cím", @@ -188,26 +153,15 @@ "moderation_tools": "Moderációs eszközök", "submit_to": "Küldés ide: <1>{{link}}", "edit_subscriptions": "Előfizetések szerkesztése", - "last_account_notice": "Nem törölheti az utolsó fiókját, először hozzon létre egy újat.", "delete_confirm": "Biztosan törölni szeretné {{value}}?", "saving": "Mentés", "deleted": "Törölve", - "mark_spoiler": "Jelölje meg spoilereként", - "remove_spoiler": "Spoiler eltávolítása", - "delete_post": "Bejegyzés törlése", - "undo_delete": "Törlés visszavonása", - "edit_content": "Tartalom szerkesztése", "online": "Online", "offline": "Offline", - "download_app": "App letöltése", - "approved_user": "Jóváhagyott felhasználó", "subscriber": "Előfizető", - "approved": "Elfogadva", - "proposed": "Javasolt", "join_communities_notice": "Kattints a <1>{{join}} vagy <2>{{leave}} gombokra, hogy kiválaszd, mely közösségek jelenjenek meg a főoldalon.", "below_subscribed": "Az alábbiakban azok a közösségek találhatók, amelyekhez csatlakoztál.", "not_subscribed": "Még nincs előfizetése egyetlen közösségre sem.", - "below_approved_user": "Lent láthatók azok a közösségek, amelyekben jóváhagyott felhasználó vagy.", "below_moderator_access": "Lent láthatók azok a közösségek, amelyekhez moderátorként hozzáférhet.", "not_moderator": "Nem vagy moderátor egyetlen közösségben sem.", "create_community": "Közösség létrehozása", @@ -228,7 +182,6 @@ "address_setting_info": "Állítson be olvasható közösségi címet egy kripto-doménnel", "enter_crypto_address": "Kérjük, adjon meg egy érvényes kripto címet.", "check_for_updates": "<1>Ellenőrizd a frissítéseket", - "general_settings": "Általános beállítások", "refresh_to_update": "Frissítse az oldalt az frissítéshez", "latest_development_version": "A legújabb fejlesztői verziót használod, commit {{commit}}. A stabil verzió használatához látogass el ide: {{link}}.", "latest_stable_version": "A legújabb stabil verziót használod, seedit v{{version}}.", @@ -236,7 +189,6 @@ "new_stable_version": "Új stabil verzió elérhető, seedit v{{newVersion}}. A seedit v{{oldVersion}}-t használod.", "download_latest_desktop": "Töltsd le a legújabb asztali verziót itt: {{link}}", "contribute_on_github": "Hozzájárulás a GitHubon", - "create_community_not_available": "Még nem elérhető a weben. Egy közösséget létrehozhat a desktop alkalmazás segítségével, töltsd le itt: {{desktopLink}}. Ha kényelmes vagy a parancssor használatával, nézd meg itt: {{cliLink}}", "no_media_found": "Nincs talált média", "no_image_found": "Nincs talált kép", "warning_spam": "Figyelem: nem választottak kihívást, a közösség sebezhetővé vált a spam-támadásokkal szemben.", @@ -254,7 +206,6 @@ "owner": "tulajdonos", "admin": "adminisztrátor", "settings_saved": "Beállítások mentve p/{{subplebbitAddress}} esetén", - "mod_edit": "moderátor szerkesztése", "continue_thread": "folytassa ezt a témát", "mod_edit_reason": "Moderátor szerkesztési indoklás", "double_confirm": "Biztos vagy benne? Ez a művelet visszafordíthatatlan.", @@ -266,12 +217,10 @@ "not_found_description": "Az általad kért oldal nem létezik", "last_edited": "utoljára szerkesztve: {{timestamp}}", "view_spoiler": "spoiler megtekintése", - "more": "több", "default_communities": "alapértelmezett közösségek", "avatar": "avatár", "pending_edit": "folyamatban lévő szerkesztés", "failed_edit": "sikertelen szerkesztés", - "copy_full_address": "<1>másol teljes cím", "node_stats": "csomópont statisztikák", "version": "verzió", "edit_reason": "szerkesztés okának", @@ -291,30 +240,22 @@ "ban_user_for": "Felhasználó letiltása <1> napra", "crypto_wallets": "Kriptopénztárcák", "wallet_address": "Pénztárca címe", - "save_wallets": "<1>Mentés wallet(s) a fiókba", "remove": "Eltávolítás", "add_wallet": "<1>Kriptopénztárca hozzáadása", "show_settings": "Beállítások megjelenítése", "hide_settings": "Beállítások elrejtése", - "wallet": "Pénztárca", "undelete": "Visszaállítás", "downloading_comments": "kommentárok letöltése", "you_blocked_community": "Blokkoltad ezt a közösséget", "show": "mutat", "plebbit_options": "plebbit lehetőségek", "general": "általános", - "own_communities": "saját közösségek", - "invalid_community_address": "Érvénytelen közösségi cím", - "newer_posts_available": "Új bejegyzések elérhetőek: <1>töltsd be újra a hírcsatornát", "more_posts_last_week": "{{count}} bejegyzések múlt {{currentTimeFilterName}}: <1>több bejegyzés megjelenítése a múlt héten", "more_posts_last_month": "{{count}} bejegyzés a {{currentTimeFilterName}}-ben: <1>több bejegyzés megtekintése a múlt hónapból", - "sure_delete": "Biztos, hogy törölni szeretné ezt a bejegyzést?", - "sure_undelete": "Biztos, hogy vissza szeretné állítani ezt a bejegyzést?", "profile_info": "A fiókod u/{{shortAddress}} létrejött. <1>Állítsd be a megjelenítő nevet, <2>biztonsági mentés exportálása, <3>tudj meg többet.", "show_all_instead": "A {{timeFilterName}} óta látható bejegyzések, <1>helyette mindent mutass", "subplebbit_offline_info": "A subplebbit offline lehet, és a közzététel sikertelen lehet.", "posts_last_synced_info": "Legutóbb szinkronizált bejegyzések {{time}}, a subplebbit offline lehet, és a közzététel sikertelen lehet.", - "stored_locally": "Helyben tárolva ({{location}}), nem szinkronizálva eszközök között", "import_account_backup": "<1>importálás fiók biztonsági másolat", "export_account_backup": "<1>exportálás fiók biztonsági másolat", "save_reset_changes": "<1>mentés vagy <2>visszaállítás a változtatásokat", @@ -334,17 +275,11 @@ "communities_you_moderate": "Közösségek, amelyeket moderálsz", "blur_media": "Elhomályosítja az NSFW/18+ jelöléssel ellátott médiát", "nsfw_content": "NSFW tartalom", - "nsfw_communities": "NSFW közösségek", - "hide_adult": "Rejtse el a \"felnőtt\" címkével ellátott közösségeket", - "hide_gore": "Rejtse el a \"gore\" címkével ellátott közösségeket", - "hide_anti": "Rejtse el a \"anti\" címkével ellátott közösségeket", - "filters": "Szűrők", "see_nsfw": "Kattintson a NSFW megtekintéséhez", "see_nsfw_spoiler": "Kattintson a NSFW spoiler megtekintéséhez", "always_show_nsfw": "Mindig meg szeretné jeleníteni az NSFW médiát?", "always_show_nsfw_notice": "Rendben, megváltoztattuk az preferenciáit, hogy mindig megjelenítse az NSFW médiát.", "content_options": "Tartalombeállítások", - "hide_vulgar": "Rejtse el a \"vulgar\" címkével ellátott közösségeket", "over_18": "18 felett?", "must_be_over_18": "18 évesnek kell lenned ahhoz, hogy megnézd ezt a közösséget", "must_be_over_18_explanation": "Legalább tizennyolc évesnek kell lenned ahhoz, hogy megtekinthesd ezt a tartalmat. Több mint tizennyolc éves vagy, és hajlandó vagy felnőtteknek szóló tartalmat nézni?", @@ -355,7 +290,6 @@ "block_user": "Felhasználó blokkolása", "unblock_user": "Felhasználó feloldása", "filtering_by_tag": "Szűrés címke szerint: \"{{tag}}\"", - "read_only_community_settings": "Csak olvasható közösségi beállítások", "you_are_moderator": "Moderátor vagy ennek a közösségnek", "you_are_admin": "Adminisztrátor vagy ennek a közösségnek", "you_are_owner": "Te vagy a közösség tulajdonosa", @@ -377,7 +311,6 @@ "search_posts": "hozzászólások keresése", "found_n_results_for": "talált {{count}} bejegyzést \"{{query}}\" számára", "clear_search": "törölni keresést", - "loading_iframe": "iframe betöltése", "no_matches_found_for": "nem található egyezés \"{{query}}\" számára", "searching": "keresés", "hide_default_communities_from_topbar": "Alapértelmezett közösségek elrejtése a felső sávból", @@ -410,42 +343,48 @@ "expand_media_previews_based_on_community_media_preferences": "Bővítse a média előnézeteket a közösség média preferenciái alapján", "show_all_nsfw": "mutasd az összes NSFW-t", "hide_all_nsfw": "Minden NSFW elrejtése", - "unstoppable_by_design": "...terv szerint megállíthatatlan.", - "servers_are_overrated": "...a szervereket túlértékelik.", - "cryptographic_playground": "... kriptográfiai játszótér.", - "where_you_own_the_keys": "...ahol te birtoklod a kulcsokat.", - "no_middleman_here": "...nincs közvetítő itt.", - "join_the_decentralution": "...csatlakozz a decentralution-höz.", - "because_privacy_matters": "...mert a magánszféra számít.", - "freedom_served_fresh_daily": "...szabadságot frissen szolgálják fel naponta.", - "your_community_your_rules": "...a közösséged, a szabályaid.", - "centralization_is_boring": "...a centralizáció unalmas.", - "like_torrents_for_thoughts": "...mint a torrentek, gondolatokért.", - "cant_stop_the_signal": "...nem lehet megállítani a jelet.", - "fully_yours_forever": "...teljesen a tiéd, örökre.", - "powered_by_caffeine": "...koffeinnal működik.", - "speech_wants_to_be_free": "...a beszéd szabaddá akar válni.", - "crypto_certified_community": "...kriptó-minősített közösség.", - "take_ownership_literally": "...vegyél tulajdonjogot szó szerint.", - "your_ideas_decentralized": "...az ötleteid, decentralizáltak.", - "for_digital_sovereignty": "...a digitális szuverenitásért.", - "for_your_movement": "...a mozgásodhoz.", - "because_you_love_freedom": "...mert szereted a szabadságot.", - "decentralized_but_for_real": "...decentralizált, de igazán.", - "for_your_peace_of_mind": "...a lelki nyugalmadért.", - "no_corporation_to_answer_to": "...nincs vállalat, amelynek számot kell adni.", - "your_tokenized_sovereignty": "...a tokenizált szuverenitásod.", - "for_text_only_wonders": "...csak szöveges csodákhoz.", - "because_open_source_rulez": "...mert a nyílt forráskód a király.", - "truly_peer_to_peer": "...valóban peer to peer.", - "no_hidden_fees": "...nincsenek rejtett díjak.", - "no_global_rules": "...nincsenek globális szabályok.", - "for_reddits_downfall": "...a Reddit bukásáért.", - "evil_corp_cant_stop_us": "...Evil Corp™ nem állíthat meg minket.", - "no_gods_no_global_admins": "...nincsenek istenek, nincsenek globális adminok.", "tags": "Címkék", "moderator_of": "moderátora", "not_subscriber_nor_moderator": "Nem vagy előfizető vagy moderátor egyetlen közösségben sem.", "more_posts_last_year": "{{count}} bejegyzés a múlt {{currentTimeFilterName}}: <1>több bejegyzés mutatása a múlt évből", - "editor_fallback_warning": "A fejlett szerkesztő betöltése sikertelen, alap szövegszerkesztő használata tartalék megoldásként." + "editor_fallback_warning": "A fejlett szerkesztő betöltése sikertelen, alap szövegszerkesztő használata tartalék megoldásként.", + "hot": "hot", + "new": "new", + "active": "active", + "top": "top", + "best": "best", + "old": "old", + "unstoppable_by_design": "...unstoppable by design.", + "servers_are_overrated": "...servers are overrated.", + "cryptographic_playground": "... cryptographic playground.", + "where_you_own_the_keys": "...where you own the keys.", + "no_middleman_here": "...no middleman here.", + "join_the_decentralution": "...join the decentralution.", + "because_privacy_matters": "...because privacy matters.", + "freedom_served_fresh_daily": "...freedom served fresh daily.", + "your_community_your_rules": "...your community, your rules.", + "centralization_is_boring": "...centralization is boring.", + "like_torrents_for_thoughts": "...like torrents, for thoughts.", + "cant_stop_the_signal": "...can't stop the signal.", + "fully_yours_forever": "...fully yours, forever.", + "powered_by_caffeine": "...powered by caffeine.", + "speech_wants_to_be_free": "...speech wants to be free.", + "crypto_certified_community": "...crypto-certified community.", + "take_ownership_literally": "...take ownership literally.", + "your_ideas_decentralized": "...your ideas, decentralized.", + "for_digital_sovereignty": "...for digital sovereignty.", + "for_your_movement": "...for your movement.", + "because_you_love_freedom": "...because you love freedom.", + "decentralized_but_for_real": "...decentralized, but for real.", + "for_your_peace_of_mind": "...for your peace of mind.", + "no_corporation_to_answer_to": "...no corporation to answer to.", + "your_tokenized_sovereignty": "...your tokenized sovereignty.", + "for_text_only_wonders": "...for text-only wonders.", + "because_open_source_rulez": "...because open source rulez.", + "truly_peer_to_peer": "...truly peer to peer.", + "no_hidden_fees": "...no hidden fees.", + "no_global_rules": "...no global rules.", + "for_reddits_downfall": "...for Reddit's downfall.", + "evil_corp_cant_stop_us": "...Evil Corp™ can't stop us.", + "no_gods_no_global_admins": "...no gods, no global admins." } diff --git a/public/translations/id/default.json b/public/translations/id/default.json index 0e464a261..2a8d246e8 100644 --- a/public/translations/id/default.json +++ b/public/translations/id/default.json @@ -1,13 +1,7 @@ { - "hot": "Populer", - "new": "Baru", - "active": "Aktif", - "controversial": "Kontroversial", - "top": "Teratas", "about": "Tentang", "comments": "komentar", "preferences": "Preferensi", - "account_bar_language": "Inggris", "submit": "Kirim", "dark": "Gelap", "light": "Terang", @@ -22,7 +16,6 @@ "post_comments": "Komentar", "share": "Bagikan", "save": "Simpan", - "unsave": "Tidak Disimpan", "hide": "Sembunyikan", "report": "Laporkan", "crosspost": "Crosspost", @@ -37,11 +30,7 @@ "time_1_year_ago": "1 tahun yang lalu", "time_x_years_ago": "{{count}} tahun yang lalu", "spoiler": "Spoiler", - "unspoiler": "Tanpa Spoiler", - "reply_permalink": "Tautan tetap", - "embed": "Embed", "reply_reply": "Balasan", - "best": "Terbaik", "reply_sorted_by": "Diurutkan berdasarkan", "all_comments": "Semua {{count}} komentar", "no_comments": "Tidak ada komentar (belum)", @@ -66,11 +55,10 @@ "next": "Berikutnya", "loading": "Memuat", "pending": "Tertunda", - "or": "atau", "submit_subscriptions_notice": "Komunitas yang Disarankan", "submit_subscriptions": "komunitas yang Anda langgani", "rules_for": "aturan untuk", - "no_communities_found": "Tidak ada komunitas yang ditemukan di <1>https://github.com/plebbit/lists", + "no_communities_found": "Tidak ada komunitas yang ditemukan di <1>https://github.com/bitsocialhq/lists", "connect_community_notice": "Untuk terhubung ke komunitas, gunakan 🔎 di kanan atas", "options": "opsi", "hide_options": "sembunyikan opsi", @@ -85,7 +73,6 @@ "time_x_months": "{{count}} bulan", "time_1_year": "1 tahun", "time_x_years": "{{count}} tahun", - "search": "cari", "submit_post": "Kirim postingan baru", "create_your_community": "Buat komunitas sendiri", "moderators": "moderator", @@ -95,7 +82,6 @@ "created_by": "dibuat oleh {{creatorAddress}}", "community_for": "sebuah komunitas selama {{date}}", "post_submitted_on": "posting ini diajukan pada {{postDate}}", - "readers_count": "{{count}} pembaca", "users_online": "{{count}} pengguna di sini sekarang", "point": "titik", "points": "poin", @@ -107,26 +93,15 @@ "moderation": "moderasi", "interface_language": "bahasa antarmuka", "theme": "tema", - "profile": "profil", "account": "akun", "display_name": "nama tampilan", "crypto_address": "alamat kripto", - "reset": "ulang", - "changes": "perubahan", "check": "periksa", "crypto_address_verification": "jika alamat kripto diselesaikan p2p", - "is_current_account": "apakah ini adalah akun saat ini", - "account_data_preview": "pratinjau data akun", "create": "buat", - "a_new_account": "akun baru", - "import": "impor", - "export": "ekspor", "delete": "hapus", - "full_account_data": "data akun lengkap", - "this_account": "akun ini", "locked": "terkunci", "reason": "alasan", - "no_posts_found": "tidak ditemukan postingan", "sorted_by": "diurutkan berdasarkan", "downvoted": "disundul", "hidden": "tersembunyi", @@ -138,21 +113,14 @@ "full_comments": "semua komentar", "context": "konteks", "block": "blokir", - "hide_post": "sembunyikan pos", "post": "postingan", "unhide": "tampilkan", "unblock": "batalkan blokir", "undo": "batalkan", "post_hidden": "postingan tersembunyi", - "old": "lama", - "copy_link": "salin tautan", "link_copied": "tautan disalin", - "view_on": "lihat di {{destination}}", "block_community": "blokir komunitas", "unblock_community": "buka blokir komunitas", - "block_community_alert": "Apakah Anda yakin ingin memblokir komunitas ini?", - "unblock_community_alert": "Apakah Anda yakin ingin membuka blokir komunitas ini?", - "search_community_address": "Cari alamat komunitas", "search_feed_post": "Cari postingan di umpan ini", "from": "dari", "via": "melalui", @@ -169,15 +137,12 @@ "no_posts": "tidak ada posting", "media_url": "URL media", "post_locked_info": "Postingan ini {{state}}. Anda tidak akan dapat berkomentar.", - "no_subscriptions_notice": "Anda belum bergabung dengan komunitas mana pun.", "members_count": "{{count}} anggota", "communities": "komunitas", "edit": "mengedit", "moderator": "Moderator", "description": "Deskripsi", "rules": "Aturan", - "challenge": "Tantangan", - "settings": "Pengaturan", "save_options": "Simpan Opsi", "logo": "Logo", "address": "Alamat", @@ -188,26 +153,15 @@ "moderation_tools": "Alat Moderasi", "submit_to": "Kirim ke <1>{{link}}", "edit_subscriptions": "Edit Langganan", - "last_account_notice": "Anda tidak dapat menghapus akun terakhir Anda, harap buat yang baru terlebih dahulu.", "delete_confirm": "Apakah Anda yakin ingin menghapus {{value}}?", "saving": "Menyimpan", "deleted": "Dihapus", - "mark_spoiler": "Tandai sebagai spoiler", - "remove_spoiler": "Hapus spoiler", - "delete_post": "Hapus Kiriman", - "undo_delete": "Batalkan Hapus", - "edit_content": "Edit Konten", "online": "Online", "offline": "Offline", - "download_app": "Unduh Aplikasi", - "approved_user": "Pengguna Disetujui", "subscriber": "Pelanggan", - "approved": "Disetujui", - "proposed": "Diusulkan", "join_communities_notice": "Klik tombol <1>{{join}} atau <2>{{leave}} untuk memilih komunitas mana yang akan muncul di beranda.", "below_subscribed": "Di bawah ini adalah komunitas yang telah Anda berlangganan.", "not_subscribed": "Anda belum berlangganan ke komunitas mana pun.", - "below_approved_user": "Di bawah ini adalah komunitas di mana Anda adalah pengguna yang disetujui.", "below_moderator_access": "Di bawah ini adalah komunitas yang Anda miliki akses moderator.", "not_moderator": "Anda bukan moderator di komunitas mana pun.", "create_community": "Buat komunitas", @@ -228,7 +182,6 @@ "address_setting_info": "Atur alamat komunitas yang dapat dibaca menggunakan domain crypto", "enter_crypto_address": "Harap masukkan alamat kripto yang valid.", "check_for_updates": "<1>Periksa pembaruan", - "general_settings": "Pengaturan umum", "refresh_to_update": "Segarkan halaman untuk memperbarui", "latest_development_version": "Anda menggunakan versi pengembangan terbaru, commit {{commit}}. Untuk menggunakan versi stabil, pergi ke {{link}}.", "latest_stable_version": "Anda menggunakan versi stabil terbaru, seedit v{{version}}.", @@ -236,7 +189,6 @@ "new_stable_version": "Versi stabil baru tersedia, seedit v{{newVersion}}. Anda menggunakan seedit v{{oldVersion}}.", "download_latest_desktop": "Unduh versi desktop terbaru di sini: {{link}}", "contribute_on_github": "Berkontribusi di GitHub", - "create_community_not_available": "Belum tersedia di web. Anda dapat membuat komunitas menggunakan aplikasi desktop, unduh di sini: {{desktopLink}}. Jika Anda nyaman dengan baris perintah, periksa di sini: {{cliLink}}", "no_media_found": "Tidak ada media ditemukan", "no_image_found": "Tidak ada gambar ditemukan", "warning_spam": "Peringatan: tidak ada tantangan yang dipilih, komunitas rentan terhadap serangan spam.", @@ -254,7 +206,6 @@ "owner": "pemilik", "admin": "admin", "settings_saved": "Pengaturan disimpan untuk p/{{subplebbitAddress}}", - "mod_edit": "edit mod", "continue_thread": "lanjutkan utas ini", "mod_edit_reason": "Alasan edit mod", "double_confirm": "Apakah Anda benar-benar yakin? Tindakan ini tidak dapat diurungkan.", @@ -266,12 +217,10 @@ "not_found_description": "Halaman yang Anda minta tidak ada", "last_edited": "terakhir diubah {{timestamp}}", "view_spoiler": "lihat spoiler", - "more": "lebih", "default_communities": "komunitas default", "avatar": "avatar", "pending_edit": "pengeditan tertunda", "failed_edit": "edit gagal", - "copy_full_address": "<1>salin alamat lengkap", "node_stats": "statistik node", "version": "versi", "edit_reason": "alasan sunting", @@ -291,30 +240,22 @@ "ban_user_for": "Blokir pengguna selama <1> hari", "crypto_wallets": "Dompet Crypto", "wallet_address": "Alamat dompet", - "save_wallets": "<1>Simpan dompet ke akun", "remove": "Hapus", "add_wallet": "<1>Tambahkan dompet kripto", "show_settings": "Tampilkan pengaturan", "hide_settings": "Sembunyikan pengaturan", - "wallet": "Dompet", "undelete": "Batalkan penghapusan", "downloading_comments": "mengunduh komentar", "you_blocked_community": "Anda telah memblokir komunitas ini", "show": "menunjukkan", "plebbit_options": "opsi plebbit", "general": "umum", - "own_communities": "komunitas sendiri", - "invalid_community_address": "Alamat komunitas tidak valid", - "newer_posts_available": "Postingan baru tersedia: <1>muat ulang feed", "more_posts_last_week": "{{count}} pos terakhir {{currentTimeFilterName}}: <1>tampilkan lebih banyak pos dari minggu lalu", "more_posts_last_month": "{{count}} postingan di {{currentTimeFilterName}}: <1>tampilkan lebih banyak postingan dari bulan lalu", - "sure_delete": "Apakah Anda yakin ingin menghapus pos ini?", - "sure_undelete": "Apakah Anda yakin ingin mengembalikan pos ini?", "profile_info": "Akun Anda u/{{shortAddress}} dibuat. <1>Atur nama tampilan, <2>ekspor cadangan, <3>pelajari lebih lanjut.", "show_all_instead": "Menampilkan pos sejak {{timeFilterName}}, <1>tampilkan semua sebagai gantinya", "subplebbit_offline_info": "Subplebbit mungkin offline dan penerbitan mungkin gagal.", "posts_last_synced_info": "Posting terakhir disinkronkan {{time}}, subplebbit mungkin offline dan penerbitan mungkin gagal.", - "stored_locally": "Disimpan secara lokal ({{location}}), tidak disinkronkan antar perangkat", "import_account_backup": "<1>impor cadangan akun", "export_account_backup": "<1>ekspor cadangan akun", "save_reset_changes": "<1>simpan atau <2>reset perubahan", @@ -334,17 +275,11 @@ "communities_you_moderate": "Komunitas yang Anda moderasi", "blur_media": "Blur media yang ditandai sebagai NSFW/18+", "nsfw_content": "Konten NSFW", - "nsfw_communities": "Komunitas NSFW", - "hide_adult": "Sembunyikan komunitas yang diberi label \"dewasa\"", - "hide_gore": "Sembunyikan komunitas yang diberi label \"gore\"", - "hide_anti": "Sembunyikan komunitas yang diberi label \"anti\"", - "filters": "Filter", "see_nsfw": "Klik untuk melihat NSFW", "see_nsfw_spoiler": "Klik untuk melihat NSFW spoiler", "always_show_nsfw": "Apakah Anda ingin selalu menampilkan media NSFW?", "always_show_nsfw_notice": "Oke, kami mengubah preferensi Anda untuk selalu menampilkan media NSFW.", "content_options": "Opsi konten", - "hide_vulgar": "Sembunyikan komunitas yang diberi label \"vulgar\"", "over_18": "Di atas 18?", "must_be_over_18": "Anda harus berusia 18+ untuk melihat komunitas ini", "must_be_over_18_explanation": "Anda harus berusia minimal delapan belas tahun untuk melihat konten ini. Apakah Anda berusia lebih dari delapan belas tahun dan bersedia melihat konten dewasa?", @@ -355,7 +290,6 @@ "block_user": "Blokir pengguna", "unblock_user": "Buka blokir pengguna", "filtering_by_tag": "Penyaringan berdasarkan tag: \"{{tag}}\"", - "read_only_community_settings": "Pengaturan komunitas hanya-baca", "you_are_moderator": "Anda adalah moderator komunitas ini", "you_are_admin": "Anda adalah admin komunitas ini", "you_are_owner": "Anda adalah pemilik komunitas ini", @@ -377,7 +311,6 @@ "search_posts": "cari pos", "found_n_results_for": "ditemukan {{count}} pos untuk \"{{query}}\"", "clear_search": "hapus pencarian", - "loading_iframe": "memuat iframe", "no_matches_found_for": "tidak ditemukan kecocokan untuk \"{{query}}\"", "searching": "mencari", "hide_default_communities_from_topbar": "Sembunyikan komunitas default dari topbar", @@ -410,42 +343,48 @@ "expand_media_previews_based_on_community_media_preferences": "Perluas pratinjau media berdasarkan preferensi media komunitas tersebut", "show_all_nsfw": "tampilkan semua NSFW", "hide_all_nsfw": "sembunyikan semua NSFW", - "unstoppable_by_design": "...tidak terhentikan oleh desain.", - "servers_are_overrated": "...server terlalu dibesar-besarkan.", - "cryptographic_playground": "... taman bermain kriptografi.", - "where_you_own_the_keys": "...di mana Anda memiliki kuncinya.", - "no_middleman_here": "...tidak ada perantara di sini.", - "join_the_decentralution": "...bergabung dengan decentralution.", - "because_privacy_matters": "...karena privasi itu penting.", - "freedom_served_fresh_daily": "...kebebasan disajikan segar setiap hari.", - "your_community_your_rules": "...komunitas Anda, aturan Anda.", - "centralization_is_boring": "...sentralisasi itu membosankan.", - "like_torrents_for_thoughts": "...seperti torrent, untuk pikiran.", - "cant_stop_the_signal": "...tidak bisa menghentikan sinyal.", - "fully_yours_forever": "...sepenuhnya milikmu, selamanya.", - "powered_by_caffeine": "...didukung oleh kafein.", - "speech_wants_to_be_free": "...ucapan ingin bebas.", - "crypto_certified_community": "...komunitas bersertifikat kripto.", - "take_ownership_literally": "...ambil kepemilikan secara harfiah.", - "your_ideas_decentralized": "...ide-idemu, terdesentralisasi.", - "for_digital_sovereignty": "...untuk kedaulatan digital.", - "for_your_movement": "...untuk pergerakanmu.", - "because_you_love_freedom": "...karena kamu mencintai kebebasan.", - "decentralized_but_for_real": "...terdesentralisasi, tapi sungguh.", - "for_your_peace_of_mind": "...untuk ketenangan pikiran Anda.", - "no_corporation_to_answer_to": "...tidak ada korporasi yang harus dipertanggungjawabkan.", - "your_tokenized_sovereignty": "...kedaulatan tokenized Anda.", - "for_text_only_wonders": "...untuk keajaiban hanya teks.", - "because_open_source_rulez": "...karena open source itu keren.", - "truly_peer_to_peer": "...benar-benar peer to peer.", - "no_hidden_fees": "...tidak ada biaya tersembunyi.", - "no_global_rules": "...tidak ada aturan global.", - "for_reddits_downfall": "...untuk kejatuhan Reddit.", - "evil_corp_cant_stop_us": "...Evil Corp™ tidak bisa menghentikan kami.", - "no_gods_no_global_admins": "...tidak ada dewa, tidak ada admin global.", "tags": "Tag", "moderator_of": "moderator dari", "not_subscriber_nor_moderator": "Anda bukan pelanggan maupun moderator komunitas manapun.", "more_posts_last_year": "{{count}} postingan pada {{currentTimeFilterName}} terakhir: <1>tampilkan lebih banyak postingan dari tahun lalu", - "editor_fallback_warning": "editor lanjutan gagal dimuat, menggunakan editor teks dasar sebagai fallback." + "editor_fallback_warning": "editor lanjutan gagal dimuat, menggunakan editor teks dasar sebagai fallback.", + "hot": "hot", + "new": "new", + "active": "active", + "top": "top", + "best": "best", + "old": "old", + "unstoppable_by_design": "...unstoppable by design.", + "servers_are_overrated": "...servers are overrated.", + "cryptographic_playground": "... cryptographic playground.", + "where_you_own_the_keys": "...where you own the keys.", + "no_middleman_here": "...no middleman here.", + "join_the_decentralution": "...join the decentralution.", + "because_privacy_matters": "...because privacy matters.", + "freedom_served_fresh_daily": "...freedom served fresh daily.", + "your_community_your_rules": "...your community, your rules.", + "centralization_is_boring": "...centralization is boring.", + "like_torrents_for_thoughts": "...like torrents, for thoughts.", + "cant_stop_the_signal": "...can't stop the signal.", + "fully_yours_forever": "...fully yours, forever.", + "powered_by_caffeine": "...powered by caffeine.", + "speech_wants_to_be_free": "...speech wants to be free.", + "crypto_certified_community": "...crypto-certified community.", + "take_ownership_literally": "...take ownership literally.", + "your_ideas_decentralized": "...your ideas, decentralized.", + "for_digital_sovereignty": "...for digital sovereignty.", + "for_your_movement": "...for your movement.", + "because_you_love_freedom": "...because you love freedom.", + "decentralized_but_for_real": "...decentralized, but for real.", + "for_your_peace_of_mind": "...for your peace of mind.", + "no_corporation_to_answer_to": "...no corporation to answer to.", + "your_tokenized_sovereignty": "...your tokenized sovereignty.", + "for_text_only_wonders": "...for text-only wonders.", + "because_open_source_rulez": "...because open source rulez.", + "truly_peer_to_peer": "...truly peer to peer.", + "no_hidden_fees": "...no hidden fees.", + "no_global_rules": "...no global rules.", + "for_reddits_downfall": "...for Reddit's downfall.", + "evil_corp_cant_stop_us": "...Evil Corp™ can't stop us.", + "no_gods_no_global_admins": "...no gods, no global admins." } diff --git a/public/translations/it/default.json b/public/translations/it/default.json index a8581493c..a30a76fd6 100644 --- a/public/translations/it/default.json +++ b/public/translations/it/default.json @@ -1,13 +1,7 @@ { - "hot": "popolari", - "new": "nuovi", - "active": "attivi", - "controversial": "discussi", - "top": "più votati", "about": "info", "comments": "commenti", "preferences": "preferenze", - "account_bar_language": "Italiano", "submit": "invia", "dark": "scuro", "light": "chiaro", @@ -22,7 +16,6 @@ "post_comments": "commenti", "share": "condividi", "save": "salva", - "unsave": "elimina", "hide": "nascondi", "report": "segnala", "crosspost": "crosspost", @@ -37,11 +30,7 @@ "time_1_year_ago": "1 anno fa", "time_x_years_ago": "{{count}} anni fa", "spoiler": "spoiler", - "unspoiler": "rimuovi spoiler", - "reply_permalink": "permalink", - "embed": "embed", "reply_reply": "rispondi", - "best": "migliori", "reply_sorted_by": "ordinato per", "all_comments": "tutti i {{count}} commenti", "no_comments": "nessun commento (ancora)", @@ -66,11 +55,10 @@ "next": "Successivo", "loading": "Caricamento", "pending": "In attesa", - "or": "o", "submit_subscriptions_notice": "Comunità consigliate", "submit_subscriptions": "le tue comunità sottoscritte", "rules_for": "regole per", - "no_communities_found": "nessuna comunità trovata su <1>https://github.com/plebbit/lists", + "no_communities_found": "nessuna comunità trovata su <1>https://github.com/bitsocialhq/lists", "connect_community_notice": "Per connetterti a una comunità, utilizza 🔎 in alto a destra", "options": "opzioni", "hide_options": "nascondi opzioni", @@ -85,7 +73,6 @@ "time_x_months": "{{count}} mesi", "time_1_year": "1 anno", "time_x_years": "{{count}} anni", - "search": "cerca", "submit_post": "Invia un nuovo post", "create_your_community": "Crea la tua comunità", "moderators": "moderatori", @@ -95,7 +82,6 @@ "created_by": "creata da {{creatorAddress}}", "community_for": "una comunità da {{date}}", "post_submitted_on": "questo post è stato inviato il {{postDate}}", - "readers_count": "{{count}} lettori", "users_online": "{{count}} utenti qui ora", "point": "punto", "points": "punti", @@ -107,26 +93,15 @@ "moderation": "moderazione", "interface_language": "lingua interfaccia", "theme": "tema", - "profile": "profilo", "account": "account", "display_name": "nome visualizzato", "crypto_address": "indirizzo crypto", - "reset": "ripristina", - "changes": "modifiche", "check": "controlla", "crypto_address_verification": "se l'indirizzo cripto è risolto p2p", - "is_current_account": "è l'account attuale", - "account_data_preview": "anteprima dei dati dell'account", "create": "crea", - "a_new_account": "un nuovo account", - "import": "importa", - "export": "esporta", "delete": "elimina", - "full_account_data": "i dati completi dell'account", - "this_account": "questo account", "locked": "bloccato", "reason": "motivo", - "no_posts_found": "nessun post trovato", "sorted_by": "ordinato per", "downvoted": "hai dato un downvote", "hidden": "nascosto", @@ -138,21 +113,14 @@ "full_comments": "tutti i commenti", "context": "contesto", "block": "blocca", - "hide_post": "nascondi post", "post": "post", "unhide": "mostra", "unblock": "sblocca", "undo": "annulla", "post_hidden": "post nascosto", - "old": "vecchi", - "copy_link": "copia link", "link_copied": "link copiato", - "view_on": "vedi su {{destination}}", "block_community": "blocca comunità", "unblock_community": "sblocca comunità", - "block_community_alert": "Sei sicuro di voler bloccare questa comunità?", - "unblock_community_alert": "Sei sicuro di voler sbloccare questa comunità?", - "search_community_address": "Cerca l'indirizzo di una comunità", "search_feed_post": "Cerca un post in questa pagina", "from": "da", "via": "via", @@ -169,15 +137,12 @@ "no_posts": "nessun post", "media_url": "URL media", "post_locked_info": "Questo post è stato {{state}}. Non potrai commentarlo.", - "no_subscriptions_notice": "Non ti sei ancora unito a nessuna comunità.", "members_count": "{{count}} membri", "communities": "comunità", "edit": "modifica", "moderator": "Moderatore", "description": "Descrizione", "rules": "Regole", - "challenge": "challenge anti-spam", - "settings": "Impostazioni", "save_options": "Salva opzioni", "logo": "Logo", "address": "Indirizzo", @@ -188,26 +153,15 @@ "moderation_tools": "Strumenti di moderazione", "submit_to": "Invia a <1>{{link}}", "edit_subscriptions": "Modifica sottoscrizioni", - "last_account_notice": "Non puoi eliminare il tuo ultimo account, crea prima un nuovo account.", "delete_confirm": "Confermi di voler cancellare {{value}}?", "saving": "Salvataggio", "deleted": "Cancellato", - "mark_spoiler": "Segna come spoiler", - "remove_spoiler": "Rimuovi spoiler", - "delete_post": "Elimina post", - "undo_delete": "Annulla cancellazione", - "edit_content": "Modifica contenuto", "online": "Online", "offline": "Offline", - "download_app": "Scarica l'app", - "approved_user": "Utente approvato", "subscriber": "Iscritto", - "approved": "Approvate", - "proposed": "Proposte", "join_communities_notice": "Clicca i bottoni <1>{{join}} o <2>{{leave}} per scegliere quali comunità debbano apparire nella schermata home.", "below_subscribed": "Di seguito sono elencate le comunità a cui sei iscritto.", "not_subscribed": "Non sei iscritto a nessuna comunità.", - "below_approved_user": "Di seguito sono elencate le comunità in cui sei un utente approvato.", "below_moderator_access": "Di seguito sono elencate le comunità alle quali hai accesso come moderatore.", "not_moderator": "Non sei un moderatore in nessuna comunità.", "create_community": "Crea comunità", @@ -228,7 +182,6 @@ "address_setting_info": "Imposta un indirizzo di comunità leggibile utilizzando un dominio crypto", "enter_crypto_address": "Inserisci un indirizzo cripto valido.", "check_for_updates": "<1>Controlla aggiornamenti", - "general_settings": "Impostazioni generali", "refresh_to_update": "Ricarica la pagina per aggiornare", "latest_development_version": "Stai utilizzando la versione per sviluppatori più recente, commit {{commit}}. Per utilizzare la versione stabile, vai su {{link}}.", "latest_stable_version": "Stai utilizzando l'ultima versione stabile, seedit v{{version}}.", @@ -236,7 +189,6 @@ "new_stable_version": "Nuova versione stabile disponibile, seedit v{{newVersion}}. Stai utilizzando seedit v{{oldVersion}}.", "download_latest_desktop": "Scarica l'ultima versione desktop qui: {{link}}", "contribute_on_github": "Contribuisci su GitHub", - "create_community_not_available": "Non ancora disponibile su web. Puoi creare una comunità utilizzando l'applicazione desktop, scaricala qui: {{desktopLink}}. Se ti senti a tuo agio con la riga di comando, controlla qui: {{cliLink}}", "no_media_found": "Nessun media trovato", "no_image_found": "Nessuna immagine trovata", "warning_spam": "Attenzione: nessun challenge selezionato, la comunità è vulnerabile agli attacchi spam.", @@ -254,7 +206,6 @@ "owner": "proprietario", "admin": "amministratore", "settings_saved": "Impostazioni salvate per p/{{subplebbitAddress}}", - "mod_edit": "modifica dei moderatori", "continue_thread": "continua questa discussione", "mod_edit_reason": "Motivo modifica moderatore", "double_confirm": "Sei davvero sicuro? Questa azione è irreversibile.", @@ -266,12 +217,10 @@ "not_found_description": "La pagina che hai richiesto non esiste", "last_edited": "ultima modifica {{timestamp}}", "view_spoiler": "mostra spoiler", - "more": "altri", "default_communities": "comunità predefinite", "avatar": "avatar", "pending_edit": "modifica in attesa", "failed_edit": "modifica fallita", - "copy_full_address": "<1>copia l'indirizzo completo", "node_stats": "statistiche del nodo", "version": "versione", "edit_reason": "motivo della modifica", @@ -291,30 +240,22 @@ "ban_user_for": "Banna l'utente per <1> giorno/i", "crypto_wallets": "Wallet crypto", "wallet_address": "Indirizzo wallet", - "save_wallets": "<1>Salva wallet nell'account", "remove": "Rimuovi", "add_wallet": "<1>Aggiungi un wallet crypto", "show_settings": "Mostra impostazioni", "hide_settings": "Nascondi impostazioni", - "wallet": "Wallet", "undelete": "Annulla eliminazione", "downloading_comments": "scaricando i commenti", "you_blocked_community": "Hai bloccato questa comunità", "show": "mostra", "plebbit_options": "opzioni plebbit", "general": "generali", - "own_communities": "comunità che possiedo", - "invalid_community_address": "Indirizzo comunità non valido", - "newer_posts_available": "Nuovi post disponibili: <1>ricarica il feed", "more_posts_last_week": "{{count}} post da {{currentTimeFilterName}}: <1>mostra più post della settimana scorsa", "more_posts_last_month": "{{count}} post da {{currentTimeFilterName}}: <1>mostra più post dal mese scorso", - "sure_delete": "Sei sicuro di voler eliminare questo post?", - "sure_undelete": "Sei sicuro di voler ripristinare questo post?", "profile_info": "Il tuo account u/{{shortAddress}} è stato creato. <1>Imposta nome visualizzato, <2>esporta backup, <3>scopri di più.", "show_all_instead": "Stai visualizzando post da {{timeFilterName}}, <1>visualizza tutto invece", "subplebbit_offline_info": "Il subplebbit potrebbe essere offline e la pubblicazione potrebbe fallire.", "posts_last_synced_info": "Ultimi post sincronizzati {{time}}, il subplebbit potrebbe essere offline e la pubblicazione potrebbe fallire.", - "stored_locally": "Memorizzato localmente ({{location}}), non sincronizzato tra i dispositivi", "import_account_backup": "<1>importa backup dell'account", "export_account_backup": "<1>esporta backup dell'account", "save_reset_changes": "<1>salva o <2>ripristina modifiche", @@ -334,17 +275,11 @@ "communities_you_moderate": "Comunità che moderi", "blur_media": "Offusca media contrassegnati come NSFW/18+", "nsfw_content": "Contenuti NSFW", - "nsfw_communities": "Comunità NSFW", - "hide_adult": "Nascondi le comunità contrassegnate come \"adulto\"", - "hide_gore": "Nascondi le comunità contrassegnate come \"gore\"", - "hide_anti": "Nascondi le comunità contrassegnate come \"anti\"", - "filters": "Filtri", "see_nsfw": "Clicca per vedere NSFW", "see_nsfw_spoiler": "Clicca per vedere il spoiler NSFW", "always_show_nsfw": "Mostrare sempre i media NSFW?", "always_show_nsfw_notice": "Ok, abbiamo cambiato le tue preferenze per mostrare sempre i media NSFW.", "content_options": "Opzioni dei contenuti", - "hide_vulgar": "Nascondi le comunità contrassegnate come \"vulgar\"", "over_18": "Sopra i 18?", "must_be_over_18": "Devi avere più di 18 anni per visualizzare questa comunità", "must_be_over_18_explanation": "Devi avere almeno diciotto anni per visualizzare questo contenuto. Hai più di diciotto anni e sei disposto a vedere contenuti per adulti?", @@ -355,7 +290,6 @@ "block_user": "Blocca utente", "unblock_user": "Sblocca utente", "filtering_by_tag": "Filtraggio per tag: \"{{tag}}\"", - "read_only_community_settings": "Impostazioni della comunità in sola lettura", "you_are_moderator": "Sei un moderatore di questa comunità", "you_are_admin": "Sei un admin di questa comunità", "you_are_owner": "Sei il proprietario di questa comunità", @@ -377,7 +311,6 @@ "search_posts": "cerca post", "found_n_results_for": "trovati {{count}} post per \"{{query}}\"", "clear_search": "cancella ricerca", - "loading_iframe": "caricamento iframe", "no_matches_found_for": "nessuna corrispondenza trovata per \"{{query}}\"", "searching": "cerca", "hide_default_communities_from_topbar": "Nascondi comunità di default dalla topbar", @@ -410,42 +343,48 @@ "expand_media_previews_based_on_community_media_preferences": "Espandi le anteprime multimediali in base alle preferenze multimediali di quella comunità", "show_all_nsfw": "mostra tutto NSFW", "hide_all_nsfw": "nascondi tutto NSFW", - "unstoppable_by_design": "...incontrollabile per progettazione.", - "servers_are_overrated": "...i server sono sopravvalutati.", - "cryptographic_playground": "... parco giochi crittografico.", - "where_you_own_the_keys": "...dove possiedi le chiavi.", - "no_middleman_here": "...nessun intermediario qui.", - "join_the_decentralution": "...unisciti alla decentralution.", - "because_privacy_matters": "...perché la privacy conta.", - "freedom_served_fresh_daily": "...libertà servita fresca ogni giorno.", - "your_community_your_rules": "...la tua comunità, le tue regole.", - "centralization_is_boring": "...la centralizzazione è noiosa.", - "like_torrents_for_thoughts": "...come torrent, per i pensieri.", - "cant_stop_the_signal": "...non si può fermare il segnale.", - "fully_yours_forever": "...completamente tuo, per sempre.", - "powered_by_caffeine": "...alimentato da caffeina.", - "speech_wants_to_be_free": "...il discorso vuole essere libero.", - "crypto_certified_community": "...comunità certificata crypto.", - "take_ownership_literally": "...prendi letteralmente possesso.", - "your_ideas_decentralized": "...le tue idee, decentralizzate.", - "for_digital_sovereignty": "...per la sovranità digitale.", - "for_your_movement": "...per il tuo movimento.", - "because_you_love_freedom": "...perché ami la libertà.", - "decentralized_but_for_real": "...decentralizzato, ma per davvero.", - "for_your_peace_of_mind": "...per la tua tranquillità.", - "no_corporation_to_answer_to": "...nessuna corporazione a cui rispondere.", - "your_tokenized_sovereignty": "...la tua sovranità tokenizzata.", - "for_text_only_wonders": "...per meraviglie solo di testo.", - "because_open_source_rulez": "...perché l'open source spacca.", - "truly_peer_to_peer": "...veramente peer to peer.", - "no_hidden_fees": "...nessun costo nascosto.", - "no_global_rules": "...nessuna regola globale.", - "for_reddits_downfall": "...per la caduta di Reddit.", - "evil_corp_cant_stop_us": "...Evil Corp™ non può fermarci.", - "no_gods_no_global_admins": "...niente dèi, niente amministratori globali.", "tags": "Tag", "moderator_of": "moderatore di", "not_subscriber_nor_moderator": "Non sei né iscritto né moderatore di nessuna community.", "more_posts_last_year": "{{count}} post nell'ultimo {{currentTimeFilterName}}: <1>mostra più post dell'anno scorso", - "editor_fallback_warning": "il editor avanzato non è riuscito a caricare, utilizzo dell'editor di testo di base come fallback." + "editor_fallback_warning": "il editor avanzato non è riuscito a caricare, utilizzo dell'editor di testo di base come fallback.", + "hot": "hot", + "new": "new", + "active": "active", + "top": "top", + "best": "best", + "old": "old", + "unstoppable_by_design": "...unstoppable by design.", + "servers_are_overrated": "...servers are overrated.", + "cryptographic_playground": "... cryptographic playground.", + "where_you_own_the_keys": "...where you own the keys.", + "no_middleman_here": "...no middleman here.", + "join_the_decentralution": "...join the decentralution.", + "because_privacy_matters": "...because privacy matters.", + "freedom_served_fresh_daily": "...freedom served fresh daily.", + "your_community_your_rules": "...your community, your rules.", + "centralization_is_boring": "...centralization is boring.", + "like_torrents_for_thoughts": "...like torrents, for thoughts.", + "cant_stop_the_signal": "...can't stop the signal.", + "fully_yours_forever": "...fully yours, forever.", + "powered_by_caffeine": "...powered by caffeine.", + "speech_wants_to_be_free": "...speech wants to be free.", + "crypto_certified_community": "...crypto-certified community.", + "take_ownership_literally": "...take ownership literally.", + "your_ideas_decentralized": "...your ideas, decentralized.", + "for_digital_sovereignty": "...for digital sovereignty.", + "for_your_movement": "...for your movement.", + "because_you_love_freedom": "...because you love freedom.", + "decentralized_but_for_real": "...decentralized, but for real.", + "for_your_peace_of_mind": "...for your peace of mind.", + "no_corporation_to_answer_to": "...no corporation to answer to.", + "your_tokenized_sovereignty": "...your tokenized sovereignty.", + "for_text_only_wonders": "...for text-only wonders.", + "because_open_source_rulez": "...because open source rulez.", + "truly_peer_to_peer": "...truly peer to peer.", + "no_hidden_fees": "...no hidden fees.", + "no_global_rules": "...no global rules.", + "for_reddits_downfall": "...for Reddit's downfall.", + "evil_corp_cant_stop_us": "...Evil Corp™ can't stop us.", + "no_gods_no_global_admins": "...no gods, no global admins." } diff --git a/public/translations/ja/default.json b/public/translations/ja/default.json index ce85a57f4..3736fa623 100644 --- a/public/translations/ja/default.json +++ b/public/translations/ja/default.json @@ -1,13 +1,7 @@ { - "hot": "人気", - "new": "新着", - "active": "アクティブ", - "controversial": "議論を呼ぶ", - "top": "トップ評価", "about": "について", "comments": "コメント", "preferences": "設定", - "account_bar_language": "日本語", "submit": "送信", "dark": "暗い", "light": "明るい", @@ -22,7 +16,6 @@ "post_comments": "コメント数", "share": "シェア", "save": "保存", - "unsave": "保存解除", "hide": "非表示", "report": "報告", "crosspost": "クロスポスト", @@ -37,11 +30,7 @@ "time_1_year_ago": "1年前", "time_x_years_ago": "{{count}}年前", "spoiler": "ネタバレ", - "unspoiler": "ネタバレ解除", - "reply_permalink": "パーマリンク", - "embed": "埋め込む", "reply_reply": "返信", - "best": "最良", "reply_sorted_by": "ソート条件", "all_comments": "すべての{{count}}コメント", "no_comments": "コメントはありません(まだ)", @@ -66,11 +55,10 @@ "next": "次", "loading": "読み込み中", "pending": "保留中", - "or": "または", "submit_subscriptions_notice": "おすすめコミュニティ", "submit_subscriptions": "購読しているコミュニティ", "rules_for": "のルール", - "no_communities_found": "<1>https://github.com/plebbit/listsにコミュニティは見つかりませんでした", + "no_communities_found": "<1>https://github.com/bitsocialhq/listsにコミュニティは見つかりませんでした", "connect_community_notice": "コミュニティに接続するには、右上の🔎を使用してください", "options": "オプション", "hide_options": "オプションを隠す", @@ -85,7 +73,6 @@ "time_x_months": "{{count}}ヶ月", "time_1_year": "1年", "time_x_years": "{{count}}年", - "search": "検索", "submit_post": "新しい投稿を送信", "create_your_community": "独自のコミュニティを作成", "moderators": "モデレーター", @@ -95,7 +82,6 @@ "created_by": "作成者:{{creatorAddress}}", "community_for": "{{date}} のコミュニティ", "post_submitted_on": "この投稿は{{postDate}}に投稿されました", - "readers_count": "{{count}} 読者", "users_online": "現在{{count}}人のユーザーがここにいます", "point": "ポイント", "points": "ポイント", @@ -107,26 +93,15 @@ "moderation": "モデレーション", "interface_language": "インターフェース言語", "theme": "テーマ", - "profile": "プロフィール", "account": "アカウント", "display_name": "表示名", "crypto_address": "暗号通貨アドレス", - "reset": "リセット", - "changes": "変更", "check": "チェック", "crypto_address_verification": "暗号通貨アドレスがp2pで解決されている場合", - "is_current_account": "これは現在のアカウントですか", - "account_data_preview": "アカウントデータのプレビュー", "create": "作成", - "a_new_account": "新しいアカウント", - "import": "インポート", - "export": "エクスポート", "delete": "削除", - "full_account_data": "フルアカウントデータ", - "this_account": "このアカウント", "locked": "ロックされました", "reason": "理由", - "no_posts_found": "投稿が見つかりません", "sorted_by": "並び替え", "downvoted": "ダウンボートされました", "hidden": "非表示", @@ -138,21 +113,14 @@ "full_comments": "すべてのコメント", "context": "コンテキスト", "block": "ブロック", - "hide_post": "投稿を非表示", "post": "投稿", "unhide": "表示", "unblock": "ブロック解除", "undo": "取り消し", "post_hidden": "非表示の投稿", - "old": "古い", - "copy_link": "リンクをコピー", "link_copied": "リンクがコピーされました", - "view_on": "{{destination}} で表示", "block_community": "コミュニティをブロック", "unblock_community": "コミュニティのブロック解除", - "block_community_alert": "このコミュニティをブロックしてもよろしいですか?", - "unblock_community_alert": "このコミュニティのブロック解除を確認しますか?", - "search_community_address": "コミュニティのアドレスを検索", "search_feed_post": "このフィード内の投稿を検索", "from": "から", "via": "経由で", @@ -169,15 +137,12 @@ "no_posts": "投稿はありません", "media_url": "メディア URL", "post_locked_info": "この投稿は{{state}}です。コメントできません。", - "no_subscriptions_notice": "まだどのコミュニティにも参加していません。", "members_count": "{{count}} メンバー", "communities": "コミュニティ", "edit": "編集", "moderator": "モデレーター", "description": "説明", "rules": "ルール", - "challenge": "挑戦", - "settings": "設定", "save_options": "オプションを保存", "logo": "ロゴ", "address": "住所", @@ -188,26 +153,15 @@ "moderation_tools": "モデレーションツール", "submit_to": "<1>{{link}}に提出する", "edit_subscriptions": "購読の編集", - "last_account_notice": "最後のアカウントは削除できません。新しいアカウントを作成してください。", "delete_confirm": "{{value}} を削除してもよろしいですか?", "saving": "保存中", "deleted": "削除されました", - "mark_spoiler": "スポイラーとしてマーク", - "remove_spoiler": "スポイラーを削除", - "delete_post": "投稿を削除", - "undo_delete": "削除を取り消す", - "edit_content": "コンテンツを編集", "online": "オンライン", "offline": "オフライン", - "download_app": "アプリをダウンロード", - "approved_user": "承認済みユーザー", "subscriber": "購読者", - "approved": "承認済み", - "proposed": "提案済み", "join_communities_notice": "ホームフィードに表示されるコミュニティを選択するには、<1>{{join}} または <2>{{leave}} ボタンをクリックしてください。", "below_subscribed": "以下は、購読しているコミュニティです。", "not_subscribed": "まだコミュニティに参加していません。", - "below_approved_user": "以下は、承認されたユーザーであるコミュニティです。", "below_moderator_access": "以下は、あなたがモデレーターアクセス権を持つコミュニティです。", "not_moderator": "あなたはどのコミュニティでもモデレーターではありません。", "create_community": "コミュニティを作成", @@ -228,7 +182,6 @@ "address_setting_info": "暗号ドメインを使用して読み取り可能なコミュニティアドレスを設定します", "enter_crypto_address": "有効な暗号通貨アドレスを入力してください。", "check_for_updates": "<1>更新 を確認", - "general_settings": "一般設定", "refresh_to_update": "更新するにはページを更新してください", "latest_development_version": "最新の開発バージョン、コミット{{commit}}を使用しています。安定版を使用するには、{{link}}に移動してください。", "latest_stable_version": "最新の安定版、seedit v{{version}}を使用しています。", @@ -236,7 +189,6 @@ "new_stable_version": "新しい安定版が利用可能です、seedit v{{newVersion}}。あなたはseedit v{{oldVersion}} を使用しています。", "download_latest_desktop": "最新のデスクトップバージョンをこちらからダウンロード: {{link}}", "contribute_on_github": "GitHub で貢献する", - "create_community_not_available": "まだウェブで利用できません。デスクトップアプリを使用してコミュニティを作成できます。ここからダウンロードしてください:{{desktopLink}}。コマンドラインがお好きな場合は、こちらをご覧ください:{{cliLink}}", "no_media_found": "メディアが見つかりませんでした", "no_image_found": "画像が見つかりませんでした", "warning_spam": "警告: チャレンジが選択されていません。コミュニティはスパム攻撃の対象となります。", @@ -254,7 +206,6 @@ "owner": "オーナー", "admin": "管理者", "settings_saved": "p/{{subplebbitAddress}} の設定が保存されました", - "mod_edit": "モデレーター編集", "continue_thread": "このスレッドを続ける", "mod_edit_reason": "モデレータ編集理由", "double_confirm": "本当によろしいですか?このアクションは取り消せません。", @@ -266,12 +217,10 @@ "not_found_description": "要求されたページは存在しません", "last_edited": "最終編集 {{timestamp}}", "view_spoiler": "スポイラーを表示", - "more": "もっと", "default_communities": "デフォルトコミュニティ", "avatar": "アバター", "pending_edit": "保留中の編集", "failed_edit": "失敗した編集", - "copy_full_address": "<1>コピー完全な住所", "node_stats": "ノードの統計", "version": "バージョン", "edit_reason": "編集理由", @@ -291,30 +240,22 @@ "ban_user_for": "ユーザーを<1>日間禁止する", "crypto_wallets": "暗号通貨ウォレット", "wallet_address": "ウォレットアドレス", - "save_wallets": "<1>ウォレットを保存 アカウントに", "remove": "削除", "add_wallet": "<1>追加 クリプトウォレット", "show_settings": "設定を表示", "hide_settings": "設定を非表示", - "wallet": "ウォレット", "undelete": "削除を取り消す", "downloading_comments": "コメントをダウンロード中", "you_blocked_community": "このコミュニティをブロックしました", "show": "表示", "plebbit_options": "plebbitのオプション", "general": "一般的な", - "own_communities": "自分のコミュニティ", - "invalid_community_address": "無効なコミュニティアドレス", - "newer_posts_available": "新しい投稿が利用可能です: <1>フィードを再読み込み", "more_posts_last_week": "{{count}} 件の投稿先週 {{currentTimeFilterName}}: <1>先週の投稿をもっと表示", "more_posts_last_month": "{{count}} 件の投稿 {{currentTimeFilterName}}: <1>先月の他の投稿を表示", - "sure_delete": "この投稿を削除してもよろしいですか?", - "sure_undelete": "この投稿を復元してもよろしいですか?", "profile_info": "あなたのアカウント u/{{shortAddress}} が作成されました。 <1>表示名を設定, <2>バックアップをエクスポート, <3>詳細はこちら.", "show_all_instead": "{{timeFilterName}} からの投稿を表示しています。<1>その代わりにすべて表示", "subplebbit_offline_info": "サブプレビットがオフラインになっている可能性があり、公開が失敗することがあります。", "posts_last_synced_info": "最後に同期された投稿 {{time}}, サブプレビットがオフラインになっている可能性があり、公開が失敗することがあります。", - "stored_locally": "ローカルに保存されています ({{location}})、デバイス間で同期されていません", "import_account_backup": "<1>インポート アカウントバックアップ", "export_account_backup": "<1>エクスポート アカウントバックアップ", "save_reset_changes": "<1>保存または<2>リセット変更", @@ -334,17 +275,11 @@ "communities_you_moderate": "あなたが管理するコミュニティ", "blur_media": "NSFW/18+としてマークされたメディアをぼかす", "nsfw_content": "NSFWコンテンツ", - "nsfw_communities": "NSFWコミュニティ", - "hide_adult": "\"成人\"としてタグ付けされたコミュニティを非表示にする", - "hide_gore": "\"ゴア\"としてタグ付けされたコミュニティを非表示にする", - "hide_anti": "\"アンチ\"としてタグ付けされたコミュニティを非表示にする", - "filters": "フィルター", "see_nsfw": "NSFWを見るにはクリック", "see_nsfw_spoiler": "NSFWのネタバレを見るにはクリック", "always_show_nsfw": "常にNSFWメディアを表示しますか?", "always_show_nsfw_notice": "はい、NSFWメディアを常に表示するように設定を変更しました。", "content_options": "コンテンツオプション", - "hide_vulgar": "\"ヴァルガー\"としてタグ付けされたコミュニティを非表示にする", "over_18": "18歳以上?", "must_be_over_18": "このコミュニティを見るには18歳以上でなければなりません", "must_be_over_18_explanation": "このコンテンツを見るには少なくとも18歳でなければなりません。あなたは18歳以上で、成人向けコンテンツを見る準備ができていますか?", @@ -355,7 +290,6 @@ "block_user": "ユーザーをブロック", "unblock_user": "ユーザーのブロック解除", "filtering_by_tag": "タグでフィルタリング: \"{{tag}}\"", - "read_only_community_settings": "読み取り専用のコミュニティ設定", "you_are_moderator": "あなたはこのコミュニティのモデレーターです", "you_are_admin": "あなたはこのコミュニティの管理者です", "you_are_owner": "あなたはこのコミュニティのオーナーです", @@ -377,7 +311,6 @@ "search_posts": "投稿を検索", "found_n_results_for": "「{{query}}」に対して{{count}}件の投稿が見つかりました", "clear_search": "検索をクリア", - "loading_iframe": "iframeを読み込んでいます", "no_matches_found_for": "\"{{query}}\" に対する一致は見つかりませんでした", "searching": "検索中", "hide_default_communities_from_topbar": "トップバーからデフォルトのコミュニティを隠す", @@ -410,42 +343,48 @@ "expand_media_previews_based_on_community_media_preferences": "そのコミュニティのメディアの好みに基づいてメディアプレビューを展開する", "show_all_nsfw": "すべてのNSFWを表示", "hide_all_nsfw": "すべてのNSFWを非表示", - "unstoppable_by_design": "...設計上止められない。", - "servers_are_overrated": "...サーバーは過大評価されている。", - "cryptographic_playground": "... 暗号学の遊び場。", - "where_you_own_the_keys": "...あなたが鍵を所有している場所。", - "no_middleman_here": "...ここに仲介者はいません。", - "join_the_decentralution": "...分散革命に参加しよう。", - "because_privacy_matters": "...なぜならプライバシーは重要だからです。", - "freedom_served_fresh_daily": "...自由は毎日新鮮に提供されます。", - "your_community_your_rules": "...あなたのコミュニティ、あなたのルール。", - "centralization_is_boring": "...中央集権は退屈だ。", - "like_torrents_for_thoughts": "...思考のためのトレントのように。", - "cant_stop_the_signal": "...信号を止められない。", - "fully_yours_forever": "...完全にあなたのもの、永遠に。", - "powered_by_caffeine": "...カフェインで動いています。", - "speech_wants_to_be_free": "...スピーチは自由になりたい。", - "crypto_certified_community": "...暗号認証コミュニティ。", - "take_ownership_literally": "...文字通り所有権を持つ。", - "your_ideas_decentralized": "...あなたのアイデアは分散型です。", - "for_digital_sovereignty": "...デジタル主権のために。", - "for_your_movement": "...あなたの動きのために。", - "because_you_love_freedom": "...自由を愛しているからです。", - "decentralized_but_for_real": "...分散化されている、本当に。", - "for_your_peace_of_mind": "...あなたの安心のために。", - "no_corporation_to_answer_to": "...答えるべき企業はありません。", - "your_tokenized_sovereignty": "...あなたのトークン化された主権。", - "for_text_only_wonders": "...テキストのみの不思議に。", - "because_open_source_rulez": "...なぜならオープンソースが最高だから。", - "truly_peer_to_peer": "...本当にピアツーピアです。", - "no_hidden_fees": "...隠れた料金はありません。", - "no_global_rules": "...グローバルルールはありません。", - "for_reddits_downfall": "...Redditの没落のために。", - "evil_corp_cant_stop_us": "...Evil Corp™ は私たちを止められない。", - "no_gods_no_global_admins": "...神はいない、グローバル管理者もいない。", "tags": "タグ", "moderator_of": "のモデレーター", "not_subscriber_nor_moderator": "あなたはどのコミュニティの購読者でもモデレーターでもありません。", "more_posts_last_year": "{{count}} 件の投稿(直近の{{currentTimeFilterName}}): <1>昨年の投稿をもっと見る", - "editor_fallback_warning": "高度なエディタの読み込みに失敗したため、基本的なテキストエディタを代替として使用しています。" + "editor_fallback_warning": "高度なエディタの読み込みに失敗したため、基本的なテキストエディタを代替として使用しています。", + "hot": "hot", + "new": "new", + "active": "active", + "top": "top", + "best": "best", + "old": "old", + "unstoppable_by_design": "...unstoppable by design.", + "servers_are_overrated": "...servers are overrated.", + "cryptographic_playground": "... cryptographic playground.", + "where_you_own_the_keys": "...where you own the keys.", + "no_middleman_here": "...no middleman here.", + "join_the_decentralution": "...join the decentralution.", + "because_privacy_matters": "...because privacy matters.", + "freedom_served_fresh_daily": "...freedom served fresh daily.", + "your_community_your_rules": "...your community, your rules.", + "centralization_is_boring": "...centralization is boring.", + "like_torrents_for_thoughts": "...like torrents, for thoughts.", + "cant_stop_the_signal": "...can't stop the signal.", + "fully_yours_forever": "...fully yours, forever.", + "powered_by_caffeine": "...powered by caffeine.", + "speech_wants_to_be_free": "...speech wants to be free.", + "crypto_certified_community": "...crypto-certified community.", + "take_ownership_literally": "...take ownership literally.", + "your_ideas_decentralized": "...your ideas, decentralized.", + "for_digital_sovereignty": "...for digital sovereignty.", + "for_your_movement": "...for your movement.", + "because_you_love_freedom": "...because you love freedom.", + "decentralized_but_for_real": "...decentralized, but for real.", + "for_your_peace_of_mind": "...for your peace of mind.", + "no_corporation_to_answer_to": "...no corporation to answer to.", + "your_tokenized_sovereignty": "...your tokenized sovereignty.", + "for_text_only_wonders": "...for text-only wonders.", + "because_open_source_rulez": "...because open source rulez.", + "truly_peer_to_peer": "...truly peer to peer.", + "no_hidden_fees": "...no hidden fees.", + "no_global_rules": "...no global rules.", + "for_reddits_downfall": "...for Reddit's downfall.", + "evil_corp_cant_stop_us": "...Evil Corp™ can't stop us.", + "no_gods_no_global_admins": "...no gods, no global admins." } diff --git a/public/translations/ko/default.json b/public/translations/ko/default.json index 66209a14c..4656fa8f1 100644 --- a/public/translations/ko/default.json +++ b/public/translations/ko/default.json @@ -1,13 +1,7 @@ { - "hot": "인기", - "new": "새로운", - "active": "활성", - "controversial": "논란", - "top": "최고", "about": "대하여", "comments": "댓글", "preferences": "설정", - "account_bar_language": "영어", "submit": "제출", "dark": "어두운", "light": "밝은", @@ -22,7 +16,6 @@ "post_comments": "댓글들", "share": "공유", "save": "저장", - "unsave": "저장 취소", "hide": "숨기기", "report": "신고", "crosspost": "크로스포스트", @@ -37,11 +30,7 @@ "time_1_year_ago": "1년 전", "time_x_years_ago": "{{count}}년 전", "spoiler": "스포일러", - "unspoiler": "스포일러 해제", - "reply_permalink": "고정 링크", - "embed": "임베드", "reply_reply": "답장", - "best": "최고의", "reply_sorted_by": "정렬 기준", "all_comments": "모든 {{count}} 댓글", "no_comments": "댓글 없음 (아직)", @@ -66,11 +55,10 @@ "next": "다음", "loading": "로딩 중", "pending": "승인 대기 중", - "or": "또는", "submit_subscriptions_notice": "추천 커뮤니티", "submit_subscriptions": "구독한 커뮤니티", "rules_for": "규칙", - "no_communities_found": "<1>https://github.com/plebbit/lists에 커뮤니티를 찾을 수 없습니다", + "no_communities_found": "<1>https://github.com/bitsocialhq/lists에 커뮤니티를 찾을 수 없습니다", "connect_community_notice": "커뮤니티에 연결하려면 오른쪽 상단의 🔎를 사용하세요", "options": "옵션", "hide_options": "옵션 숨기기", @@ -85,7 +73,6 @@ "time_x_months": "{{count}}개월", "time_1_year": "1년", "time_x_years": "{{count}}년", - "search": "검색", "submit_post": "새로운 게시물 제출", "create_your_community": "나만의 커뮤니티 만들기", "moderators": "모더레이터", @@ -95,7 +82,6 @@ "created_by": "만든 사람: {{creatorAddress}}", "community_for": "{{date}}에 대한 커뮤니티", "post_submitted_on": "이 게시물은 {{postDate}}에 게시되었습니다", - "readers_count": "{{count}} 독자", "users_online": "지금 여기 {{count}} 명의 사용자", "point": "포인트", "points": "포인트", @@ -107,26 +93,15 @@ "moderation": "중재", "interface_language": "인터페이스 언어", "theme": "테마", - "profile": "프로필", "account": "계정", "display_name": "표시 이름", "crypto_address": "암호 화폐 주소", - "reset": "재설정", - "changes": "변경사항", "check": "확인", "crypto_address_verification": "암호 화폐 주소가 p2p로 해결되었을 때", - "is_current_account": "현재 계정입니까", - "account_data_preview": "계정 데이터 미리보기", "create": "만들기", - "a_new_account": "새 계정", - "import": "가져오기", - "export": "내보내기", "delete": "삭제", - "full_account_data": "전체 계정 데이터", - "this_account": "이 계정", "locked": "잠금", "reason": "이유", - "no_posts_found": "게시물을 찾을 수 없음", "sorted_by": "정렬 기준", "downvoted": "다운보트", "hidden": "숨겨진", @@ -138,21 +113,14 @@ "full_comments": "모든 댓글", "context": "맥락", "block": "차단", - "hide_post": "게시물 숨기기", "post": "게시물", "unhide": "보이기", "unblock": "차단 해제", "undo": "실행 취소", "post_hidden": "숨겨진 게시물", - "old": "오래된", - "copy_link": "링크 복사", "link_copied": "링크 복사됨", - "view_on": "{{destination}}에서 보기", "block_community": "커뮤니티 차단", "unblock_community": "커뮤니티 차단 해제", - "block_community_alert": "이 커뮤니티를 차단하시겠습니까?", - "unblock_community_alert": "이 커뮤니티의 차단을 해제하시겠습니까?", - "search_community_address": "커뮤니티 주소 검색", "search_feed_post": "이 피드에서 게시물 검색", "from": "보낸 사람", "via": "을 통해", @@ -169,15 +137,12 @@ "no_posts": "게시물이 없습니다", "media_url": "미디어 URL", "post_locked_info": "이 게시물은 {{state}} 상태입니다. 댓글을 달 수 없습니다.", - "no_subscriptions_notice": "아직 어떤 커뮤니티에도 가입하지 않았습니다.", "members_count": "{{count}} 회원", "communities": "커뮤니티", "edit": "편집", "moderator": "모더레이터", "description": "설명", "rules": "규칙", - "challenge": "도전", - "settings": "설정", "save_options": "옵션 저장", "logo": "로고", "address": "주소", @@ -188,26 +153,15 @@ "moderation_tools": "모더레이션 도구", "submit_to": "<1>{{link}}(으)로 제출하기", "edit_subscriptions": "구독 편집", - "last_account_notice": "마지막 계정을 삭제할 수 없습니다. 먼저 새로운 계정을 만드십시오.", "delete_confirm": "{{value}}를 삭제하시겠습니까?", "saving": "저장 중", "deleted": "삭제됨", - "mark_spoiler": "스포일러로 표시", - "remove_spoiler": "스포일러 제거", - "delete_post": "게시물 삭제", - "undo_delete": "삭제 복원", - "edit_content": "콘텐츠 편집", "online": "온라인", "offline": "오프라인", - "download_app": "앱 다운로드", - "approved_user": "승인된 사용자", "subscriber": "구독자", - "approved": "승인됨", - "proposed": "제안됨", "join_communities_notice": "홈 피드에 표시되는 커뮤니티를 선택하려면 <1>{{join}} 또는 <2>{{leave}} 버튼을 클릭하세요.", "below_subscribed": "아래는 가입한 커뮤니티입니다.", "not_subscribed": "아직 어떤 커뮤니티에도 가입하지 않았습니다.", - "below_approved_user": "아래에서 승인된 사용자인 커뮤니티를 확인할 수 있습니다.", "below_moderator_access": "아래에서는 관리자로 액세스 할 수있는 커뮤니티가 나열되어 있습니다.", "not_moderator": "어떤 커뮤니티에서도 모더레이터가 아닙니다.", "create_community": "커뮤니티 만들기", @@ -228,7 +182,6 @@ "address_setting_info": "암호 도메인을 사용하여 읽기 가능한 커뮤니티 주소 설정", "enter_crypto_address": "유효한 암호 주소를 입력하세요.", "check_for_updates": "<1>업데이트 확인", - "general_settings": "일반 설정", "refresh_to_update": "업데이트를 위해 페이지를 새로 고칩니다", "latest_development_version": "최신 개발 버전, 커밋 {{commit}}을 사용 중입니다. 안정 버전을 사용하려면 {{link}}로 이동하세요.", "latest_stable_version": "최신 안정 버전, seedit v{{version}}을 사용 중입니다.", @@ -236,7 +189,6 @@ "new_stable_version": "새로운 안정 버전이 사용 가능합니다, seedit v{{newVersion}}. seedit v{{oldVersion}}을(를) 사용 중입니다.", "download_latest_desktop": "최신 데스크톱 버전을 여기에서 다운로드하세요: {{link}}", "contribute_on_github": "GitHub에서 기여하기", - "create_community_not_available": "아직 웹에서 사용할 수 없습니다. 데스크톱 앱을 사용하여 커뮤니티를 만들 수 있으며, 여기서 다운로드하십시오: {{desktopLink}}. 명령 줄을 사용하는 데 익숙하다면 여기를 확인하십시오: {{cliLink}}", "no_media_found": "미디어를 찾을 수 없습니다", "no_image_found": "이미지를 찾을 수 없습니다", "warning_spam": "경고: 도전 선택 안 함. 커뮤니티는 스팸 공격에 취약합니다.", @@ -254,7 +206,6 @@ "owner": "소유자", "admin": "관리자", "settings_saved": "p/{{subplebbitAddress}}의 설정이 저장되었습니다", - "mod_edit": "모드 편집", "continue_thread": "이 스레드 계속하기", "mod_edit_reason": "모드 편집 이유", "double_confirm": "정말로 확실합니까? 이 작업은 되돌릴 수 없습니다.", @@ -266,12 +217,10 @@ "not_found_description": "요청하신 페이지가 존재하지 않습니다", "last_edited": "마지막으로 편집한 날짜: {{timestamp}}", "view_spoiler": "스포일러 보기", - "more": "더 보기", "default_communities": "기본 커뮤니티", "avatar": "아바타", "pending_edit": "대기 중인 편집", "failed_edit": "실패한 편집", - "copy_full_address": "<1>복사 전체 주소", "node_stats": "노드 통계", "version": "버전", "edit_reason": "편집 이유", @@ -291,30 +240,22 @@ "ban_user_for": "사용자를 <1>일 동안 차단하기", "crypto_wallets": "암호 화폐 지갑", "wallet_address": "지갑 주소", - "save_wallets": "<1>저장 계정에 지갑", "remove": "삭제", "add_wallet": "<1>추가 암호 화폐 지갑", "show_settings": "설정 표시", "hide_settings": "설정 숨기기", - "wallet": "지갑", "undelete": "삭제 취소", "downloading_comments": "댓글을 다운로드하는 중", "you_blocked_community": "이 커뮤니티를 차단했습니다", "show": "보여주다", "plebbit_options": "plebbit 옵션", "general": "일반", - "own_communities": "나의 커뮤니티", - "invalid_community_address": "잘못된 커뮤니티 주소", - "newer_posts_available": "새로운 게시물이 있습니다: <1>피드를 새로고침", "more_posts_last_week": "{{count}} 게시물 지난 {{currentTimeFilterName}}: <1>지난 주의 게시물을 더 보기", "more_posts_last_month": "{{count}}개의 게시물 {{currentTimeFilterName}}: <1>지난 달의 더 많은 게시물 보기", - "sure_delete": "이 게시물을 삭제하시겠습니까?", - "sure_undelete": "이 게시물을 복원하시겠습니까?", "profile_info": "당신의 계정 u/{{shortAddress}}가 생성되었습니다. <1>표시 이름 설정, <2>백업 내보내기, <3>자세히 알아보기.", "show_all_instead": "{{timeFilterName}} 이후의 게시물이 표시됩니다. <1>대신 모두 표시", "subplebbit_offline_info": "서브플레빗이 오프라인 일 수 있으며 게시가 실패할 수 있습니다.", "posts_last_synced_info": "최근 동기화된 게시물 {{time}}, 서브플레빗이 오프라인 일 수 있으며 게시가 실패할 수 있습니다.", - "stored_locally": "로컬에 저장됨 ({{location}}), 장치 간에 동기화되지 않음", "import_account_backup": "<1>가져오기 계정 백업", "export_account_backup": "<1>내보내기 계정 백업", "save_reset_changes": "<1>저장하거나 <2>재설정 변경 사항", @@ -334,17 +275,11 @@ "communities_you_moderate": "당신이 관리하는 커뮤니티", "blur_media": "NSFW/18+로 표시된 미디어 흐리게 처리", "nsfw_content": "NSFW 콘텐츠", - "nsfw_communities": "NSFW 커뮤니티", - "hide_adult": "\"성인\"으로 태그된 커뮤니티 숨기기", - "hide_gore": "\"고어\"로 태그된 커뮤니티 숨기기", - "hide_anti": "\"반대\"로 태그된 커뮤니티 숨기기", - "filters": "필터", "see_nsfw": "NSFW를 보려면 클릭", "see_nsfw_spoiler": "NSFW 스포일러를 보려면 클릭", "always_show_nsfw": "항상 NSFW 미디어를 표시하시겠습니까?", "always_show_nsfw_notice": "알겠습니다, 항상 NSFW 미디어를 표시하도록 기본 설정을 변경했습니다.", "content_options": "콘텐츠 옵션", - "hide_vulgar": "\"벌거벗은\"으로 태그된 커뮤니티 숨기기", "over_18": "18세 이상?", "must_be_over_18": "이 커뮤니티를 보려면 18세 이상이어야 합니다", "must_be_over_18_explanation": "이 콘텐츠를 보려면 최소한 18세 이상이어야 합니다. 당신은 18세 이상이며 성인 콘텐츠를 볼 준비가 되셨나요?", @@ -355,7 +290,6 @@ "block_user": "사용자 차단", "unblock_user": "사용자 차단 해제", "filtering_by_tag": "태그로 필터링: \"{{tag}}\"", - "read_only_community_settings": "읽기 전용 커뮤니티 설정", "you_are_moderator": "당신은 이 커뮤니티의 관리자입니다", "you_are_admin": "당신은 이 커뮤니티의 관리자입니다", "you_are_owner": "당신은 이 커뮤니티의 소유자입니다", @@ -377,7 +311,6 @@ "search_posts": "게시물 검색", "found_n_results_for": "\"{{query}}\"에 대해 {{count}}개의 게시물이 검색되었습니다", "clear_search": "검색 지우기", - "loading_iframe": "iframe 로딩 중", "no_matches_found_for": "\"{{query}}\"에 대한 일치 항목을 찾을 수 없습니다", "searching": "검색 중", "hide_default_communities_from_topbar": "상단바에서 기본 커뮤니티 숨기기", @@ -410,42 +343,48 @@ "expand_media_previews_based_on_community_media_preferences": "해당 커뮤니티의 미디어 선호도에 따라 미디어 미리보기를 확장합니다", "show_all_nsfw": "모든 NSFW 보기", "hide_all_nsfw": "모든 NSFW 숨기기", - "unstoppable_by_design": "...설계상 멈출 수 없다.", - "servers_are_overrated": "...서버는 과대평가되어 있다.", - "cryptographic_playground": "... 암호학 놀이터.", - "where_you_own_the_keys": "...당신이 키를 소유하고 있는 곳.", - "no_middleman_here": "...중개인 없음.", - "join_the_decentralution": "...탈중앙 혁명에 참여하세요.", - "because_privacy_matters": "...개인 정보 보호가 중요하기 때문입니다.", - "freedom_served_fresh_daily": "...자유는 매일 신선하게 제공됩니다.", - "your_community_your_rules": "...당신의 커뮤니티, 당신의 규칙.", - "centralization_is_boring": "...중앙집중화는 지루하다.", - "like_torrents_for_thoughts": "...생각을 위한 토렌트처럼.", - "cant_stop_the_signal": "...신호를 멈출 수 없다.", - "fully_yours_forever": "...영원히 당신의 것입니다.", - "powered_by_caffeine": "...카페인으로 작동합니다.", - "speech_wants_to_be_free": "...말은 자유로워지고 싶어 한다.", - "crypto_certified_community": "...암호 인증 커뮤니티.", - "take_ownership_literally": "...말 그대로 소유권을 가지세요.", - "your_ideas_decentralized": "...당신의 아이디어, 분산화됨.", - "for_digital_sovereignty": "...디지털 주권을 위해.", - "for_your_movement": "...당신의 움직임을 위해.", - "because_you_love_freedom": "...당신이 자유를 사랑하기 때문입니다.", - "decentralized_but_for_real": "...분산화되었지만 진짜로.", - "for_your_peace_of_mind": "...안심을 위해.", - "no_corporation_to_answer_to": "...답해야 할 기업이 없습니다.", - "your_tokenized_sovereignty": "...당신의 토큰화된 주권입니다.", - "for_text_only_wonders": "...텍스트 전용 경이로움을 위해.", - "because_open_source_rulez": "...오픈 소스가 최고니까요.", - "truly_peer_to_peer": "...진정한 피어 투 피어.", - "no_hidden_fees": "...숨겨진 수수료 없음.", - "no_global_rules": "...전역 규칙이 없습니다.", - "for_reddits_downfall": "...레딧의 몰락을 위해.", - "evil_corp_cant_stop_us": "...Evil Corp™는 우리를 막을 수 없습니다.", - "no_gods_no_global_admins": "...신도 없고, 글로벌 관리자도 없습니다.", "tags": "태그", "moderator_of": "의 관리자", "not_subscriber_nor_moderator": "당신은 어떤 커뮤니티의 구독자도 아니고 중재자도 아닙니다.", "more_posts_last_year": "{{count}} 개 게시물 지난 {{currentTimeFilterName}}: <1>작년 게시물 더 보기", - "editor_fallback_warning": "고급 편집기 로드에 실패하여 기본 텍스트 편집기를 대체로 사용합니다." + "editor_fallback_warning": "고급 편집기 로드에 실패하여 기본 텍스트 편집기를 대체로 사용합니다.", + "hot": "hot", + "new": "new", + "active": "active", + "top": "top", + "best": "best", + "old": "old", + "unstoppable_by_design": "...unstoppable by design.", + "servers_are_overrated": "...servers are overrated.", + "cryptographic_playground": "... cryptographic playground.", + "where_you_own_the_keys": "...where you own the keys.", + "no_middleman_here": "...no middleman here.", + "join_the_decentralution": "...join the decentralution.", + "because_privacy_matters": "...because privacy matters.", + "freedom_served_fresh_daily": "...freedom served fresh daily.", + "your_community_your_rules": "...your community, your rules.", + "centralization_is_boring": "...centralization is boring.", + "like_torrents_for_thoughts": "...like torrents, for thoughts.", + "cant_stop_the_signal": "...can't stop the signal.", + "fully_yours_forever": "...fully yours, forever.", + "powered_by_caffeine": "...powered by caffeine.", + "speech_wants_to_be_free": "...speech wants to be free.", + "crypto_certified_community": "...crypto-certified community.", + "take_ownership_literally": "...take ownership literally.", + "your_ideas_decentralized": "...your ideas, decentralized.", + "for_digital_sovereignty": "...for digital sovereignty.", + "for_your_movement": "...for your movement.", + "because_you_love_freedom": "...because you love freedom.", + "decentralized_but_for_real": "...decentralized, but for real.", + "for_your_peace_of_mind": "...for your peace of mind.", + "no_corporation_to_answer_to": "...no corporation to answer to.", + "your_tokenized_sovereignty": "...your tokenized sovereignty.", + "for_text_only_wonders": "...for text-only wonders.", + "because_open_source_rulez": "...because open source rulez.", + "truly_peer_to_peer": "...truly peer to peer.", + "no_hidden_fees": "...no hidden fees.", + "no_global_rules": "...no global rules.", + "for_reddits_downfall": "...for Reddit's downfall.", + "evil_corp_cant_stop_us": "...Evil Corp™ can't stop us.", + "no_gods_no_global_admins": "...no gods, no global admins." } diff --git a/public/translations/mr/default.json b/public/translations/mr/default.json index a0da523aa..2316e997c 100644 --- a/public/translations/mr/default.json +++ b/public/translations/mr/default.json @@ -1,13 +1,7 @@ { - "hot": "लोकप्रिय", - "new": "नवीन", - "active": "सक्रिय", - "controversial": "विवादास्पद", - "top": "शीर्ष", "about": "बद्दल", "comments": "टिप्पण्या", "preferences": "प्राथमिकता", - "account_bar_language": "इंग्रजी", "submit": "सबमिट करा", "dark": "गडद", "light": "पांढरा", @@ -22,7 +16,6 @@ "post_comments": "टिप्पण्या", "share": "सामायिक करा", "save": "जतन करा", - "unsave": "जतन काढा", "hide": "लपवा", "report": "अहवाल", "crosspost": "क्रॉसपोस्ट", @@ -37,11 +30,7 @@ "time_1_year_ago": "१ वर्षांपूर्वी", "time_x_years_ago": "{{count}} वर्षांपूर्वी", "spoiler": "स्पॉयलर", - "unspoiler": "अनस्पॉयलर", - "reply_permalink": "कायम संकेतस्थळ", - "embed": "embed", "reply_reply": "उत्तर", - "best": "सर्वोत्कृष्ट", "reply_sorted_by": "याप्रमाणे क्रमवारीत", "all_comments": "सर्व {{count}} टिप्पण्या", "no_comments": "कोणत्याही टिप्पण्या नाहीत (अजून)", @@ -66,11 +55,10 @@ "next": "पुढील", "loading": "लोड करीत आहे", "pending": "प्रलंबित", - "or": "किंवा", "submit_subscriptions_notice": "सुचविलेले संघटने", "submit_subscriptions": "आपण सदस्यता घेतलेली समुदाय", "rules_for": "साठीचे नियम", - "no_communities_found": "<1>https://github.com/plebbit/lists वर कोणत्याही समुदायाचा शोध लागलेला नाही", + "no_communities_found": "<1>https://github.com/bitsocialhq/lists वर कोणत्याही समुदायाचा शोध लागलेला नाही", "connect_community_notice": "समुदायाशी जोडण्यासाठी, उजव्या वरील कोपर्यात 🔎 वापरा", "options": "पर्याय", "hide_options": "पर्याय लपवा", @@ -85,7 +73,6 @@ "time_x_months": "{{count}} महिने", "time_1_year": "1 वर्ष", "time_x_years": "{{count}} वर्षे", - "search": "शोध", "submit_post": "नवीन पोस्ट सबमिट करा", "create_your_community": "तुमचं स्वत: संघ तयार करा", "moderators": "मॉडरेटर्स", @@ -95,7 +82,6 @@ "created_by": "द्वारे तयार केले {{creatorAddress}}", "community_for": "{{date}}साठी एक समुदाय", "post_submitted_on": "हा पोस्ट {{postDate}} रोजी सबमिट केला गेला होता", - "readers_count": "{{count}} वाचक", "users_online": "{{count}} युजर्स इथे आत्ता", "point": "बिंदू", "points": "बिंदू", @@ -107,26 +93,15 @@ "moderation": "शांतता", "interface_language": "इंटरफेस भाषा", "theme": "थीम", - "profile": "प्रोफाइल", "account": "खाता", "display_name": "प्रदर्शन नाव", "crypto_address": "क्रिप्टो पत्ता", - "reset": "रीसेट करा", - "changes": "बदल", "check": "तपासा", "crypto_address_verification": "क्रिप्टो पत्ता p2p द्वारे सोडला आहे कि नाही", - "is_current_account": "हे वर्तमान खाता आहे का", - "account_data_preview": "खाते डेटा पूर्वावलोकन", "create": "तयार करा", - "a_new_account": "नवीन खाता", - "import": "आयात करा", - "export": "निर्यात करा", "delete": "काढा", - "full_account_data": "पूर्ण खाते डेटा", - "this_account": "हे खाते", "locked": "लॉक केला", "reason": "कारण", - "no_posts_found": "कोणत्याही पोस्ट सापडल्या नाहीत", "sorted_by": "वर्गीकृत केलं", "downvoted": "खाली दिलेला मत", "hidden": "लपवला", @@ -138,21 +113,14 @@ "full_comments": "संपूर्ण टिप्पण्या", "context": "संदर्भ", "block": "ब्लॉक", - "hide_post": "पोस्ट लपवा", "post": "पोस्ट", "unhide": "दाखवा", "unblock": "ब्लॉक काढा", "undo": "रद्द करा", "post_hidden": "पोस्ट लपविली", - "old": "जुने", - "copy_link": "लिंक कॉपी करा", "link_copied": "लिंक कॉपी केला गेला", - "view_on": "{{destination}} वर पहा", "block_community": "समुदाय अवरोधित करा", "unblock_community": "समुदाय अवरोधन काढा", - "block_community_alert": "क्या आपल्याला आपल्या ही समुदाय ब्लॉक करायचं आहे का?", - "unblock_community_alert": "क्या आपल्याला खात्री आहे की आपल्याला हे समुदाय अनब्लॉक करायचं आहे का?", - "search_community_address": "समुदायाचा पत्ता शोधा", "search_feed_post": "ह्या फीडमध्ये एक पोस्ट शोधा", "from": "पासून", "via": "मार्फत", @@ -169,15 +137,12 @@ "no_posts": "कोणतेही पोस्ट नाहीत", "media_url": "मिडिया URL", "post_locked_info": "हा पोस्ट {{state}} आहे. आपण टिप्पणी करू शकणार नाही.", - "no_subscriptions_notice": "तुम्ही अद्याप कोणत्याही संघात सामील झालं नाही.", "members_count": "{{count}} सदस्य", "communities": "संघा", "edit": "संपादन", "moderator": "संचालक", "description": "वर्णन", "rules": "नियम", - "challenge": "सवाल", - "settings": "सेटिंग्ज", "save_options": "विकल्प साठवा", "logo": "लोगो", "address": "पत्ता", @@ -188,26 +153,15 @@ "moderation_tools": "निरीक्षण साधने", "submit_to": "<1>{{link}} कडे पाठवा", "edit_subscriptions": "सदस्यता संपादने", - "last_account_notice": "तुम्ही आपला आखाडा खाता काढू शकता नाही, कृपया पहिल्यांनी एक नवीन खाती तयार करा.", "delete_confirm": "तुम्हाला खात्री आहे का की तुम्ही {{value}} काढून टाकणार आहात?", "saving": "सेवा करत आहे", "deleted": "काढले आहे", - "mark_spoiler": "स्पॉईलर म्हणून चिन्हांकित करा", - "remove_spoiler": "स्पॉईलर काढा", - "delete_post": "पोस्ट काढा", - "undo_delete": "काढण्याची प्रक्रिया रद्द करा", - "edit_content": "सामग्री संपादित करा", "online": "ऑनलाइन", "offline": "ऑफलाइन", - "download_app": "अ‍ॅप डाउनलोड करा", - "approved_user": "मान्यता प्राप्त वापरकर्ता", "subscriber": "सदस्य", - "approved": "मान्यता प्राप्त", - "proposed": "सुचलेले", "join_communities_notice": "होम फीडवर कोणत्या संस्था दाखवायला आवश्यक आहे, ते निवडण्यासाठी <1>{{join}} किंवा <2>{{leave}} बटणे दाबा.", "below_subscribed": "खाली तुम्ही सदस्य झालेल्या समुदाये आहेत.", "not_subscribed": "तुम्ही अद्याप कोणत्याही समुदायाला सदस्य नाहीत.", - "below_approved_user": "खाली तुम्ही मान्यता प्राप्त वापरकर्ता आहात ते समुदाय दिले आहे.", "below_moderator_access": "खाली तुम्ही मॉडरेटर ऍक्सेस असलेल्या कम्युनिटीस दिलेली आहे.", "not_moderator": "तुम्ही कोणत्याही संघटनेत मॉडरेटर नाही.", "create_community": "समुदाय तयार करा", @@ -228,7 +182,6 @@ "address_setting_info": "क्रिप्टो डोमेन वापरून वाचण्यायोग्य समुदाय पत्ता सेट करा", "enter_crypto_address": "कृपया मान्य क्रिप्टो पत्ता प्रविष्ट करा.", "check_for_updates": "<1>चेक अपडेट्ससाठी", - "general_settings": "सामान्य सेटिंग्ज", "refresh_to_update": "अपडेट करण्यासाठी पृष्ठ पुन्हा लोड करा", "latest_development_version": "तुम्ही आधुनिक विकास संस्करणावर आहात, कमिट {{commit}}. स्थिर संस्करण वापरण्यासाठी, {{link}} जा.", "latest_stable_version": "तुम्ही आधुनिक स्थिर संस्करणावर आहात, seedit v{{version}}.", @@ -236,7 +189,6 @@ "new_stable_version": "नवीन स्थिर संस्करण उपलब्ध आहे, seedit v{{newVersion}}. आपण seedit v{{oldVersion}} वापरत आहात.", "download_latest_desktop": "येथे नवीन डेस्कटॉप संस्करण डाउनलोड करा: {{link}}", "contribute_on_github": "GitHub वर सहय्यक करा", - "create_community_not_available": "अद्याप वेबवर उपलब्ध नाही. आपण डेस्कटॉप अ‍ॅपवापूस मूलभूतपणे एक समुदाय तयार करू शकता, इथून डाउनलोड करा: {{desktopLink}}. आपल्याला कमांड लाइनसह सहय्यक आहे तर येथे तपासा: {{cliLink}}", "no_media_found": "कोणत्याही मीडिया सापडलेली नाही", "no_image_found": "कोणत्याही चित्रपट आढळला नाही", "warning_spam": "सावध: कोणत्याही चॅलेंज निवडलेला नाही, समुदाय अस्पष्टतेत आहे.", @@ -254,7 +206,6 @@ "owner": "मालक", "admin": "व्यवस्थापक", "settings_saved": "p/{{subplebbitAddress}} साठी सेटिंग्ज सेव्ह केल्या", - "mod_edit": "मॉड संपादन", "continue_thread": "हा थ्रेड सुरू ठेवा", "mod_edit_reason": "मॉड संपादन कारण", "double_confirm": "खात्री आहात का? हा क्रियेचा परत न लागणारा आहे.", @@ -266,12 +217,10 @@ "not_found_description": "आपण विनंती केलेला पृष्ठ अस्तित्वात नाही", "last_edited": "शेवटचा संपादन {{timestamp}}", "view_spoiler": "स्पॉईलर पहा", - "more": "अधिक", "default_communities": "डिफॉल्ट समुदाय", "avatar": "अवतार", "pending_edit": "प्रलंबित संपादन", "failed_edit": "अयशस्वी संपादन", - "copy_full_address": "<1>कॉपी पूर्ण पत्ता", "node_stats": "नोड स्टॅट्स", "version": "आवृत्ती", "edit_reason": "संपादनाचे कारण", @@ -291,30 +240,22 @@ "ban_user_for": "वापरकर्ता ब्लॉक करा <1> दिवस", "crypto_wallets": "क्रिप्टो बटव्या", "wallet_address": "बटव्या पत्ता", - "save_wallets": "<1>खात्यात वॉलेट(s) साठवा", "remove": "काढा", "add_wallet": "<1>जोडा एक क्रिप्टो बटवा", "show_settings": "सेटिंग्ज दाखवा", "hide_settings": "सेटिंग्ज लपवा", - "wallet": "बटवा", "undelete": "डिलीट करा", "downloading_comments": "टिप्पणी डाऊनलोड करत आहे", "you_blocked_community": "तुम्ही ह्या समुदायाला ब्लॉक केलं आहे", "show": "दाखवा", "plebbit_options": "प्लेबिट पर्याय", "general": "सामान्य", - "own_communities": "स्वत: समुदाये", - "invalid_community_address": "अवैध समुदाय पत्ता", - "newer_posts_available": "नवीन पोस्ट उपलब्ध आहेत: <1>फीड रीलोड करा", "more_posts_last_week": "{{count}} पोस्ट मागील {{currentTimeFilterName}}: <1>गेल्या आठवड्यातील अधिक पोस्ट दर्शवा", "more_posts_last_month": "{{count}} पोस्ट {{currentTimeFilterName}} मध्ये: <1>गत महिन्याचे अधिक पोस्ट दर्शवा", - "sure_delete": "तुम्हाला खात्री आहे का की तुम्ही हा पोस्ट हटवू इच्छिता?", - "sure_undelete": "तुम्हाला खात्री आहे का की तुम्ही हा पोस्ट पुनर्स्थापित करू इच्छिता?", "profile_info": "तुमचा खाता u/{{shortAddress}} तयार केला गेला. <1>प्रदर्शन नाव सेट करा, <2>बॅकअप निर्यात करा, <3>अधिक जाणून घ्या.", "show_all_instead": "{{timeFilterName}} पासून पोस्ट दर्शवित आहेत, <1>त्याऐवजी सर्व दाखवा", "subplebbit_offline_info": "सबप्लेबिट मोबाइल असून प्रकाशन अयशस्वी होऊ शकतो.", "posts_last_synced_info": "शेवटच्या बारीस सिन्क केलेले पोस्ट {{time}}, सबप्लेबिट मोबाइल असून प्रकाशन अयशस्वी होऊ शकतो.", - "stored_locally": "स्थानिकपणे संग्रहित ({{location}}), उपकरणांमध्ये समन्वयित केलेले नाही", "import_account_backup": "<1>आयात खातीचा बॅकअप", "export_account_backup": "<1>निर्यात खातीचा बॅकअप", "save_reset_changes": "<1>जतन करा किंवा <2>रीसेट करा बदल", @@ -334,17 +275,11 @@ "communities_you_moderate": "तुम्ही ज्या समुदायाचे व्यवस्थापन करता", "blur_media": "NSFW/18+ म्हणून चिन्हांकित केलेली मीडिया धूसर करा", "nsfw_content": "NSFW सामग्री", - "nsfw_communities": "NSFW समुदाय", - "hide_adult": "\"प्रौढ़\" म्हणून टॅग केलेल्या समुदायांना लपवा", - "hide_gore": "\"गोर\" म्हणून टॅग केलेल्या समुदायांना लपवा", - "hide_anti": "\"अँटी\" म्हणून टॅग केलेल्या समुदायांना लपवा", - "filters": "फिल्टर", "see_nsfw": "NSFW पाहण्यासाठी क्लिक करा", "see_nsfw_spoiler": "NSFW स्पॉयलर पाहण्यासाठी क्लिक करा", "always_show_nsfw": "तुम्ही नेहमी NSFW मीडिया दाखवू इच्छिता का?", "always_show_nsfw_notice": "ठीक आहे, आम्ही तुमची प्राधान्ये नेहमी NSFW मीडिया दर्शवण्यासाठी बदलली आहेत.", "content_options": "सामग्री पर्याय", - "hide_vulgar": "\"वुल्गर\" म्हणून टॅग केलेल्या समुदायांना लपवा", "over_18": "१८ वर्षांपेक्षा जास्त?", "must_be_over_18": "या समुदायाला पाहण्यासाठी तुम्ही १८+ असणे आवश्यक आहे", "must_be_over_18_explanation": "या सामग्रीला पाहण्यासाठी तुम्हाला किमान अठरा वर्षे वयाचे असावे लागेल. तुम्ही अठरा वर्षे वयाच्या वरील आहात का आणि प्रौढ सामग्री पाहण्यास तयार आहात?", @@ -355,7 +290,6 @@ "block_user": "वापरकर्त्याला ब्लॉक करा", "unblock_user": "वापरकर्त्याचा ब्लॉक अनब्लॉक करा", "filtering_by_tag": "टॅगद्वारे फिल्टर करणे: \"{{tag}}\"", - "read_only_community_settings": "केवळ-पठन समुदाय सेटिंग्ज", "you_are_moderator": "तुम्ही या समुदायाचे मॉडरेटर आहात", "you_are_admin": "तुम्ही या समुदायाचे प्रशासक आहात", "you_are_owner": "तुम्ही या समुदायाचे मालक आहात", @@ -377,7 +311,6 @@ "search_posts": "पोस्ट शोधा", "found_n_results_for": "\"{{query}}\" साठी {{count}} पोस्ट्स सापडल्या", "clear_search": "शोध साफ करा", - "loading_iframe": "लोड होत आहे iframe", "no_matches_found_for": "\"{{query}}\" साठी कोणताही जुळवून मिळाला नाही", "searching": "शोध करत आहे", "hide_default_communities_from_topbar": "टॉपबारमधून डिफॉल्ट समुदाय लपवा", @@ -410,42 +343,48 @@ "expand_media_previews_based_on_community_media_preferences": "त्या समुदायाच्या मीडिया प्राधान्यांनुसार मीडिया प्रीव्ह्यू विस्तारा", "show_all_nsfw": "सर्व NSFW दाखवा", "hide_all_nsfw": "सर्व NSFW लपवा", - "unstoppable_by_design": "...डिझाइननुसार अडथळा येत नाही.", - "servers_are_overrated": "...सर्व्हर अधिक मूल्यमापन झाले आहेत.", - "cryptographic_playground": "... क्रिप्टोग्राफिक प्लेग्राउंड.", - "where_you_own_the_keys": "...जिथे तुम्ही कीजचे मालक आहात.", - "no_middleman_here": "...इथे मध्यस्थ नाही.", - "join_the_decentralution": "...डिसेंट्राल्यूशनमध्ये सहभागी व्हा.", - "because_privacy_matters": "...कारण गोपनीयता महत्त्वाची आहे.", - "freedom_served_fresh_daily": "...स्वातंत्र्य ताजेपणाने दररोज दिले जाते.", - "your_community_your_rules": "...तुमचा समुदाय, तुमचे नियम.", - "centralization_is_boring": "...केंद्रीकरण कंटाळवाणे आहे.", - "like_torrents_for_thoughts": "...विचारांसाठी टॉरेंट्ससारखे.", - "cant_stop_the_signal": "...सिग्नल थांबवू शकत नाही.", - "fully_yours_forever": "...पूर्णपणे तुमचे, सदैव.", - "powered_by_caffeine": "...कॅफीनद्वारे चालवलेले.", - "speech_wants_to_be_free": "...वक्तृत्व मोकळं व्हायचं आहे.", - "crypto_certified_community": "...क्रिप्टो-प्रमाणित समुदाय.", - "take_ownership_literally": "...खरोखर मालकी घे.", - "your_ideas_decentralized": "...तुमचे कल्पना, विकेंद्रित.", - "for_digital_sovereignty": "...डिजिटल सार्वभौमत्वासाठी.", - "for_your_movement": "...तुमच्या हालचालीसाठी.", - "because_you_love_freedom": "...कारण तुम्हाला स्वातंत्र्य आवडते.", - "decentralized_but_for_real": "...विकेंद्रीकृत, पण खरंच.", - "for_your_peace_of_mind": "...तुमच्या मनाच्या शांतीसाठी.", - "no_corporation_to_answer_to": "...उत्तर द्यायला कंपनी नाही.", - "your_tokenized_sovereignty": "...तुमची टोकनाइज्ड सार्वभौमत्व.", - "for_text_only_wonders": "...फक्त मजकूरासाठी चमत्कार.", - "because_open_source_rulez": "...म्हणून ओपन सोर्स सर्वोत्तम आहे.", - "truly_peer_to_peer": "...खऱ्या अर्थाने peer to peer.", - "no_hidden_fees": "...लपलेले शुल्क नाहीत.", - "no_global_rules": "...कोणतेही ग्लोबल नियम नाहीत.", - "for_reddits_downfall": "...Reddit च्या पतनासाठी.", - "evil_corp_cant_stop_us": "...Evil Corp™ आम्हाला थांबवू शकत नाही.", - "no_gods_no_global_admins": "...कोणतेही देव नाहीत, कोणतेही जागतिक प्रशासक नाहीत.", "tags": "टॅग", "moderator_of": "मॉडरेटर", "not_subscriber_nor_moderator": "तुम कोणत्याही समुदायाचे सदस्य किंवा मॉडरेटर नाही.", "more_posts_last_year": "{{count}} पोस्ट मागील {{currentTimeFilterName}}: <1>मागील वर्षीचे अधिक पोस्ट दाखवा", - "editor_fallback_warning": "प्रगत संपादक लोड करण्यात अयशस्वी, फallback म्हणून मूलभूत टेक्स्ट संपादक वापरत आहे." + "editor_fallback_warning": "प्रगत संपादक लोड करण्यात अयशस्वी, फallback म्हणून मूलभूत टेक्स्ट संपादक वापरत आहे.", + "hot": "hot", + "new": "new", + "active": "active", + "top": "top", + "best": "best", + "old": "old", + "unstoppable_by_design": "...unstoppable by design.", + "servers_are_overrated": "...servers are overrated.", + "cryptographic_playground": "... cryptographic playground.", + "where_you_own_the_keys": "...where you own the keys.", + "no_middleman_here": "...no middleman here.", + "join_the_decentralution": "...join the decentralution.", + "because_privacy_matters": "...because privacy matters.", + "freedom_served_fresh_daily": "...freedom served fresh daily.", + "your_community_your_rules": "...your community, your rules.", + "centralization_is_boring": "...centralization is boring.", + "like_torrents_for_thoughts": "...like torrents, for thoughts.", + "cant_stop_the_signal": "...can't stop the signal.", + "fully_yours_forever": "...fully yours, forever.", + "powered_by_caffeine": "...powered by caffeine.", + "speech_wants_to_be_free": "...speech wants to be free.", + "crypto_certified_community": "...crypto-certified community.", + "take_ownership_literally": "...take ownership literally.", + "your_ideas_decentralized": "...your ideas, decentralized.", + "for_digital_sovereignty": "...for digital sovereignty.", + "for_your_movement": "...for your movement.", + "because_you_love_freedom": "...because you love freedom.", + "decentralized_but_for_real": "...decentralized, but for real.", + "for_your_peace_of_mind": "...for your peace of mind.", + "no_corporation_to_answer_to": "...no corporation to answer to.", + "your_tokenized_sovereignty": "...your tokenized sovereignty.", + "for_text_only_wonders": "...for text-only wonders.", + "because_open_source_rulez": "...because open source rulez.", + "truly_peer_to_peer": "...truly peer to peer.", + "no_hidden_fees": "...no hidden fees.", + "no_global_rules": "...no global rules.", + "for_reddits_downfall": "...for Reddit's downfall.", + "evil_corp_cant_stop_us": "...Evil Corp™ can't stop us.", + "no_gods_no_global_admins": "...no gods, no global admins." } diff --git a/public/translations/nl/default.json b/public/translations/nl/default.json index 9f98ddb69..c77f9d483 100644 --- a/public/translations/nl/default.json +++ b/public/translations/nl/default.json @@ -1,13 +1,7 @@ { - "hot": "Populair", - "new": "Nieuw", - "active": "Actief", - "controversial": "Controversieel", - "top": "Top", "about": "Over", "comments": "reacties", "preferences": "Voorkeuren", - "account_bar_language": "Engels", "submit": "Indienen", "dark": "Donker", "light": "Licht", @@ -22,7 +16,6 @@ "post_comments": "Reacties", "share": "Delen", "save": "Opslaan", - "unsave": "Niet opslaan", "hide": "Verbergen", "report": "Rapporteren", "crosspost": "Crosspost", @@ -37,11 +30,7 @@ "time_1_year_ago": "1 jaar geleden", "time_x_years_ago": "{{count}} jaar geleden", "spoiler": "Spoiler", - "unspoiler": "Geen spoiler", - "reply_permalink": "Permalink", - "embed": "Embed", "reply_reply": "Antwoord", - "best": "Beste", "reply_sorted_by": "Gesorteerd op", "all_comments": "Alle {{count}} reacties", "no_comments": "Geen reacties (nog)", @@ -66,11 +55,10 @@ "next": "Volgende", "loading": "Laden", "pending": "In afwachting", - "or": "of", "submit_subscriptions_notice": "Aanbevolen gemeenschappen", "submit_subscriptions": "uw geabonneerde gemeenschappen", "rules_for": "regels voor", - "no_communities_found": "Geen gemeenschappen gevonden op <1>https://github.com/plebbit/lists", + "no_communities_found": "Geen gemeenschappen gevonden op <1>https://github.com/bitsocialhq/lists", "connect_community_notice": "Gebruik 🔎 rechtsboven om verbinding te maken met een gemeenschap", "options": "opties", "hide_options": "opties verbergen", @@ -85,7 +73,6 @@ "time_x_months": "{{count}} maanden", "time_1_year": "1 jaar", "time_x_years": "{{count}} jaar", - "search": "zoeken", "submit_post": "Een nieuwe post indienen", "create_your_community": "Maak je eigen gemeenschap", "moderators": "moderators", @@ -95,7 +82,6 @@ "created_by": "gemaakt door {{creatorAddress}}", "community_for": "een gemeenschap voor {{date}}", "post_submitted_on": "deze post is ingediend op {{postDate}}", - "readers_count": "{{count}} lezers", "users_online": "{{count}} gebruikers hier nu", "point": "punt", "points": "punten", @@ -107,26 +93,15 @@ "moderation": "moderatie", "interface_language": "interface taal", "theme": "thema", - "profile": "profiel", "account": "account", "display_name": "weergavenaam", "crypto_address": "crypto adres", - "reset": "resetten", - "changes": "wijzigingen", "check": "controleren", "crypto_address_verification": "als het crypto adres p2p is opgelost", - "is_current_account": "is dit de huidige rekening", - "account_data_preview": "voorbeeld van accountgegevens", "create": "maken", - "a_new_account": "een nieuw account", - "import": "importeer", - "export": "exporteer", "delete": "verwijderen", - "full_account_data": "volledige accountgegevens", - "this_account": "dit account", "locked": "vergrendeld", "reason": "reden", - "no_posts_found": "geen berichten gevonden", "sorted_by": "gesorteerd op", "downvoted": "negatief gestemd", "hidden": "verborgen", @@ -138,21 +113,14 @@ "full_comments": "alle reacties", "context": "context", "block": "blokkeren", - "hide_post": "verberg bericht", "post": "bericht", "unhide": "toon", "unblock": "deblokkeren", "undo": "ongedaan maken", "post_hidden": "verborgen bericht", - "old": "oud", - "copy_link": "link kopiëren", "link_copied": "link gekopieerd", - "view_on": "bekijk op {{destination}}", "block_community": "gemeenschap blokkeren", "unblock_community": "gemeenschapsblokkering opheffen", - "block_community_alert": "Weet u zeker dat u deze gemeenschap wilt blokkeren?", - "unblock_community_alert": "Weet u zeker dat u deze gemeenschap wilt deblokkeren?", - "search_community_address": "Zoek een communityadres", "search_feed_post": "Zoek een bericht in deze feed", "from": "van", "via": "via", @@ -169,15 +137,12 @@ "no_posts": "geen berichten", "media_url": "media-url", "post_locked_info": "Dit bericht is {{state}}. U kunt geen opmerking plaatsen.", - "no_subscriptions_notice": "Je hebt je nog niet bij een community aangesloten.", "members_count": "{{count}} leden", "communities": "gemeenschap", "edit": "bewerken", "moderator": "Moderator", "description": "Beschrijving", "rules": "Regels", - "challenge": "Uitdaging", - "settings": "Instellingen", "save_options": "Opties opslaan", "logo": "Logo", "address": "Adres", @@ -188,26 +153,15 @@ "moderation_tools": "Moderatiehulpmiddelen", "submit_to": "Verzenden naar <1>{{link}}", "edit_subscriptions": "Abonnementen bewerken", - "last_account_notice": "U kunt uw laatste account niet verwijderen, maak eerst een nieuwe aan.", "delete_confirm": "Weet je zeker dat je {{value}} wilt verwijderen?", "saving": "Opslaan", "deleted": "Verwijderd", - "mark_spoiler": "Markeer als spoiler", - "remove_spoiler": "Spoiler verwijderen", - "delete_post": "Bericht verwijderen", - "undo_delete": "Ongedaan maken verwijderen", - "edit_content": "Inhoud bewerken", "online": "Online", "offline": "Offline", - "download_app": "App downloaden", - "approved_user": "Goedgekeurde gebruiker", "subscriber": "Abonnee", - "approved": "Goedgekeurd", - "proposed": "Voorgesteld", "join_communities_notice": "Klik op de knoppen <1>{{join}} of <2>{{leave}} om te kiezen welke gemeenschappen op de startpagina verschijnen.", "below_subscribed": "Hieronder vind je de gemeenschappen waarop je geabonneerd bent.", "not_subscribed": "Je bent nog niet geabonneerd op een gemeenschap.", - "below_approved_user": "Hieronder staan de gemeenschappen waarop je een goedgekeurde gebruiker bent.", "below_moderator_access": "Hieronder staan de gemeenschappen waarop u moderator toegang heeft.", "not_moderator": "Je bent geen moderator in een gemeenschap.", "create_community": "Gemeenschap creëren", @@ -228,7 +182,6 @@ "address_setting_info": "Stel een leesbaar gemeenschapsadres in met behulp van een crypto-domein", "enter_crypto_address": "Voer alstublieft een geldig crypto-adres in.", "check_for_updates": "<1>Controleer op updates", - "general_settings": "Algemene instellingen", "refresh_to_update": "Vernieuw de pagina om bij te werken", "latest_development_version": "Je gebruikt de nieuwste ontwikkelingsversie, commit {{commit}}. Ga naar {{link}} om de stabiele versie te gebruiken.", "latest_stable_version": "Je gebruikt de nieuwste stabiele versie, seedit v{{version}}.", @@ -236,7 +189,6 @@ "new_stable_version": "Nieuwe stabiele versie beschikbaar, seedit v{{newVersion}}. Je gebruikt seedit v{{oldVersion}}.", "download_latest_desktop": "Download de nieuwste desktopversie hier: {{link}}", "contribute_on_github": "Bijdragen op GitHub", - "create_community_not_available": "Nog niet beschikbaar op het web. U kunt een community maken met behulp van de desktop-app, download deze hier: {{desktopLink}}. Als u vertrouwd bent met de opdrachtregel, kijk dan hier: {{cliLink}}", "no_media_found": "Geen media gevonden", "no_image_found": "Geen afbeelding gevonden", "warning_spam": "Waarschuwing: geen uitdaging geselecteerd, gemeenschap is kwetsbaar voor spam-aanvallen.", @@ -254,7 +206,6 @@ "owner": "eigenaar", "admin": "beheerder", "settings_saved": "Instellingen opgeslagen voor p/{{subplebbitAddress}}", - "mod_edit": "mod-bewerking", "continue_thread": "ga verder in deze thread", "mod_edit_reason": "Reden van mod-bewerking", "double_confirm": "Weet u het zeker? Deze actie is onomkeerbaar.", @@ -266,12 +217,10 @@ "not_found_description": "De pagina die je hebt opgevraagd, bestaat niet", "last_edited": "laatst bewerkt {{timestamp}}", "view_spoiler": "bekijk spoiler", - "more": "meer", "default_communities": "standaardgemeenschappen", "avatar": "avatar", "pending_edit": "in afwachting van bewerking", "failed_edit": "mislukte bewerking", - "copy_full_address": "<1>kopieer het volledige adres", "node_stats": "knoopstatistieken", "version": "versie", "edit_reason": "reden van bewerking", @@ -291,30 +240,22 @@ "ban_user_for": "Gebruiker verbannen voor <1> dag(en)", "crypto_wallets": "Crypto-portefeuilles", "wallet_address": "Wallet adres", - "save_wallets": "<1>Sla wallet(s) op in het account", "remove": "Verwijderen", "add_wallet": "<1>Voeg toe een cryptoportemonnee toe", "show_settings": "Instellingen weergeven", "hide_settings": "Instellingen verbergen", - "wallet": "Wallet", "undelete": "Herstellen", "downloading_comments": "reacties downloaden", "you_blocked_community": "U hebt deze gemeenschap geblokkeerd", "show": "tonen", "plebbit_options": "plebbit-opties", "general": "algemeen", - "own_communities": "eigen gemeenschappen", - "invalid_community_address": "Ongeldig gemeenschapsadres", - "newer_posts_available": "Nieuwere berichten beschikbaar: <1>voer feed opnieuw in", "more_posts_last_week": "{{count}} berichten laatste {{currentTimeFilterName}}: <1>toon meer berichten van vorige week", "more_posts_last_month": "{{count}} berichten in {{currentTimeFilterName}}: <1>toon meer berichten van vorige maand", - "sure_delete": "Weet je zeker dat je deze post wilt verwijderen?", - "sure_undelete": "Weet je zeker dat je deze post wilt herstellen?", "profile_info": "Je account u/{{shortAddress}} is aangemaakt. <1>Stel weergavenaam in, <2>exporteer backup, <3>meer leren.", "show_all_instead": "Berichten sinds {{timeFilterName}}, <1>toon in plaats daarvan alles", "subplebbit_offline_info": "De subplebbit kan offline zijn en publiceren kan mislukken.", "posts_last_synced_info": "Laatste keer gesynchroniseerde berichten {{time}}, de subplebbit kan offline zijn en publiceren kan mislukken.", - "stored_locally": "Lokaal opgeslagen ({{location}}), niet gesynchroniseerd tussen apparaten", "import_account_backup": "<1>importeer accountback-up", "export_account_backup": "<1>exporteer accountback-up", "save_reset_changes": "<1>opslaan of <2>resetten wijzigingen", @@ -334,17 +275,11 @@ "communities_you_moderate": "Gemeenschappen die je modereert", "blur_media": "Vervagen media gemarkeerd als NSFW/18+", "nsfw_content": "NSFW-inhoud", - "nsfw_communities": "NSFW-gemeenschappen", - "hide_adult": "Verberg gemeenschappen die zijn gemarkeerd als \"volwassen\"", - "hide_gore": "Verberg gemeenschappen die zijn gemarkeerd als \"gore\"", - "hide_anti": "Verberg gemeenschappen die zijn gemarkeerd als \"anti\"", - "filters": "Filters", "see_nsfw": "Klik om NSFW te zien", "see_nsfw_spoiler": "Klik om NSFW spoiler te zien", "always_show_nsfw": "Altijd NSFW-media weergeven?", "always_show_nsfw_notice": "Oké, we hebben je voorkeuren veranderd om altijd NSFW-media weer te geven.", "content_options": "Inhoudsopties", - "hide_vulgar": "Verberg gemeenschappen die zijn gemarkeerd als \"vulgar\"", "over_18": "Boven de 18?", "must_be_over_18": "Je moet 18+ zijn om deze gemeenschap te bekijken", "must_be_over_18_explanation": "Je moet minstens achttien jaar oud zijn om deze inhoud te bekijken. Ben je ouder dan achttien en bereid om volwassen inhoud te bekijken?", @@ -355,7 +290,6 @@ "block_user": "Blokkeer gebruiker", "unblock_user": "Deblokkeer gebruiker", "filtering_by_tag": "Filteren op tag: \"{{tag}}\"", - "read_only_community_settings": "Alleen-lezen community-instellingen", "you_are_moderator": "Je bent een moderator van deze gemeenschap", "you_are_admin": "Je bent een beheerder van deze gemeenschap", "you_are_owner": "Je bent de eigenaar van deze gemeenschap", @@ -377,7 +311,6 @@ "search_posts": "zoek berichten", "found_n_results_for": "gevonden {{count}} berichten voor \"{{query}}\"", "clear_search": "wis zoekopdracht", - "loading_iframe": "laden iframe", "no_matches_found_for": "geen overeenkomsten gevonden voor \"{{query}}\"", "searching": "zoeken", "hide_default_communities_from_topbar": "Verberg standaardgemeenschappen van de bovenbalk", @@ -410,42 +343,48 @@ "expand_media_previews_based_on_community_media_preferences": "Breid mediavoorbeelden uit op basis van de mediavoorkeuren van die gemeenschap", "show_all_nsfw": "toon alle NSFW", "hide_all_nsfw": "verberg alle NSFW", - "unstoppable_by_design": "...onstuitbaar door ontwerp.", - "servers_are_overrated": "...servers worden overschat.", - "cryptographic_playground": "... cryptografische speeltuin.", - "where_you_own_the_keys": "...waar jij de sleutels bezit.", - "no_middleman_here": "...geen tussenpersoon hier.", - "join_the_decentralution": "...doe mee aan de decentralution.", - "because_privacy_matters": "...omdat privacy belangrijk is.", - "freedom_served_fresh_daily": "...vrijheid dagelijks vers geserveerd.", - "your_community_your_rules": "...jouw gemeenschap, jouw regels.", - "centralization_is_boring": "...centralisatie is saai.", - "like_torrents_for_thoughts": "...zoals torrents, voor gedachten.", - "cant_stop_the_signal": "...het signaal kan niet worden gestopt.", - "fully_yours_forever": "...helemaal van jou, voor altijd.", - "powered_by_caffeine": "...aangedreven door cafeïne.", - "speech_wants_to_be_free": "...spraak wil vrij zijn.", - "crypto_certified_community": "...crypto-gecertificeerde gemeenschap.", - "take_ownership_literally": "...neem letterlijk eigenaarschap.", - "your_ideas_decentralized": "...jouw ideeën, gedecentraliseerd.", - "for_digital_sovereignty": "...voor digitale soevereiniteit.", - "for_your_movement": "...voor je beweging.", - "because_you_love_freedom": "...omdat je van vrijheid houdt.", - "decentralized_but_for_real": "...gedecentraliseerd, maar echt waar.", - "for_your_peace_of_mind": "...voor je gemoedsrust.", - "no_corporation_to_answer_to": "...geen bedrijf waar verantwoording aan afgelegd moet worden.", - "your_tokenized_sovereignty": "...jouw getokeniseerde soevereiniteit.", - "for_text_only_wonders": "...voor alleen tekstwonderen.", - "because_open_source_rulez": "...omdat open source geweldig is.", - "truly_peer_to_peer": "...echt peer to peer.", - "no_hidden_fees": "...geen verborgen kosten.", - "no_global_rules": "...geen globale regels.", - "for_reddits_downfall": "...voor de ondergang van Reddit.", - "evil_corp_cant_stop_us": "...Evil Corp™ kan ons niet stoppen.", - "no_gods_no_global_admins": "...geen goden, geen globale beheerders.", "tags": "Tags", "moderator_of": "moderator van", "not_subscriber_nor_moderator": "Je bent geen abonnee of moderator van een gemeenschap.", "more_posts_last_year": "{{count}} berichten afgelopen {{currentTimeFilterName}}: <1>toon meer berichten van vorig jaar", - "editor_fallback_warning": "Geavanceerde editor kon niet worden geladen, basisteksteditor wordt als fallback gebruikt." + "editor_fallback_warning": "Geavanceerde editor kon niet worden geladen, basisteksteditor wordt als fallback gebruikt.", + "hot": "hot", + "new": "new", + "active": "active", + "top": "top", + "best": "best", + "old": "old", + "unstoppable_by_design": "...unstoppable by design.", + "servers_are_overrated": "...servers are overrated.", + "cryptographic_playground": "... cryptographic playground.", + "where_you_own_the_keys": "...where you own the keys.", + "no_middleman_here": "...no middleman here.", + "join_the_decentralution": "...join the decentralution.", + "because_privacy_matters": "...because privacy matters.", + "freedom_served_fresh_daily": "...freedom served fresh daily.", + "your_community_your_rules": "...your community, your rules.", + "centralization_is_boring": "...centralization is boring.", + "like_torrents_for_thoughts": "...like torrents, for thoughts.", + "cant_stop_the_signal": "...can't stop the signal.", + "fully_yours_forever": "...fully yours, forever.", + "powered_by_caffeine": "...powered by caffeine.", + "speech_wants_to_be_free": "...speech wants to be free.", + "crypto_certified_community": "...crypto-certified community.", + "take_ownership_literally": "...take ownership literally.", + "your_ideas_decentralized": "...your ideas, decentralized.", + "for_digital_sovereignty": "...for digital sovereignty.", + "for_your_movement": "...for your movement.", + "because_you_love_freedom": "...because you love freedom.", + "decentralized_but_for_real": "...decentralized, but for real.", + "for_your_peace_of_mind": "...for your peace of mind.", + "no_corporation_to_answer_to": "...no corporation to answer to.", + "your_tokenized_sovereignty": "...your tokenized sovereignty.", + "for_text_only_wonders": "...for text-only wonders.", + "because_open_source_rulez": "...because open source rulez.", + "truly_peer_to_peer": "...truly peer to peer.", + "no_hidden_fees": "...no hidden fees.", + "no_global_rules": "...no global rules.", + "for_reddits_downfall": "...for Reddit's downfall.", + "evil_corp_cant_stop_us": "...Evil Corp™ can't stop us.", + "no_gods_no_global_admins": "...no gods, no global admins." } diff --git a/public/translations/no/default.json b/public/translations/no/default.json index 71a862d0d..506c831dc 100644 --- a/public/translations/no/default.json +++ b/public/translations/no/default.json @@ -1,13 +1,7 @@ { - "hot": "Populær", - "new": "Ny", - "active": "Aktiv", - "controversial": "Kontroversiell", - "top": "Topp", "about": "Om", "comments": "kommentarer", "preferences": "Innstillinger", - "account_bar_language": "Engelsk", "submit": "Send inn", "dark": "Mørk", "light": "Lys", @@ -22,7 +16,6 @@ "post_comments": "Kommentarer", "share": "Del", "save": "Lagre", - "unsave": "Fjern lagring", "hide": "Skjul", "report": "Rapporter", "crosspost": "Krysspost", @@ -37,11 +30,7 @@ "time_1_year_ago": "1 år siden", "time_x_years_ago": "{{count}} år siden", "spoiler": "Spoiler", - "unspoiler": "Fjern spoiler", - "reply_permalink": "Permanent lenke", - "embed": "Embed", "reply_reply": "Svar", - "best": "Beste", "reply_sorted_by": "Sortert etter", "all_comments": "Alle {{count}} kommentarer", "no_comments": "Ingen kommentarer (ennå)", @@ -66,11 +55,10 @@ "next": "Neste", "loading": "Laster", "pending": "Venter på godkjenning", - "or": "eller", "submit_subscriptions_notice": "Anbefalte fellesskap", "submit_subscriptions": "dine abonnerte samfunn", "rules_for": "regler for", - "no_communities_found": "Ingen samfunn funnet på <1>https://github.com/plebbit/lists", + "no_communities_found": "Ingen samfunn funnet på <1>https://github.com/bitsocialhq/lists", "connect_community_notice": "For å koble til et samfunn, bruk 🔎 øverst til høyre", "options": "alternativer", "hide_options": "skjul alternativer", @@ -85,7 +73,6 @@ "time_x_months": "{{count}} måneder", "time_1_year": "1 år", "time_x_years": "{{count}} år", - "search": "søk", "submit_post": "Send inn en ny post", "create_your_community": "Opprett din egen fellesskap", "moderators": "moderatorer", @@ -95,7 +82,6 @@ "created_by": "opprettet av {{creatorAddress}}", "community_for": "et fellesskap for {{date}}", "post_submitted_on": "dette innlegget ble sendt inn på {{postDate}}", - "readers_count": "{{count}} lesere", "users_online": "{{count}} brukere her nå", "point": "punkt", "points": "poeng", @@ -107,26 +93,15 @@ "moderation": "moderasjon", "interface_language": "grensesnittspråk", "theme": "tema", - "profile": "profil", "account": "konto", "display_name": "visningsnavn", "crypto_address": "kryptoadresse", - "reset": "nullstill", - "changes": "endringer", "check": "sjekk", "crypto_address_verification": "hvis kryptoadressen er løst p2p", - "is_current_account": "er dette den nåværende kontoen", - "account_data_preview": "forhåndsvisning av kontodata", "create": "opprett", - "a_new_account": "en ny konto", - "import": "importer", - "export": "eksporter", "delete": "slett", - "full_account_data": "full kontodata", - "this_account": "denne kontoen", "locked": "låst", "reason": "grunn", - "no_posts_found": "ingen poster funnet", "sorted_by": "sortert etter", "downvoted": "stemt ned", "hidden": "skjult", @@ -138,21 +113,14 @@ "full_comments": "alle kommentarer", "context": "kontekst", "block": "blokker", - "hide_post": "skjul innlegg", "post": "innlegg", "unhide": "vis", "unblock": "opphav blokkering", "undo": "angre", "post_hidden": "skjult innlegg", - "old": "gamle", - "copy_link": "kopier lenken", "link_copied": "lenken er kopiert", - "view_on": "vis på {{destination}}", "block_community": "blokker samfunnet", "unblock_community": "fjern samfunnsblokkeringen", - "block_community_alert": "Er du sikker på at du vil blokkere dette samfunnet?", - "unblock_community_alert": "Er du sikker på at du vil fjerne blokkeringen av dette samfunnet?", - "search_community_address": "Søk etter en fellesskapsadresse", "search_feed_post": "Søk etter en post i denne feeden", "from": "fra", "via": "via", @@ -169,15 +137,12 @@ "no_posts": "ingen innlegg", "media_url": "medie-URL", "post_locked_info": "Dette innlegget er {{state}}. Du vil ikke kunne kommentere.", - "no_subscriptions_notice": "Du har ikke blitt med i noen fellesskap ennå.", "members_count": "{{count}} medlemmer", "communities": "fellesskap", "edit": "redigere", "moderator": "Moderator", "description": "Beskrivelse", "rules": "Regler", - "challenge": "Utfordring", - "settings": "Innstillinger", "save_options": "Lagre alternativer", "logo": "Logo", "address": "Adresse", @@ -188,26 +153,15 @@ "moderation_tools": "Moderasjonsverktøy", "submit_to": "Send til <1>{{link}}", "edit_subscriptions": "Rediger abonnementer", - "last_account_notice": "Du kan ikke slette din siste konto, vennligst opprett en ny først.", "delete_confirm": "Er du sikker på at du vil slette {{value}}?", "saving": "Lagrer", "deleted": "Slettet", - "mark_spoiler": "Marker som spoiler", - "remove_spoiler": "Fjern spoiler", - "delete_post": "Slett innlegg", - "undo_delete": "Angre sletting", - "edit_content": "Rediger innhold", "online": "Online", "offline": "Offline", - "download_app": "Last ned appen", - "approved_user": "Godkjent bruker", "subscriber": "Abonnent", - "approved": "Godkjent", - "proposed": "Foreslått", "join_communities_notice": "Klikk på knappene <1>{{join}} eller <2>{{leave}} for å velge hvilke fellesskap som skal vises på hjemmesiden.", "below_subscribed": "Nedenfor er fellesskapene du har abonnert på.", "not_subscribed": "Du er ikke abonnert på noen fellesskap ennå.", - "below_approved_user": "Nedenfor er samfunnene du er en godkjent bruker på.", "below_moderator_access": "Nedenfor er samfunnene du har moderator tilgang til.", "not_moderator": "Du er ikke moderator i noen fellesskap.", "create_community": "Opprett fellesskap", @@ -228,7 +182,6 @@ "address_setting_info": "Sett en lesbar fellesskapsadresse ved hjelp av et kryptodomene", "enter_crypto_address": "Vennligst skriv inn en gyldig kryptoadresse.", "check_for_updates": "<1>Sjekk for oppdateringer", - "general_settings": "Generelle innstillinger", "refresh_to_update": "Oppdater siden for å oppdatere", "latest_development_version": "Du bruker den nyeste utviklingsversjonen, commit {{commit}}. For å bruke den stabile versjonen, gå til {{link}}.", "latest_stable_version": "Du bruker den nyeste stabile versjonen, seedit v{{version}}.", @@ -236,7 +189,6 @@ "new_stable_version": "Ny stabil versjon tilgjengelig, seedit v{{newVersion}}. Du bruker seedit v{{oldVersion}}.", "download_latest_desktop": "Last ned den nyeste skrivebordsversjonen her: {{link}}", "contribute_on_github": "Bidra på GitHub", - "create_community_not_available": "Ikke tilgjengelig på nettet ennå. Du kan opprette et fellesskap ved å bruke skrivebordsappen, last den ned her: {{desktopLink}}. Hvis du er komfortabel med kommandolinjen, kan du sjekke her: {{cliLink}}", "no_media_found": "Ingen media funnet", "no_image_found": "Ingen bilde funnet", "warning_spam": "Advarsel: Ingen utfordring valgt, samfunnet er sårbart for spam-angrep.", @@ -254,7 +206,6 @@ "owner": "eier", "admin": "administrator", "settings_saved": "Innstillinger lagret for p/{{subplebbitAddress}}", - "mod_edit": "moderatorendring", "continue_thread": "fortsett denne tråden", "mod_edit_reason": "Mod redigeringsgrunn", "double_confirm": "Er du virkelig sikker? Denne handlingen er ugjenkallelig.", @@ -266,12 +217,10 @@ "not_found_description": "Siden du ba om, finnes ikke", "last_edited": "sist endret {{timestamp}}", "view_spoiler": "se spoiler", - "more": "mer", "default_communities": "standardfellesskap", "avatar": "avatar", "pending_edit": "ventende redigering", "failed_edit": "mislykket redigering", - "copy_full_address": "<1>kopier full adresse", "node_stats": "nodestatistikk", "version": "versjon", "edit_reason": "redigeringsgrunn", @@ -291,30 +240,22 @@ "ban_user_for": "Blokker bruker i <1> dag(er)", "crypto_wallets": "Crypto-lommebøker", "wallet_address": "Lommebokadresse", - "save_wallets": "<1>Lagre lommebok(er) til konto", "remove": "Fjern", "add_wallet": "<1>Legg til en crypto-lommebok", "show_settings": "Vis innstillinger", "hide_settings": "Skjul innstillinger", - "wallet": "Lommebok", "undelete": "Gjenopprette", "downloading_comments": "laster kommentarer", "you_blocked_community": "Du har blokkert dette fellesskapet", "show": "vise", "plebbit_options": "plebbit alternativer", "general": "generell", - "own_communities": "egne fellesskap", - "invalid_community_address": "Ugyldig fellesskapsadresse", - "newer_posts_available": "Nyere innlegg tilgjengelig: <1>last inn feed på nytt", "more_posts_last_week": "{{count}} innlegg siste {{currentTimeFilterName}}: <1>vis flere innlegg fra forrige uke", "more_posts_last_month": "{{count}} innlegg i {{currentTimeFilterName}}: <1>vis flere innlegg fra forrige måned", - "sure_delete": "Er du sikker på at du vil slette dette innlegget?", - "sure_undelete": "Er du sikker på at du vil gjenopprette dette innlegget?", "profile_info": "Kontoen din u/{{shortAddress}} ble opprettet. <1>Sett visningsnavn, <2>eksporter sikkerhetskopi, <3>les mer.", "show_all_instead": "Viser innlegg siden {{timeFilterName}}, <1>vis alt i stedet", "subplebbit_offline_info": "Subplebbiten kan være offline, og publisering kan mislykkes.", "posts_last_synced_info": "Siste synkroniserte innlegg {{time}}, subplebbiten kan være offline, og publisering kan mislykkes.", - "stored_locally": "Lagring lokalt ({{location}}), ikke synkronisert på tvers av enheter", "import_account_backup": "<1>importere konto sikkerhetskopi", "export_account_backup": "<1>eksportere konto sikkerhetskopi", "save_reset_changes": "<1>lagre eller <2>nullstille endringer", @@ -334,17 +275,11 @@ "communities_you_moderate": "Samfunnene du modererer", "blur_media": "Uskarpe media merket som NSFW/18+", "nsfw_content": "NSFW-innhold", - "nsfw_communities": "NSFW-fellesskap", - "hide_adult": "Skjul samfunn merket som \"voksen\"", - "hide_gore": "Skjul samfunn merket som \"gore\"", - "hide_anti": "Skjul samfunn merket som \"anti\"", - "filters": "Filtre", "see_nsfw": "Klikk for å se NSFW", "see_nsfw_spoiler": "Klikk for å se NSFW-spoiler", "always_show_nsfw": "Vil du alltid vise NSFW-media?", "always_show_nsfw_notice": "Ok, vi har endret preferansene dine for å alltid vise NSFW-media.", "content_options": "Innstillinger for innhold", - "hide_vulgar": "Skjul samfunn merket som \"vulgar\"", "over_18": "Over 18?", "must_be_over_18": "Du må være over 18 for å se dette fellesskapet", "must_be_over_18_explanation": "Du må være minst 18 år gammel for å se dette innholdet. Er du over 18 og villig til å se vokseninnhold?", @@ -355,7 +290,6 @@ "block_user": "Blokker bruker", "unblock_user": "Fjern blokkering av bruker", "filtering_by_tag": "Filtrering etter tag: \"{{tag}}\"", - "read_only_community_settings": "Bare lesbare samfunnsinnstillinger", "you_are_moderator": "Du er moderator for dette fellesskapet", "you_are_admin": "Du er administrator for dette fellesskapet", "you_are_owner": "Du er eier av dette fellesskapet", @@ -377,7 +311,6 @@ "search_posts": "søk etter innlegg", "found_n_results_for": "funnet {{count}} innlegg for \"{{query}}\"", "clear_search": "rydd søk", - "loading_iframe": "laster iframe", "no_matches_found_for": "ingen treff funnet for \"{{query}}\"", "searching": "søker", "hide_default_communities_from_topbar": "Skjul standardfellesskap fra toppfeltet", @@ -410,42 +343,48 @@ "expand_media_previews_based_on_community_media_preferences": "Utvid medievisninger basert på det fellesskapets mediepreferanser", "show_all_nsfw": "vis alle NSFW", "hide_all_nsfw": "skjul all NSFW", - "unstoppable_by_design": "...ustoppelig av design.", - "servers_are_overrated": "...servere er overvurdert.", - "cryptographic_playground": "... kryptografisk lekeplass.", - "where_you_own_the_keys": "...hvor du eier nøklene.", - "no_middleman_here": "...ingen mellommann her.", - "join_the_decentralution": "...bli med i decentralution.", - "because_privacy_matters": "...fordi personvern betyr noe.", - "freedom_served_fresh_daily": "...frihet servert ferskt daglig.", - "your_community_your_rules": "...ditt fellesskap, dine regler.", - "centralization_is_boring": "...sentralisering er kjedelig.", - "like_torrents_for_thoughts": "...som torrents, for tanker.", - "cant_stop_the_signal": "...kan ikke stoppe signalet.", - "fully_yours_forever": "...fullstendig din, for alltid.", - "powered_by_caffeine": "...drevet av koffein.", - "speech_wants_to_be_free": "...tale vil være fri.", - "crypto_certified_community": "...krypto-sertifisert fellesskap.", - "take_ownership_literally": "...ta eierskap bokstavelig talt.", - "your_ideas_decentralized": "...dine ideer, desentralisert.", - "for_digital_sovereignty": "...for digital suverenitet.", - "for_your_movement": "...for bevegelsen din.", - "because_you_love_freedom": "...fordi du elsker frihet.", - "decentralized_but_for_real": "...desentralisert, men på ekte.", - "for_your_peace_of_mind": "...for din sinnsro.", - "no_corporation_to_answer_to": "...ingen bedrift å svare til.", - "your_tokenized_sovereignty": "...din tokeniserte suverenitet.", - "for_text_only_wonders": "...for tekstbare underverker.", - "because_open_source_rulez": "...fordi open source råder.", - "truly_peer_to_peer": "...virkelig peer to peer.", - "no_hidden_fees": "...ingen skjulte avgifter.", - "no_global_rules": "...ingen globale regler.", - "for_reddits_downfall": "...for Reddits fall.", - "evil_corp_cant_stop_us": "...Evil Corp™ kan ikke stoppe oss.", - "no_gods_no_global_admins": "...ingen guder, ingen globale administratorer.", "tags": "Tagger", "moderator_of": "moderator av", "not_subscriber_nor_moderator": "Du er verken abonnent eller moderator i noe fellesskap.", "more_posts_last_year": "{{count}} innlegg siste {{currentTimeFilterName}}: <1>vis flere innlegg fra i fjor", - "editor_fallback_warning": "Avansert editor lastet ikke inn, bruker grunnleggende teksteditor som reserve." + "editor_fallback_warning": "Avansert editor lastet ikke inn, bruker grunnleggende teksteditor som reserve.", + "hot": "hot", + "new": "new", + "active": "active", + "top": "top", + "best": "best", + "old": "old", + "unstoppable_by_design": "...unstoppable by design.", + "servers_are_overrated": "...servers are overrated.", + "cryptographic_playground": "... cryptographic playground.", + "where_you_own_the_keys": "...where you own the keys.", + "no_middleman_here": "...no middleman here.", + "join_the_decentralution": "...join the decentralution.", + "because_privacy_matters": "...because privacy matters.", + "freedom_served_fresh_daily": "...freedom served fresh daily.", + "your_community_your_rules": "...your community, your rules.", + "centralization_is_boring": "...centralization is boring.", + "like_torrents_for_thoughts": "...like torrents, for thoughts.", + "cant_stop_the_signal": "...can't stop the signal.", + "fully_yours_forever": "...fully yours, forever.", + "powered_by_caffeine": "...powered by caffeine.", + "speech_wants_to_be_free": "...speech wants to be free.", + "crypto_certified_community": "...crypto-certified community.", + "take_ownership_literally": "...take ownership literally.", + "your_ideas_decentralized": "...your ideas, decentralized.", + "for_digital_sovereignty": "...for digital sovereignty.", + "for_your_movement": "...for your movement.", + "because_you_love_freedom": "...because you love freedom.", + "decentralized_but_for_real": "...decentralized, but for real.", + "for_your_peace_of_mind": "...for your peace of mind.", + "no_corporation_to_answer_to": "...no corporation to answer to.", + "your_tokenized_sovereignty": "...your tokenized sovereignty.", + "for_text_only_wonders": "...for text-only wonders.", + "because_open_source_rulez": "...because open source rulez.", + "truly_peer_to_peer": "...truly peer to peer.", + "no_hidden_fees": "...no hidden fees.", + "no_global_rules": "...no global rules.", + "for_reddits_downfall": "...for Reddit's downfall.", + "evil_corp_cant_stop_us": "...Evil Corp™ can't stop us.", + "no_gods_no_global_admins": "...no gods, no global admins." } diff --git a/public/translations/pl/default.json b/public/translations/pl/default.json index 0b992cbb0..7a9dd0ed7 100644 --- a/public/translations/pl/default.json +++ b/public/translations/pl/default.json @@ -1,13 +1,7 @@ { - "hot": "Gorące", - "new": "Nowe", - "active": "Aktywne", - "controversial": "Kontrowersyjne", - "top": "Najlepsze", "about": "O", "comments": "komentarze", "preferences": "Preferencje", - "account_bar_language": "Angielski", "submit": "Zatwierdź", "dark": "Ciemny", "light": "Jasne", @@ -22,7 +16,6 @@ "post_comments": "Komentarze", "share": "Udostępnij", "save": "Zapisz", - "unsave": "Usuń zapis", "hide": "Ukryj", "report": "Zgłoś", "crosspost": "Crosspost", @@ -37,11 +30,7 @@ "time_1_year_ago": "1 rok temu", "time_x_years_ago": "{{count}} lat temu", "spoiler": "Spoiler", - "unspoiler": "Usuń spoiler", - "reply_permalink": "Stały link", - "embed": "Embed", "reply_reply": "Odpowiedź", - "best": "Najlepsze", "reply_sorted_by": "Sortowane według", "all_comments": "Wszystkie {{count}} komentarze", "no_comments": "Brak komentarzy (jeszcze)", @@ -66,11 +55,10 @@ "next": "Następny", "loading": "Ładowanie", "pending": "Oczekujące", - "or": "lub", "submit_subscriptions_notice": "Polecane społeczności", "submit_subscriptions": "twoje subskrybowane społeczności", "rules_for": "zasady dla", - "no_communities_found": "Nie znaleziono społeczności na <1>https://github.com/plebbit/lists", + "no_communities_found": "Nie znaleziono społeczności na <1>https://github.com/bitsocialhq/lists", "connect_community_notice": "Aby połączyć się ze społecznością, użyj 🔎 w prawym górnym rogu", "options": "opcje", "hide_options": "ukryj opcje", @@ -85,7 +73,6 @@ "time_x_months": "{{count}} miesięcy", "time_1_year": "1 rok", "time_x_years": "{{count}} lat", - "search": "szukaj", "submit_post": "Wyślij nowy post", "create_your_community": "Utwórz własną społeczność", "moderators": "moderatorzy", @@ -95,7 +82,6 @@ "created_by": "utworzone przez {{creatorAddress}}", "community_for": "społeczność przez {{date}}", "post_submitted_on": "ten post został przesłany w dniu {{postDate}}", - "readers_count": "{{count}} czytelników", "users_online": "{{count}} użytkowników tutaj teraz", "point": "punkt", "points": "punkty", @@ -107,26 +93,15 @@ "moderation": "moderacja", "interface_language": "język interfejsu", "theme": "motyw", - "profile": "profil", "account": "konto", "display_name": "nazwa wyświetlana", "crypto_address": "adres kryptowalutowy", - "reset": "zresetuj", - "changes": "zmiany", "check": "sprawdź", "crypto_address_verification": "jeśli adres kryptowalutowy jest rozwiązany p2p", - "is_current_account": "czy to jest obecne konto", - "account_data_preview": "podgląd danych konta", "create": "stwórz", - "a_new_account": "nowe konto", - "import": "importuj", - "export": "eksportuj", "delete": "usuń", - "full_account_data": "pełne dane konta", - "this_account": "ten rachunek", "locked": "zablokowane", "reason": "powód", - "no_posts_found": "nie znaleziono żadnych postów", "sorted_by": "posortowane według", "downvoted": "zagłosowane na nie", "hidden": "ukryty", @@ -138,21 +113,14 @@ "full_comments": "wszystkie komentarze", "context": "kontekst", "block": "zablokuj", - "hide_post": "ukryj post", "post": "post", "unhide": "pokaż", "unblock": "odblokuj", "undo": "cofnij", "post_hidden": "ukryty post", - "old": "stare", - "copy_link": "skopiuj link", "link_copied": "skopiowano link", - "view_on": "zobacz na {{destination}}", "block_community": "zablokuj społeczność", "unblock_community": "odblokuj społeczność", - "block_community_alert": "Jesteś pewien, że chcesz zablokować tę społeczność?", - "unblock_community_alert": "Jesteś pewien, że chcesz odblokować tę społeczność?", - "search_community_address": "Szukaj adresu społeczności", "search_feed_post": "Szukaj posta w tym zasobie", "from": "od", "via": "przez", @@ -169,15 +137,12 @@ "no_posts": "brak postów", "media_url": "URL mediów", "post_locked_info": "Ten post jest {{state}}. Nie będziesz mógł komentować.", - "no_subscriptions_notice": "Nie dołączyłeś jeszcze do żadnej społeczności.", "members_count": "{{count}} członków", "communities": "społeczność", "edit": "edytuj", "moderator": "Moderator", "description": "Opis", "rules": "Reguły", - "challenge": "Wyzwanie", - "settings": "Ustawienia", "save_options": "Zapisz opcje", "logo": "Logo", "address": "Adres", @@ -188,26 +153,15 @@ "moderation_tools": "Narzędzia moderacji", "submit_to": "Prześlij do <1>{{link}}", "edit_subscriptions": "Edytuj subskrypcje", - "last_account_notice": "Nie możesz usunąć swojego ostatniego konta, proszę najpierw utwórz nowe.", "delete_confirm": "Czy na pewno chcesz usunąć {{value}}?", "saving": "Zapisywanie", "deleted": "Usunięte", - "mark_spoiler": "Oznacz jako spoiler", - "remove_spoiler": "Usuń spoiler", - "delete_post": "Usuń wpis", - "undo_delete": "Cofnij usunięcie", - "edit_content": "Edytuj zawartość", "online": "Online", "offline": "Offline", - "download_app": "Pobierz aplikację", - "approved_user": "Zatwierdzony użytkownik", "subscriber": "Subskrybent", - "approved": "Zatwierdzone", - "proposed": "Zaproponowane", "join_communities_notice": "Kliknij przyciski <1>{{join}} lub <2>{{leave}}, aby wybrać, które społeczności mają się pojawić na stronie głównej.", "below_subscribed": "Poniżej znajdują się społeczności, do których się zapisałeś.", "not_subscribed": "Nie jesteś jeszcze subskrybentem żadnej społeczności.", - "below_approved_user": "Poniżej znajdują się społeczności, na których jesteś zaakceptowanym użytkownikiem.", "below_moderator_access": "Poniżej znajdują się społeczności, do których masz dostęp jako moderator.", "not_moderator": "Nie jesteś moderatorem w żadnej społeczności.", "create_community": "Utwórz społeczność", @@ -228,7 +182,6 @@ "address_setting_info": "Ustaw czytelny adres społecznościowy za pomocą domeny kryptograficznej", "enter_crypto_address": "Proszę podać prawidłowy adres kryptowalutowy.", "check_for_updates": "<1>Sprawdź aktualizacje", - "general_settings": "Ustawienia ogólne", "refresh_to_update": "Odśwież stronę, aby zaktualizować", "latest_development_version": "Korzystasz z najnowszej wersji rozwojowej, commit {{commit}}. Aby użyć wersji stabilnej, przejdź pod {{link}}.", "latest_stable_version": "Korzystasz z najnowszej wersji stabilnej, seedit v{{version}}.", @@ -236,7 +189,6 @@ "new_stable_version": "Nowa stabilna wersja dostępna, seedit v{{newVersion}}. Używasz seedit v{{oldVersion}}.", "download_latest_desktop": "Pobierz najnowszą wersję na pulpit tutaj: {{link}}", "contribute_on_github": "Wspomóż na GitHubie", - "create_community_not_available": "Jeszcze niedostępne w sieci. Możesz utworzyć społeczność za pomocą aplikacji na pulpicie, pobierz ją tutaj: {{desktopLink}}. Jeśli czujesz się komfortowo z wierszem poleceń, sprawdź tutaj: {{cliLink}}", "no_media_found": "Nie znaleziono mediów", "no_image_found": "Nie znaleziono obrazu", "warning_spam": "Ostrzeżenie: nie wybrano żadnego wyzwania, społeczność jest podatna na ataki spamu.", @@ -254,7 +206,6 @@ "owner": "właściciel", "admin": "administrator", "settings_saved": "Ustawienia zapisane dla p/{{subplebbitAddress}}", - "mod_edit": "edycja mod", "continue_thread": "kontynuuj ten wątek", "mod_edit_reason": "Powód edycji przez moderatora", "double_confirm": "Jesteś naprawdę pewien? Ta akcja jest nieodwracalna.", @@ -266,12 +217,10 @@ "not_found_description": "Strona, którą żądasz, nie istnieje", "last_edited": "ostatnio edytowano {{timestamp}}", "view_spoiler": "pokaż spoiler", - "more": "więcej", "default_communities": "domyślne społeczności", "avatar": "avatar", "pending_edit": "edycja oczekująca", "failed_edit": "nieudana edycja", - "copy_full_address": "<1>skopiuj pełny adres", "node_stats": "statystyki węzła", "version": "wersja", "edit_reason": "powód edycji", @@ -291,30 +240,22 @@ "ban_user_for": "Zablokuj użytkownika na <1> dzień (dni)", "crypto_wallets": "Portfele kryptowalut", "wallet_address": "Adres portfela", - "save_wallets": "<1>Zapisz portfel(e) do konta", "remove": "Usuń", "add_wallet": "<1>Dodaj portfel kryptowalutowy", "show_settings": "Pokaż ustawienia", "hide_settings": "Ukryj ustawienia", - "wallet": "Portfel", "undelete": "Przywróć", "downloading_comments": "pobieranie komentarzy", "you_blocked_community": "Zablokowałeś tę społeczność", "show": "pokazać", "plebbit_options": "opcje plebbit", "general": "ogólny", - "own_communities": "własne społeczności", - "invalid_community_address": "Nieprawidłowy adres społeczności", - "newer_posts_available": "Dostępne nowsze posty: <1>przeładuj feed", "more_posts_last_week": "{{count}} posty ostatni {{currentTimeFilterName}}: <1>pokaż więcej postów z zeszłego tygodnia", "more_posts_last_month": "{{count}} postów w {{currentTimeFilterName}}: <1>pokaż więcej postów z poprzedniego miesiąca", - "sure_delete": "Czy na pewno chcesz usunąć ten post?", - "sure_undelete": "Czy na pewno chcesz przywrócić ten post?", "profile_info": "Twoje konto u/{{shortAddress}} zostało utworzone. <1>Ustaw nazwę wyświetlania, <2>eksportuj kopię zapasową, <3>dowiedz się więcej.", "show_all_instead": "Pokazuje posty od {{timeFilterName}}, <1>pokaż wszystko zamiast tego", "subplebbit_offline_info": "Subplebbit może być offline, a publikacja może się nie powieść.", "posts_last_synced_info": "Ostatnio zsynchronizowane posty {{time}}, subplebbit może być offline, a publikacja może się nie powieść.", - "stored_locally": "Przechowywane lokalnie ({{location}}), nie synchronizowane między urządzeniami", "import_account_backup": "<1>importuj kopię zapasową konta", "export_account_backup": "<1>eksportuj kopię zapasową konta", "save_reset_changes": "<1>zapisz lub <2>zresetuj zmiany", @@ -334,17 +275,11 @@ "communities_you_moderate": "Społeczności, którymi moderujesz", "blur_media": "Rozmyj media oznaczone jako NSFW/18+", "nsfw_content": "Treść NSFW", - "nsfw_communities": "Społeczności NSFW", - "hide_adult": "Ukryj społeczności oznaczone jako \"dorosły\"", - "hide_gore": "Ukryj społeczności oznaczone jako \"gore\"", - "hide_anti": "Ukryj społeczności oznaczone jako \"anti\"", - "filters": "Filtry", "see_nsfw": "Kliknij, aby zobaczyć NSFW", "see_nsfw_spoiler": "Kliknij, aby zobaczyć spoiler NSFW", "always_show_nsfw": "Zawsze wyświetlać media NSFW?", "always_show_nsfw_notice": "Ok, zmieniliśmy twoje preferencje, aby zawsze wyświetlać media NSFW.", "content_options": "Opcje treści", - "hide_vulgar": "Ukryj społeczności oznaczone jako \"vulgar\"", "over_18": "Powyżej 18?", "must_be_over_18": "Musisz mieć więcej niż 18 lat, aby zobaczyć tę społeczność", "must_be_over_18_explanation": "Musisz mieć co najmniej osiemnaście lat, aby oglądać tę treść. Masz ponad osiemnaście lat i chcesz oglądać treści dla dorosłych?", @@ -355,7 +290,6 @@ "block_user": "Zablokuj użytkownika", "unblock_user": "Odblokuj użytkownika", "filtering_by_tag": "Filtrowanie po tagu: \"{{tag}}\"", - "read_only_community_settings": "Ustawienia społeczności tylko do odczytu", "you_are_moderator": "Jesteś moderatorem tej społeczności", "you_are_admin": "Jesteś administratorem tej społeczności", "you_are_owner": "Jesteś właścicielem tej społeczności", @@ -377,7 +311,6 @@ "search_posts": "szukaj postów", "found_n_results_for": "znaleziono {{count}} postów dla \"{{query}}\"", "clear_search": "wyczyść wyszukiwanie", - "loading_iframe": "ładowanie iframe", "no_matches_found_for": "brak pasujących wyników dla \"{{query}}\"", "searching": "wyszukiwanie", "hide_default_communities_from_topbar": "Ukryj domyślne społeczności z paska na górze", @@ -410,42 +343,48 @@ "expand_media_previews_based_on_community_media_preferences": "Rozwiń podglądy mediów na podstawie preferencji mediów tej społeczności", "show_all_nsfw": "pokaż wszystkie NSFW", "hide_all_nsfw": "ukryj wszystkie NSFW", - "unstoppable_by_design": "...niezatrzymywalny z założenia.", - "servers_are_overrated": "...serwery są przeceniane.", - "cryptographic_playground": "... kryptograficzny plac zabaw.", - "where_you_own_the_keys": "...gdzie posiadasz klucze.", - "no_middleman_here": "...tutaj nie ma pośrednika.", - "join_the_decentralution": "...dołącz do decentralution.", - "because_privacy_matters": "...ponieważ prywatność ma znaczenie.", - "freedom_served_fresh_daily": "...wolność serwowana codziennie na świeżo.", - "your_community_your_rules": "...twoja społeczność, twoje zasady.", - "centralization_is_boring": "...centralizacja jest nudna.", - "like_torrents_for_thoughts": "...jak torrenty, dla myśli.", - "cant_stop_the_signal": "...nie można zatrzymać sygnału.", - "fully_yours_forever": "...całkowicie twój, na zawsze.", - "powered_by_caffeine": "...zasilane kofeiną.", - "speech_wants_to_be_free": "...mowa chce być wolna.", - "crypto_certified_community": "...kryptowalutowa społeczność certyfikowana.", - "take_ownership_literally": "...dosłownie przejmij własność.", - "your_ideas_decentralized": "...twoje pomysły, zdecentralizowane.", - "for_digital_sovereignty": "...dla suwerenności cyfrowej.", - "for_your_movement": "...dla twojego ruchu.", - "because_you_love_freedom": "...bo kochasz wolność.", - "decentralized_but_for_real": "...zdecentralizowane, ale na serio.", - "for_your_peace_of_mind": "...dla twojego spokoju ducha.", - "no_corporation_to_answer_to": "...żadna korporacja nie ma komu się tłumaczyć.", - "your_tokenized_sovereignty": "...twoja tokenizowana suwerenność.", - "for_text_only_wonders": "...dla cudów tylko tekstowych.", - "because_open_source_rulez": "...bo open source rządzi.", - "truly_peer_to_peer": "...naprawdę peer to peer.", - "no_hidden_fees": "...brak ukrytych opłat.", - "no_global_rules": "...brak globalnych reguł.", - "for_reddits_downfall": "...dla upadku Reddita.", - "evil_corp_cant_stop_us": "...Evil Corp™ nie może nas powstrzymać.", - "no_gods_no_global_admins": "...żadnych bogów, żadnych globalnych administratorów.", "tags": "Tagi", "moderator_of": "moderator", "not_subscriber_nor_moderator": "Nie jesteś subskrybentem ani moderatorem żadnej społeczności.", "more_posts_last_year": "{{count}} postów w ostatnim {{currentTimeFilterName}}: <1>pokaż więcej postów z zeszłego roku", - "editor_fallback_warning": "Zaawansowany edytor nie załadował się, używany jest podstawowy edytor tekstu jako zastępstwo." + "editor_fallback_warning": "Zaawansowany edytor nie załadował się, używany jest podstawowy edytor tekstu jako zastępstwo.", + "hot": "hot", + "new": "new", + "active": "active", + "top": "top", + "best": "best", + "old": "old", + "unstoppable_by_design": "...unstoppable by design.", + "servers_are_overrated": "...servers are overrated.", + "cryptographic_playground": "... cryptographic playground.", + "where_you_own_the_keys": "...where you own the keys.", + "no_middleman_here": "...no middleman here.", + "join_the_decentralution": "...join the decentralution.", + "because_privacy_matters": "...because privacy matters.", + "freedom_served_fresh_daily": "...freedom served fresh daily.", + "your_community_your_rules": "...your community, your rules.", + "centralization_is_boring": "...centralization is boring.", + "like_torrents_for_thoughts": "...like torrents, for thoughts.", + "cant_stop_the_signal": "...can't stop the signal.", + "fully_yours_forever": "...fully yours, forever.", + "powered_by_caffeine": "...powered by caffeine.", + "speech_wants_to_be_free": "...speech wants to be free.", + "crypto_certified_community": "...crypto-certified community.", + "take_ownership_literally": "...take ownership literally.", + "your_ideas_decentralized": "...your ideas, decentralized.", + "for_digital_sovereignty": "...for digital sovereignty.", + "for_your_movement": "...for your movement.", + "because_you_love_freedom": "...because you love freedom.", + "decentralized_but_for_real": "...decentralized, but for real.", + "for_your_peace_of_mind": "...for your peace of mind.", + "no_corporation_to_answer_to": "...no corporation to answer to.", + "your_tokenized_sovereignty": "...your tokenized sovereignty.", + "for_text_only_wonders": "...for text-only wonders.", + "because_open_source_rulez": "...because open source rulez.", + "truly_peer_to_peer": "...truly peer to peer.", + "no_hidden_fees": "...no hidden fees.", + "no_global_rules": "...no global rules.", + "for_reddits_downfall": "...for Reddit's downfall.", + "evil_corp_cant_stop_us": "...Evil Corp™ can't stop us.", + "no_gods_no_global_admins": "...no gods, no global admins." } diff --git a/public/translations/pt/default.json b/public/translations/pt/default.json index 4cd8d6528..ea68ccaad 100644 --- a/public/translations/pt/default.json +++ b/public/translations/pt/default.json @@ -1,13 +1,7 @@ { - "hot": "popular", - "new": "novo", - "active": "ativo", - "controversial": "controverso", - "top": "mais votado", "about": "sobre", "comments": "comentários", "preferences": "preferências", - "account_bar_language": "Português", "submit": "enviar", "dark": "escuro", "light": "claro", @@ -22,7 +16,6 @@ "post_comments": "comentários", "share": "compartilhar", "save": "salvar", - "unsave": "desfazer", "hide": "ocultar", "report": "denunciar", "crosspost": "crosspost", @@ -37,11 +30,7 @@ "time_1_year_ago": "há 1 ano", "time_x_years_ago": "há {{count}} anos", "spoiler": "spoiler", - "unspoiler": "desfazer spoiler", - "reply_permalink": "permalink", - "embed": "embed", "reply_reply": "responder", - "best": "melhores", "reply_sorted_by": "ordenado por", "all_comments": "todos os {{count}} comentários", "no_comments": "sem comentários (ainda)", @@ -66,11 +55,10 @@ "next": "Próximo", "loading": "Carregando", "pending": "Pendente", - "or": "ou", "submit_subscriptions_notice": "Comunidades sugeridas", "submit_subscriptions": "suas comunidades inscritas", "rules_for": "regras para", - "no_communities_found": "Nenhuma comunidade encontrada em <1>https://github.com/plebbit/lists", + "no_communities_found": "Nenhuma comunidade encontrada em <1>https://github.com/bitsocialhq/lists", "connect_community_notice": "Para se conectar a uma comunidade, use 🔎 no canto superior direito", "options": "opções", "hide_options": "ocultar opções", @@ -85,7 +73,6 @@ "time_x_months": "{{count}} meses", "time_1_year": "1 ano", "time_x_years": "{{count}} anos", - "search": "pesquisar", "submit_post": "Enviar uma nova publicação", "create_your_community": "Crie sua própria comunidade", "moderators": "moderadores", @@ -95,7 +82,6 @@ "created_by": "criado por {{creatorAddress}}", "community_for": "uma comunidade por {{date}}", "post_submitted_on": "esta postagem foi enviada em {{postDate}}", - "readers_count": "{{count}} leitores", "users_online": "{{count}} usuários aqui agora", "point": "ponto", "points": "pontos", @@ -107,26 +93,15 @@ "moderation": "moderação", "interface_language": "idioma de interface", "theme": "tema", - "profile": "perfil", "account": "conta", "display_name": "nome de exibição", "crypto_address": "endereço de cripto", - "reset": "redefinir", - "changes": "alterações", "check": "verificar", "crypto_address_verification": "se o endereço de cripto for resolvido p2p", - "is_current_account": "é a conta atual", - "account_data_preview": "visualização de dados da conta", "create": "criar", - "a_new_account": "uma nova conta", - "import": "importar", - "export": "exportar", "delete": "apagar", - "full_account_data": "dados completos da conta", - "this_account": "esta conta", "locked": "trancado", "reason": "razão", - "no_posts_found": "nenhuma postagem encontrada", "sorted_by": "ordenado por", "downvoted": "voto negativo", "hidden": "oculto", @@ -138,21 +113,14 @@ "full_comments": "todos os comentários", "context": "contexto", "block": "bloquear", - "hide_post": "ocultar postagem", "post": "postagem", "unhide": "mostrar", "unblock": "desbloquear", "undo": "desfazer", "post_hidden": "postagem oculta", - "old": "antigos", - "copy_link": "copiar link", "link_copied": "link copiado", - "view_on": "ver em {{destination}}", "block_community": "bloquear comunidade", "unblock_community": "desbloquear comunidade", - "block_community_alert": "Tem certeza de que deseja bloquear esta comunidade?", - "unblock_community_alert": "Tem certeza de que deseja desbloquear esta comunidade?", - "search_community_address": "Pesquisar um endereço de comunidade", "search_feed_post": "Pesquisar uma postagem neste feed", "from": "de", "via": "via", @@ -169,15 +137,12 @@ "no_posts": "sem publicações", "media_url": "URL de mídia", "post_locked_info": "Esta postagem está {{state}}. Você não poderá comentar.", - "no_subscriptions_notice": "Ainda não se juntou a nenhuma comunidade.", "members_count": "{{count}} membros", "communities": "comunidade", "edit": "editar", "moderator": "Moderador", "description": "Descrição", "rules": "Regras", - "challenge": "Desafio", - "settings": "Configurações", "save_options": "Salvar opções", "logo": "Logotipo", "address": "Endereço", @@ -188,26 +153,15 @@ "moderation_tools": "Ferramentas de moderação", "submit_to": "Enviar para <1>{{link}}", "edit_subscriptions": "Editar assinaturas", - "last_account_notice": "Você não pode excluir sua última conta, por favor crie uma nova primeiro.", "delete_confirm": "Tem certeza de que deseja excluir {{value}}?", "saving": "Salvando", "deleted": "Excluído", - "mark_spoiler": "Marcar como spoiler", - "remove_spoiler": "Remover spoiler", - "delete_post": "Excluir postagem", - "undo_delete": "Desfazer exclusão", - "edit_content": "Editar conteúdo", "online": "Online", "offline": "Offline", - "download_app": "Baixar aplicativo", - "approved_user": "Usuário aprovado", "subscriber": "Inscrito", - "approved": "Aprovado", - "proposed": "Proposto", "join_communities_notice": "Clique nos botões <1>{{join}} ou <2>{{leave}} para escolher quais comunidades aparecem no feed inicial.", "below_subscribed": "Abaixo estão as comunidades às quais você se inscreveu.", "not_subscribed": "Você ainda não está inscrito em nenhuma comunidade.", - "below_approved_user": "Abaixo estão as comunidades em que você é um usuário aprovado.", "below_moderator_access": "Abaixo estão as comunidades às quais você tem acesso como moderador.", "not_moderator": "Você não é moderador em nenhuma comunidade.", "create_community": "Criar comunidade", @@ -228,7 +182,6 @@ "address_setting_info": "Defina um endereço comunitário legível usando um domínio criptográfico", "enter_crypto_address": "Por favor, insira um endereço de cripto válido.", "check_for_updates": "<1>Verifique as atualizações", - "general_settings": "Configurações gerais", "refresh_to_update": "Atualize a página para atualizar", "latest_development_version": "Você está na última versão de desenvolvimento, commit {{commit}}. Para usar a versão estável, vá para {{link}}.", "latest_stable_version": "Você está na versão estável mais recente, seedit v{{version}}.", @@ -236,7 +189,6 @@ "new_stable_version": "Nova versão estável disponível, seedit v{{newVersion}}. Você está usando seedit v{{oldVersion}}.", "download_latest_desktop": "Baixe a versão mais recente para desktop aqui: {{link}}", "contribute_on_github": "Contribua no GitHub", - "create_community_not_available": "Ainda não disponível na web. Você pode criar uma comunidade usando o aplicativo para desktop, faça o download aqui: {{desktopLink}}. Se você se sentir confortável com a linha de comando, confira aqui: {{cliLink}}", "no_media_found": "Nenhum media encontrado", "no_image_found": "Nenhuma imagem encontrada", "warning_spam": "Aviso: nenhum desafio selecionado, a comunidade está vulnerável a ataques de spam.", @@ -254,7 +206,6 @@ "owner": "dono", "admin": "administrador", "settings_saved": "Configurações salvas para p/{{subplebbitAddress}}", - "mod_edit": "edição de mod", "continue_thread": "continue este tópico", "mod_edit_reason": "Razão da edição do moderador", "double_confirm": "Tem certeza? Esta ação é irreversível.", @@ -266,12 +217,10 @@ "not_found_description": "A página que você solicitou não existe", "last_edited": "última edição {{timestamp}}", "view_spoiler": "ver spoiler", - "more": "mais", "default_communities": "comunidades padrão", "avatar": "avatar", "pending_edit": "edição pendente", "failed_edit": "edição falhada", - "copy_full_address": "<1>copiar endereço completo", "node_stats": "estatísticas do nó", "version": "versão", "edit_reason": "motivo da edição", @@ -291,30 +240,22 @@ "ban_user_for": "Banir usuário por <1> dia(s)", "crypto_wallets": "Carteiras cripto", "wallet_address": "Endereço da carteira", - "save_wallets": "<1>Salvar carteira(s) na conta", "remove": "Remover", "add_wallet": "<1>Adicionar uma carteira cripto", "show_settings": "Mostrar configurações", "hide_settings": "Ocultar configurações", - "wallet": "Carteira", "undelete": "Recuperar", "downloading_comments": "baixando comentários", "you_blocked_community": "Você bloqueou esta comunidade", "show": "mostrar", "plebbit_options": "opções plebbit", "general": "geral", - "own_communities": "comunidades próprias", - "invalid_community_address": "Endereço da comunidade inválido", - "newer_posts_available": "Novos posts disponíveis: <1>recarregar feed", "more_posts_last_week": "{{count}} postagens na última {{currentTimeFilterName}}: <1>mostrar mais postagens da semana passada", "more_posts_last_month": "{{count}} postagens em {{currentTimeFilterName}}: <1>mostrar mais postagens do mês passado", - "sure_delete": "Tem certeza de que deseja excluir este post?", - "sure_undelete": "Tem certeza de que deseja restaurar este post?", "profile_info": "Sua conta u/{{shortAddress}} foi criada. <1>Definir nome de exibição, <2>exportar backup, <3>saiba mais.", "show_all_instead": "Exibindo postagens desde {{timeFilterName}}, <1>mostrar tudo em vez disso", "subplebbit_offline_info": "O subplebbit pode estar offline e a publicação pode falhar.", "posts_last_synced_info": "Posts sincronizados pela última vez {{time}}, o subplebbit pode estar offline e a publicação pode falhar.", - "stored_locally": "Armazenado localmente ({{location}}), não sincronizado entre dispositivos", "import_account_backup": "<1>importar backup da conta", "export_account_backup": "<1>exportar backup da conta", "save_reset_changes": "<1>salvar ou <2>resetar alterações", @@ -334,17 +275,11 @@ "communities_you_moderate": "Comunidades que você modera", "blur_media": "Desfoque mídias marcadas como NSFW/18+", "nsfw_content": "Conteúdo NSFW", - "nsfw_communities": "Comunidades NSFW", - "hide_adult": "Ocultar comunidades marcadas como \"adulto\"", - "hide_gore": "Ocultar comunidades marcadas como \"gore\"", - "hide_anti": "Ocultar comunidades marcadas como \"anti\"", - "filters": "Filtros", "see_nsfw": "Clique para ver NSFW", "see_nsfw_spoiler": "Clique para ver o spoiler NSFW", "always_show_nsfw": "Sempre mostrar mídias NSFW?", "always_show_nsfw_notice": "Ok, mudamos suas preferências para mostrar sempre mídias NSFW.", "content_options": "Opções de conteúdo", - "hide_vulgar": "Ocultar comunidades marcadas como \"vulgar\"", "over_18": "Acima de 18?", "must_be_over_18": "Você precisa ter 18 anos ou mais para ver esta comunidade", "must_be_over_18_explanation": "Você deve ter pelo menos dezoito anos para ver este conteúdo. Você tem mais de dezoito anos e está disposto a ver conteúdo para adultos?", @@ -355,7 +290,6 @@ "block_user": "Bloquear usuário", "unblock_user": "Desbloquear usuário", "filtering_by_tag": "Filtrando por tag: \"{{tag}}\"", - "read_only_community_settings": "Configurações de comunidade somente leitura", "you_are_moderator": "Você é moderador desta comunidade", "you_are_admin": "Você é um administrador desta comunidade", "you_are_owner": "Você é o proprietário desta comunidade", @@ -377,7 +311,6 @@ "search_posts": "pesquisar postagens", "found_n_results_for": "encontrados {{count}} posts para \"{{query}}\"", "clear_search": "limpar pesquisa", - "loading_iframe": "carregando iframe", "no_matches_found_for": "nenhuma correspondência encontrada para \"{{query}}\"", "searching": "buscando", "hide_default_communities_from_topbar": "Ocultar comunidades padrão da barra superior", @@ -410,42 +343,48 @@ "expand_media_previews_based_on_community_media_preferences": "Expanda as visualizações de mídia com base nas preferências de mídia daquela comunidade", "show_all_nsfw": "mostrar todo NSFW", "hide_all_nsfw": "ocultar todo NSFW", - "unstoppable_by_design": "...imparável por design.", - "servers_are_overrated": "...os servidores são superestimados.", - "cryptographic_playground": "... playground criptográfico.", - "where_you_own_the_keys": "...onde você possui as chaves.", - "no_middleman_here": "...sem intermediário aqui.", - "join_the_decentralution": "...junte-se à decentralution.", - "because_privacy_matters": "...porque a privacidade importa.", - "freedom_served_fresh_daily": "...liberdade servida fresca diariamente.", - "your_community_your_rules": "...sua comunidade, suas regras.", - "centralization_is_boring": "...centralização é chata.", - "like_torrents_for_thoughts": "...como torrents, para pensamentos.", - "cant_stop_the_signal": "...não pode parar o sinal.", - "fully_yours_forever": "...completamente seu, para sempre.", - "powered_by_caffeine": "...movido por cafeína.", - "speech_wants_to_be_free": "...a fala quer ser livre.", - "crypto_certified_community": "...comunidade certificada em cripto.", - "take_ownership_literally": "...assuma a propriedade literalmente.", - "your_ideas_decentralized": "...suas ideias, descentralizadas.", - "for_digital_sovereignty": "...pela soberania digital.", - "for_your_movement": "...para o seu movimento.", - "because_you_love_freedom": "...porque você ama a liberdade.", - "decentralized_but_for_real": "...descentralizado, mas de verdade.", - "for_your_peace_of_mind": "...para sua tranquilidade.", - "no_corporation_to_answer_to": "...nenhuma corporação para responder.", - "your_tokenized_sovereignty": "...sua soberania tokenizada.", - "for_text_only_wonders": "...para maravilhas somente de texto.", - "because_open_source_rulez": "...porque open source domina.", - "truly_peer_to_peer": "...realmente peer to peer.", - "no_hidden_fees": "...sem taxas ocultas.", - "no_global_rules": "...nenhuma regra global.", - "for_reddits_downfall": "...para a queda do Reddit.", - "evil_corp_cant_stop_us": "...Evil Corp™ não pode nos parar.", - "no_gods_no_global_admins": "...sem deuses, sem administradores globais.", "tags": "Tags", "moderator_of": "moderador de", "not_subscriber_nor_moderator": "Você não é assinante nem moderador de nenhuma comunidade.", "more_posts_last_year": "{{count}} posts no último {{currentTimeFilterName}}: <1>mostrar mais posts do ano passado", - "editor_fallback_warning": "editor avançado falhou ao carregar, usando editor de texto básico como fallback." + "editor_fallback_warning": "editor avançado falhou ao carregar, usando editor de texto básico como fallback.", + "hot": "hot", + "new": "new", + "active": "active", + "top": "top", + "best": "best", + "old": "old", + "unstoppable_by_design": "...unstoppable by design.", + "servers_are_overrated": "...servers are overrated.", + "cryptographic_playground": "... cryptographic playground.", + "where_you_own_the_keys": "...where you own the keys.", + "no_middleman_here": "...no middleman here.", + "join_the_decentralution": "...join the decentralution.", + "because_privacy_matters": "...because privacy matters.", + "freedom_served_fresh_daily": "...freedom served fresh daily.", + "your_community_your_rules": "...your community, your rules.", + "centralization_is_boring": "...centralization is boring.", + "like_torrents_for_thoughts": "...like torrents, for thoughts.", + "cant_stop_the_signal": "...can't stop the signal.", + "fully_yours_forever": "...fully yours, forever.", + "powered_by_caffeine": "...powered by caffeine.", + "speech_wants_to_be_free": "...speech wants to be free.", + "crypto_certified_community": "...crypto-certified community.", + "take_ownership_literally": "...take ownership literally.", + "your_ideas_decentralized": "...your ideas, decentralized.", + "for_digital_sovereignty": "...for digital sovereignty.", + "for_your_movement": "...for your movement.", + "because_you_love_freedom": "...because you love freedom.", + "decentralized_but_for_real": "...decentralized, but for real.", + "for_your_peace_of_mind": "...for your peace of mind.", + "no_corporation_to_answer_to": "...no corporation to answer to.", + "your_tokenized_sovereignty": "...your tokenized sovereignty.", + "for_text_only_wonders": "...for text-only wonders.", + "because_open_source_rulez": "...because open source rulez.", + "truly_peer_to_peer": "...truly peer to peer.", + "no_hidden_fees": "...no hidden fees.", + "no_global_rules": "...no global rules.", + "for_reddits_downfall": "...for Reddit's downfall.", + "evil_corp_cant_stop_us": "...Evil Corp™ can't stop us.", + "no_gods_no_global_admins": "...no gods, no global admins." } diff --git a/public/translations/ro/default.json b/public/translations/ro/default.json index 392792d4a..de898a805 100644 --- a/public/translations/ro/default.json +++ b/public/translations/ro/default.json @@ -1,13 +1,7 @@ { - "hot": "Fierbinte", - "new": "Nou", - "active": "Activ", - "controversial": "Controversat", - "top": "Top", "about": "Despre", "comments": "comentarii", "preferences": "Preferințe", - "account_bar_language": "Engleză", "submit": "Trimite", "dark": "Întunecat", "light": "Luminos", @@ -22,7 +16,6 @@ "post_comments": "Comentarii", "share": "Distribuie", "save": "Salvează", - "unsave": "Anulează salvare", "hide": "Ascunde", "report": "Raportează", "crosspost": "Crosspost", @@ -37,11 +30,7 @@ "time_1_year_ago": "Acum 1 an", "time_x_years_ago": "Acum {{count}} ani", "spoiler": "Spoiler", - "unspoiler": "Fără spoiler", - "reply_permalink": "Permalink", - "embed": "Embed", "reply_reply": "Răspuns", - "best": "Cele mai bune", "reply_sorted_by": "Sortat după", "all_comments": "Toate {{count}} comentariile", "no_comments": "Fără comentarii (încă)", @@ -66,11 +55,10 @@ "next": "Următor", "loading": "Se încarcă", "pending": "În așteptare", - "or": "sau", "submit_subscriptions_notice": "Comunități recomandate", "submit_subscriptions": "comunitățile dvs. abonate", "rules_for": "reguli pentru", - "no_communities_found": "Nicio comunitate găsită pe <1>https://github.com/plebbit/lists", + "no_communities_found": "Nicio comunitate găsită pe <1>https://github.com/bitsocialhq/lists", "connect_community_notice": "Pentru a vă conecta la o comunitate, folosiți 🔎 în partea dreaptă sus", "options": "opțiuni", "hide_options": "ascunde opțiuni", @@ -85,7 +73,6 @@ "time_x_months": "{{count}} luni", "time_1_year": "1 an", "time_x_years": "{{count}} ani", - "search": "căutare", "submit_post": "Trimite o postare nouă", "create_your_community": "Creează-ți propria comunitate", "moderators": "moderatori", @@ -95,7 +82,6 @@ "created_by": "creat de {{creatorAddress}}", "community_for": "o comunitate pentru {{date}}", "post_submitted_on": "această postare a fost trimisă la {{postDate}}", - "readers_count": "{{count}} cititori", "users_online": "{{count}} utilizatori aici acum", "point": "punct", "points": "puncte", @@ -107,26 +93,15 @@ "moderation": "moderare", "interface_language": "limbă de interfață", "theme": "temă", - "profile": "profil", "account": "cont", "display_name": "nume de afișare", "crypto_address": "adresa cripto", - "reset": "resetează", - "changes": "schimbări", "check": "verificați", "crypto_address_verification": "dacă adresa cripto este rezolvată p2p", - "is_current_account": "este contul curent", - "account_data_preview": "previzualizare a datelor contului", "create": "creați", - "a_new_account": "un cont nou", - "import": "importați", - "export": "exportați", "delete": "ștergeți", - "full_account_data": "date complete ale contului", - "this_account": "acest cont", "locked": "blocat", "reason": "motiv", - "no_posts_found": "nu au fost găsite postări", "sorted_by": "sortat după", "downvoted": "vot negativ", "hidden": "ascuns", @@ -138,21 +113,14 @@ "full_comments": "toate comentariile", "context": "context", "block": "blochează", - "hide_post": "ascunde postarea", "post": "postare", "unhide": "afișează", "unblock": "deblochează", "undo": "anulează", "post_hidden": "postare ascunsă", - "old": "vechi", - "copy_link": "copiază linkul", "link_copied": "link copiat", - "view_on": "vezi pe {{destination}}", "block_community": "blochează comunitatea", "unblock_community": "deblochează comunitatea", - "block_community_alert": "Sunteți sigur că doriți să blocați această comunitate?", - "unblock_community_alert": "Sunteți sigur că doriți să deblocați această comunitate?", - "search_community_address": "Caută o adresă de comunitate", "search_feed_post": "Caută o postare în acest flux", "from": "de la", "via": "prin", @@ -169,15 +137,12 @@ "no_posts": "niciun post", "media_url": "URL media", "post_locked_info": "Această postare este {{state}}. Nu veți putea comenta.", - "no_subscriptions_notice": "Nu te-ai alăturat încă niciunei comunități.", "members_count": "{{count}} membri", "communities": "comunitate", "edit": "modifica", "moderator": "Moderator", "description": "Descriere", "rules": "Reguli", - "challenge": "Provocare", - "settings": "Setări", "save_options": "Salvați opțiunile", "logo": "Logo", "address": "Adresă", @@ -188,26 +153,15 @@ "moderation_tools": "Instrumente de moderare", "submit_to": "Trimite la <1>{{link}}", "edit_subscriptions": "Editează abonamente", - "last_account_notice": "Nu puteți șterge ultimul dvs. cont, vă rugăm să creați unul nou mai întâi.", "delete_confirm": "Sunteți sigur că doriți să ștergeți {{value}}?", "saving": "Se salvează", "deleted": "Șters", - "mark_spoiler": "Marchează ca spoiler", - "remove_spoiler": "Eliminați spoilerul", - "delete_post": "Ștergeți postarea", - "undo_delete": "Anulează ștergerea", - "edit_content": "Editează conținutul", "online": "Online", "offline": "Offline", - "download_app": "Descarcă aplicația", - "approved_user": "Utilizator aprobat", "subscriber": "Abonat", - "approved": "Aprobat", - "proposed": "Propus", "join_communities_notice": "Faceți clic pe butoanele <1>{{join}} sau <2>{{leave}} pentru a alege ce comunități apar pe pagina de pornire.", "below_subscribed": "Mai jos sunt comunitățile la care te-ai abonat.", "not_subscribed": "Nu sunteți abonat la nicio comunitate încă.", - "below_approved_user": "Mai jos sunt comunitățile unde ești un utilizator aprobat.", "below_moderator_access": "Mai jos sunt comunitățile la care aveți acces ca moderator.", "not_moderator": "Nu ești moderator în nicio comunitate.", "create_community": "Creați comunitate", @@ -228,7 +182,6 @@ "address_setting_info": "Setați o adresă comunitară citibilă folosind un domeniu cripto", "enter_crypto_address": "Vă rugăm să introduceți o adresă crypto validă.", "check_for_updates": "<1>Verifică pentru actualizări", - "general_settings": "Setări generale", "refresh_to_update": "Actualizați pagina pentru a actualiza", "latest_development_version": "Ești pe cea mai recentă versiune de dezvoltare, commit {{commit}}. Pentru a folosi versiunea stabilă, mergi la {{link}}.", "latest_stable_version": "Ești pe cea mai recentă versiune stabilă, seedit v{{version}}.", @@ -236,7 +189,6 @@ "new_stable_version": "Noua versiune stabilă disponibilă, seedit v{{newVersion}}. Folosiți seedit v{{oldVersion}}.", "download_latest_desktop": "Descărcați cea mai recentă versiune de desktop aici: {{link}}", "contribute_on_github": "Contribuiți pe GitHub", - "create_community_not_available": "Încă nu este disponibil pe web. Puteți crea o comunitate folosind aplicația desktop, descărcați-o de aici: {{desktopLink}}. Dacă vă simțiți confortabil cu linia de comandă, verificați aici: {{cliLink}}", "no_media_found": "Nu s-au găsit media", "no_image_found": "Nu s-a găsit nicio imagine", "warning_spam": "Avertisment: nicio provocare selectată, comunitatea este vulnerabilă la atacuri de spam.", @@ -254,7 +206,6 @@ "owner": "proprietar", "admin": "administrator", "settings_saved": "Setările au fost salvate pentru p/{{subplebbitAddress}}", - "mod_edit": "editare mod", "continue_thread": "continuați acest fir de discuție", "mod_edit_reason": "Motivul editării de către moderator", "double_confirm": "Sunteți sigur? Această acțiune este ireversibilă.", @@ -266,12 +217,10 @@ "not_found_description": "Pagina pe care ai solicitat-o nu există", "last_edited": "ultima editare {{timestamp}}", "view_spoiler": "vezi spoilerul", - "more": "mai multe", "default_communities": "comunități implicite", "avatar": "avatar", "pending_edit": "editare în așteptare", "failed_edit": "editare eșuată", - "copy_full_address": "<1>copiază adresa completă", "node_stats": "statistici de nod", "version": "versiune", "edit_reason": "motivul editării", @@ -291,30 +240,22 @@ "ban_user_for": "Interzice utilizatorul pentru <1> zi(zile)", "crypto_wallets": "Portofele crypto", "wallet_address": "Adresa portofelului", - "save_wallets": "<1>Salvează portofele în cont", "remove": "Elimină", "add_wallet": "<1>Adăugați un portofel cripto", "show_settings": "Afișare setări", "hide_settings": "Ascunde setările", - "wallet": "Portofel", "undelete": "Recuperare", "downloading_comments": "se descarcă comentarii", "you_blocked_community": "Ați blocat această comunitate", "show": "arată", "plebbit_options": "opțiuni plebbit", "general": "general", - "own_communities": "comunități proprii", - "invalid_community_address": "Adresă comunitară nevalidă", - "newer_posts_available": "Postări mai noi disponibile: <1>reîncărcați fluxul", "more_posts_last_week": "{{count}} postări săptămâna trecută {{currentTimeFilterName}}: <1>arata mai multe postări de săptămâna trecută", "more_posts_last_month": "{{count}} postări în {{currentTimeFilterName}}: <1>arată mai multe postări din luna trecută", - "sure_delete": "Ești sigur că vrei să ștergi această postare?", - "sure_undelete": "Ești sigur că vrei să restaurezi această postare?", "profile_info": "Contul tău u/{{shortAddress}} a fost creat. <1>Setează numele de afișare, <2>exportă backup, <3>află mai multe.", "show_all_instead": "Afișând postări din {{timeFilterName}}, <1>afișați totul în schimb", "subplebbit_offline_info": "Subplebbitul ar putea fi offline și publicarea ar putea eșua.", "posts_last_synced_info": "Ultimele postări sincronizate {{time}}, subplebbitul ar putea fi offline și publicarea ar putea eșua.", - "stored_locally": "Stocat local ({{location}}), nu este sincronizat între dispozitive", "import_account_backup": "<1>importați backup-ul contului", "export_account_backup": "<1>exportați backup-ul contului", "save_reset_changes": "<1>salvează sau <2>resetează modificările", @@ -334,17 +275,11 @@ "communities_you_moderate": "Comunități pe care le moderezi", "blur_media": "Estompați media marcate ca NSFW/18+", "nsfw_content": "Conținut NSFW", - "nsfw_communities": "Comunități NSFW", - "hide_adult": "Ascunde comunitățile etichetate ca \"adult\"", - "hide_gore": "Ascunde comunitățile etichetate ca \"gore\"", - "hide_anti": "Ascunde comunitățile etichetate ca \"anti\"", - "filters": "Filtre", "see_nsfw": "Faceți clic pentru a vedea NSFW", "see_nsfw_spoiler": "Faceți clic pentru a vedea spoilerul NSFW", "always_show_nsfw": "Doriți să arătați întotdeauna media NSFW?", "always_show_nsfw_notice": "Ok, am schimbat preferințele tale pentru a arăta întotdeauna media NSFW.", "content_options": "Opțiuni de conținut", - "hide_vulgar": "Ascunde comunitățile etichetate ca \"vulgar\"", "over_18": "Peste 18?", "must_be_over_18": "Trebuie să ai 18+ ani pentru a vizualiza această comunitate", "must_be_over_18_explanation": "Trebuie să ai cel puțin optsprezece ani pentru a vizualiza acest conținut. Ai peste optsprezece ani și ești dispus să vizionezi conținut pentru adulți?", @@ -355,7 +290,6 @@ "block_user": "Blochează utilizatorul", "unblock_user": "Deblochează utilizatorul", "filtering_by_tag": "Filtrare după tag: \"{{tag}}\"", - "read_only_community_settings": "Setări comunitate doar citire", "you_are_moderator": "Ești moderator al acestei comunități", "you_are_admin": "Ești administrator al acestei comunități", "you_are_owner": "Ești proprietarul acestei comunități", @@ -377,7 +311,6 @@ "search_posts": "căutați postări", "found_n_results_for": "au fost găsite {{count}} postări pentru \"{{query}}\"", "clear_search": "șterge căutarea", - "loading_iframe": "încărcare iframe", "no_matches_found_for": "nu s-au găsit rezultate pentru \"{{query}}\"", "searching": "căutare", "hide_default_communities_from_topbar": "Ascunde comunitățile implicite din bara de sus", @@ -410,42 +343,48 @@ "expand_media_previews_based_on_community_media_preferences": "Extindeți previzualizările media pe baza preferințelor media ale comunității respective", "show_all_nsfw": "arată tot NSFW", "hide_all_nsfw": "ascunde tot NSFW", - "unstoppable_by_design": "...de neoprit prin design.", - "servers_are_overrated": "...serverele sunt supraevaluate.", - "cryptographic_playground": "... teren de joacă criptografic.", - "where_you_own_the_keys": "...unde deții cheile.", - "no_middleman_here": "...fără intermediari aici.", - "join_the_decentralution": "...alăturați-vă decentralution.", - "because_privacy_matters": "...pentru că intimitatea contează.", - "freedom_served_fresh_daily": "...libertate servită proaspăt zilnic.", - "your_community_your_rules": "...comunitatea ta, regulile tale.", - "centralization_is_boring": "...centralizarea este plictisitoare.", - "like_torrents_for_thoughts": "...ca torrente, pentru gânduri.", - "cant_stop_the_signal": "...nu poți opri semnalul.", - "fully_yours_forever": "...complet al tău, pentru totdeauna.", - "powered_by_caffeine": "...alimentat de cofeină.", - "speech_wants_to_be_free": "...discursul vrea să fie liber.", - "crypto_certified_community": "...comunitate certificată crypto.", - "take_ownership_literally": "...ia în mod literal proprietatea.", - "your_ideas_decentralized": "...ideile tale, descentralizate.", - "for_digital_sovereignty": "...pentru suveranitate digitală.", - "for_your_movement": "...pentru mișcarea ta.", - "because_you_love_freedom": "...pentru că iubești libertatea.", - "decentralized_but_for_real": "...decentralizat, dar pe bune.", - "for_your_peace_of_mind": "...pentru liniștea ta sufletească.", - "no_corporation_to_answer_to": "...nicio corporație căreia să îi răspundă.", - "your_tokenized_sovereignty": "...suveranitatea ta tokenizată.", - "for_text_only_wonders": "...pentru minunile doar text.", - "because_open_source_rulez": "...pentru că open source e tare.", - "truly_peer_to_peer": "...cu adevărat peer to peer.", - "no_hidden_fees": "...fără taxe ascunse.", - "no_global_rules": "...fără reguli globale.", - "for_reddits_downfall": "...pentru declinul Reddit.", - "evil_corp_cant_stop_us": "...Evil Corp™ nu ne poate opri.", - "no_gods_no_global_admins": "...fără zei, fără administratori globali.", "tags": "Etichete", "moderator_of": "moderator al", "not_subscriber_nor_moderator": "Nu ești abonat și nici moderator al vreunei comunități.", "more_posts_last_year": "{{count}} postări în ultimul {{currentTimeFilterName}}: <1>arată mai multe postări din anul trecut", - "editor_fallback_warning": "editorul avansat nu a reușit să se încarce, se folosește editorul de text simplu ca soluție de rezervă." + "editor_fallback_warning": "editorul avansat nu a reușit să se încarce, se folosește editorul de text simplu ca soluție de rezervă.", + "hot": "hot", + "new": "new", + "active": "active", + "top": "top", + "best": "best", + "old": "old", + "unstoppable_by_design": "...unstoppable by design.", + "servers_are_overrated": "...servers are overrated.", + "cryptographic_playground": "... cryptographic playground.", + "where_you_own_the_keys": "...where you own the keys.", + "no_middleman_here": "...no middleman here.", + "join_the_decentralution": "...join the decentralution.", + "because_privacy_matters": "...because privacy matters.", + "freedom_served_fresh_daily": "...freedom served fresh daily.", + "your_community_your_rules": "...your community, your rules.", + "centralization_is_boring": "...centralization is boring.", + "like_torrents_for_thoughts": "...like torrents, for thoughts.", + "cant_stop_the_signal": "...can't stop the signal.", + "fully_yours_forever": "...fully yours, forever.", + "powered_by_caffeine": "...powered by caffeine.", + "speech_wants_to_be_free": "...speech wants to be free.", + "crypto_certified_community": "...crypto-certified community.", + "take_ownership_literally": "...take ownership literally.", + "your_ideas_decentralized": "...your ideas, decentralized.", + "for_digital_sovereignty": "...for digital sovereignty.", + "for_your_movement": "...for your movement.", + "because_you_love_freedom": "...because you love freedom.", + "decentralized_but_for_real": "...decentralized, but for real.", + "for_your_peace_of_mind": "...for your peace of mind.", + "no_corporation_to_answer_to": "...no corporation to answer to.", + "your_tokenized_sovereignty": "...your tokenized sovereignty.", + "for_text_only_wonders": "...for text-only wonders.", + "because_open_source_rulez": "...because open source rulez.", + "truly_peer_to_peer": "...truly peer to peer.", + "no_hidden_fees": "...no hidden fees.", + "no_global_rules": "...no global rules.", + "for_reddits_downfall": "...for Reddit's downfall.", + "evil_corp_cant_stop_us": "...Evil Corp™ can't stop us.", + "no_gods_no_global_admins": "...no gods, no global admins." } diff --git a/public/translations/ru/default.json b/public/translations/ru/default.json index 7262fc394..be28cec4a 100644 --- a/public/translations/ru/default.json +++ b/public/translations/ru/default.json @@ -1,13 +1,7 @@ { - "hot": "Популярное", - "new": "Новое", - "active": "Активное", - "controversial": "Спорное", - "top": "Лучшее", "about": "О", "comments": "комментарии", "preferences": "Настройки", - "account_bar_language": "Английский", "submit": "Отправить", "dark": "Темный", "light": "Светлый", @@ -22,7 +16,6 @@ "post_comments": "Комментарии", "share": "Поделиться", "save": "Сохранить", - "unsave": "Убрать", "hide": "Скрыть", "report": "Пожаловаться", "crosspost": "Кросспост", @@ -37,11 +30,7 @@ "time_1_year_ago": "1 год назад", "time_x_years_ago": "{{count}} лет назад", "spoiler": "Спойлер", - "unspoiler": "Убрать спойлер", - "reply_permalink": "Постоянная ссылка", - "embed": "Встроить", "reply_reply": "Ответ", - "best": "Лучшие", "reply_sorted_by": "Сортировать по", "all_comments": "Все {{count}} комментарии", "no_comments": "Нет комментариев (пока)", @@ -66,11 +55,10 @@ "next": "Следующий", "loading": "Загрузка", "pending": "В ожидании", - "or": "или", "submit_subscriptions_notice": "Рекомендуемые сообщества", "submit_subscriptions": "ваши подписанные сообщества", "rules_for": "правила для", - "no_communities_found": "Сообщества не найдены на <1>https://github.com/plebbit/lists", + "no_communities_found": "Сообщества не найдены на <1>https://github.com/bitsocialhq/lists", "connect_community_notice": "Чтобы подключиться к сообществу, используйте 🔎 в правом верхнем углу", "options": "опции", "hide_options": "скрыть опции", @@ -85,7 +73,6 @@ "time_x_months": "{{count}} месяцев", "time_1_year": "1 год", "time_x_years": "{{count}} лет", - "search": "поиск", "submit_post": "Отправить новый пост", "create_your_community": "Создайте своё сообщество", "moderators": "модераторы", @@ -95,7 +82,6 @@ "created_by": "создано {{creatorAddress}}", "community_for": "сообщество на {{date}}", "post_submitted_on": "этот пост был отправлен {{postDate}}", - "readers_count": "{{count}} читатели", "users_online": "{{count}} пользователей сейчас здесь", "point": "точка", "points": "очки", @@ -107,26 +93,15 @@ "moderation": "модерация", "interface_language": "язык интерфейса", "theme": "тема", - "profile": "профиль", "account": "аккаунт", "display_name": "отображаемое имя", "crypto_address": "адрес криптовалюты", - "reset": "сбросить", - "changes": "изменения", "check": "проверьте", "crypto_address_verification": "если адрес криптовалюты решается p2p", - "is_current_account": "это текущий аккаунт", - "account_data_preview": "предварительный просмотр данных аккаунта", "create": "создайте", - "a_new_account": "новый аккаунт", - "import": "импортировать", - "export": "экспортировать", "delete": "удалить", - "full_account_data": "полные данные аккаунта", - "this_account": "этот аккаунт", "locked": "заблокирован", "reason": "причина", - "no_posts_found": "посты не найдены", "sorted_by": "сортировано по", "downvoted": "проголосовало негативно", "hidden": "скрыто", @@ -138,21 +113,14 @@ "full_comments": "все комментарии", "context": "контекст", "block": "заблокировать", - "hide_post": "скрыть пост", "post": "пост", "unhide": "показать", "unblock": "разблокировать", "undo": "отменить", "post_hidden": "скрытый пост", - "old": "старые", - "copy_link": "скопировать ссылку", "link_copied": "ссылка скопирована", - "view_on": "просмотреть на {{destination}}", "block_community": "заблокировать сообщество", "unblock_community": "разблокировать сообщество", - "block_community_alert": "Вы уверены, что хотите заблокировать это сообщество?", - "unblock_community_alert": "Вы уверены, что хотите разблокировать это сообщество?", - "search_community_address": "Искать адрес сообщества", "search_feed_post": "Искать запись в этой ленте", "from": "от", "via": "через", @@ -169,15 +137,12 @@ "no_posts": "нет записей", "media_url": "URL медиа", "post_locked_info": "Этот пост {{state}}. Вы не сможете оставить комментарий.", - "no_subscriptions_notice": "Вы еще не присоединились ни к одному сообществу.", "members_count": "{{count}} участников", "communities": "сообщество", "edit": "редактировать", "moderator": "Модератор", "description": "Описание", "rules": "Правила", - "challenge": "Испытание", - "settings": "Настройки", "save_options": "Сохранить настройки", "logo": "Логотип", "address": "Адрес", @@ -188,26 +153,15 @@ "moderation_tools": "Инструменты модерации", "submit_to": "Отправить на <1>{{link}}", "edit_subscriptions": "Редактировать подписки", - "last_account_notice": "Вы не можете удалить свою последнюю учетную запись, сначала создайте новую.", "delete_confirm": "Вы уверены, что хотите удалить {{value}}?", "saving": "Сохранение", "deleted": "Удалено", - "mark_spoiler": "Отметить как спойлер", - "remove_spoiler": "Удалить спойлер", - "delete_post": "Удалить пост", - "undo_delete": "Отменить удаление", - "edit_content": "Редактировать содержимое", "online": "Онлайн", "offline": "Оффлайн", - "download_app": "Загрузить приложение", - "approved_user": "Утвержденный пользователь", "subscriber": "Подписчик", - "approved": "Утверждено", - "proposed": "Предложено", "join_communities_notice": "Чтобы выбрать, какие сообщества отображать на главной странице, нажмите кнопки <1>{{join}} или <2>{{leave}}.", "below_subscribed": "Ниже перечислены сообщества, на которые вы подписались.", "not_subscribed": "Вы пока не подписаны ни на одно сообщество.", - "below_approved_user": "Ниже представлены сообщества, в которых вы являетесь одобренным пользователем.", "below_moderator_access": "Ниже представлены сообщества, в которые у вас есть доступ в качестве модератора.", "not_moderator": "Вы не являетесь модератором ни в одном сообществе.", "create_community": "Создать сообщество", @@ -228,7 +182,6 @@ "address_setting_info": "Установите читаемый общественный адрес, используя криптодомен", "enter_crypto_address": "Пожалуйста, введите действительный криптовалютный адрес.", "check_for_updates": "<1>Проверить наличие обновлений", - "general_settings": "Общие настройки", "refresh_to_update": "Обновите страницу, чтобы обновить", "latest_development_version": "Вы используете последнюю версию разработки, коммит {{commit}}. Чтобы использовать стабильную версию, перейдите по ссылке {{link}}.", "latest_stable_version": "Вы используете последнюю стабильную версию, seedit v{{version}}.", @@ -236,7 +189,6 @@ "new_stable_version": "Доступна новая стабильная версия, seedit v{{newVersion}}. Вы используете seedit v{{oldVersion}}.", "download_latest_desktop": "Скачать последнюю версию для рабочего стола здесь: {{link}}", "contribute_on_github": "Внести вклад на GitHub", - "create_community_not_available": "Пока недоступно в Интернете. Вы можете создать сообщество с помощью приложения для рабочего стола, загрузите его здесь: {{desktopLink}}. Если вы уверены в командной строке, проверьте здесь: {{cliLink}}", "no_media_found": "Медиа не найдены", "no_image_found": "Изображение не найдено", "warning_spam": "Предупреждение: не выбрано никакого вызова, сообщество уязвимо для спам-атак.", @@ -254,7 +206,6 @@ "owner": "владелец", "admin": "администратор", "settings_saved": "Настройки сохранены для p/{{subplebbitAddress}}", - "mod_edit": "редактирование модератора", "continue_thread": "продолжить эту тему", "mod_edit_reason": "Причина редактирования модератором", "double_confirm": "Вы действительно уверены? Это действие необратимо.", @@ -266,12 +217,10 @@ "not_found_description": "Запрошенная вами страница не существует", "last_edited": "последнее редактирование {{timestamp}}", "view_spoiler": "посмотреть спойлер", - "more": "больше", "default_communities": "стандартные сообщества", "avatar": "аватар", "pending_edit": "редактирование ожидается", "failed_edit": "не удалось отредактировать", - "copy_full_address": "<1>скопировать полный адрес", "node_stats": "статистика узла", "version": "версия", "edit_reason": "причина редактирования", @@ -291,30 +240,22 @@ "ban_user_for": "Заблокировать пользователя на <1> день(дней)", "crypto_wallets": "Криптокошельки", "wallet_address": "Адрес кошелька", - "save_wallets": "<1>Сохранить кошелек(и) на аккаунт", "remove": "Удалить", "add_wallet": "<1>Добавить криптокошелек", "show_settings": "Показать настройки", "hide_settings": "Скрыть настройки", - "wallet": "Кошелек", "undelete": "Восстановить", "downloading_comments": "скачиваются комментарии", "you_blocked_community": "Вы заблокировали это сообщество", "show": "показать", "plebbit_options": "опции plebbit", "general": "общий", - "own_communities": "собственные сообщества", - "invalid_community_address": "Недействительный адрес сообщества", - "newer_posts_available": "Доступны новые посты: <1>перезагрузить ленту", "more_posts_last_week": "{{count}} сообщений на прошлой {{currentTimeFilterName}}: <1>показать больше сообщений за прошлую неделю", "more_posts_last_month": "{{count}} постов в {{currentTimeFilterName}}: <1>показать больше постов за прошлый месяц", - "sure_delete": "Вы уверены, что хотите удалить этот пост?", - "sure_undelete": "Вы уверены, что хотите восстановить этот пост?", "profile_info": "Ваш аккаунт u/{{shortAddress}} был создан. <1>Установить имя отображения, <2>экспортировать резервную копию, <3>узнать больше.", "show_all_instead": "Показаны записи с {{timeFilterName}}, <1>показать все вместо этого", "subplebbit_offline_info": "Сабплеббит может быть офлайн, и публикация может не удалиться.", "posts_last_synced_info": "Последние синхронизированные сообщения {{time}}, сабплеббит может быть офлайн, и публикация может не удалиться.", - "stored_locally": "Сохранено локально ({{location}}), не синхронизировано между устройствами", "import_account_backup": "<1>импортировать резервную копию аккаунта", "export_account_backup": "<1>экспортировать резервную копию аккаунта", "save_reset_changes": "<1>сохранить или <2>сбросить изменения", @@ -334,17 +275,11 @@ "communities_you_moderate": "Сообщества, которые вы модерируете", "blur_media": "Размыть медиа, помеченные как NSFW/18+", "nsfw_content": "Контент NSFW", - "nsfw_communities": "NSFW сообщества", - "hide_adult": "Скрыть сообщества, помеченные как \"взрослый\"", - "hide_gore": "Скрыть сообщества, помеченные как \"горе\"", - "hide_anti": "Скрыть сообщества, помеченные как \"анти\"", - "filters": "Фильтры", "see_nsfw": "Нажмите, чтобы увидеть NSFW", "see_nsfw_spoiler": "Нажмите, чтобы увидеть NSFW спойлер", "always_show_nsfw": "Хотите всегда показывать NSFW медиа?", "always_show_nsfw_notice": "Окей, мы изменили ваши предпочтения, чтобы всегда показывать медиа NSFW.", "content_options": "Параметры контента", - "hide_vulgar": "Скрыть сообщества, помеченные как \"вульгарные\"", "over_18": "Больше 18?", "must_be_over_18": "Вы должны быть старше 18 лет, чтобы просматривать это сообщество", "must_be_over_18_explanation": "Вы должны быть как минимум восемнадцати лет, чтобы просматривать этот контент. Вам больше восемнадцати лет, и вы готовы просматривать контент для взрослых?", @@ -355,7 +290,6 @@ "block_user": "Заблокировать пользователя", "unblock_user": "Разблокировать пользователя", "filtering_by_tag": "Фильтрация по тегу: \"{{tag}}\"", - "read_only_community_settings": "Настройки сообщества только для чтения", "you_are_moderator": "Вы модератор этой сообщества", "you_are_admin": "Вы администратор этой сообщества", "you_are_owner": "Вы являетесь владельцем этой сообщества", @@ -377,7 +311,6 @@ "search_posts": "поиск сообщений", "found_n_results_for": "найдено {{count}} постов для \"{{query}}\"", "clear_search": "очистить поиск", - "loading_iframe": "загрузка iframe", "no_matches_found_for": "не найдено совпадений для \"{{query}}\"", "searching": "поиск", "hide_default_communities_from_topbar": "Скрыть стандартные сообщества с верхней панели", @@ -410,42 +343,48 @@ "expand_media_previews_based_on_community_media_preferences": "Расширьте предварительный просмотр медиа на основе предпочтений медиа этого сообщества", "show_all_nsfw": "показать все NSFW", "hide_all_nsfw": "скрыть весь NSFW", - "unstoppable_by_design": "...неостанавливаемый по замыслу.", - "servers_are_overrated": "...серверы переоценены.", - "cryptographic_playground": "... криптографическая площадка.", - "where_you_own_the_keys": "...где вы владеете ключами.", - "no_middleman_here": "...никаких посредников здесь.", - "join_the_decentralution": "...присоединяйтесь к decentralution.", - "because_privacy_matters": "...потому что конфиденциальность важна.", - "freedom_served_fresh_daily": "...свобода подается свежей каждый день.", - "your_community_your_rules": "...ваше сообщество, ваши правила.", - "centralization_is_boring": "...централизация скучна.", - "like_torrents_for_thoughts": "...как торренты, для мыслей.", - "cant_stop_the_signal": "...сигнал не остановить.", - "fully_yours_forever": "...полностью твой, навсегда.", - "powered_by_caffeine": "...работает на кофеине.", - "speech_wants_to_be_free": "...речь хочет быть свободной.", - "crypto_certified_community": "...крипто-сертифицированное сообщество.", - "take_ownership_literally": "...буквально возьмите на себя ответственность.", - "your_ideas_decentralized": "...твои идеи, децентрализованы.", - "for_digital_sovereignty": "...за цифровой суверенитет.", - "for_your_movement": "...для вашего движения.", - "because_you_love_freedom": "...потому что ты любишь свободу.", - "decentralized_but_for_real": "...децентрализованно, но по-настоящему.", - "for_your_peace_of_mind": "...для вашего спокойствия.", - "no_corporation_to_answer_to": "...нет корпорации, перед которой нужно отчитываться.", - "your_tokenized_sovereignty": "...ваш токенизированный суверенитет.", - "for_text_only_wonders": "...для чудес только текста.", - "because_open_source_rulez": "...потому что open source рулит.", - "truly_peer_to_peer": "...действительно peer to peer.", - "no_hidden_fees": "...нет скрытых комиссий.", - "no_global_rules": "...нет глобальных правил.", - "for_reddits_downfall": "...для падения Reddit.", - "evil_corp_cant_stop_us": "...Evil Corp™ не может нас остановить.", - "no_gods_no_global_admins": "...ни богов, ни глобальных администраторов.", "tags": "Теги", "moderator_of": "модератор", "not_subscriber_nor_moderator": "Вы не являетесь подписчиком или модератором ни одного сообщества.", "more_posts_last_year": "{{count}} постов за последний {{currentTimeFilterName}}: <1>показать больше постов за прошлый год", - "editor_fallback_warning": "Не удалось загрузить продвинутый редактор, используется базовый текстовый редактор в качестве запасного варианта." + "editor_fallback_warning": "Не удалось загрузить продвинутый редактор, используется базовый текстовый редактор в качестве запасного варианта.", + "hot": "hot", + "new": "new", + "active": "active", + "top": "top", + "best": "best", + "old": "old", + "unstoppable_by_design": "...unstoppable by design.", + "servers_are_overrated": "...servers are overrated.", + "cryptographic_playground": "... cryptographic playground.", + "where_you_own_the_keys": "...where you own the keys.", + "no_middleman_here": "...no middleman here.", + "join_the_decentralution": "...join the decentralution.", + "because_privacy_matters": "...because privacy matters.", + "freedom_served_fresh_daily": "...freedom served fresh daily.", + "your_community_your_rules": "...your community, your rules.", + "centralization_is_boring": "...centralization is boring.", + "like_torrents_for_thoughts": "...like torrents, for thoughts.", + "cant_stop_the_signal": "...can't stop the signal.", + "fully_yours_forever": "...fully yours, forever.", + "powered_by_caffeine": "...powered by caffeine.", + "speech_wants_to_be_free": "...speech wants to be free.", + "crypto_certified_community": "...crypto-certified community.", + "take_ownership_literally": "...take ownership literally.", + "your_ideas_decentralized": "...your ideas, decentralized.", + "for_digital_sovereignty": "...for digital sovereignty.", + "for_your_movement": "...for your movement.", + "because_you_love_freedom": "...because you love freedom.", + "decentralized_but_for_real": "...decentralized, but for real.", + "for_your_peace_of_mind": "...for your peace of mind.", + "no_corporation_to_answer_to": "...no corporation to answer to.", + "your_tokenized_sovereignty": "...your tokenized sovereignty.", + "for_text_only_wonders": "...for text-only wonders.", + "because_open_source_rulez": "...because open source rulez.", + "truly_peer_to_peer": "...truly peer to peer.", + "no_hidden_fees": "...no hidden fees.", + "no_global_rules": "...no global rules.", + "for_reddits_downfall": "...for Reddit's downfall.", + "evil_corp_cant_stop_us": "...Evil Corp™ can't stop us.", + "no_gods_no_global_admins": "...no gods, no global admins." } diff --git a/public/translations/sq/default.json b/public/translations/sq/default.json index 482519dd9..579ff87c5 100644 --- a/public/translations/sq/default.json +++ b/public/translations/sq/default.json @@ -1,13 +1,7 @@ { - "hot": "Popullore", - "new": "I ri", - "active": "Aktiv", - "controversial": "Kontroversial", - "top": "Më të votuarit", "about": "Rreth", "comments": "komentarë", "preferences": "Preferencat", - "account_bar_language": "Anglisht", "submit": "Dërgo", "dark": "Errët", "light": "I ndritur", @@ -22,7 +16,6 @@ "post_comments": "Komentet", "share": "Shpërndaje", "save": "Ruaj", - "unsave": "Hiq", "hide": "Fshih", "report": "Raporto", "crosspost": "Crosspost", @@ -37,11 +30,7 @@ "time_1_year_ago": "1 vit më parë", "time_x_years_ago": "{{count}} vite më parë", "spoiler": "Spoiler", - "unspoiler": "Hiq spoiler", - "reply_permalink": "Lidhje e përhershme", - "embed": "Embed", "reply_reply": "Përgjigje", - "best": "Më të mirët", "reply_sorted_by": "Renditur sipas", "all_comments": "Të gjitha {{count}} komentet", "no_comments": "Asnjë koment (ende)", @@ -66,11 +55,10 @@ "next": "Tjetri", "loading": "Po ngarkohet", "pending": "Në pritje", - "or": "ose", "submit_subscriptions_notice": "Komunitete të propozuara", "submit_subscriptions": "komunitetet tuaja të abonuara", "rules_for": "rregullat për", - "no_communities_found": "Nuk u gjetën komunitete në <1>https://github.com/plebbit/lists", + "no_communities_found": "Nuk u gjetën komunitete në <1>https://github.com/bitsocialhq/lists", "connect_community_notice": "Për të lidhur me një komunitet, përdorni 🔎 në këndin e djathtë lart", "options": "opsione", "hide_options": "fsheh opsionet", @@ -85,7 +73,6 @@ "time_x_months": "{{count}} muaj", "time_1_year": "1 vit", "time_x_years": "{{count}} vite", - "search": "kërko", "submit_post": "Dërgo një postim të ri", "create_your_community": "Krijo komunitetin tënd të vet", "moderators": "moderatorët", @@ -95,7 +82,6 @@ "created_by": "krijuar nga {{creatorAddress}}", "community_for": "një komunitet për {{date}}", "post_submitted_on": "ky post u dorëzua më {{postDate}}", - "readers_count": "{{count}} lexues", "users_online": "{{count}} përdorues këtu tani", "point": "pikë", "points": "pikë", @@ -107,26 +93,15 @@ "moderation": "moderim", "interface_language": "gjuha e ndërfaqes", "theme": "tema", - "profile": "profili", "account": "llogari", "display_name": "emri i shfaqur", "crypto_address": "adresa e kripto", - "reset": "rithqas", - "changes": "ndryshimet", "check": "kontrollo", "crypto_address_verification": "nëse adresa e kripto shpërblyhet p2p", - "is_current_account": "a është llogaria aktuale", - "account_data_preview": "parapamje e të dhënave të llogarisë", "create": "krijo", - "a_new_account": "një llogari e re", - "import": "importo", - "export": "eksport", "delete": "fshij", - "full_account_data": "të dhënat e plotë të llogarisë", - "this_account": "kjo llogaria", "locked": "i bllokuar", "reason": "arsye", - "no_posts_found": "nuk u gjetën postime", "sorted_by": "radhitur sipas", "downvoted": "votim negativ", "hidden": "fshehur", @@ -138,21 +113,14 @@ "full_comments": "të gjithë komentet", "context": "konteksti", "block": "blloko", - "hide_post": "fsheh postën", "post": "postimi", "unhide": "shfaq", "unblock": "zhbllokimi", "undo": "anullo", "post_hidden": "postimi i fshehtë", - "old": "e vjetra", - "copy_link": "kopjo lidhjen", "link_copied": "lidhja u kopjua", - "view_on": "shqyrto në {{destination}}", "block_community": "blloko komunitetin", "unblock_community": "zhblloko komunitetin", - "block_community_alert": "A jeni të sigurt se dëshironi të bllokoni këtë komunitet?", - "unblock_community_alert": "A jeni të sigurt se dëshironi ta zhbllokoni këtë komunitet?", - "search_community_address": "Kërkoni një adresë komuniteti", "search_feed_post": "Kërkoni një postim në këtë rrjedhë", "from": "nga", "via": "përmes", @@ -169,15 +137,12 @@ "no_posts": "asnjë postim", "media_url": "media url", "post_locked_info": "Ky post është {{state}}. Nuk do të jeni në gjendje të komentoni.", - "no_subscriptions_notice": "Nuk keni bashkuar akoma ndonjë komunitet.", "members_count": "{{count}} anëtarë", "communities": "komunitet", "edit": "modifikohu", "moderator": "Moderator", "description": "Përshkrim", "rules": "Rregullat", - "challenge": "Sfidë", - "settings": "Cilësimet", "save_options": "Ruaj Cilësimet", "logo": "Logos", "address": "Adresë", @@ -188,26 +153,15 @@ "moderation_tools": "Mjete moderimi", "submit_to": "Dërgo te <1>{{link}}", "edit_subscriptions": "Ndrysho abonimet", - "last_account_notice": "Nuk mund të fshini llogarinë tuaj të fundit, ju lutemi krijoni një të re fillimisht.", "delete_confirm": "A jeni të sigurt se dëshironi të fshini {{value}}?", "saving": "Ruajtja", "deleted": "Fshirë", - "mark_spoiler": "Shënimi si spoiler", - "remove_spoiler": "Hiqni spoiler", - "delete_post": "Fshi Postën", - "undo_delete": "Anulo fshirjen", - "edit_content": "Ndrysho përmbajtjen", "online": "Online", "offline": "Offline", - "download_app": "Shkarko aplikacionin", - "approved_user": "Përdorues i miratuar", "subscriber": "Abonues", - "approved": "Miratuar", - "proposed": "Propozuar", "join_communities_notice": "Klikoni butonat <1>{{join}} ose <2>{{leave}} për të zgjedhur cilat komunitete do të shfaqen në faqen kryesore.", "below_subscribed": "Më poshtë janë komunitetet në të cilat keni bërë abonimin.", "not_subscribed": "Ju nuk jeni ende i abonuar në ndonjë komunitet.", - "below_approved_user": "Më poshtë janë komunitetet që jeni një përdorues i miratuar në to.", "below_moderator_access": "Më poshtë janë komunitetet në të cilat keni akses si moderator.", "not_moderator": "Ju nuk jeni moderator në asnjë komunitet.", "create_community": "Krijo komunitetin", @@ -228,7 +182,6 @@ "address_setting_info": "Vendosni një adresë të lexueshme të komunitetit duke përdorur një domen kripto", "enter_crypto_address": "Ju lutemi vendosni një adresë kripto të vlefshme.", "check_for_updates": "<1>Kontrolloni për përditësime", - "general_settings": "Cilësimet e përgjithshme", "refresh_to_update": "Rifresko faqen për të rifreskuar", "latest_development_version": "Jeni në versionin më të fundit të zhvillimit, komitimi {{commit}}. Për të përdorur versionin e qëndrueshëm, shkoni te {{link}}.", "latest_stable_version": "Jeni në versionin më të fundit të qëndrueshëm, seedit v{{version}}.", @@ -236,7 +189,6 @@ "new_stable_version": "Version i ri i qëndrueshëm është në dispozicion, seedit v{{newVersion}}. Ju po përdorni seedit v{{oldVersion}}.", "download_latest_desktop": "Shkarko versionin më të ri të desktopit këtu: {{link}}", "contribute_on_github": "Kontribuoni në GitHub", - "create_community_not_available": "Ende nuk është në dispozicion në internet. Mund të krijoni një komunitet duke përdorur aplikacionin e desktopit, shkarkoni këtu: {{desktopLink}}. Nëse jeni të rehatshëm me linjën e komandës, kontrolloni këtu: {{cliLink}}", "no_media_found": "Nuk u gjet asnje media", "no_image_found": "Nuk u gjet asnje imazh", "warning_spam": "Paralajmërim: asnjë sfidë e zgjedhur, komuniteti është i prekshëm ndaj sulmeve të spamit.", @@ -254,7 +206,6 @@ "owner": "pronar", "admin": "administrator", "settings_saved": "Cilësimet u ruajtën për p/{{subplebbitAddress}}", - "mod_edit": "mod edit", "continue_thread": "vazhdoni këtë temë", "mod_edit_reason": "Arsyeja e modifikimit të moderatorit", "double_confirm": "A jeni të sigurtë? Ky veprim është i papërkthyeshëm.", @@ -266,12 +217,10 @@ "not_found_description": "Faqja që keni kërkuar nuk ekziston", "last_edited": "i fundit i ndryshuar {{timestamp}}", "view_spoiler": "shikoni spoiler", - "more": "më shumë", "default_communities": "komunitete parazgjedhur", "avatar": "avatar", "pending_edit": "ndryshimi në pritje", "failed_edit": "ndryshimi i dështuar", - "copy_full_address": "<1>kopjo adresën e plotë", "node_stats": "statistikat e nyjes", "version": "versioni", "edit_reason": "arsyeja e ndryshimit", @@ -291,30 +240,22 @@ "ban_user_for": "Ndalo përdoruesin për <1> ditë", "crypto_wallets": "Portofolitë e cryptos", "wallet_address": "Adresa e wallet", - "save_wallets": "<1>Ruaj wallet(s) në llogari", "remove": "Hiqni", "add_wallet": "<1>Shto një xhepë crypto", "show_settings": "Shfaq rregullimet", "hide_settings": "Fshih rregullimet", - "wallet": "Wallet", "undelete": "Rikuperimi", "downloading_comments": "po shkarkohen komentet", "you_blocked_community": "Ju keni bllokuar këtë komunitet", "show": "shfaq", "plebbit_options": "opsione plebbit", "general": "i përgjithshëm", - "own_communities": "komunitete të mia", - "invalid_community_address": "Adresa e komunitetit e pavlefshme", - "newer_posts_available": "Postime më të reja të disponueshme: <1>rifresko feedin", "more_posts_last_week": "{{count}} postime javën {{currentTimeFilterName}}: <1>shiko postime më shumë nga java e kaluar", "more_posts_last_month": "{{count}} postime në {{currentTimeFilterName}}: <1>shiko postime më shumë nga muaji i kaluar", - "sure_delete": "A jeni i sigurt se doni të fshini këtë postim?", - "sure_undelete": "A jeni i sigurt se doni të riktheni këtë postim?", "profile_info": "Llogaria juaj u/{{shortAddress}} u krijua. <1>Vendos emrin për shfaqje, <2>eksportoni kopjen rezervë, <3>më shumë informacion.", "show_all_instead": "Duke treguar postimet që nga {{timeFilterName}}, <1>tregoni gjithçka në vend", "subplebbit_offline_info": "Subplebbiti mund të jetë jashtë linje dhe publikimi mund të dështojë.", "posts_last_synced_info": "Postimet e fundit të sinkronizuara {{time}}, subplebbiti mund të jetë jashtë linje dhe publikimi mund të dështojë.", - "stored_locally": "Ruajtur lokalmente ({{location}}), nuk është sinkronizuar ndërmjet pajisjeve", "import_account_backup": "<1>importoni kopjen e llogarisë", "export_account_backup": "<1>eksportoni kopjen e llogarisë", "save_reset_changes": "<1>ruaj ose <2>rivendos ndryshimet", @@ -334,17 +275,11 @@ "communities_you_moderate": "Komunitetet që moderoni", "blur_media": "Bluroni mediat e shënuara si NSFW/18+", "nsfw_content": "Përmbajtje NSFW", - "nsfw_communities": "Komunitete NSFW", - "hide_adult": "Fsheh komunitetet e etiketuar si \"të rritur\"", - "hide_gore": "Fsheh komunitetet e etiketuar si \"gore\"", - "hide_anti": "Fsheh komunitetet e etiketuar si \"anti\"", - "filters": "Filtra", "see_nsfw": "Klikoni për të parë NSFW", "see_nsfw_spoiler": "Klikoni për të parë NSFW spoiler", "always_show_nsfw": "A dëshironi të shfaqni gjithmonë mediat NSFW?", "always_show_nsfw_notice": "Ok, ne ndryshuam preferencat tuaja për të shfaqur gjithmonë mediat NSFW.", "content_options": "Opsionet e përmbajtjes", - "hide_vulgar": "Fsheh komunitetet e etiketuar si \"vulgar\"", "over_18": "Mbi 18?", "must_be_over_18": "Duhet të jeni 18+ për të parë këtë komunitet", "must_be_over_18_explanation": "Duhet të jeni të paktën tetëmbëdhjetë vjeç për të parë këtë përmbajtje. A jeni mbi tetëmbëdhjetë vjeç dhe jeni të gatshëm të shihni përmbajtje për të rritur?", @@ -355,7 +290,6 @@ "block_user": "Blloko përdoruesin", "unblock_user": "Çblloko përdoruesin", "filtering_by_tag": "Filtrimi sipas tagut: \"{{tag}}\"", - "read_only_community_settings": "Cilësimet e komunitetit vetëm për lexim", "you_are_moderator": "Jeni moderator i kësaj komune", "you_are_admin": "Jeni administrator i kësaj komune", "you_are_owner": "Jeni pronari i kësaj komune", @@ -377,7 +311,6 @@ "search_posts": "kërkoni postime", "found_n_results_for": "gjetën {{count}} postime për \"{{query}}\"", "clear_search": "pastroni kërkimin", - "loading_iframe": "ngarkimi iframe", "no_matches_found_for": "nuk u gjetën rezultate për \"{{query}}\"", "searching": "kërkim", "hide_default_communities_from_topbar": "Fshih komunitetet e paracaktuara nga barra e sipërme", @@ -410,42 +343,48 @@ "expand_media_previews_based_on_community_media_preferences": "Zgjeroni parapamjet e mediave bazuar në preferencat e mediave të asaj komuniteti", "show_all_nsfw": "trego të gjitha NSFW", "hide_all_nsfw": "fsheh të gjitha NSFW", - "unstoppable_by_design": "...i pamposhtur nga dizajni.", - "servers_are_overrated": "...serverat janë tepruar.", - "cryptographic_playground": "... fushë loje kriptografike.", - "where_you_own_the_keys": "...ku ju zotëroni çelësat.", - "no_middleman_here": "...pa ndërmjetës këtu.", - "join_the_decentralution": "...bashkohuni në decentralution.", - "because_privacy_matters": "...sepse privatësia ka rëndësi.", - "freedom_served_fresh_daily": "...liria shërbehet e freskët çdo ditë.", - "your_community_your_rules": "...komuniteti juaj, rregullat tuaja.", - "centralization_is_boring": "...centralizimi është i mërzitshëm.", - "like_torrents_for_thoughts": "...si torrentët, për mendime.", - "cant_stop_the_signal": "...nuk mund të ndalosh sinjalin.", - "fully_yours_forever": "...plotësisht tuaj, përgjithmonë.", - "powered_by_caffeine": "...i fuqizuar nga kafeina.", - "speech_wants_to_be_free": "...fjalimi dëshiron të jetë i lirë.", - "crypto_certified_community": "...komunitet i certifikuar kripto.", - "take_ownership_literally": "...merr pronësinë literalisht.", - "your_ideas_decentralized": "...idetë tuaja, të decentralizuara.", - "for_digital_sovereignty": "...për sovranitet dixhital.", - "for_your_movement": "...për lëvizjen tuaj.", - "because_you_love_freedom": "...sepse e do lirinë.", - "decentralized_but_for_real": "...decentralizuar, por për real.", - "for_your_peace_of_mind": "...për qetësinë tuaj të mendjes.", - "no_corporation_to_answer_to": "...nuk ka korporatë për t'u përgjigjur.", - "your_tokenized_sovereignty": "...sovraniteti juaj i tokenizuar.", - "for_text_only_wonders": "...për mrekullitë vetëm me tekst.", - "because_open_source_rulez": "...sepse open source sundon.", - "truly_peer_to_peer": "...me të vërtetë peer to peer.", - "no_hidden_fees": "...pa tarifa të fshehura.", - "no_global_rules": "...nuk ka rregulla globale.", - "for_reddits_downfall": "...për rënien e Reddit.", - "evil_corp_cant_stop_us": "...Evil Corp™ nuk mund të na ndalojë.", - "no_gods_no_global_admins": "...pa perëndi, pa administratorë globalë.", "tags": "Etiketat", "moderator_of": "moderator i", "not_subscriber_nor_moderator": "Nuk jeni as abonues as moderator i ndonjë komuniteti.", "more_posts_last_year": "{{count}} postime në {{currentTimeFilterName}} e fundit: <1>shfaq më shumë postime nga viti i kaluar", - "editor_fallback_warning": "Redaktori i avancuar dështoi të ngarkohet, përdoret redaktori bazë i tekstit si zëvendësim." + "editor_fallback_warning": "Redaktori i avancuar dështoi të ngarkohet, përdoret redaktori bazë i tekstit si zëvendësim.", + "hot": "hot", + "new": "new", + "active": "active", + "top": "top", + "best": "best", + "old": "old", + "unstoppable_by_design": "...unstoppable by design.", + "servers_are_overrated": "...servers are overrated.", + "cryptographic_playground": "... cryptographic playground.", + "where_you_own_the_keys": "...where you own the keys.", + "no_middleman_here": "...no middleman here.", + "join_the_decentralution": "...join the decentralution.", + "because_privacy_matters": "...because privacy matters.", + "freedom_served_fresh_daily": "...freedom served fresh daily.", + "your_community_your_rules": "...your community, your rules.", + "centralization_is_boring": "...centralization is boring.", + "like_torrents_for_thoughts": "...like torrents, for thoughts.", + "cant_stop_the_signal": "...can't stop the signal.", + "fully_yours_forever": "...fully yours, forever.", + "powered_by_caffeine": "...powered by caffeine.", + "speech_wants_to_be_free": "...speech wants to be free.", + "crypto_certified_community": "...crypto-certified community.", + "take_ownership_literally": "...take ownership literally.", + "your_ideas_decentralized": "...your ideas, decentralized.", + "for_digital_sovereignty": "...for digital sovereignty.", + "for_your_movement": "...for your movement.", + "because_you_love_freedom": "...because you love freedom.", + "decentralized_but_for_real": "...decentralized, but for real.", + "for_your_peace_of_mind": "...for your peace of mind.", + "no_corporation_to_answer_to": "...no corporation to answer to.", + "your_tokenized_sovereignty": "...your tokenized sovereignty.", + "for_text_only_wonders": "...for text-only wonders.", + "because_open_source_rulez": "...because open source rulez.", + "truly_peer_to_peer": "...truly peer to peer.", + "no_hidden_fees": "...no hidden fees.", + "no_global_rules": "...no global rules.", + "for_reddits_downfall": "...for Reddit's downfall.", + "evil_corp_cant_stop_us": "...Evil Corp™ can't stop us.", + "no_gods_no_global_admins": "...no gods, no global admins." } diff --git a/public/translations/sv/default.json b/public/translations/sv/default.json index 2114f83df..edfd221dc 100644 --- a/public/translations/sv/default.json +++ b/public/translations/sv/default.json @@ -1,13 +1,7 @@ { - "hot": "Populär", - "new": "Ny", - "active": "Aktiv", - "controversial": "Kontroversiell", - "top": "Topp", "about": "Om", "comments": "kommentarer", "preferences": "Inställningar", - "account_bar_language": "Engelska", "submit": "Skicka", "dark": "Mörk", "light": "Ljus", @@ -22,7 +16,6 @@ "post_comments": "Kommentarer", "share": "Dela", "save": "Spara", - "unsave": "Ta bort", "hide": "Dölj", "report": "Rapportera", "crosspost": "Korsposta", @@ -37,11 +30,7 @@ "time_1_year_ago": "För 1 år sedan", "time_x_years_ago": "För {{count}} år sedan", "spoiler": "Spoiler", - "unspoiler": "Ingen spoiler", - "reply_permalink": "Permalänk", - "embed": "Embed", "reply_reply": "Svar", - "best": "Bästa", "reply_sorted_by": "Sorterat efter", "all_comments": "Alla {{count}} kommentarer", "no_comments": "Inga kommentarer (ännu)", @@ -66,11 +55,10 @@ "next": "Nästa", "loading": "Laddar", "pending": "Avvaktar", - "or": "eller", "submit_subscriptions_notice": "Föreslagna samhällen", "submit_subscriptions": "dina prenumererade samhällen", "rules_for": "regler för", - "no_communities_found": "Inga samhällen hittades på <1>https://github.com/plebbit/lists", + "no_communities_found": "Inga samhällen hittades på <1>https://github.com/bitsocialhq/lists", "connect_community_notice": "För att ansluta till en gemenskap, använd 🔎 i övre högra hörnet", "options": "alternativ", "hide_options": "dölj alternativ", @@ -85,7 +73,6 @@ "time_x_months": "{{count}} månader", "time_1_year": "1 år", "time_x_years": "{{count}} år", - "search": "sök", "submit_post": "Skicka in en ny post", "create_your_community": "Skapa din egen community", "moderators": "moderatorer", @@ -95,7 +82,6 @@ "created_by": "skapat av {{creatorAddress}}", "community_for": "en gemenskap för {{date}}", "post_submitted_on": "detta inlägg skickades in den {{postDate}}", - "readers_count": "{{count}} läsare", "users_online": "{{count}} användare här nu", "point": "punkt", "points": "poäng", @@ -107,26 +93,15 @@ "moderation": "moderation", "interface_language": "gränssnittsspråk", "theme": "tema", - "profile": "profil", "account": "konto", "display_name": "visningsnamn", "crypto_address": "kryptoadress", - "reset": "återställ", - "changes": "ändringar", "check": "kontrollera", "crypto_address_verification": "om kryptoadressen är löst p2p", - "is_current_account": "är det nuvarande kontot", - "account_data_preview": "förhandsgranska kontodata", "create": "skapa", - "a_new_account": "ett nytt konto", - "import": "importera", - "export": "exportera", "delete": "ta bort", - "full_account_data": "fullständig kontodata", - "this_account": "detta konto", "locked": "låst", "reason": "anledning", - "no_posts_found": "inga inlägg hittades", "sorted_by": "sorterat efter", "downvoted": "negativt röstat", "hidden": "dold", @@ -138,21 +113,14 @@ "full_comments": "alla kommentarer", "context": "sammanhang", "block": "blockera", - "hide_post": "dölj inlägg", "post": "inlägg", "unhide": "visa", "unblock": "avblockera", "undo": "ångra", "post_hidden": "dolt inlägg", - "old": "gamla", - "copy_link": "kopiera länk", "link_copied": "länk kopierad", - "view_on": "visa på {{destination}}", "block_community": "blockera gemenskapen", "unblock_community": "avblockera gemenskapen", - "block_community_alert": "Är du säker på att du vill blockera detta samhälle?", - "unblock_community_alert": "Är du säker på att du vill avblockera detta samhälle?", - "search_community_address": "Sök efter en gemenskapsadress", "search_feed_post": "Sök efter ett inlägg i detta flöde", "from": "från", "via": "via", @@ -169,15 +137,12 @@ "no_posts": "inga inlägg", "media_url": "media-url", "post_locked_info": "Det här inlägget är {{state}}. Du kommer inte att kunna kommentera.", - "no_subscriptions_notice": "Du har ännu inte gått med i någon gemenskap.", "members_count": "{{count}} medlemmar", "communities": "gemenskap", "edit": "redigera", "moderator": "Moderator", "description": "Beskrivning", "rules": "Regler", - "challenge": "Utmaning", - "settings": "Inställningar", "save_options": "Spara alternativ", "logo": "Logotyp", "address": "Adress", @@ -188,26 +153,15 @@ "moderation_tools": "Modereringsverktyg", "submit_to": "Skicka till <1>{{link}}", "edit_subscriptions": "Redigera prenumerationer", - "last_account_notice": "Du kan inte ta bort ditt senaste konto, skapa först ett nytt.", "delete_confirm": "Är du säker på att du vill ta bort {{value}}?", "saving": "Sparar", "deleted": "Raderat", - "mark_spoiler": "Markera som spoiler", - "remove_spoiler": "Ta bort spoiler", - "delete_post": "Ta bort inlägg", - "undo_delete": "Ångra radering", - "edit_content": "Redigera innehåll", "online": "Online", "offline": "Offline", - "download_app": "Ladda ner appen", - "approved_user": "Godkänd användare", "subscriber": "Prenumerant", - "approved": "Godkänd", - "proposed": "Förslaget", "join_communities_notice": "Klicka på knapparna <1>{{join}} eller <2>{{leave}} för att välja vilka gemenskaper som ska visas på startsidan.", "below_subscribed": "Nedan finns de gemenskaper du har prenumererat på.", "not_subscribed": "Du är inte prenumererad på någon gemenskap ännu.", - "below_approved_user": "Nedan finns de gemenskaper där du är en godkänd användare.", "below_moderator_access": "Nedan finns de gemenskaper som du har moderatoråtkomst till.", "not_moderator": "Du är inte moderator i någon community.", "create_community": "Skapa gemenskap", @@ -228,7 +182,6 @@ "address_setting_info": "Ange en läsbar gemenskapsadress med hjälp av en krypto-domän", "enter_crypto_address": "Ange en giltig kryptoadress.", "check_for_updates": "<1>Kontrollera uppdateringar", - "general_settings": "Allmänna inställningar", "refresh_to_update": "Uppdatera sidan för att uppdatera", "latest_development_version": "Du är på den senaste utvecklingsversionen, commit {{commit}}. För att använda den stabila versionen, gå till {{link}}.", "latest_stable_version": "Du är på den senaste stabila versionen, seedit v{{version}}.", @@ -236,7 +189,6 @@ "new_stable_version": "Ny stabil version tillgänglig, seedit v{{newVersion}}. Du använder seedit v{{oldVersion}}.", "download_latest_desktop": "Ladda ner den senaste skrivbordsversionen här: {{link}}", "contribute_on_github": "Bidra på GitHub", - "create_community_not_available": "Ännu inte tillgängligt på webben. Du kan skapa en community med hjälp av desktop-appen, ladda ner den här: {{desktopLink}}. Om du är bekant med kommandoraden, kolla här: {{cliLink}}", "no_media_found": "Inget medium hittades", "no_image_found": "Ingen bild hittades", "warning_spam": "Varning: ingen utmaning vald, gemenskapen är sårbar för spamattacker.", @@ -254,7 +206,6 @@ "owner": "ägare", "admin": "administratör", "settings_saved": "Inställningar sparade för p/{{subplebbitAddress}}", - "mod_edit": "moderatoredigering", "continue_thread": "fortsätt den här tråden", "mod_edit_reason": "Mod redigeringsorsak", "double_confirm": "Är du verkligen säker? Denna åtgärd är oåterkallelig.", @@ -266,12 +217,10 @@ "not_found_description": "Sidan du begärde finns inte", "last_edited": "senast redigerad {{timestamp}}", "view_spoiler": "visa spoiler", - "more": "mer", "default_communities": "standardgemenskaper", "avatar": "avatar", "pending_edit": "avvaktande redigering", "failed_edit": "misslyckad redigering", - "copy_full_address": "<1>kopiera fullständig adress", "node_stats": "nodstatistik", "version": "version", "edit_reason": "redigeringsorsak", @@ -291,30 +240,22 @@ "ban_user_for": "Blockera användaren i <1> dag(ar)", "crypto_wallets": "Crypto-plånböcker", "wallet_address": "Plånboksadress", - "save_wallets": "<1>Spara plånbok(ar) till konto", "remove": "Ta bort", "add_wallet": "<1>Lägg till en krypto-plånbok", "show_settings": "Visa inställningar", "hide_settings": "Dölj inställningar", - "wallet": "Plånbok", "undelete": "Ångra radering", "downloading_comments": "hämtar kommentarer", "you_blocked_community": "Du har blockerat den här gemenskapen", "show": "visa", "plebbit_options": "plebbit-alternativ", "general": "allmän", - "own_communities": "egna samhällen", - "invalid_community_address": "Ogiltig samhällsadress", - "newer_posts_available": "Nyare inlägg tillgängliga: <1>ladda om flödet", "more_posts_last_week": "{{count}} inlägg senaste {{currentTimeFilterName}}: <1>visa fler inlägg från förra veckan", "more_posts_last_month": "{{count}} inlägg i {{currentTimeFilterName}}: <1>visa fler inlägg från förra månaden", - "sure_delete": "Är du säker på att du vill ta bort detta inlägg?", - "sure_undelete": "Är du säker på att du vill återställa detta inlägg?", "profile_info": "Ditt konto u/{{shortAddress}} skapades. <1>Ställ in visningsnamn, <2>exportera säkerhetskopia, <3>läs mer.", "show_all_instead": "Visar inlägg sedan {{timeFilterName}}, <1>visa allt istället", "subplebbit_offline_info": "Subplebbit kan vara offline och publicering kan misslyckas.", "posts_last_synced_info": "Inlägg senast synkroniserade {{time}}, subplebbit kan vara offline och publicering kan misslyckas.", - "stored_locally": "Lagrad lokalt ({{location}}), inte synkroniserad mellan enheter", "import_account_backup": "<1>importera kontots säkerhetskopiering", "export_account_backup": "<1>exportera kontots säkerhetskopiering", "save_reset_changes": "<1>spara eller <2>återställ ändringar", @@ -334,17 +275,11 @@ "communities_you_moderate": "Gemenskaper du modererar", "blur_media": "Sudda ut media markerade som NSFW/18+", "nsfw_content": "NSFW-innehåll", - "nsfw_communities": "NSFW-gemenskaper", - "hide_adult": "Dölj samhällen märkta som \"vuxen\"", - "hide_gore": "Dölj samhällen märkta som \"gore\"", - "hide_anti": "Dölj samhällen märkta som \"anti\"", - "filters": "Filter", "see_nsfw": "Klicka för att se NSFW", "see_nsfw_spoiler": "Klicka för att se NSFW-spoiler", "always_show_nsfw": "Vill du alltid visa NSFW-media?", "always_show_nsfw_notice": "Okej, vi har ändrat dina inställningar för att alltid visa NSFW-media.", "content_options": "Innehållsoptioner", - "hide_vulgar": "Dölj samhällen märkta som \"vulgar\"", "over_18": "Över 18?", "must_be_over_18": "Du måste vara 18+ för att se denna gemenskap", "must_be_over_18_explanation": "Du måste vara minst arton år gammal för att se detta innehåll. Är du över arton och villig att se vuxeninnehåll?", @@ -355,7 +290,6 @@ "block_user": "Blockera användare", "unblock_user": "Avblockera användare", "filtering_by_tag": "Filtrering efter tagg: \"{{tag}}\"", - "read_only_community_settings": "Endast-läsning gemenskapsinställningar", "you_are_moderator": "Du är moderator för denna gemenskap", "you_are_admin": "Du är administratör för denna gemenskap", "you_are_owner": "Du är ägaren av denna gemenskap", @@ -377,7 +311,6 @@ "search_posts": "sök inlägg", "found_n_results_for": "hittade {{count}} inlägg för \"{{query}}\"", "clear_search": "rensa sökning", - "loading_iframe": "laddar iframe", "no_matches_found_for": "inga träffar hittades för \"{{query}}\"", "searching": "söker", "hide_default_communities_from_topbar": "Dölj standardgemenskaper från topplistan", @@ -410,42 +343,48 @@ "expand_media_previews_based_on_community_media_preferences": "Expandera medieförhandsvisningar baserat på den gemenskapens mediapreferenser", "show_all_nsfw": "visa all NSFW", "hide_all_nsfw": "göm allt NSFW", - "unstoppable_by_design": "...ostoppbar av design.", - "servers_are_overrated": "...servrar är överskattade.", - "cryptographic_playground": "... kryptografisk lekplats.", - "where_you_own_the_keys": "...där du äger nycklarna.", - "no_middleman_here": "...ingen mellanhänder här.", - "join_the_decentralution": "...gå med i decentralution.", - "because_privacy_matters": "...för att integritet är viktigt.", - "freedom_served_fresh_daily": "...frihet serveras färsk dagligen.", - "your_community_your_rules": "...din community, dina regler.", - "centralization_is_boring": "...centralisering är tråkigt.", - "like_torrents_for_thoughts": "...som torrents, för tankar.", - "cant_stop_the_signal": "...kan inte stoppa signalen.", - "fully_yours_forever": "...fullständigt din, för evigt.", - "powered_by_caffeine": "...drivs av koffein.", - "speech_wants_to_be_free": "...tal vill vara fri.", - "crypto_certified_community": "...krypto-certifierat samhälle.", - "take_ownership_literally": "...ta ägarskap bokstavligen.", - "your_ideas_decentralized": "...dina idéer, decentraliserade.", - "for_digital_sovereignty": "...för digital suveränitet.", - "for_your_movement": "...för din rörelse.", - "because_you_love_freedom": "...för att du älskar frihet.", - "decentralized_but_for_real": "...decentraliserat, men på riktigt.", - "for_your_peace_of_mind": "...för din sinnesro.", - "no_corporation_to_answer_to": "...ingen korporation att svara inför.", - "your_tokenized_sovereignty": "...din tokeniserade suveränitet.", - "for_text_only_wonders": "...för textbara underverk.", - "because_open_source_rulez": "...för att open source regerar.", - "truly_peer_to_peer": "...verkligen peer to peer.", - "no_hidden_fees": "...inga dolda avgifter.", - "no_global_rules": "...inga globala regler.", - "for_reddits_downfall": "...för Reddits fall.", - "evil_corp_cant_stop_us": "...Evil Corp™ kan inte stoppa oss.", - "no_gods_no_global_admins": "...inga gudar, inga globala administratörer.", "tags": "Taggar", "moderator_of": "moderator för", "not_subscriber_nor_moderator": "Du är varken prenumerant eller moderator i någon community.", "more_posts_last_year": "{{count}} inlägg senaste {{currentTimeFilterName}}: <1>visa fler inlägg från förra året", - "editor_fallback_warning": "Avancerad redigerare kunde inte laddas, använder enkel textredigerare som fallback." + "editor_fallback_warning": "Avancerad redigerare kunde inte laddas, använder enkel textredigerare som fallback.", + "hot": "hot", + "new": "new", + "active": "active", + "top": "top", + "best": "best", + "old": "old", + "unstoppable_by_design": "...unstoppable by design.", + "servers_are_overrated": "...servers are overrated.", + "cryptographic_playground": "... cryptographic playground.", + "where_you_own_the_keys": "...where you own the keys.", + "no_middleman_here": "...no middleman here.", + "join_the_decentralution": "...join the decentralution.", + "because_privacy_matters": "...because privacy matters.", + "freedom_served_fresh_daily": "...freedom served fresh daily.", + "your_community_your_rules": "...your community, your rules.", + "centralization_is_boring": "...centralization is boring.", + "like_torrents_for_thoughts": "...like torrents, for thoughts.", + "cant_stop_the_signal": "...can't stop the signal.", + "fully_yours_forever": "...fully yours, forever.", + "powered_by_caffeine": "...powered by caffeine.", + "speech_wants_to_be_free": "...speech wants to be free.", + "crypto_certified_community": "...crypto-certified community.", + "take_ownership_literally": "...take ownership literally.", + "your_ideas_decentralized": "...your ideas, decentralized.", + "for_digital_sovereignty": "...for digital sovereignty.", + "for_your_movement": "...for your movement.", + "because_you_love_freedom": "...because you love freedom.", + "decentralized_but_for_real": "...decentralized, but for real.", + "for_your_peace_of_mind": "...for your peace of mind.", + "no_corporation_to_answer_to": "...no corporation to answer to.", + "your_tokenized_sovereignty": "...your tokenized sovereignty.", + "for_text_only_wonders": "...for text-only wonders.", + "because_open_source_rulez": "...because open source rulez.", + "truly_peer_to_peer": "...truly peer to peer.", + "no_hidden_fees": "...no hidden fees.", + "no_global_rules": "...no global rules.", + "for_reddits_downfall": "...for Reddit's downfall.", + "evil_corp_cant_stop_us": "...Evil Corp™ can't stop us.", + "no_gods_no_global_admins": "...no gods, no global admins." } diff --git a/public/translations/te/default.json b/public/translations/te/default.json index 4b0e82e45..28c63bd0e 100644 --- a/public/translations/te/default.json +++ b/public/translations/te/default.json @@ -1,13 +1,7 @@ { - "hot": "ప్రసిద్ధం", - "new": "కొత్త", - "active": "క్రియాశీల", - "controversial": "వివాదాస్పదం", - "top": "ఉత్తమ", "about": "గురించి", "comments": "వ్యాఖ్యలు", "preferences": "ప్రాధాన్యతలు", - "account_bar_language": "ఇంగ్లీష్", "submit": "సబ్మిట్", "dark": "ముదురు", "light": "తెలుపు", @@ -22,7 +16,6 @@ "post_comments": "కామెంట్లు", "share": "షేర్", "save": "సేవ్", - "unsave": "ఉన్‌సేవ్", "hide": "దాచు", "report": "నివేదించు", "crosspost": "క్రాస్‌పోస్ట్", @@ -37,11 +30,7 @@ "time_1_year_ago": "1 సంవత్సరం క్రితం", "time_x_years_ago": "{{count}} సంవత్సరాల క్రితం", "spoiler": "స్పోయిలర్", - "unspoiler": "ఉన్‌స్పోయిలర్", - "reply_permalink": "శాశ్వత లింకు", - "embed": "అంతర్గతం చేయు", "reply_reply": "స్పందన", - "best": "ఉత్తమ", "reply_sorted_by": "దీని ప్రకారం క్రమపడబడింది", "all_comments": "అన్ని {{count}} వ్యాఖ్యలు", "no_comments": "వ్యాఖ్యలు లేవు (ఇంకా)", @@ -66,11 +55,10 @@ "next": "తదుపరి", "loading": "లోడ్ అవుతోంది", "pending": "అనుమతి కోసం వేచి ఉంది", - "or": "లేదా", "submit_subscriptions_notice": "సూచింపబడిన సంఘటనలు", "submit_subscriptions": "మీరు చందా చేసుకున్న సముదాయాలు", "rules_for": "కోసం నియమాలు", - "no_communities_found": "<1>https://github.com/plebbit/listsలో సమూహాలు కనిపించలేదు", + "no_communities_found": "<1>https://github.com/bitsocialhq/listsలో సమూహాలు కనిపించలేదు", "connect_community_notice": "ఒక సముదాయానికి కనెక్ట్ అవ్వడానికి, పైన కుడి వైపున 🔎 ఉపయోగించండి", "options": "ఎంపికలు", "hide_options": "ఎంపికలను దాచు", @@ -85,7 +73,6 @@ "time_x_months": "{{count}} నెలలు", "time_1_year": "1 సంవత్సరం", "time_x_years": "{{count}} సంవత్సరాలు", - "search": "వెతకట్టడానికి", "submit_post": "కొత్త పోస్ట్ సబ్మిట్ చేయండి", "create_your_community": "మీ స్వంత సముదాయం సృజించండి", "moderators": "మాడరేటర్లు", @@ -95,7 +82,6 @@ "created_by": "ద్వారా రూపొందించబడినది {{creatorAddress}}", "community_for": "{{date}} కోసం ఒక కమ్యూనిటీ", "post_submitted_on": "ఈ పోస్టు {{postDate}} న సమర్పించబడింది", - "readers_count": "{{count}} రీడర్స్", "users_online": "ప్రస్తుతం ఇక్కడ {{count}} వినియోగదారులు", "point": "పాయింట్", "points": "పాయింట్స్", @@ -107,26 +93,15 @@ "moderation": "మితిమీరుపరచుకోవడం", "interface_language": "ఇంటర్ఫేస్ భాష", "theme": "థీమ్", - "profile": "ప్రొఫైల్", "account": "ఖాతా", "display_name": "ప్రదర్శన పేరు", "crypto_address": "క్రిప్టో చిరునామా", - "reset": "రీసెట్", - "changes": "మార్పులు", "check": "తనిఖీ", "crypto_address_verification": "క్రిప్టో చిరునామా p2p ద్వారా మొదల్గయింది", - "is_current_account": "ఇది ప్రస్తుత ఖాతా మా", - "account_data_preview": "ఖాతా డేటా మునుపటికీలు", "create": "రూపొందండి", - "a_new_account": "కొత్త ఖాతా", - "import": "దిగుమతి", - "export": "ఎగుమతి", "delete": "తొలగించండి", - "full_account_data": "పూర్తి ఖాతా డేటా", - "this_account": "ఈ ఖాతా", "locked": "లాక్ చేయబడింది", "reason": "కారణం", - "no_posts_found": "పోస్టులు కనబడలేదు", "sorted_by": "వర్గీకరణ", "downvoted": "నకరాత్మకంగా వోటు వేయబడింది", "hidden": "దాచబడిన", @@ -138,21 +113,14 @@ "full_comments": "పూర్తి వ్యాఖ్యలు", "context": "సందర్భం", "block": "బ్లాక్", - "hide_post": "పోస్టుని దాచు", "post": "పోస్టు", "unhide": "చూపించు", "unblock": "అవివాదించు", "undo": "రద్దు చేయండి", "post_hidden": "పోస్టు దాచబడింది", - "old": "పాత", - "copy_link": "లింక్ ను కాపి చేయండి", "link_copied": "లింక్ కాపాడబడింది", - "view_on": "లో చూడండి {{destination}}", "block_community": "కమ్యూనిటీని నిరోధించు", "unblock_community": "కమ్యూనిటీని అనబ్లాక్ చేయండి", - "block_community_alert": "మీరు ఖచ్చితముగా ఈ కమ్యూనిటీని బ్లాక్ చేయాలని ఉందా?", - "unblock_community_alert": "మీరు ఖచ్చితముగా ఈ కమ్యూనిటీని అనబ్లాక్ చేయాలని ఉందా?", - "search_community_address": "ఒక కమ్యూనిటీ చిరునామా వెతకండి", "search_feed_post": "ఈ ఫీడ్లో ఒక పోస్టును వెతకండి", "from": "నుండి", "via": "ద్వారా", @@ -169,15 +137,12 @@ "no_posts": "పోస్టులు లేవు", "media_url": "మీడియా URL", "post_locked_info": "ఈ పోస్టు {{state}}. మీరు వ్యాఖ్య చేయలేరు.", - "no_subscriptions_notice": "మీరు ఇంకా ఏ కమ్యూనిటీలో చేరలేదు.", "members_count": "{{count}} సభ్యులు", "communities": "సమూహం", "edit": "సమూహం", "moderator": "మాడరేటర్", "description": "వివరణ", "rules": "నియమాలు", - "challenge": "ఛాలెంజ్", - "settings": "సెట్టింగ్లు", "save_options": "ఎంచుకోండి సేవ్ చేయండి", "logo": "లోగో", "address": "చిరునామా", @@ -188,26 +153,15 @@ "moderation_tools": "మాడరేషన్ సాధనాలు", "submit_to": "<1>{{link}} కు పంపండి", "edit_subscriptions": "సబ్‌స్క్రిప్షన్స్ సవరించండి", - "last_account_notice": "మీ చివరి ఖాతాను తొలగించలేకపోవదు, దయచేసి మొదటికి కొత్త ఒకటి ప్రమాణించండి.", "delete_confirm": "మీరు {{value}} ను తొలగించడానికి ఖచ్చితంగా ఉన్నారా?", "saving": "సేవ్‌చేస్తోంది", "deleted": "తొలగించబడినది", - "mark_spoiler": "స్పోయిలర్‌గా గుర్తించు", - "remove_spoiler": "స్పోయిలర్‌ను తీసివేయండి", - "delete_post": "పోస్టును తొలగించండి", - "undo_delete": "తొలగించు రద్దు చేయండి", - "edit_content": "కాంటెంట్‌ను సవరించండి", "online": "ఆన్‌లైన్", "offline": "ఆఫ్‌లైన్", - "download_app": "యాప్ ను డౌన్‌లోడ్ చేయండి", - "approved_user": "ఆమోదించబడిన వాడుకరి", "subscriber": "సబ్స్క్రైబర్", - "approved": "ఆమోదించబడిన", - "proposed": "సూచించబడింది", "join_communities_notice": "హోమ్ ఫీడ్‌పై ఏమి చూపించాలో ఎంచుకోవడానికి <1>{{join}} లేదా <2>{{leave}} బటన్‌లను క్లిక్ చేయండి.", "below_subscribed": "క్రిందికి మీరు చేసుకున్న కమ్యూనిటీలు ఉన్నాయి.", "not_subscribed": "మీరు ఇప్పటికే ఎవరి కమ్యూనిటీకి సబ్‌స్క్రైబ్ చేయలేదు.", - "below_approved_user": "కిందివరకు మీరు అనుమోదించబడిన కమ్యూనిటీలు ఉన్నాయి.", "below_moderator_access": "క్రింద మీరు మోడరేటర్ యాక్సెస్ గా ఉన్న కమ్యూనిటీలు చూపబడ్డాయి.", "not_moderator": "మీరు ఏ కమ్యూనిటీలో మాడరేటర్ కాదు.", "create_community": "కమ్యూనిటీని సృష్టించండి", @@ -228,7 +182,6 @@ "address_setting_info": "క్రిప్టో డొమైన్ ఉపయోగించి ఒక చదవగలిగే కమ్యూనిటీ చిరునామా సెట్ చేయండి", "enter_crypto_address": "దయచేసి చేసిన క్రిప్టో చిరునామాను నమోదు చేయండి.", "check_for_updates": "<1>తనిఖీ అప్డేట్లను", - "general_settings": "సాధారణ సెట్టింగులు", "refresh_to_update": "అప్డేట్ చేయడానికి పేజీను రిఫ్రెష్ చేయండి", "latest_development_version": "మీరు తొలగించే త్వరిత అప్డేటు, కమిట్ {{commit}} పరిపాలన ముగింది స్థిర అప్డేటు కోసం {{link}}.", "latest_stable_version": "మీరు తొలగించిన తొలగిన సంస్కరణం, seedit v{{version}} నందు.", @@ -236,7 +189,6 @@ "new_stable_version": "కొత్త స్థిర వెర్షన్ అందుబాటులో ఉంది, seedit v{{newVersion}}. మీరు seedit v{{oldVersion}} ను ఉపయోగిస్తున్నారు.", "download_latest_desktop": "ఇక్కడ తాజా డెస్క్టాప్ వెర్షన్‌ను డౌన్‌లోడ్ చేయండి: {{link}}", "contribute_on_github": "GitHub లో అమరికలు", - "create_community_not_available": "ఇప్పుడు వెబ్‌లో అందుబాటులో లేదు. డెస్క్టాప్ యాప్‌ను ఉపయోగించి ఒక కమ్యూనిటీని రూపొందించవచ్చు, ఇక్కడ డౌన్‌లోడ్ చేయండి: {{desktopLink}}. మీకు కమాండ్ లైన్‌తో సంతృప్తి ఉందానే, ఇక్కడ చూడండి: {{cliLink}}", "no_media_found": "ఎటువంటి మీడియా కనబడలేదు", "no_image_found": "ఎటువంటి చిత్రం కనబడలేదు", "warning_spam": "హెచ్చరిక: చాలెంజ్ ఎంచుకోలేదు, కమ్యూనిటీ స్పామ్ దాడులకు గురిపెట్టబడింది.", @@ -254,7 +206,6 @@ "owner": "యజమాని", "admin": "అంచనా", "settings_saved": "p/{{subplebbitAddress}} కోసం సెట్టింగులు సేవ్ చేయబడ్డాయి", - "mod_edit": "మోడ్ సవరించినప్పుడు", "continue_thread": "ఈ థ్రెడ్‌ను కొనసాగండి", "mod_edit_reason": "మాడ్ ఎడిట్ కారణం", "double_confirm": "మీరు నిజంగా ఖచ్చితముగా ఉన్నారా? ఈ చర్య రద్దు చేయలేదు.", @@ -266,12 +217,10 @@ "not_found_description": "మీ అభ్యర్థించిన పేజీ లేదు", "last_edited": "చివరి సవరించబడినది {{timestamp}}", "view_spoiler": "స్పోయ్లర్ వీక్షించండి", - "more": "మరింత", "default_communities": "డిఫాల్ట్ సముదాయాలు", "avatar": "అవతార్", "pending_edit": "పెండింగ్ సవరించడం", "failed_edit": "విఫలమైన సవరించడం", - "copy_full_address": "<1>నకలు పూర్తి చిరునామా", "node_stats": "నోడ్ స్టాటిస్టిక్స్", "version": "వెర్షన్", "edit_reason": "సవరించడం యొక్క కారణం", @@ -291,30 +240,22 @@ "ban_user_for": "<1> రోజుల కోసం వాడుకరినీ బ్యాన్ చేయండి", "crypto_wallets": "క్రిప్టో వాలెట్‌లు", "wallet_address": "వాలెట్ చిరునామా", - "save_wallets": "<1>ఖాతాలో సేవ్ వాలెట్(లు)", "remove": "తొలగించు", "add_wallet": "<1>జోడించు ఒక క్రిప్టో వాలెట్", "show_settings": "సెట్టింగులను చూపించు", "hide_settings": "సెట్టింగులను దాచు", - "wallet": "వాలెట్", "undelete": "తొలగించడం రద్దు చేయండి", "downloading_comments": "కమెంట్స్ డౌన్‌లోడ్ చేస్తున్నాయి", "you_blocked_community": "ఈ సముదాయాన్ని మీరు నిరోధించారు", "show": "చూపించు", "plebbit_options": "plebbit ఎంపికలు", "general": "సాధారణ", - "own_communities": "నా సముదాయాలు", - "invalid_community_address": "అమాన్యమైన సముదాయ చిరునామా", - "newer_posts_available": "కొత్త పోస్టులు అందుబాటులో ఉన్నాయి: <1>ఫీడ్‌ను రీలోడ్ చేయండి", "more_posts_last_week": "{{count}} పోస్టులు గత {{currentTimeFilterName}}: <1>గత వారంలో మరిన్ని పోస్టులు చూపించండి", "more_posts_last_month": "{{count}} పోస్టులు {{currentTimeFilterName}} లో: <1>గత నెల నుండి మరిన్ని పోస్టులు చూపించు", - "sure_delete": "మీరు ఈ పోస్టును తొలగించాలనుకుంటున్నారా?", - "sure_undelete": "మీరు ఈ పోస్టును తిరిగి పొందాలనుకుంటున్నారా?", "profile_info": "మీ ఖాతా u/{{shortAddress}} రూపొందించబడింది. <1>డిస్ప్లే పేరు సెట్ చేయండి, <2>బ్యాకప్ ఎగుమతి చేయండి, <3>మరింత తెలుసుకోండి.", "show_all_instead": "{{timeFilterName}} నుండి పోస్టులు చూపిస్తున్నాయి, <1>అదకు బదులు అన్నీ చూపించు", "subplebbit_offline_info": "సబ్ప్లెబిట్ ఆఫ్‌లైన్ ఉండవచ్చు మరియు ప్రచురణ విఫలమైనా ఉంటుంది.", "posts_last_synced_info": "ఇటీవలే సింక్ చేసిన పోస్ట్లు {{time}}, సబ్‌ప్లెబిట్ ఆఫ్‌లైన్ ఉండవచ్చు, మరియు ప్రకటన విఫలమవుతుంది.", - "stored_locally": "స్థానికంగా నిల్వ ({{location}}), పరికరాల మధ్య సమన్వయించడం లేదు", "import_account_backup": "<1>కోరి ఖాతా బాకప్", "export_account_backup": "<1>ఎగుమతి ఖాతా బాకప్", "save_reset_changes": "<1>సేవ్ లేదా <2>రీసెట్ మార్పులు", @@ -334,17 +275,11 @@ "communities_you_moderate": "మీరు నిర్వహించే కమ్యూనిటీలు", "blur_media": "NSFW/18+ గా గుర్తించిన మీడియాను బ్లర్ చేయండి", "nsfw_content": "NSFW కంటెంట్", - "nsfw_communities": "NSFW కమ్యూనిటీల", - "hide_adult": "\"వయస్సు\" గా ట్యాగ్ చేసిన సమాజాలను దాచండి", - "hide_gore": "\"గోర్\" గా ట్యాగ్ చేసిన సమాజాలను దాచండి", - "hide_anti": "\"ఎంటీ\" గా ట్యాగ్ చేసిన సమాజాలను దాచండి", - "filters": "ఫిల్టర్లు", "see_nsfw": "NSFW చూడటానికి క్లిక్ చేయండి", "see_nsfw_spoiler": "NSFW స్పోయిలర్ చూడటానికి క్లిక్ చేయండి", "always_show_nsfw": "ఎల్లప్పుడూ NSFW మీడియాను చూపాలా?", "always_show_nsfw_notice": "సరే, మేము మీ ఇష్టాలను ఎల్లప్పుడూ NSFW మీడియా చూపించడానికి మార్చాము.", "content_options": "కంటెంట్ ఎంపికలు", - "hide_vulgar": "\"వుల్‌గర్\" గా ట్యాగ్ చేసిన సమాజాలను దాచండి", "over_18": "18 సంవత్సరాలు పైగా?", "must_be_over_18": "ఈ సమాజాన్ని చూడటానికి మీరు 18+ అవ్వాలి", "must_be_over_18_explanation": "ఈ కంటెంట్‌ను చూడడానికి మీరు కనీసం పద్దెనిమిది సంవత్సరాలు వయస్సు ఉన్నట్లయితే కావాలి. మీరు పద్దెనిమిది సంవత్సరాలు పైగా ఉన్నారా మరియు వయస్సు ఆధారిత కంటెంట్ చూడడానికి సిద్ధంగా ఉన్నారా?", @@ -355,7 +290,6 @@ "block_user": "వాడుకరిని బ్లాక్ చేయండి", "unblock_user": "వాడుకరిని అన్‌బ్లాక్ చేయండి", "filtering_by_tag": "ట్యాగ్ ద్వారా ఫిల్టర్ చేయడం: \"{{tag}}\"", - "read_only_community_settings": "సేవ్ చేయని కమ్యూనిటీ సెట్టింగ్స్", "you_are_moderator": "మీరు ఈ కమ్యూనిటీలో మోడరేటర్ అయితే", "you_are_admin": "మీరు ఈ కమ్యూనిటీలో అడ్మిన్ అయితే", "you_are_owner": "మీరు ఈ కమ్యూనిటీ యొక్క యజమాని", @@ -377,7 +311,6 @@ "search_posts": "పోస్టులను శోధించు", "found_n_results_for": "\"{{query}}\" కోసం {{count}} పోస్ట్‌లు కనుగొన్నాయి", "clear_search": "శోధనను క్లియర్ చేయండి", - "loading_iframe": "లోడింగ్ ఐఫ్రేమ్", "no_matches_found_for": "\"{{query}}\" కోసం ఎలాంటి ఫలితాలు లభించలేదు", "searching": "శోధిస్తున్నాడు", "hide_default_communities_from_topbar": "టాప్‌బార్ నుండి డిఫాల్ట్ కమ్యూనిటీలను దాచండి", @@ -410,42 +343,48 @@ "expand_media_previews_based_on_community_media_preferences": "ఆ కమ్యూనిటీ మీడియా అభిరుచుల ఆధారంగా మీడియా ప్రివ్యూలను విస్తరించండి", "show_all_nsfw": "అన్నీ NSFW చూపించు", "hide_all_nsfw": "అన్ని NSFW దాచు", - "unstoppable_by_design": "...డిజైన్ ద్వారా అచింత్యమైనది.", - "servers_are_overrated": "...సర్వర్లు ఎక్కువగా అంచనా వేయబడ్డాయి.", - "cryptographic_playground": "... క్రిప్టోగ్రాఫిక్ ప్లేగ్రౌండ్.", - "where_you_own_the_keys": "...మీకు తాళాలు ఉన్న చోటు.", - "no_middleman_here": "...ఇక్కడ మధ్యవర్తి లేరు.", - "join_the_decentralution": "...డిసెంట్రల్యూషన్‌లో చేరండి.", - "because_privacy_matters": "...ఎందుకంటే గోప్యత ముఖ్యం.", - "freedom_served_fresh_daily": "...స్వాతంత్ర్యం రోజువారీగా తాజాగా అందజేయబడుతుంది.", - "your_community_your_rules": "...మీ సముదాయం, మీ నియమాలు.", - "centralization_is_boring": "...కేంద్రీకరణ బోరింగ్.", - "like_torrents_for_thoughts": "...ఆలోచనలకు టోరెంట్స్ లాగే.", - "cant_stop_the_signal": "...సిగ్నల్ ఆపలేను.", - "fully_yours_forever": "...మొత్తంగా మీది, శాశ్వతంగా.", - "powered_by_caffeine": "...క్యాఫీన్ తో నడుస్తోంది.", - "speech_wants_to_be_free": "...మాట్లాడటం స్వేచ్ఛగా ఉండాలనుకుంటుంది.", - "crypto_certified_community": "...క్రిప్టో-సర్టిఫైడ్ కమ్యూనిటీ.", - "take_ownership_literally": "...అదే అనుభవించండి.", - "your_ideas_decentralized": "...మీ ఆలోచనలు, వికేంద్రీకృతం.", - "for_digital_sovereignty": "...డిజిటల్ సార్వభౌమత్వం కోసం.", - "for_your_movement": "...మీ కదలిక కోసం.", - "because_you_love_freedom": "...నువ్వు స్వేచ్ఛను ఇష్టపడుతున్నావు కాబట్టి.", - "decentralized_but_for_real": "...వికేంద్రీకృతం, కానీ నిజంగా.", - "for_your_peace_of_mind": "...మీ మనశ్శాంతి కోసం.", - "no_corporation_to_answer_to": "...ప్రతిస్పందించడానికి ఎలాంటి సంస్థ లేదు.", - "your_tokenized_sovereignty": "...మీ టోకనైజ్డ్ సార్వభౌమత్వం.", - "for_text_only_wonders": "...టెక్స్ట్-ఒకే అద్భుతాల కోసం.", - "because_open_source_rulez": "...ఎందుకంటే ఓపెన్ సోర్స్ శక్తివంతం.", - "truly_peer_to_peer": "...సత్యంగా peer to peer.", - "no_hidden_fees": "...లుంచి రహిత రుసుములు.", - "no_global_rules": "...ఏ గ్లోబల్ నియమాలు లేవు.", - "for_reddits_downfall": "...Reddit యొక్క పడిపోవడానికి.", - "evil_corp_cant_stop_us": "...Evil Corp™ మమ్మల్ని ఆపలదు.", - "no_gods_no_global_admins": "...దేవుళ్ళు లేరు, గ్లోబల్ అడ్మిన్లు లేరు.", "tags": "ట్యాగ్లు", "moderator_of": "మోడరేటర్", "not_subscriber_nor_moderator": "మీరు ఏ కమ్యూనిటీలో సభ్యుడూ, మోడరేటర్ కూడా కాదు.", "more_posts_last_year": "{{count}} పోస్ట్లు గత {{currentTimeFilterName}}: <1>గత సంవత్సరం నుండి మరిన్ని పోస్ట్లు చూపించు", - "editor_fallback_warning": "అడ్వాన్స్ ఎడిటర్ లోడ్ అవ్వడం విఫలమైంది, బేసిక్ టెక్స్ట్ ఎడిటర్ fallback గా ఉపయోగిస్తున్నారు." + "editor_fallback_warning": "అడ్వాన్స్ ఎడిటర్ లోడ్ అవ్వడం విఫలమైంది, బేసిక్ టెక్స్ట్ ఎడిటర్ fallback గా ఉపయోగిస్తున్నారు.", + "hot": "hot", + "new": "new", + "active": "active", + "top": "top", + "best": "best", + "old": "old", + "unstoppable_by_design": "...unstoppable by design.", + "servers_are_overrated": "...servers are overrated.", + "cryptographic_playground": "... cryptographic playground.", + "where_you_own_the_keys": "...where you own the keys.", + "no_middleman_here": "...no middleman here.", + "join_the_decentralution": "...join the decentralution.", + "because_privacy_matters": "...because privacy matters.", + "freedom_served_fresh_daily": "...freedom served fresh daily.", + "your_community_your_rules": "...your community, your rules.", + "centralization_is_boring": "...centralization is boring.", + "like_torrents_for_thoughts": "...like torrents, for thoughts.", + "cant_stop_the_signal": "...can't stop the signal.", + "fully_yours_forever": "...fully yours, forever.", + "powered_by_caffeine": "...powered by caffeine.", + "speech_wants_to_be_free": "...speech wants to be free.", + "crypto_certified_community": "...crypto-certified community.", + "take_ownership_literally": "...take ownership literally.", + "your_ideas_decentralized": "...your ideas, decentralized.", + "for_digital_sovereignty": "...for digital sovereignty.", + "for_your_movement": "...for your movement.", + "because_you_love_freedom": "...because you love freedom.", + "decentralized_but_for_real": "...decentralized, but for real.", + "for_your_peace_of_mind": "...for your peace of mind.", + "no_corporation_to_answer_to": "...no corporation to answer to.", + "your_tokenized_sovereignty": "...your tokenized sovereignty.", + "for_text_only_wonders": "...for text-only wonders.", + "because_open_source_rulez": "...because open source rulez.", + "truly_peer_to_peer": "...truly peer to peer.", + "no_hidden_fees": "...no hidden fees.", + "no_global_rules": "...no global rules.", + "for_reddits_downfall": "...for Reddit's downfall.", + "evil_corp_cant_stop_us": "...Evil Corp™ can't stop us.", + "no_gods_no_global_admins": "...no gods, no global admins." } diff --git a/public/translations/th/default.json b/public/translations/th/default.json index bb9bb19b5..56a733ac5 100644 --- a/public/translations/th/default.json +++ b/public/translations/th/default.json @@ -1,13 +1,7 @@ { - "hot": "ยอดนิยม", - "new": "ใหม่", - "active": "ใช้งาน", - "controversial": "โต้เถียง", - "top": "ยอดนิยมที่สุด", "about": "เกี่ยวกับ", "comments": "ความคิดเห็น", "preferences": "การตั้งค่า", - "account_bar_language": "อังกฤษ", "submit": "ส่ง", "dark": "มืด", "light": "สีขาว", @@ -22,7 +16,6 @@ "post_comments": "ความคิดเห็น", "share": "แชร์", "save": "บันทึก", - "unsave": "ยกเลิกการบันทึก", "hide": "ซ่อน", "report": "รายงาน", "crosspost": "โพสต์ร่วม", @@ -37,11 +30,7 @@ "time_1_year_ago": "1 ปีที่ผ่านมา", "time_x_years_ago": "{{count}} ปีที่ผ่านมา", "spoiler": "สปอยล์", - "unspoiler": "ไม่สปอยล์", - "reply_permalink": "ลิงก์ถาวร", - "embed": "embed", "reply_reply": "ตอบ", - "best": "ที่สุด", "reply_sorted_by": "เรียงลำดับตาม", "all_comments": "ความคิดเห็น {{count}} รายการทั้งหมด", "no_comments": "ไม่มีความคิดเห็น (ยัง)", @@ -66,11 +55,10 @@ "next": "ถัดไป", "loading": "กำลังโหลด", "pending": "รอดำเนินการ", - "or": "หรือ", "submit_subscriptions_notice": "ชุมชนแนะนำ", "submit_subscriptions": "ชุมชนที่คุณติดตาม", "rules_for": "กฎสำหรับ", - "no_communities_found": "ไม่พบชุมชนใด ๆ บน <1>https://github.com/plebbit/lists", + "no_communities_found": "ไม่พบชุมชนใด ๆ บน <1>https://github.com/bitsocialhq/lists", "connect_community_notice": "เพื่อเชื่อมต่อกับชุมชน ใช้ 🔎 ที่มุมขวาบน", "options": "ตัวเลือก", "hide_options": "ซ่อนตัวเลือก", @@ -85,7 +73,6 @@ "time_x_months": "{{count}} เดือน", "time_1_year": "1 ปี", "time_x_years": "{{count}} ปี", - "search": "ค้นหา", "submit_post": "ส่งโพสต์ใหม่", "create_your_community": "สร้างชุมชนของคุณเอง", "moderators": "ผู้ดูแลระบบ", @@ -95,7 +82,6 @@ "created_by": "สร้างโดย {{creatorAddress}}", "community_for": "ชุมชนสำหรับ {{date}}", "post_submitted_on": "โพสต์นี้ถูกส่งในวันที่ {{postDate}}", - "readers_count": "{{count}} ผู้อ่าน", "users_online": "{{count}} ผู้ใช้ที่นี่ตอนนี้", "point": "จุด", "points": "คะแนน", @@ -107,26 +93,15 @@ "moderation": "การควบคุม", "interface_language": "ภาษาอินเตอร์เฟซ", "theme": "ธีม", - "profile": "โปรไฟล์", "account": "บัญชี", "display_name": "ชื่อที่แสดง", "crypto_address": "ที่อยู่คริปโต", - "reset": "รีเซ็ต", - "changes": "การเปลี่ยนแปลง", "check": "ตรวจสอบ", "crypto_address_verification": "หากที่อยู่คริปโตได้รับการแก้ไข p2p", - "is_current_account": "นี่คือบัญชีปัจจุบันหรือไม่", - "account_data_preview": "ดูตัวอย่างข้อมูลบัญชี", "create": "สร้าง", - "a_new_account": "บัญชีใหม่", - "import": "นำเข้า", - "export": "ส่งออก", "delete": "ลบ", - "full_account_data": "ข้อมูลบัญชีเต็มรูปแบบ", - "this_account": "บัญชีนี้", "locked": "ล็อก", "reason": "เหตุผล", - "no_posts_found": "ไม่พบโพสต์", "sorted_by": "เรียงตาม", "downvoted": "โหวตลบ", "hidden": "ซ่อน", @@ -138,21 +113,14 @@ "full_comments": "ความเห็นทั้งหมด", "context": "บริบท", "block": "บล็อก", - "hide_post": "ซ่อนโพสต์", "post": "โพสต์", "unhide": "แสดง", "unblock": "ยกเลิกการบล็อก", "undo": "เลิกทำ", "post_hidden": "โพสต์ที่ซ่อนอยู่", - "old": "เก่า", - "copy_link": "คัดลอกลิงก์", "link_copied": "คัดลอกลิงก์แล้ว", - "view_on": "ดูบน {{destination}}", "block_community": "บล็อกชุมชน", "unblock_community": "ยกเลิกการบล็อกชุมชน", - "block_community_alert": "คุณแน่ใจหรือไม่ว่าต้องการบล็อกชุมชนนี้?", - "unblock_community_alert": "คุณแน่ใจหรือไม่ว่าต้องการยกเลิกการบล็อกชุมชนนี้?", - "search_community_address": "ค้นหาที่อยู่ของชุมชน", "search_feed_post": "ค้นหาโพสต์ในฟีดนี้", "from": "จาก", "via": "ผ่านทาง", @@ -169,15 +137,12 @@ "no_posts": "ไม่มีโพสต์", "media_url": "URL สื่อ", "post_locked_info": "โพสต์นี้ {{state}} คุณจะไม่สามารถแสดงความคิดเห็นได้", - "no_subscriptions_notice": "คุณยังไม่ได้เข้าร่วมชุมชนใด ๆ", "members_count": "{{count}} สมาชิก", "communities": "ชุมชน", "edit": "แก้ไข", "moderator": "ผู้ดูแล", "description": "คำอธิบาย", "rules": "กฎ", - "challenge": "ท้าทาย", - "settings": "การตั้งค่า", "save_options": "บันทึกตัวเลือก", "logo": "โลโก้", "address": "ที่อยู่", @@ -188,26 +153,15 @@ "moderation_tools": "เครื่องมือการตรวจสอบ", "submit_to": "ส่งไปที่ <1>{{link}}", "edit_subscriptions": "แก้ไขการสมัครสมาชิก", - "last_account_notice": "คุณไม่สามารถลบบัญชีครั้งสุดท้ายของคุณได้ โปรดสร้างบัญชีใหม่ก่อน", "delete_confirm": "คุณแน่ใจหรือไม่ว่าต้องการลบ {{value}}?", "saving": "กำลังบันทึก", "deleted": "ลบแล้ว", - "mark_spoiler": "ทำเครื่องหมายว่าสปอยล์เลอร์", - "remove_spoiler": "ลบสปอยล์เลอร์", - "delete_post": "ลบโพสต์", - "undo_delete": "ยกเลิกการลบ", - "edit_content": "แก้ไขเนื้อหา", "online": "ออนไลน์", "offline": "ออฟไลน์", - "download_app": "ดาวน์โหลดแอพ", - "approved_user": "ผู้ใช้ที่ได้รับการอนุมัติ", "subscriber": "ผู้ติดตาม", - "approved": "ได้รับการอนุมัติ", - "proposed": "เสนอ", "join_communities_notice": "คลิกที่ปุ่ม <1>{{join}} หรือ <2>{{leave}} เพื่อเลือกชุมชนที่จะปรากฏในหน้าหลัก", "below_subscribed": "ด้านล่างนี้คือชุมชนที่คุณสมัครสมาชิก", "not_subscribed": "คุณยังไม่ได้สมัครสมาชิกในชุมชนใดๆ", - "below_approved_user": "ด้านล่างนี้คือชุมชนที่คุณเป็นสมาชิกที่ได้รับการอนุมัติ", "below_moderator_access": "ด้านล่างนี้คือชุมชนที่คุณสามารถเข้าถึงในฐานะผู้ดูแลได้", "not_moderator": "คุณไม่ได้เป็นผู้ดูแลในชุมชนใด ๆ", "create_community": "สร้างชุมชน", @@ -228,7 +182,6 @@ "address_setting_info": "ตั้งค่าที่อยู่ชุมชนที่อ่านได้โดยใช้โดเมนคริปโต", "enter_crypto_address": "โปรดป้อนที่อยู่คริปโตที่ถูกต้อง", "check_for_updates": "<1>ตรวจสอบ อัปเดต", - "general_settings": "การตั้งค่าทั่วไป", "refresh_to_update": "รีเฟรชหน้าเพื่ออัปเดต", "latest_development_version": "คุณกำลังใช้รุ่นการพัฒนาล่าสุด, คอมมิต {{commit}} ในการใช้รุ่นเสถียร ไปที่ {{link}}.", "latest_stable_version": "คุณกำลังใช้รุ่นเสถียรล่าสุด, seedit v{{version}}.", @@ -236,7 +189,6 @@ "new_stable_version": "มีเวอร์ชันที่มีความเสถียรใหม่ที่ใช้ได้, seedit v{{newVersion}} คุณกำลังใช้ seedit v{{oldVersion}}", "download_latest_desktop": "ดาวน์โหลดเวอร์ชันเดสก์ท็อปล่าสุดที่นี่: {{link}}", "contribute_on_github": "มีส่วนร่วมบน GitHub", - "create_community_not_available": "ยังไม่พร้อมใช้งานบนเว็บ คุณสามารถสร้างชุมชนโดยใช้แอปเดสก์ท็อป ดาวน์โหลดที่นี่: {{desktopLink}} หากคุณรู้สึกสบายใจกับบรรทัดคำสั่ง ตรวจสอบที่นี่: {{cliLink}}", "no_media_found": "ไม่พบสื่อ", "no_image_found": "ไม่พบรูปภาพ", "warning_spam": "คำเตือน: ไม่มีความท้าทายที่ถูกเลือก ชุมชนอยู่ในภาวะที่อ่อนแอต่อการโจมตีสแปม", @@ -254,7 +206,6 @@ "owner": "เจ้าของ", "admin": "ผู้ดูแลระบบ", "settings_saved": "บันทึกการตั้งค่าสำหรับ p/{{subplebbitAddress}}", - "mod_edit": "mod edit", "continue_thread": "ดำเนินการเรื่องนี้ต่อ", "mod_edit_reason": "เหตุผลในการแก้ไขของม็อด", "double_confirm": "คุณแน่ใจหรือไม่? การดำเนินการนี้ไม่สามารถย้อนกลับได้", @@ -266,12 +217,10 @@ "not_found_description": "หน้าที่คุณขอไม่มีอยู่จริง", "last_edited": "แก้ไขล่าสุด {{timestamp}}", "view_spoiler": "ดูสปอยล์เลอร์", - "more": "มากกว่า", "default_communities": "ชุมชนเริ่มต้น", "avatar": "อวตาร์", "pending_edit": "การแก้ไขที่รอดำเนินการ", "failed_edit": "การแก้ไขล้มเหลว", - "copy_full_address": "<1>คัดลอก ที่อยู่เต็ม", "node_stats": "สถิติของโหนด", "version": "เวอร์ชัน", "edit_reason": "เหตุผลในการแก้ไข", @@ -291,30 +240,22 @@ "ban_user_for": "แบนผู้ใช้ <1> วัน", "crypto_wallets": "กระเป๋าเงินดิจิทัล", "wallet_address": "ที่อยู่กระเป๋าเงิน", - "save_wallets": "<1>บันทึก กระเป๋าเงินเข้าบัญชี", "remove": "ลบ", "add_wallet": "<1>เพิ่ม กระเป๋าเงินดิจิทัล", "show_settings": "แสดงการตั้งค่า", "hide_settings": "ซ่อนการตั้งค่า", - "wallet": "กระเป๋าเงิน", "undelete": "ยกเลิกการลบ", "downloading_comments": "กำลังดาวน์โหลดความคิดเห็น", "you_blocked_community": "คุณบล็อกชุมชนนี้แล้ว", "show": "แสดง", "plebbit_options": "ตัวเลือก plebbit", "general": "ทั่วไป", - "own_communities": "ชุมชนของฉัน", - "invalid_community_address": "ที่อยู่ชุมชนไม่ถูกต้อง", - "newer_posts_available": "โพสต์ใหม่พร้อมใช้งาน: <1>โหลดฟีดใหม่", "more_posts_last_week": "{{count}} โพสต์เมื่อสัปดาห์ที่แล้ว {{currentTimeFilterName}}: <1>แสดงโพสต์เพิ่มเติมจากสัปดาห์ที่แล้ว", "more_posts_last_month": "{{count}} โพสต์ใน {{currentTimeFilterName}}: <1>แสดงโพสต์เพิ่มเติมจากเดือนที่แล้ว", - "sure_delete": "คุณแน่ใจหรือไม่ว่าต้องการลบโพสต์นี้?", - "sure_undelete": "คุณแน่ใจหรือไม่ว่าต้องการกู้คืนโพสต์นี้?", "profile_info": "บัญชีของคุณ u/{{shortAddress}} ถูกสร้างขึ้นแล้ว <1>ตั้งค่าชื่อแสดง, <2>ส่งออกสำรองข้อมูล, <3>เรียนรู้เพิ่มเติม.", "show_all_instead": "แสดงโพสต์ตั้งแต่ {{timeFilterName}} <1>แสดงทั้งหมดแทน", "subplebbit_offline_info": "เซ็บเพล็บบิทอาจออฟไลน์และการเผยแพร่อาจล้มเหลว", "posts_last_synced_info": "โพสต์ล่าสุดที่ซิงค์ {{time}}, ซับเพลบบิทอาจออฟไลน์และการเผยแพร่อาจล้มเหลว", - "stored_locally": "จัดเก็บในเครื่อง ({{location}}) ไม่ได้ซิงค์ข้ามอุปกรณ์", "import_account_backup": "<1>นำเข้า สำรองข้อมูลบัญชี", "export_account_backup": "<1>ส่งออก สำรองข้อมูลบัญชี", "save_reset_changes": "<1>บันทึก หรือ <2>รีเซ็ต การเปลี่ยนแปลง", @@ -334,17 +275,11 @@ "communities_you_moderate": "ชุมชนที่คุณเป็นผู้ดูแล", "blur_media": "เบลอเนื้อหาที่ถูกทำเครื่องหมายว่า NSFW/18+", "nsfw_content": "เนื้อหา NSFW", - "nsfw_communities": "ชุมชน NSFW", - "hide_adult": "ซ่อนชุมชนที่ถูกแท็กว่า \"ผู้ใหญ่\"", - "hide_gore": "ซ่อนชุมชนที่ถูกแท็กว่า \"กอร์\"", - "hide_anti": "ซ่อนชุมชนที่ถูกแท็กว่า \"ต่อต้าน\"", - "filters": "ตัวกรอง", "see_nsfw": "คลิกเพื่อดู NSFW", "see_nsfw_spoiler": "คลิกเพื่อดู NSFW สปอยเลอร์", "always_show_nsfw": "คุณต้องการแสดงสื่อ NSFW ตลอดเวลาหรือไม่?", "always_show_nsfw_notice": "ตกลง, เราเปลี่ยนการตั้งค่าของคุณเพื่อแสดงสื่อ NSFW ตลอดเวลา", "content_options": "ตัวเลือกเนื้อหา", - "hide_vulgar": "ซ่อนชุมชนที่ถูกแท็กว่า \"หยาบคาย\"", "over_18": "เกิน 18?", "must_be_over_18": "คุณต้องอายุ 18 ปีขึ้นไปเพื่อดูชุมชนนี้", "must_be_over_18_explanation": "คุณต้องมีอายุอย่างน้อย 18 ปีเพื่อดูเนื้อหานี้ คุณอายุเกิน 18 ปีและพร้อมที่จะดูเนื้อหาผู้ใหญ่หรือไม่?", @@ -355,7 +290,6 @@ "block_user": "บล็อกผู้ใช้", "unblock_user": "ยกเลิกบล็อกผู้ใช้", "filtering_by_tag": "กรองตามแท็ก: \"{{tag}}\"", - "read_only_community_settings": "การตั้งค่าชุมชนแบบอ่านอย่างเดียว", "you_are_moderator": "คุณเป็นผู้ดูแลของชุมชนนี้", "you_are_admin": "คุณเป็นผู้ดูแลระบบของชุมชนนี้", "you_are_owner": "คุณเป็นเจ้าของชุมชนนี้", @@ -377,7 +311,6 @@ "search_posts": "ค้นหาการโพสต์", "found_n_results_for": "พบ {{count}} โพสต์สำหรับ \"{{query}}\"", "clear_search": "ล้างการค้นหา", - "loading_iframe": "กำลังโหลด iframe", "no_matches_found_for": "ไม่พบการจับคู่สำหรับ \"{{query}}\"", "searching": "กำลังค้นหา", "hide_default_communities_from_topbar": "ซ่อนชุมชนเริ่มต้นจากแถบด้านบน", @@ -410,42 +343,48 @@ "expand_media_previews_based_on_community_media_preferences": "ขยายตัวอย่างสื่อโดยอิงตามความชอบสื่อของชุมชนนั้น", "show_all_nsfw": "แสดง NSFW ทั้งหมด", "hide_all_nsfw": "ซ่อนทั้งหมด NSFW", - "unstoppable_by_design": "...หยุดไม่ได้โดยการออกแบบ", - "servers_are_overrated": "...เซิร์ฟเวอร์ถูกประเมินค่ามากเกินไป", - "cryptographic_playground": "... สนามเด็กเล่นทางการเข้ารหัส.", - "where_you_own_the_keys": "...ที่ซึ่งคุณเป็นเจ้าของกุญแจ.", - "no_middleman_here": "...ไม่มีคนกลางที่นี่", - "join_the_decentralution": "...เข้าร่วม decentralution.", - "because_privacy_matters": "...เพราะความเป็นส่วนตัวมีความสำคัญ", - "freedom_served_fresh_daily": "...เสรีภาพเสิร์ฟสดใหม่ทุกวัน", - "your_community_your_rules": "...ชุมชนของคุณ กฎของคุณ", - "centralization_is_boring": "...การรวมศูนย์นั้นน่าเบื่อ", - "like_torrents_for_thoughts": "...เหมือนทอร์เรนต์ สำหรับความคิด", - "cant_stop_the_signal": "...หยุดสัญญาณไม่ได้", - "fully_yours_forever": "...เป็นของคุณอย่างแท้จริงตลอดไป", - "powered_by_caffeine": "...ขับเคลื่อนด้วยคาเฟอีน", - "speech_wants_to_be_free": "...คำพูดต้องการเป็นอิสระ", - "crypto_certified_community": "...ชุมชนที่ได้รับการรับรองคริปโต", - "take_ownership_literally": "...ถือความเป็นเจ้าของอย่างแท้จริง", - "your_ideas_decentralized": "...ไอเดียของคุณ แบบกระจายศูนย์.", - "for_digital_sovereignty": "...เพื่ออธิปไตยดิจิทัล", - "for_your_movement": "...สำหรับการเคลื่อนไหวของคุณ", - "because_you_love_freedom": "...เพราะคุณรักอิสรภาพ", - "decentralized_but_for_real": "...แบบกระจายศูนย์ แต่ของจริง.", - "for_your_peace_of_mind": "...เพื่อความสบายใจของคุณ", - "no_corporation_to_answer_to": "...ไม่มีองค์กรใดที่ต้องรับผิดชอบ.", - "your_tokenized_sovereignty": "...อธิปไตยที่ถูกโทเคนของคุณ", - "for_text_only_wonders": "...สำหรับสิ่งมหัศจรรย์เฉพาะข้อความเท่านั้น", - "because_open_source_rulez": "...เพราะโอเพ่นซอร์สเจ๋งสุด.", - "truly_peer_to_peer": "...อย่างแท้จริง peer to peer.", - "no_hidden_fees": "...ไม่มีค่าธรรมเนียมแอบแฝง", - "no_global_rules": "...ไม่มีข้อกำหนดทั่วโลก", - "for_reddits_downfall": "...เพื่อความล่มสลายของ Reddit.", - "evil_corp_cant_stop_us": "...Evil Corp™ ไม่สามารถหยุดเราได้", - "no_gods_no_global_admins": "...ไม่มีพระเจ้า ไม่มีผู้ดูแลระบบระดับโลก", "tags": "แท็ก", "moderator_of": "ผู้ดูแล", "not_subscriber_nor_moderator": "คุณไม่ใช่ผู้สมัครสมาชิกและไม่ใช่ผู้ดูแลชุมชนใดๆ", "more_posts_last_year": "{{count}} โพสต์ใน{{currentTimeFilterName}} ล่าสุด: <1>แสดงโพสต์เพิ่มเติมจากปีที่แล้ว", - "editor_fallback_warning": "ตัวแก้ไขขั้นสูงโหลดไม่สำเร็จ ใช้ตัวแก้ไขข้อความพื้นฐานเป็นทางเลือกสำรอง" + "editor_fallback_warning": "ตัวแก้ไขขั้นสูงโหลดไม่สำเร็จ ใช้ตัวแก้ไขข้อความพื้นฐานเป็นทางเลือกสำรอง", + "hot": "hot", + "new": "new", + "active": "active", + "top": "top", + "best": "best", + "old": "old", + "unstoppable_by_design": "...unstoppable by design.", + "servers_are_overrated": "...servers are overrated.", + "cryptographic_playground": "... cryptographic playground.", + "where_you_own_the_keys": "...where you own the keys.", + "no_middleman_here": "...no middleman here.", + "join_the_decentralution": "...join the decentralution.", + "because_privacy_matters": "...because privacy matters.", + "freedom_served_fresh_daily": "...freedom served fresh daily.", + "your_community_your_rules": "...your community, your rules.", + "centralization_is_boring": "...centralization is boring.", + "like_torrents_for_thoughts": "...like torrents, for thoughts.", + "cant_stop_the_signal": "...can't stop the signal.", + "fully_yours_forever": "...fully yours, forever.", + "powered_by_caffeine": "...powered by caffeine.", + "speech_wants_to_be_free": "...speech wants to be free.", + "crypto_certified_community": "...crypto-certified community.", + "take_ownership_literally": "...take ownership literally.", + "your_ideas_decentralized": "...your ideas, decentralized.", + "for_digital_sovereignty": "...for digital sovereignty.", + "for_your_movement": "...for your movement.", + "because_you_love_freedom": "...because you love freedom.", + "decentralized_but_for_real": "...decentralized, but for real.", + "for_your_peace_of_mind": "...for your peace of mind.", + "no_corporation_to_answer_to": "...no corporation to answer to.", + "your_tokenized_sovereignty": "...your tokenized sovereignty.", + "for_text_only_wonders": "...for text-only wonders.", + "because_open_source_rulez": "...because open source rulez.", + "truly_peer_to_peer": "...truly peer to peer.", + "no_hidden_fees": "...no hidden fees.", + "no_global_rules": "...no global rules.", + "for_reddits_downfall": "...for Reddit's downfall.", + "evil_corp_cant_stop_us": "...Evil Corp™ can't stop us.", + "no_gods_no_global_admins": "...no gods, no global admins." } diff --git a/public/translations/tr/default.json b/public/translations/tr/default.json index f84330926..cf410beda 100644 --- a/public/translations/tr/default.json +++ b/public/translations/tr/default.json @@ -1,13 +1,7 @@ { - "hot": "Popüler", - "new": "Yeni", - "active": "Aktif", - "controversial": "Tartışmalı", - "top": "En İyi", "about": "Hakkında", "comments": "yorumlar", "preferences": "Tercihler", - "account_bar_language": "İngilizce", "submit": "Gönder", "dark": "Karanlık", "light": "Açık", @@ -22,7 +16,6 @@ "post_comments": "Yorumlar", "share": "Paylaş", "save": "Kaydet", - "unsave": "Kaydı Kaldır", "hide": "Gizle", "report": "Rapor Et", "crosspost": "Çapraz Gönderi", @@ -37,11 +30,7 @@ "time_1_year_ago": "1 yıl önce", "time_x_years_ago": "{{count}} yıl önce", "spoiler": "Spoiler", - "unspoiler": "Spoiler Olmayan", - "reply_permalink": "Kalıcı bağlantı", - "embed": "Embed", "reply_reply": "Cevap", - "best": "En iyiler", "reply_sorted_by": "Şuna göre sırala", "all_comments": "Tüm {{count}} yorumlar", "no_comments": "Yorum yok (henüz)", @@ -66,11 +55,10 @@ "next": "Sonraki", "loading": "Yükleniyor", "pending": "Beklemede", - "or": "veya", "submit_subscriptions_notice": "Önerilen Topluluklar", "submit_subscriptions": "abone olduğunuz topluluklar", "rules_for": "için kurallar", - "no_communities_found": "<1>https://github.com/plebbit/lists üzerinde hiçbir topluluk bulunamadı", + "no_communities_found": "<1>https://github.com/bitsocialhq/lists üzerinde hiçbir topluluk bulunamadı", "connect_community_notice": "Bir topluluğa bağlanmak için, sağ üst köşede 🔎 kullanın", "options": "seçenekler", "hide_options": "seçenekleri gizle", @@ -85,7 +73,6 @@ "time_x_months": "{{count}} ay", "time_1_year": "1 yıl", "time_x_years": "{{count}} yıl", - "search": "arama", "submit_post": "Yeni bir gönderi gönder", "create_your_community": "Kendi topluluğunu oluştur", "moderators": "moderatorler", @@ -95,7 +82,6 @@ "created_by": "tarafından oluşturuldu {{creatorAddress}}", "community_for": "{{date}} için bir topluluk", "post_submitted_on": "bu gönderi {{postDate}} tarihinde gönderildi", - "readers_count": "{{count}} okuyucu", "users_online": "şu anda {{count}} kullanıcı burada", "point": "nokta", "points": "puanlar", @@ -107,26 +93,15 @@ "moderation": "denetim", "interface_language": "arayüz dil", "theme": "tema", - "profile": "profil", "account": "hesap", "display_name": "görünen ad", "crypto_address": "kripto adres", - "reset": "sıfırla", - "changes": "değişiklikler", "check": "kontrol etmek", "crypto_address_verification": "eğer kripto adresi p2p ile çözüldüyse", - "is_current_account": "bu, şu anki hesap mı", - "account_data_preview": "hesap verileri önizleme", "create": "oluştur", - "a_new_account": "yeni bir hesap", - "import": "ithal et", - "export": "dışa aktar", "delete": "sil", - "full_account_data": "tam hesap verisi", - "this_account": "bu hesap", "locked": "kilitli", "reason": "neden", - "no_posts_found": "hiçbir gönderi bulunamadı", "sorted_by": "sıralama ölçütü", "downvoted": "aşağı oy verildi", "hidden": "gizli", @@ -138,21 +113,14 @@ "full_comments": "tüm yorumlar", "context": "bağlam", "block": "blok", - "hide_post": "gönderiyi gizle", "post": "gönderi", "unhide": "göster", "unblock": "engeli kaldır", "undo": "geri al", "post_hidden": "gizli gönderi", - "old": "eski", - "copy_link": "bağlantıyı kopyala", "link_copied": "bağlantı kopyalandı", - "view_on": "{{destination}} üzerinde görüntüle", "block_community": "topluluğu engelle", "unblock_community": "topluluğu engeli kaldır", - "block_community_alert": "Bu topluluğu engellemek istediğinizden emin misiniz?", - "unblock_community_alert": "Bu topluluğun engelini kaldırmak istediğinizden emin misiniz?", - "search_community_address": "Bir topluluk adresi arayın", "search_feed_post": "Bu akışta bir gönderi arayın", "from": "kimden", "via": "aracılığıyla", @@ -169,15 +137,12 @@ "no_posts": "gönderi yok", "media_url": "medya URL'si", "post_locked_info": "Bu gönderi {{state}}. Yorum yapamayacaksınız.", - "no_subscriptions_notice": "Henüz herhangi bir topluluğa katılmadınız.", "members_count": "{{count}} üye", "communities": "topluluk", "edit": "düzenle", "moderator": "Moderatör", "description": "Açıklama", "rules": "Kurallar", - "challenge": "Meydan okuma", - "settings": "Ayarlar", "save_options": "Seçenekleri Kaydet", "logo": "Logo", "address": "Adres", @@ -188,26 +153,15 @@ "moderation_tools": "Moderasyon Araçları", "submit_to": "<1>{{link}} adresine gönder", "edit_subscriptions": "Abonelikleri Düzenle", - "last_account_notice": "Son hesabınızı silemezsiniz, lütfen önce yeni bir tane oluşturun.", "delete_confirm": "{{value}}'yi silmek istediğinizden emin misiniz?", "saving": "Kaydediliyor", "deleted": "Silindi", - "mark_spoiler": "Spoiler olarak işaretle", - "remove_spoiler": "Spoileri Kaldır", - "delete_post": "Gönderiyi Sil", - "undo_delete": "Silme İptal", - "edit_content": "İçerik düzenleme", "online": "Çevrimiçi", "offline": "Çevrimdışı", - "download_app": "Uygulamayı indir", - "approved_user": "Onaylanmış Kullanıcı", "subscriber": "Abone", - "approved": "Onaylandı", - "proposed": "Önerilen", "join_communities_notice": "Ana sayfada hangi toplulukların görüntüleneceğini seçmek için <1>{{join}} veya <2>{{leave}} düğmelerine tıklayın.", "below_subscribed": "Aşağıda abone olduğunuz topluluklar bulunmaktadır.", "not_subscribed": "Henüz hiçbir topluluğa abone değilsiniz.", - "below_approved_user": "Aşağıda onaylı bir kullanıcı olduğunuz topluluklar bulunmaktadır.", "below_moderator_access": "Aşağıda moderatör erişimine sahip olduğunuz topluluklar bulunmaktadır.", "not_moderator": "Hiçbir topluluğun moderatörü değilsiniz.", "create_community": "Topluluk oluştur", @@ -228,7 +182,6 @@ "address_setting_info": "Bir kripto alan kullanarak okunabilir bir topluluk adresi belirleyin", "enter_crypto_address": "Lütfen geçerli bir kripto adresi girin.", "check_for_updates": "<1>Güncellemeleri kontrol et", - "general_settings": "Genel ayarlar", "refresh_to_update": "Güncellemek için sayfayı yenileyin", "latest_development_version": "En son geliştirme sürümündesiniz, commit {{commit}}. Kararlı sürümü kullanmak için {{link}} gidin.", "latest_stable_version": "En son kararlı sürümünde, seedit v{{version}}s.", @@ -236,7 +189,6 @@ "new_stable_version": "Yeni stabil sürüm kullanılabilir, seedit v{{newVersion}}. seedit v{{oldVersion}} kullanıyorsunuz.", "download_latest_desktop": "Son masaüstü sürümünü buradan indirin: {{link}}", "contribute_on_github": "GitHub üzerinde katkı sağlayın", - "create_community_not_available": "Henüz web üzerinde kullanılamıyor. Masaüstü uygulamasını kullanarak bir topluluk oluşturabilirsiniz, buradan indirin: {{desktopLink}}. Komut satırıyla rahatsanız, buraya göz atın: {{cliLink}}", "no_media_found": "Medya bulunamadı", "no_image_found": "Resim bulunamadı", "warning_spam": "Uyarı: Hiçbir zorluk seçilmedi, topluluk spam saldırılarına açık.", @@ -254,7 +206,6 @@ "owner": "sahip", "admin": "yönetici", "settings_saved": "Ayarlar p/{{subplebbitAddress}} için kaydedildi", - "mod_edit": "mod düzenle", "continue_thread": "bu konuyu devam ettir", "mod_edit_reason": "Mod düzenleme nedeni", "double_confirm": "Gerçekten emin misiniz? Bu eylem geri alınamaz.", @@ -266,12 +217,10 @@ "not_found_description": "İstediğiniz sayfa mevcut değil", "last_edited": "son düzenleme {{timestamp}}", "view_spoiler": "spoileri görüntüle", - "more": "daha fazla", "default_communities": "varsayılan topluluklar", "avatar": "avatar", "pending_edit": "bekleyen düzenleme", "failed_edit": "başarısız düzenleme", - "copy_full_address": "<1>kopyala tam adres", "node_stats": "düğüm istatistikleri", "version": "sürüm", "edit_reason": "düzenleme nedeni", @@ -291,30 +240,22 @@ "ban_user_for": "Kullanıcıyı <1> gün boyunca yasakla", "crypto_wallets": "Kripto Cüzdanlar", "wallet_address": "Cüzdan adresi", - "save_wallets": "<1>Kaydet cüzdanları hesaba", "remove": "Kaldır", "add_wallet": "<1>Kripto cüzdan ekle", "show_settings": "Ayarları göster", "hide_settings": "Ayarları gizle", - "wallet": "Cüzdan", "undelete": "Silme işlemini geri al", "downloading_comments": "yorumlar indiriliyor", "you_blocked_community": "Bu topluluğu engellediniz", "show": "göstermek", "plebbit_options": "plebbit seçenekleri", "general": "genel", - "own_communities": "kendi topluluklarım", - "invalid_community_address": "Geçersiz topluluk adresi", - "newer_posts_available": "Daha yeni gönderiler mevcut: <1>beslemi yeniden yükle", "more_posts_last_week": "{{count}} gönderiler geçen {{currentTimeFilterName}}: <1>daha fazla gönderi göster geçen haftadan", "more_posts_last_month": "{{count}} gönderi {{currentTimeFilterName}}de: <1>geçen aydan daha fazla gönderi göster", - "sure_delete": "Bu gönderiyi silmek istediğinize emin misiniz?", - "sure_undelete": "Bu gönderiyi geri yüklemek istediğinize emin misiniz?", "profile_info": "Hesabınız u/{{shortAddress}} oluşturuldu. <1>Görüntüleme adını ayarla, <2>yedekleme verilerini dışa aktar, <3>daha fazla bilgi.", "show_all_instead": "{{timeFilterName}} tarihinden itibaren gönderiler gösteriliyor, <1>bunun yerine hepsini göster", "subplebbit_offline_info": "Subplebbit çevrimdışı olabilir ve yayınlama başarısız olabilir.", "posts_last_synced_info": "Son senkronize edilen gönderiler {{time}}, subplebbit çevrimdışı olabilir ve yayınlama başarısız olabilir.", - "stored_locally": "Yerel olarak saklanıyor ({{location}}), cihazlar arasında senkronize edilmedi", "import_account_backup": "<1>içeri aktarma hesap yedeği", "export_account_backup": "<1>dışa aktarma hesap yedeği", "save_reset_changes": "<1>kaydet veya <2>sıfırla değişiklikleri", @@ -334,17 +275,11 @@ "communities_you_moderate": "Moderatörlük yaptığınız topluluklar", "blur_media": "NSFW/18+ olarak işaretlenmiş medyayı bulanıklaştırın", "nsfw_content": "NSFW içeriği", - "nsfw_communities": "NSFW toplulukları", - "hide_adult": "\"Yetişkin\" olarak etiketlenen toplulukları gizle", - "hide_gore": "\"Gore\" olarak etiketlenen toplulukları gizle", - "hide_anti": "\"Anti\" olarak etiketlenen toplulukları gizle", - "filters": "Filtreler", "see_nsfw": "NSFW görmek için tıklayın", "see_nsfw_spoiler": "NSFW spoiler görmek için tıklayın", "always_show_nsfw": "Her zaman NSFW medyasını göstermek ister misiniz?", "always_show_nsfw_notice": "Tamam, tercihlerinizi her zaman NSFW medyasını gösterecek şekilde değiştirdik.", "content_options": "İçerik seçenekleri", - "hide_vulgar": "\"Vulgar\" olarak etiketlenen toplulukları gizle", "over_18": "18 yaş üstü?", "must_be_over_18": "Bu topluluğu görmek için 18 yaş ve üzeri olmalısınız", "must_be_over_18_explanation": "Bu içeriği görmek için en az on sekiz yaşında olmanız gerekir. On sekiz yaşından büyük müsünüz ve yetişkin içeriği görmeye istekli misiniz?", @@ -355,7 +290,6 @@ "block_user": "Kullanıcıyı engelle", "unblock_user": "Kullanıcıyı engellemeyi kaldır", "filtering_by_tag": "Tag’a göre filtreleme: \"{{tag}}\"", - "read_only_community_settings": "Sadece-okunabilir topluluk ayarları", "you_are_moderator": "Bu topluluğun moderatörüsünüz", "you_are_admin": "Bu topluluğun yöneticisisiniz", "you_are_owner": "Bu topluluğun sahibi sizsiniz", @@ -377,7 +311,6 @@ "search_posts": "gönderileri ara", "found_n_results_for": "\"{{query}}\" için {{count}} gönderi bulundu", "clear_search": "arama temizle", - "loading_iframe": "iframe yükleniyor", "no_matches_found_for": "\"{{query}}\" için eşleşme bulunamadı", "searching": "arama", "hide_default_communities_from_topbar": "Varsayılan toplulukları üst çubuktan gizle", @@ -410,42 +343,48 @@ "expand_media_previews_based_on_community_media_preferences": "Topluluğun medya tercihleri temelinde medya önizlemelerini genişlet", "show_all_nsfw": "tüm NSFW'yi göster", "hide_all_nsfw": "tüm NSFW'yi gizle", - "unstoppable_by_design": "...tasarım gereği durdurulamaz.", - "servers_are_overrated": "...sunucular gereğinden fazla değer görüyor.", - "cryptographic_playground": "... kriptografik oyun alanı.", - "where_you_own_the_keys": "...anahtarların size ait olduğu yerde.", - "no_middleman_here": "...burada aracı yok.", - "join_the_decentralution": "...decentralution'a katıl.", - "because_privacy_matters": "...çünkü gizlilik önemlidir.", - "freedom_served_fresh_daily": "...özgürlük her gün taze servis edilir.", - "your_community_your_rules": "...topluluğunuz, kurallarınız.", - "centralization_is_boring": "...merkezileşme sıkıcıdır.", - "like_torrents_for_thoughts": "...düşünceler için torrentler gibi.", - "cant_stop_the_signal": "...sinyali durduramazsın.", - "fully_yours_forever": "...tamamen senin, sonsuza dek.", - "powered_by_caffeine": "...kafein ile çalışır.", - "speech_wants_to_be_free": "...konuşma özgür olmak istiyor.", - "crypto_certified_community": "...kripto sertifikalı topluluk.", - "take_ownership_literally": "...sahipliği kelimenin tam anlamıyla al.", - "your_ideas_decentralized": "...fikirleriniz, merkezi olmayan.", - "for_digital_sovereignty": "...dijital egemenlik için.", - "for_your_movement": "...hareketiniz için.", - "because_you_love_freedom": "...çünkü özgürlüğü seviyorsun.", - "decentralized_but_for_real": "...merkezi olmayan, ama gerçek anlamda.", - "for_your_peace_of_mind": "...huzurunuz için.", - "no_corporation_to_answer_to": "...cevap verecek herhangi bir şirket yok.", - "your_tokenized_sovereignty": "...tokenize edilmiş egemenliğiniz.", - "for_text_only_wonders": "...sadece metin harikaları için.", - "because_open_source_rulez": "...çünkü açık kaynak harika.", - "truly_peer_to_peer": "...gerçekten eşler arası.", - "no_hidden_fees": "...gizli ücret yok.", - "no_global_rules": "...küresel kurallar yok.", - "for_reddits_downfall": "...Reddit'in çöküşü için.", - "evil_corp_cant_stop_us": "...Evil Corp™ bizi durduramaz.", - "no_gods_no_global_admins": "...tanrılar yok, global yöneticiler yok.", "tags": "Etiketler", "moderator_of": "moderatorü", "not_subscriber_nor_moderator": "Hiçbir topluluğun abonesi veya moderatörü değilsiniz.", "more_posts_last_year": "{{count}} gönderi son {{currentTimeFilterName}}: <1>geçen yıldan daha fazla gönderi göster", - "editor_fallback_warning": "gelişmiş editör yüklenemedi, yedek olarak temel metin editörü kullanılıyor." + "editor_fallback_warning": "gelişmiş editör yüklenemedi, yedek olarak temel metin editörü kullanılıyor.", + "hot": "hot", + "new": "new", + "active": "active", + "top": "top", + "best": "best", + "old": "old", + "unstoppable_by_design": "...unstoppable by design.", + "servers_are_overrated": "...servers are overrated.", + "cryptographic_playground": "... cryptographic playground.", + "where_you_own_the_keys": "...where you own the keys.", + "no_middleman_here": "...no middleman here.", + "join_the_decentralution": "...join the decentralution.", + "because_privacy_matters": "...because privacy matters.", + "freedom_served_fresh_daily": "...freedom served fresh daily.", + "your_community_your_rules": "...your community, your rules.", + "centralization_is_boring": "...centralization is boring.", + "like_torrents_for_thoughts": "...like torrents, for thoughts.", + "cant_stop_the_signal": "...can't stop the signal.", + "fully_yours_forever": "...fully yours, forever.", + "powered_by_caffeine": "...powered by caffeine.", + "speech_wants_to_be_free": "...speech wants to be free.", + "crypto_certified_community": "...crypto-certified community.", + "take_ownership_literally": "...take ownership literally.", + "your_ideas_decentralized": "...your ideas, decentralized.", + "for_digital_sovereignty": "...for digital sovereignty.", + "for_your_movement": "...for your movement.", + "because_you_love_freedom": "...because you love freedom.", + "decentralized_but_for_real": "...decentralized, but for real.", + "for_your_peace_of_mind": "...for your peace of mind.", + "no_corporation_to_answer_to": "...no corporation to answer to.", + "your_tokenized_sovereignty": "...your tokenized sovereignty.", + "for_text_only_wonders": "...for text-only wonders.", + "because_open_source_rulez": "...because open source rulez.", + "truly_peer_to_peer": "...truly peer to peer.", + "no_hidden_fees": "...no hidden fees.", + "no_global_rules": "...no global rules.", + "for_reddits_downfall": "...for Reddit's downfall.", + "evil_corp_cant_stop_us": "...Evil Corp™ can't stop us.", + "no_gods_no_global_admins": "...no gods, no global admins." } diff --git a/public/translations/uk/default.json b/public/translations/uk/default.json index 0ab932ec8..264fc064b 100644 --- a/public/translations/uk/default.json +++ b/public/translations/uk/default.json @@ -1,13 +1,7 @@ { - "hot": "Гаряче", - "new": "Нове", - "active": "Активне", - "controversial": "Суперечливе", - "top": "Топ", "about": "Про", "comments": "коментарі", "preferences": "Налаштування", - "account_bar_language": "Англійська", "submit": "Надіслати", "dark": "Темний", "light": "Світлий", @@ -22,7 +16,6 @@ "post_comments": "Коментарі", "share": "Поділитися", "save": "Зберегти", - "unsave": "Видалити", "hide": "Приховати", "report": "Поскаржитися", "crosspost": "Кроспост", @@ -37,11 +30,7 @@ "time_1_year_ago": "1 рік тому", "time_x_years_ago": "{{count}} років тому", "spoiler": "Спойлер", - "unspoiler": "Зняти спойлер", - "reply_permalink": "Постійне посилання", - "embed": "Embed", "reply_reply": "Відповідь", - "best": "Найкращі", "reply_sorted_by": "Сортувати за", "all_comments": "Всі {{count}} коментарі", "no_comments": "Немає коментарів (ще)", @@ -66,11 +55,10 @@ "next": "Наступний", "loading": "Завантаження", "pending": "Очікується", - "or": "або", "submit_subscriptions_notice": "Рекомендовані спільноти", "submit_subscriptions": "ваші підписані спільноти", "rules_for": "правила для", - "no_communities_found": "Спільноти не знайдені на <1>https://github.com/plebbit/lists", + "no_communities_found": "Спільноти не знайдені на <1>https://github.com/bitsocialhq/lists", "connect_community_notice": "Щоб підключитися до спільноти, використовуйте 🔎 у верхньому правому куті", "options": "опції", "hide_options": "приховати опції", @@ -85,7 +73,6 @@ "time_x_months": "{{count}} місяців", "time_1_year": "1 рік", "time_x_years": "{{count}} років", - "search": "пошук", "submit_post": "Надіслати новий пост", "create_your_community": "Створіть своє співтовариство", "moderators": "модератори", @@ -95,7 +82,6 @@ "created_by": "створено {{creatorAddress}}", "community_for": "спільнота на {{date}}", "post_submitted_on": "цей пост був поданий {{postDate}}", - "readers_count": "{{count}} читачів", "users_online": "{{count}} користувачів тут зараз", "point": "точка", "points": "бали", @@ -107,26 +93,15 @@ "moderation": "модерація", "interface_language": "мова інтерфейсу", "theme": "тема", - "profile": "профіль", "account": "рахунок", "display_name": "відображуване ім'я", "crypto_address": "адреса криптовалюти", - "reset": "скинути", - "changes": "зміни", "check": "перевірити", "crypto_address_verification": "якщо адреса криптовалюти розглядається p2p", - "is_current_account": "це поточний рахунок", - "account_data_preview": "попередній перегляд даних аккаунта", "create": "створити", - "a_new_account": "новий рахунок", - "import": "імпортувати", - "export": "експортувати", "delete": "видалити", - "full_account_data": "повні дані аккаунта", - "this_account": "цей аккаунт", "locked": "заблоковано", "reason": "причина", - "no_posts_found": "пости не знайдені", "sorted_by": "відсортовано за", "downvoted": "проголосувало негативно", "hidden": "прихований", @@ -138,21 +113,14 @@ "full_comments": "всі коментарі", "context": "контекст", "block": "блокувати", - "hide_post": "приховати пост", "post": "публікація", "unhide": "показати", "unblock": "скасувати блокування", "undo": "скасувати", "post_hidden": "прихований пост", - "old": "старі", - "copy_link": "копіювати посилання", "link_copied": "посилання скопійовано", - "view_on": "переглянути на {{destination}}", "block_community": "заблокувати спільноту", "unblock_community": "розблокувати спільноту", - "block_community_alert": "Ви впевнені, що хочете заблокувати цю спільноту?", - "unblock_community_alert": "Ви впевнені, що хочете розблокувати цю спільноту?", - "search_community_address": "Пошук адреси спільноти", "search_feed_post": "Шукайте запис у цьому стрічці", "from": "від", "via": "через", @@ -169,15 +137,12 @@ "no_posts": "немає повідомлень", "media_url": "URL медіа", "post_locked_info": "Цей пост {{state}}. Ви не зможете коментувати.", - "no_subscriptions_notice": "Ви ще не приєдналися до жодної спільноти.", "members_count": "{{count}} учасників", "communities": "спільнота", "edit": "редагування", "moderator": "Модератор", "description": "Опис", "rules": "Правила", - "challenge": "Виклик", - "settings": "Налаштування", "save_options": "Зберегти налаштування", "logo": "Логотип", "address": "Адреса", @@ -188,26 +153,15 @@ "moderation_tools": "Інструменти модерації", "submit_to": "Надіслати до <1>{{link}}", "edit_subscriptions": "Редагувати підписки", - "last_account_notice": "Ви не можете видалити свій останній обліковий запис, будь ласка, спочатку створіть новий.", "delete_confirm": "Ви впевнені, що хочете видалити {{value}}?", "saving": "Збереження", "deleted": "Видалено", - "mark_spoiler": "Позначити як спойлер", - "remove_spoiler": "Видалити спойлер", - "delete_post": "Видалити пост", - "undo_delete": "Скасувати видалення", - "edit_content": "Редагувати вміст", "online": "Онлайн", "offline": "Офлайн", - "download_app": "Завантажити додаток", - "approved_user": "Затверджений користувач", "subscriber": "Підписник", - "approved": "Затверджено", - "proposed": "Запропоновано", "join_communities_notice": "Клацніть кнопки <1>{{join}} або <2>{{leave}}, щоб вибрати, які спільноти відображати на домашній сторінці.", "below_subscribed": "Нижче перераховані спільноти, на які ви підписалися.", "not_subscribed": "Ви ще не підписані на жодну спільноту.", - "below_approved_user": "Нижче подані спільноти, на яких ви є схваленим користувачем.", "below_moderator_access": "Нижче наведено спільноти, до яких у вас є доступ у ролі модератора.", "not_moderator": "Ви не є модератором жодної спільноти.", "create_community": "Створити спільноту", @@ -228,7 +182,6 @@ "address_setting_info": "Встановіть читабельну громадську адресу, використовуючи криптодомен", "enter_crypto_address": "Будь ласка, введіть дійсну криптовалютну адресу.", "check_for_updates": "<1>Перевірити оновлення", - "general_settings": "Загальні налаштування", "refresh_to_update": "Оновіть сторінку, щоб оновити", "latest_development_version": "Ви використовуєте останню версію розробки, коміт {{commit}}. Щоб використовувати стабільну версію, перейдіть за посиланням {{link}}.", "latest_stable_version": "Ви використовуєте останню стабільну версію, seedit v{{version}}.", @@ -236,7 +189,6 @@ "new_stable_version": "Нова стабільна версія доступна, seedit v{{newVersion}}. Ви використовуєте seedit v{{oldVersion}}.", "download_latest_desktop": "Завантажте останню версію для робочого столу тут: {{link}}", "contribute_on_github": "Сприяти на GitHub", - "create_community_not_available": "Ще не доступно в Інтернеті. Ви можете створити спільноту за допомогою програми для робочого столу, завантажте її тут: {{desktopLink}}. Якщо ви впевнені в командному рядку, перевірте тут: {{cliLink}}", "no_media_found": "Медіа не знайдено", "no_image_found": "Зображення не знайдено", "warning_spam": "Попередження: жодного виклику не обрано, спільнота вразлива до спам-атак.", @@ -254,7 +206,6 @@ "owner": "власник", "admin": "адміністратор", "settings_saved": "Налаштування збережено для p/{{subplebbitAddress}}", - "mod_edit": "редагування модератора", "continue_thread": "продовжити цю тему", "mod_edit_reason": "Причина редагування модератором", "double_confirm": "Ви впевнені? Ця дія незворотня.", @@ -266,12 +217,10 @@ "not_found_description": "Сторінка, яку ви запросили, не існує", "last_edited": "остання редакція {{timestamp}}", "view_spoiler": "переглянути спойлер", - "more": "більше", "default_communities": "типові спільноти", "avatar": "аватар", "pending_edit": "очікуване редагування", "failed_edit": "невдале редагування", - "copy_full_address": "<1>скопіювати повну адресу", "node_stats": "статистика вузла", "version": "версія", "edit_reason": "причина редагування", @@ -291,30 +240,22 @@ "ban_user_for": "Заборонити користувача на <1> день (днів)", "crypto_wallets": "Криптокошельки", "wallet_address": "Адреса гаманця", - "save_wallets": "<1>Зберегти гаманець(і) на рахунок", "remove": "Видалити", "add_wallet": "<1>Додати криптокошелек", "show_settings": "Показати налаштування", "hide_settings": "Сховати налаштування", - "wallet": "Гаманець", "undelete": "Скасувати видалення", "downloading_comments": "завантаження коментарів", "you_blocked_community": "Ви заблокували цю спільноту", "show": "показати", "plebbit_options": "плебіт варіанти", "general": "загальний", - "own_communities": "власні спільноти", - "invalid_community_address": "Недійсна адреса спільноти", - "newer_posts_available": "Новіші пости доступні: <1>перезавантажити стрічку", "more_posts_last_week": "{{count}} пости минулого {{currentTimeFilterName}}: <1>показати більше постів з минулого тижня", "more_posts_last_month": "{{count}} постів у {{currentTimeFilterName}}: <1>показати більше постів з минулого місяця", - "sure_delete": "Ви впевнені, що хочете видалити цей пост?", - "sure_undelete": "Ви впевнені, що хочете відновити цей пост?", "profile_info": "Ваш акаунт u/{{shortAddress}} був створений. <1>Встановіть ім'я відображення, <2>експортувати резервну копію, <3>дізнатись більше.", "show_all_instead": "Показані пости з {{timeFilterName}}, <1>показати все замість цього", "subplebbit_offline_info": "Сабплебіт може бути офлайн, а публікація може не вдастися.", "posts_last_synced_info": "Останні синхронізовані повідомлення {{time}}, сабплебіт може бути офлайн, а публікація може не вдастися.", - "stored_locally": "Збережено локально ({{location}}), не синхронізується між пристроями", "import_account_backup": "<1>імпортувати резервну копію облікового запису", "export_account_backup": "<1>експортувати резервну копію облікового запису", "save_reset_changes": "<1>зберегти або <2>скинути зміни", @@ -334,17 +275,11 @@ "communities_you_moderate": "Спільноти, які ви модеруєте", "blur_media": "Розмити медіа, позначені як NSFW/18+", "nsfw_content": "Контент NSFW", - "nsfw_communities": "NSFW спільноти", - "hide_adult": "Сховати спільноти, позначені як \"дорослі\"", - "hide_gore": "Сховати спільноти, позначені як \"горе\"", - "hide_anti": "Сховати спільноти, позначені як \"анти\"", - "filters": "Фільтри", "see_nsfw": "Натисніть, щоб побачити NSFW", "see_nsfw_spoiler": "Натисніть, щоб побачити NSFW спойлер", "always_show_nsfw": "Чи хочете ви завжди показувати медіа NSFW?", "always_show_nsfw_notice": "Добре, ми змінили ваші налаштування, щоб завжди показувати медіа NSFW.", "content_options": "Параметри контенту", - "hide_vulgar": "Сховати спільноти, позначені як \"вульгарні\"", "over_18": "Понад 18?", "must_be_over_18": "Ви повинні бути старше 18 років, щоб переглядати це співтовариство", "must_be_over_18_explanation": "Ви повинні бути принаймні вісімнадцяти років, щоб переглядати цей контент. Вам більше вісімнадцяти років, і ви готові переглядати контент для дорослих?", @@ -355,7 +290,6 @@ "block_user": "Заблокувати користувача", "unblock_user": "Розблокувати користувача", "filtering_by_tag": "Фільтрація за тегом: \"{{tag}}\"", - "read_only_community_settings": "Налаштування спільноти лише для читання", "you_are_moderator": "Ви є модератором цієї спільноти", "you_are_admin": "Ви є адміністратором цієї спільноти", "you_are_owner": "Ви є власником цієї спільноти", @@ -377,7 +311,6 @@ "search_posts": "пошук постів", "found_n_results_for": "знайдено {{count}} публікацій для \"{{query}}\"", "clear_search": "очистити пошук", - "loading_iframe": "завантаження iframe", "no_matches_found_for": "не знайдено співпадінь для \"{{query}}\"", "searching": "пошук", "hide_default_communities_from_topbar": "Сховати стандартні спільноти з верхньої панелі", @@ -410,42 +343,48 @@ "expand_media_previews_based_on_community_media_preferences": "Розгорніть попередній перегляд медіа на основі медіапредпочтань цієї спільноти", "show_all_nsfw": "показати всі NSFW", "hide_all_nsfw": "приховати весь NSFW", - "unstoppable_by_design": "...неприпинний за задумом.", - "servers_are_overrated": "...сервери переоцінені.", - "cryptographic_playground": "... криптографічний майданчик.", - "where_you_own_the_keys": "...де ви володієте ключами.", - "no_middleman_here": "...без посередника тут.", - "join_the_decentralution": "...приєднуйтесь до decentralution.", - "because_privacy_matters": "...тому що приватність має значення.", - "freedom_served_fresh_daily": "...свобода подається свіжою щодня.", - "your_community_your_rules": "...ваша спільнота, ваші правила.", - "centralization_is_boring": "...централізація нудна.", - "like_torrents_for_thoughts": "...як торренти, для думок.", - "cant_stop_the_signal": "...не зупинити сигнал.", - "fully_yours_forever": "...повністю твій, назавжди.", - "powered_by_caffeine": "...працює на кофеїні.", - "speech_wants_to_be_free": "...мова хоче бути вільною.", - "crypto_certified_community": "...крипто-сертифікована спільнота.", - "take_ownership_literally": "...буквально візьміть власність.", - "your_ideas_decentralized": "...ваші ідеї, децентралізовані.", - "for_digital_sovereignty": "...за цифровий суверенітет.", - "for_your_movement": "...для вашого руху.", - "because_you_love_freedom": "...тому що ти любиш свободу.", - "decentralized_but_for_real": "...децентралізовано, але по-справжньому.", - "for_your_peace_of_mind": "...для вашого душевного спокою.", - "no_corporation_to_answer_to": "...немає корпорації, перед якою потрібно звітувати.", - "your_tokenized_sovereignty": "...ваша токенізована суверенність.", - "for_text_only_wonders": "...для чудес лише тексту.", - "because_open_source_rulez": "...бо open source рулить.", - "truly_peer_to_peer": "...справжній peer to peer.", - "no_hidden_fees": "...без прихованих платежів.", - "no_global_rules": "...немає глобальних правил.", - "for_reddits_downfall": "...для падіння Reddit.", - "evil_corp_cant_stop_us": "...Evil Corp™ не може нас зупинити.", - "no_gods_no_global_admins": "...нема богів, нема глобальних адміністраторів.", "tags": "Теги", "moderator_of": "модератор", "not_subscriber_nor_moderator": "Ви не є підписником або модератором жодної спільноти.", "more_posts_last_year": "{{count}} постів за останній {{currentTimeFilterName}}: <1>показати більше постів з минулого року", - "editor_fallback_warning": "Розширений редактор не вдалося завантажити, використовується базовий текстовий редактор як запасний варіант." + "editor_fallback_warning": "Розширений редактор не вдалося завантажити, використовується базовий текстовий редактор як запасний варіант.", + "hot": "hot", + "new": "new", + "active": "active", + "top": "top", + "best": "best", + "old": "old", + "unstoppable_by_design": "...unstoppable by design.", + "servers_are_overrated": "...servers are overrated.", + "cryptographic_playground": "... cryptographic playground.", + "where_you_own_the_keys": "...where you own the keys.", + "no_middleman_here": "...no middleman here.", + "join_the_decentralution": "...join the decentralution.", + "because_privacy_matters": "...because privacy matters.", + "freedom_served_fresh_daily": "...freedom served fresh daily.", + "your_community_your_rules": "...your community, your rules.", + "centralization_is_boring": "...centralization is boring.", + "like_torrents_for_thoughts": "...like torrents, for thoughts.", + "cant_stop_the_signal": "...can't stop the signal.", + "fully_yours_forever": "...fully yours, forever.", + "powered_by_caffeine": "...powered by caffeine.", + "speech_wants_to_be_free": "...speech wants to be free.", + "crypto_certified_community": "...crypto-certified community.", + "take_ownership_literally": "...take ownership literally.", + "your_ideas_decentralized": "...your ideas, decentralized.", + "for_digital_sovereignty": "...for digital sovereignty.", + "for_your_movement": "...for your movement.", + "because_you_love_freedom": "...because you love freedom.", + "decentralized_but_for_real": "...decentralized, but for real.", + "for_your_peace_of_mind": "...for your peace of mind.", + "no_corporation_to_answer_to": "...no corporation to answer to.", + "your_tokenized_sovereignty": "...your tokenized sovereignty.", + "for_text_only_wonders": "...for text-only wonders.", + "because_open_source_rulez": "...because open source rulez.", + "truly_peer_to_peer": "...truly peer to peer.", + "no_hidden_fees": "...no hidden fees.", + "no_global_rules": "...no global rules.", + "for_reddits_downfall": "...for Reddit's downfall.", + "evil_corp_cant_stop_us": "...Evil Corp™ can't stop us.", + "no_gods_no_global_admins": "...no gods, no global admins." } diff --git a/public/translations/ur/default.json b/public/translations/ur/default.json index c7ac7a567..af8f212e2 100644 --- a/public/translations/ur/default.json +++ b/public/translations/ur/default.json @@ -1,13 +1,7 @@ { - "hot": "مشہور", - "new": "نئی", - "active": "فعال", - "controversial": "متنازعہ", - "top": "سب سے اوپر", "about": "کے بارے میں", "comments": "تبصرے", "preferences": "ترجیحات", - "account_bar_language": "انگلش", "submit": "جمع کرائیں", "dark": "تاریک", "light": "ہلکا", @@ -22,7 +16,6 @@ "post_comments": "کومنٹس", "share": "شیئر کریں", "save": "محفوظ کریں", - "unsave": "محفوظ نہیں کریں", "hide": "چھپائیں", "report": "رپورٹ کریں", "crosspost": "کراس پوسٹ", @@ -37,11 +30,7 @@ "time_1_year_ago": "1 سال پہلے", "time_x_years_ago": "{{count}} سال پہلے", "spoiler": "اسپوائلر", - "unspoiler": "اناسپوائلر", - "reply_permalink": "مستقل ربط", - "embed": "embed", "reply_reply": "جواب", - "best": "بہترین", "reply_sorted_by": "کے مطابق ترتیب", "all_comments": "تمام {{count}} تبصرے", "no_comments": "کوئی تبصرہ نہیں (ابھی)", @@ -66,11 +55,10 @@ "next": "اگلا", "loading": "لوڈ ہو رہا ہے", "pending": "منتظر", - "or": "یا", "submit_subscriptions_notice": "موصولہ کمیونٹیز", "submit_subscriptions": "آپ کی سبسکرائب شدہ کمیونٹیز", "rules_for": "کے قواعد", - "no_communities_found": "<1>https://github.com/plebbit/lists پر کوئی کمیونٹیز نہیں ملی", + "no_communities_found": "<1>https://github.com/bitsocialhq/lists پر کوئی کمیونٹیز نہیں ملی", "connect_community_notice": "کمیونٹی سے جڑنے کے لئے، دائیں اوپر 🔎 استعمال کریں", "options": "اختیارات", "hide_options": "اختیارات چھپائیں", @@ -85,7 +73,6 @@ "time_x_months": "{{count}} ماہ", "time_1_year": "1 سال", "time_x_years": "{{count}} سال", - "search": "تلاش", "submit_post": "نیا پوسٹ جمع کروائیں", "create_your_community": "اپنا خود کا کمیونٹی بنائیں", "moderators": "ماڈریٹرز", @@ -95,7 +82,6 @@ "created_by": "کا سروری کیا گیا {{creatorAddress}}", "community_for": "ایک کمیونٹی کے لئے {{date}}", "post_submitted_on": "یہ پوسٹ {{postDate}} کو جمع کی گئی تھی", - "readers_count": "{{count}} پڑھنے والے", "users_online": "اب {{count}} صارفین یہاں ہیں", "point": "نقطہ", "points": "نقاط", @@ -107,26 +93,15 @@ "moderation": "تسلیم", "interface_language": "انٹرفیس زبان", "theme": "موضوع", - "profile": "پروفائل", "account": "اکاؤنٹ", "display_name": "ڈسپلے نام", "crypto_address": "کرپٹو پتہ", - "reset": "ری سیٹ کریں", - "changes": "تبدیلیاں", "check": "چیک کریں", "crypto_address_verification": "اگر کرپٹو پتا p2p کے ذریعے حل ہوتا ہے", - "is_current_account": "کیا یہ موجودہ اکاؤنٹ ہے", - "account_data_preview": "اکاؤنٹ ڈیٹا پیش منظر", "create": "بنائیں", - "a_new_account": "ایک نیا اکاؤنٹ", - "import": "درآمد کریں", - "export": "برآمد کریں", "delete": "حذف کریں", - "full_account_data": "مکمل اکاؤنٹ ڈیٹا", - "this_account": "یہ اکاؤنٹ", "locked": "مقفل", "reason": "وجہ", - "no_posts_found": "کوئی پوسٹس نہیں ملیں", "sorted_by": "ترتیب دی گئی", "downvoted": "نیچے ووٹ دیا گیا", "hidden": "چھپا ہوا", @@ -138,21 +113,14 @@ "full_comments": "تمام تبصرے", "context": "سیاق", "block": "بلاک", - "hide_post": "پوسٹ چھپائیں", "post": "پوسٹ", "unhide": "دکھائیں", "unblock": "بلاک ہٹائیں", "undo": "واپس کریں", "post_hidden": "پوسٹ چھپی ہوئی", - "old": "پرانے", - "copy_link": "لنک کو کاپی کریں", "link_copied": "لنک کاپی ہوگیا", - "view_on": "{{destination}} پر دیکھیں", "block_community": "کمیونٹی کو بلاک کریں", "unblock_community": "کمیونٹی کو ان بلاک کریں", - "block_community_alert": "کیا آپ واقعی یقینی ہیں کہ آپ اس کمیونٹی کو بلاک کرنا چاہتے ہیں؟", - "unblock_community_alert": "کیا آپ واقعی یقینی ہیں کہ آپ اس کمیونٹی کی رکاوٹ ہٹانا چاہتے ہیں؟", - "search_community_address": "ایک کمیونٹی کا پتہ تلاش کریں", "search_feed_post": "اس فیڈ میں ایک پوسٹ تلاش کریں", "from": "سے", "via": "کے ذریعے", @@ -169,15 +137,12 @@ "no_posts": "کوئی پوسٹ نہیں", "media_url": "میڈیا یو آر ایل", "post_locked_info": "یہ پوسٹ {{state}} ہے۔ آپ تبصرہ نہیں کر سکیں گے۔", - "no_subscriptions_notice": "آپ نے ابھی تک کسی بھی کمیونٹی میں شامل نہیں ہوئے۔", "members_count": "{{count}} رکن", "communities": "مجتمع", "edit": "ترمیم کرنا", "moderator": "منتظم", "description": "تفصیل", "rules": "قوانین", - "challenge": "مقابلہ", - "settings": "ترتیبات", "save_options": "خیارات محفوظ کریں", "logo": "لوگو", "address": "پتہ", @@ -188,26 +153,15 @@ "moderation_tools": "موڈریشن ٹولز", "submit_to": "جمع کرائیں <1>{{link}}", "edit_subscriptions": "سبسکرائب کو ترتیب دیں", - "last_account_notice": "آپ اپنا آخری اکاؤنٹ نہیں حذف کر سکتے، براہ کرم پہلے نیا اکاؤنٹ بنائیں۔", "delete_confirm": "کیا آپ واقعی {{value}} کو حذف کرنا چاہتے ہیں؟", "saving": "حفظ ہو رہا ہے", "deleted": "حذف ہوگیا", - "mark_spoiler": "مارک اس سپوئلر", - "remove_spoiler": "اسپائلر ہٹائیں", - "delete_post": "پوسٹ حذف کریں", - "undo_delete": "حذف کو منسوخ کریں", - "edit_content": "مواد میں ترمیم کریں", "online": "آن لائن", "offline": "آف لائن", - "download_app": "ایپ ڈاؤن لوڈ کریں", - "approved_user": "منظورشدہ صارف", "subscriber": "سبسکرائبر", - "approved": "منظورشدہ", - "proposed": "موصول", "join_communities_notice": "ہوم فیڈ پر کون سی کمیونٹیز دکھائی دینی چاہئی، انتخاب کرنے کے لئے <1>{{join}} یا <2>{{leave}} بٹن پر کلک کریں۔", "below_subscribed": "نیچے وہ کمیونٹیز ہیں جن میں آپ نے سبسکرائب کیا ہے۔", "not_subscribed": "آپ کسی بھی کمیونٹی کا مشترک نہیں ہیں۔", - "below_approved_user": "نیچے وہ کمیونٹیاں ہیں جو آپ ایک منظور شدہ صارف ہیں۔", "below_moderator_access": "نیچے وہ کمیونٹیز ہیں جن کا موڈریٹر رسائی ہے۔", "not_moderator": "آپ کسی بھی کمیونٹی پر موڈریٹر نہیں ہیں۔", "create_community": "کمیونٹی بنائیں", @@ -228,7 +182,6 @@ "address_setting_info": "کرپٹو ڈومین کا استعمال کرتے ہوئے ایک قابل قرائتی کمیونٹی ایڈریس مقرر کریں", "enter_crypto_address": "براہ کرم ایک معتبر کرپٹو پتہ داخل کریں۔", "check_for_updates": "<1>چیک کریں اپ ڈیٹس کے لئے", - "general_settings": "عام امور", "refresh_to_update": "اپ ڈیٹ کرنے کے لئے صفحہ تازہ کریں", "latest_development_version": "آپ تازہ ترین ڈویلپمنٹ ورژن پر ہیں, کمیٹ {{commit}}۔ مستحکم ورژن استعمال کرنے کے لئے, {{link}} پر جائیں۔", "latest_stable_version": "آپ تازہ ترین مستحکم ورژن پر ہیں, seedit v{{version}}۔", @@ -236,7 +189,6 @@ "new_stable_version": "نیو مستقر ورژن دستیاب ہے, seedit v{{newVersion}}۔ آپ seedit v{{oldVersion}} استعمال کر رہے ہیں۔", "download_latest_desktop": "یہاں سب سے تازہ ڈیسک ٹاپ ورژن ڈاؤن لوڈ کریں: {{link}}", "contribute_on_github": "GitHub پر شراکت کریں", - "create_community_not_available": "ابھی تک ویب پر دستیاب نہیں ہے۔ آپ ڈیسک ٹاپ ایپ کا استعمال کرکے ایک کمیونٹی بنا سکتے ہیں، یہاں سے ڈاؤن لوڈ کریں: {{desktopLink}}۔ اگر آپ کمانڈ لائن کے ساتھ محتاج ہیں تو یہاں دیکھیں: {{cliLink}}", "no_media_found": "کوئی میڈیا نہیں ملی", "no_image_found": "کوئی تصویر نہیں ملی", "warning_spam": "انتباہ: کوئی چیلنج منتخب نہیں کی گئی، کمیونٹی اسپیم حملوں کے لیے غیر محفوظ ہے۔", @@ -254,7 +206,6 @@ "owner": "مالک", "admin": "ایڈمن", "settings_saved": "p/{{subplebbitAddress}} کے لئے ترتیبات محفوظ ہوگئیں", - "mod_edit": "موڈ سنواریں", "continue_thread": "اس ٹھریڈ کو جاری رکھیں", "mod_edit_reason": "موڈ ایڈیٹ وجہ", "double_confirm": "کیا آپ واقعی میں یقینی ہیں؟ یہ کارروائی بے واپس ہے۔", @@ -266,12 +217,10 @@ "not_found_description": "آپ نے جو صفحہ درخواست کیا ہے وہ موجود نہیں ہے", "last_edited": "آخری ترمیم {{timestamp}}", "view_spoiler": "اسپوائلر دیکھیں", - "more": "مزید", "default_communities": "ڈیفالٹ کمیونٹیز", "avatar": "اوتار", "pending_edit": "زیر التواء ترتیبات", "failed_edit": "ناکام ترتیبات", - "copy_full_address": "<1>کاپی مکمل پتہ", "node_stats": "نوڈ اشاریہ", "version": "ورژن", "edit_reason": "ترتیب دینے کا سبب", @@ -291,30 +240,22 @@ "ban_user_for": "<1> دنوں کے لیے صارف کو پابندی عائد کریں", "crypto_wallets": "کرپٹو والٹس", "wallet_address": "والیٹ کا پتہ", - "save_wallets": "<1>والیٹ کو حساب میں محفوظ کریں", "remove": "ہٹا دو", "add_wallet": "<1>شامل کریں ایک کرپٹو والیٹ", "show_settings": "ترتیبات دکھائیں", "hide_settings": "ترتیبات چھپائیں", - "wallet": "والیٹ", "undelete": "حذف کو واپس لائیں", "downloading_comments": "تبصرے ڈاؤن لوڈ ہو رہے ہیں", "you_blocked_community": "آپ نے یہ سماج بلاک کر دی ہے", "show": "دکھائیں", "plebbit_options": "پلیبٹ اختیارات", "general": "عام", - "own_communities": "اپنی کمیونٹیاں", - "invalid_community_address": "غیر درست مجتمع کا پتہ", - "newer_posts_available": "نئے پوسٹس دستیاب ہیں: <1>فیڈ کو دوبارہ لوڈ کریں", "more_posts_last_week": "{{count}} پوسٹس پچھلے {{currentTimeFilterName}}: <1>پچھلے ہفتے کے مزید پوسٹس دکھائیں", "more_posts_last_month": "{{count}} پوسٹیں {{currentTimeFilterName}} میں: <1>پچھلے مہینے کی مزید پوسٹس دکھائیں", - "sure_delete": "کیا آپ کو یقین ہے کہ آپ اس پوسٹ کو حذف کرنا چاہتے ہیں؟", - "sure_undelete": "کیا آپ کو یقین ہے کہ آپ اس پوسٹ کو دوبارہ حاصل کرنا چاہتے ہیں؟", "profile_info": "آپ کا اکاؤنٹ u/{{shortAddress}} تخلیق کیا گیا ہے۔ <1>ڈسپلے نام سیٹ کریں, <2>بیگ اپ برآمد کریں, <3>مزید معلومات.", "show_all_instead": "{{timeFilterName}} سے پوسٹ دکھا رہا ہے، <1>اس کے بجائے سب کچھ دکھائیں", "subplebbit_offline_info": "سب پلیبٹ آف لائن ہوسکتا ہے اور شائع ہونے میں ناکام ہوسکتا ہے۔", "posts_last_synced_info": "آخری بار پوسٹ سنک کی گئی {{time}}, سب پلیبٹ آف لائن ہوسکتا ہے اور شائع ہونے میں ناکام ہوسکتا ہے۔", - "stored_locally": "مقامی طور پر محفوظ ({{location}})، آلات کے درمیان ہم وقت سازی نہیں کی گئی", "import_account_backup": "<1>درآمد اکاؤنٹ کا بیک اپ", "export_account_backup": "<1>برآمد اکاؤنٹ کا بیک اپ", "save_reset_changes": "<1>محفوظ کریں یا <2>ری سیٹ کریں تبدیلیاں", @@ -334,17 +275,11 @@ "communities_you_moderate": "کمیونٹیز جو آپ ماڈریٹ کرتے ہیں", "blur_media": "NSFW/18+ کے طور پر نشان زد میڈیا کو دھندلا کریں", "nsfw_content": "NSFW مواد", - "nsfw_communities": "NSFW کمیونٹیز", - "hide_adult": "\"بالغ\" کے طور پر ٹیگ کی گئی کمیونٹیز کو چھپائیں", - "hide_gore": "\"گور\" کے طور پر ٹیگ کی گئی کمیونٹیز کو چھپائیں", - "hide_anti": "\"اینٹی\" کے طور پر ٹیگ کی گئی کمیونٹیز کو چھپائیں", - "filters": "فلٹرز", "see_nsfw": "NSFW دیکھنے کے لیے کلک کریں", "see_nsfw_spoiler": "NSFW سپوائلر دیکھنے کے لیے کلک کریں", "always_show_nsfw": "کیا آپ ہمیشہ NSFW میڈیا دکھانا چاہتے ہیں؟", "always_show_nsfw_notice": "اوکے، ہم نے آپ کی ترجیحات ہمیشہ کے لئے NSFW میڈیا دکھانے کے لئے تبدیل کر دی ہیں۔", "content_options": "مواد کے اختیارات", - "hide_vulgar": "\"ولگر\" کے طور پر ٹیگ کی گئی کمیونٹیز کو چھپائیں", "over_18": "18 سال سے اوپر؟", "must_be_over_18": "اس کمیونٹی کو دیکھنے کے لیے آپ کو 18+ ہونا ضروری ہے", "must_be_over_18_explanation": "اس مواد کو دیکھنے کے لیے آپ کو کم از کم اٹھارہ سال کا ہونا ضروری ہے۔ کیا آپ اٹھارہ سال سے اوپر ہیں اور بالغ مواد دیکھنے کے لیے تیار ہیں؟", @@ -355,7 +290,6 @@ "block_user": "صارف کو بلاک کریں", "unblock_user": "صارف کو ان بلاک کریں", "filtering_by_tag": "ٹیگ کے ذریعے فلٹرنگ: \"{{tag}}\"", - "read_only_community_settings": "صرف پڑھنے کے لئے کمیونٹی کی ترتیبات", "you_are_moderator": "آپ اس کمیونٹی کے ماڈریٹر ہیں", "you_are_admin": "آپ اس کمیونٹی کے ایڈمن ہیں", "you_are_owner": "آپ اس کمیونٹی کے مالک ہیں", @@ -377,7 +311,6 @@ "search_posts": "پوسٹس تلاش کریں", "found_n_results_for": "\"{{query}}\" کے لیے {{count}} پوسٹس ملیں", "clear_search": "تلاش کو صاف کریں", - "loading_iframe": "لوڈ ہو رہا ہے iframe", "no_matches_found_for": "\"{{query}}\" کے لئے کوئی میچ نہیں ملا", "searching": "تلاش کر رہا ہے", "hide_default_communities_from_topbar": "اوپر بار سے ڈیفالٹ کمیونٹیز چھپائیں", @@ -410,42 +343,48 @@ "expand_media_previews_based_on_community_media_preferences": "کمیونٹی کی میڈیا ترجیحات کی بنیاد پر میڈیا پریویوز کو وسعت دیں", "show_all_nsfw": "تمام NSFW دکھائیں", "hide_all_nsfw": "تمام NSFW چھپائیں", - "unstoppable_by_design": "...ڈیزائن کے لحاظ سے ناقابل روک۔", - "servers_are_overrated": "...سرورز کی زیادہ قدر کی جاتی ہے۔", - "cryptographic_playground": "... کرپٹوگرافک پلے گراؤنڈ۔", - "where_you_own_the_keys": "...جہاں آپ چابیاں رکھتے ہیں۔", - "no_middleman_here": "...یہاں کوئی درمیانی شخص نہیں ہے۔", - "join_the_decentralution": "...decentralution میں شامل ہوں۔", - "because_privacy_matters": "...کیونکہ پرائیویسی اہمیت رکھتی ہے۔", - "freedom_served_fresh_daily": "...آزادی روزانہ تازہ پیش کی جاتی ہے۔", - "your_community_your_rules": "...آپ کی کمیونٹی، آپ کے قواعد۔", - "centralization_is_boring": "...مرکزی ہونا بورنگ ہے۔", - "like_torrents_for_thoughts": "...خیالات کے لیے ٹورنٹ کی طرح۔", - "cant_stop_the_signal": "...سگنل کو روکا نہیں جا سکتا۔", - "fully_yours_forever": "...مکمل طور پر آپ کا، ہمیشہ کے لیے۔", - "powered_by_caffeine": "...کیفین سے چلایا گیا۔", - "speech_wants_to_be_free": "...تقریر آزاد ہونا چاہتی ہے۔", - "crypto_certified_community": "...کریپٹو سرٹیفائیڈ کمیونٹی۔", - "take_ownership_literally": "...مالکیت حقیقتاً سنبھالیں۔", - "your_ideas_decentralized": "...آپ کے خیالات، غیر مرکزی.", - "for_digital_sovereignty": "...ڈیجیٹل خودمختاری کے لیے۔", - "for_your_movement": "...آپ کی حرکت کے لیے۔", - "because_you_love_freedom": "...کیونکہ آپ آزادی سے محبت کرتے ہیں۔", - "decentralized_but_for_real": "...مرکزی نہیں، لیکن واقعی۔", - "for_your_peace_of_mind": "...آپ کی ذہنی سکون کے لیے۔", - "no_corporation_to_answer_to": "...کوئی کارپوریٹ ادارہ جوابدہ نہیں ہے۔", - "your_tokenized_sovereignty": "...آپ کی ٹوکنائزڈ خود مختاری۔", - "for_text_only_wonders": "...صرف متن والے عجائبات کے لیے۔", - "because_open_source_rulez": "...کیونکہ اوپن سورس بہترین ہے۔", - "truly_peer_to_peer": "...واقعی peer to peer۔", - "no_hidden_fees": "...کوئی پوشیدہ فیس نہیں۔", - "no_global_rules": "...کوئی عالمی قواعد نہیں۔", - "for_reddits_downfall": "...Reddit کے زوال کے لیے۔", - "evil_corp_cant_stop_us": "...Evil Corp™ ہمیں روک نہیں سکتا۔", - "no_gods_no_global_admins": "...کوئی خدا نہیں، کوئی عالمی ایڈمن نہیں۔", "tags": "ٹیگز", "moderator_of": "منتظم", "not_subscriber_nor_moderator": "آپ کسی کمیونٹی کے سبسکرائبر یا ماڈریٹر نہیں ہیں۔", "more_posts_last_year": "{{count}} پوسٹس پچھلے {{currentTimeFilterName}} میں: <1>پچھلے سال کی مزید پوسٹس دکھائیں", - "editor_fallback_warning": "ایڈوانس ایڈیٹر لوڈ کرنے میں ناکام، بیک اپ کے طور پر بنیادی ٹیکسٹ ایڈیٹر استعمال کر رہے ہیں۔" + "editor_fallback_warning": "ایڈوانس ایڈیٹر لوڈ کرنے میں ناکام، بیک اپ کے طور پر بنیادی ٹیکسٹ ایڈیٹر استعمال کر رہے ہیں۔", + "hot": "hot", + "new": "new", + "active": "active", + "top": "top", + "best": "best", + "old": "old", + "unstoppable_by_design": "...unstoppable by design.", + "servers_are_overrated": "...servers are overrated.", + "cryptographic_playground": "... cryptographic playground.", + "where_you_own_the_keys": "...where you own the keys.", + "no_middleman_here": "...no middleman here.", + "join_the_decentralution": "...join the decentralution.", + "because_privacy_matters": "...because privacy matters.", + "freedom_served_fresh_daily": "...freedom served fresh daily.", + "your_community_your_rules": "...your community, your rules.", + "centralization_is_boring": "...centralization is boring.", + "like_torrents_for_thoughts": "...like torrents, for thoughts.", + "cant_stop_the_signal": "...can't stop the signal.", + "fully_yours_forever": "...fully yours, forever.", + "powered_by_caffeine": "...powered by caffeine.", + "speech_wants_to_be_free": "...speech wants to be free.", + "crypto_certified_community": "...crypto-certified community.", + "take_ownership_literally": "...take ownership literally.", + "your_ideas_decentralized": "...your ideas, decentralized.", + "for_digital_sovereignty": "...for digital sovereignty.", + "for_your_movement": "...for your movement.", + "because_you_love_freedom": "...because you love freedom.", + "decentralized_but_for_real": "...decentralized, but for real.", + "for_your_peace_of_mind": "...for your peace of mind.", + "no_corporation_to_answer_to": "...no corporation to answer to.", + "your_tokenized_sovereignty": "...your tokenized sovereignty.", + "for_text_only_wonders": "...for text-only wonders.", + "because_open_source_rulez": "...because open source rulez.", + "truly_peer_to_peer": "...truly peer to peer.", + "no_hidden_fees": "...no hidden fees.", + "no_global_rules": "...no global rules.", + "for_reddits_downfall": "...for Reddit's downfall.", + "evil_corp_cant_stop_us": "...Evil Corp™ can't stop us.", + "no_gods_no_global_admins": "...no gods, no global admins." } diff --git a/public/translations/vi/default.json b/public/translations/vi/default.json index d9e3f2b5e..ae61c4ab9 100644 --- a/public/translations/vi/default.json +++ b/public/translations/vi/default.json @@ -1,13 +1,7 @@ { - "hot": "Nổi bật", - "new": "Mới", - "active": "Hoạt động", - "controversial": "Gây tranh cãi", - "top": "Hàng đầu", "about": "Về", "comments": "bình luận", "preferences": "Tùy chỉnh", - "account_bar_language": "Tiếng Anh", "submit": "Gửi", "dark": "Tối", "light": "Sáng", @@ -22,7 +16,6 @@ "post_comments": "Bình luận", "share": "Chia sẻ", "save": "Lưu", - "unsave": "Bỏ lưu", "hide": "Ẩn", "report": "Báo cáo", "crosspost": "Đăng chéo", @@ -37,11 +30,7 @@ "time_1_year_ago": "1 năm trước", "time_x_years_ago": "{{count}} năm trước", "spoiler": "Spoiler", - "unspoiler": "Bỏ Spoiler", - "reply_permalink": "Liên kết cố định", - "embed": "Embed", "reply_reply": "Trả lời", - "best": "Tốt nhất", "reply_sorted_by": "Sắp xếp theo", "all_comments": "Tất cả {{count}} bình luận", "no_comments": "Không có bình luận (chưa)", @@ -66,11 +55,10 @@ "next": "Tiếp theo", "loading": "Đang tải", "pending": "Đang chờ duyệt", - "or": "hoặc", "submit_subscriptions_notice": "Cộng đồng được đề xuất", "submit_subscriptions": "các cộng đồng bạn đã đăng ký", "rules_for": "quy tắc cho", - "no_communities_found": "Không tìm thấy cộng đồng nào trên <1>https://github.com/plebbit/lists", + "no_communities_found": "Không tìm thấy cộng đồng nào trên <1>https://github.com/bitsocialhq/lists", "connect_community_notice": "Để kết nối với cộng đồng, sử dụng 🔎 ở góc trên bên phải", "options": "tùy chọn", "hide_options": "ẩn tùy chọn", @@ -85,7 +73,6 @@ "time_x_months": "{{count}} tháng", "time_1_year": "1 năm", "time_x_years": "{{count}} năm", - "search": "tìm kiếm", "submit_post": "Gửi bài viết mới", "create_your_community": "Tạo cộng đồng riêng của bạn", "moderators": "quản trị viên", @@ -95,7 +82,6 @@ "created_by": "tạo bởi {{creatorAddress}}", "community_for": "một cộng đồng cho {{date}}", "post_submitted_on": "bài viết này đã được đăng vào ngày {{postDate}}", - "readers_count": "{{count}} người đọc", "users_online": "{{count}} người dùng ở đây bây giờ", "point": "điểm", "points": "điểm", @@ -107,26 +93,15 @@ "moderation": "kiểm duyệt", "interface_language": "ngôn ngữ giao diện", "theme": "chủ đề", - "profile": "hồ sơ", "account": "tài khoản", "display_name": "tên hiển thị", "crypto_address": "địa chỉ tiền điện tử", - "reset": "đặt lại", - "changes": "thay đổi", "check": "kiểm tra", "crypto_address_verification": "nếu địa chỉ tiền điện tử được giải quyết p2p", - "is_current_account": "đó có phải là tài khoản hiện tại không", - "account_data_preview": "xem trước dữ liệu tài khoản", "create": "tạo", - "a_new_account": "một tài khoản mới", - "import": "nhập", - "export": "xuất", "delete": "xóa", - "full_account_data": "dữ liệu tài khoản đầy đủ", - "this_account": "tài khoản này", "locked": "bị khóa", "reason": "lý do", - "no_posts_found": "không tìm thấy bài viết", "sorted_by": "sắp xếp theo", "downvoted": "đã downvote", "hidden": "ẩn", @@ -138,21 +113,14 @@ "full_comments": "tất cả bình luận", "context": "bối cảnh", "block": "chặn", - "hide_post": "ẩn bài viết", "post": "bài viết", "unhide": "hiện", "unblock": "bỏ chặn", "undo": "hoàn tác", "post_hidden": "bài viết bị ẩn", - "old": "cũ", - "copy_link": "sao chép liên kết", "link_copied": "liên kết đã được sao chép", - "view_on": "xem trên {{destination}}", "block_community": "chặn cộng đồng", "unblock_community": "bỏ chặn cộng đồng", - "block_community_alert": "Bạn có chắc muốn chặn cộng đồng này không?", - "unblock_community_alert": "Bạn có chắc muốn bỏ chặn cộng đồng này không?", - "search_community_address": "Tìm kiếm địa chỉ của một cộng đồng", "search_feed_post": "Tìm kiếm một bài viết trong feed này", "from": "từ", "via": "qua", @@ -169,15 +137,12 @@ "no_posts": "không có bài viết", "media_url": "URL phương tiện", "post_locked_info": "Bài đăng này {{state}}. Bạn sẽ không thể bình luận.", - "no_subscriptions_notice": "Bạn chưa tham gia vào bất kỳ cộng đồng nào.", "members_count": "{{count}} thành viên", "communities": "cộng đồng", "edit": "sửa đổi", "moderator": "Quản trị viên", "description": "Mô tả", "rules": "Quy tắc", - "challenge": "Thử thách", - "settings": "Cài đặt", "save_options": "Lưu tùy chọn", "logo": "Logo", "address": "Địa chỉ", @@ -188,26 +153,15 @@ "moderation_tools": "Công cụ kiểm duyệt", "submit_to": "Gửi đến <1>{{link}}", "edit_subscriptions": "Chỉnh sửa đăng ký", - "last_account_notice": "Bạn không thể xóa tài khoản cuối cùng của mình, vui lòng tạo một tài khoản mới trước.", "delete_confirm": "Bạn có chắc chắn muốn xóa {{value}} không?", "saving": "Đang lưu", "deleted": "Đã xóa", - "mark_spoiler": "Đánh dấu là spoiler", - "remove_spoiler": "Xóa spoiler", - "delete_post": "Xóa bài viết", - "undo_delete": "Hoàn tác xóa", - "edit_content": "Chỉnh sửa nội dung", "online": "Trực tuyến", "offline": "Ngoại tuyến", - "download_app": "Tải ứng dụng", - "approved_user": "Người dùng được chấp thuận", "subscriber": "Người đăng ký", - "approved": "Được phê duyệt", - "proposed": "Được đề xuất", "join_communities_notice": "Nhấn vào các nút <1>{{join}} hoặc <2>{{leave}} để chọn xem cộng đồng nào sẽ xuất hiện trên trang chính.", "below_subscribed": "Dưới đây là các cộng đồng mà bạn đã đăng ký.", "not_subscribed": "Bạn chưa đăng ký bất kỳ cộng đồng nào.", - "below_approved_user": "Dưới đây là các cộng đồng mà bạn là một người dùng được phê duyệt.", "below_moderator_access": "Dưới đây là các cộng đồng mà bạn có quyền truy cập với tư cách là người quản trị viên.", "not_moderator": "Bạn không phải là người quản trị viên trên bất kỳ cộng đồng nào.", "create_community": "Tạo cộng đồng", @@ -228,7 +182,6 @@ "address_setting_info": "Thiết lập một địa chỉ cộng đồng có thể đọc được bằng cách sử dụng một tên miền tiền điện tử", "enter_crypto_address": "Vui lòng nhập địa chỉ tiền điện tử hợp lệ.", "check_for_updates": "<1>Kiểm tra cập nhật", - "general_settings": "Cài đặt chung", "refresh_to_update": "Làm mới trang để cập nhật", "latest_development_version": "Bạn đang sử dụng phiên bản phát triển mới nhất, commit {{commit}}. Để sử dụng phiên bản ổn định, hãy truy cập {{link}}.", "latest_stable_version": "Bạn đang sử dụng phiên bản ổn định mới nhất, seedit v{{version}}.", @@ -236,7 +189,6 @@ "new_stable_version": "Phiên bản ổn định mới có sẵn, seedit v{{newVersion}}. Bạn đang sử dụng seedit v{{oldVersion}}.", "download_latest_desktop": "Tải xuống phiên bản máy tính để bàn mới nhất tại đây: {{link}}", "contribute_on_github": "Đóng góp trên GitHub", - "create_community_not_available": "Chưa có sẵn trên web. Bạn có thể tạo một cộng đồng bằng cách sử dụng ứng dụng máy tính để bàn, tải xuống ở đây: {{desktopLink}}. Nếu bạn thoải mái với dòng lệnh, kiểm tra ở đây: {{cliLink}}", "no_media_found": "Không tìm thấy phương tiện", "no_image_found": "Không tìm thấy hình ảnh", "warning_spam": "Cảnh báo: không có thách thức nào được chọn, cộng đồng dễ bị tấn công spam.", @@ -254,7 +206,6 @@ "owner": "chủ sở hữu", "admin": "quản trị viên", "settings_saved": "Cài đặt đã được lưu cho p/{{subplebbitAddress}}", - "mod_edit": "chỉnh sửa mod", "continue_thread": "tiếp tục chủ đề này", "mod_edit_reason": "Lý do chỉnh sửa của mod", "double_confirm": "Bạn có chắc chắn không? Hành động này không thể hoàn tác.", @@ -266,12 +217,10 @@ "not_found_description": "Trang bạn yêu cầu không tồn tại", "last_edited": "sửa lần cuối {{timestamp}}", "view_spoiler": "xem spoiler", - "more": "thêm", "default_communities": "các cộng đồng mặc định", "avatar": "avatar", "pending_edit": "chỉnh sửa đang chờ", "failed_edit": "chỉnh sửa thất bại", - "copy_full_address": "<1>sao chép địa chỉ đầy đủ", "node_stats": "thống kê nút", "version": "phiên bản", "edit_reason": "lý do chỉnh sửa", @@ -291,30 +240,22 @@ "ban_user_for": "Cấm người dùng trong <1> ngày", "crypto_wallets": "Ví tiền điện tử", "wallet_address": "Địa chỉ ví", - "save_wallets": "<1>Lưu ví vào tài khoản", "remove": "Xóa bỏ", "add_wallet": "<1>Thêm một ví tiền điện tử", "show_settings": "Hiển thị cài đặt", "hide_settings": "Ẩn cài đặt", - "wallet": "Ví", "undelete": "Khôi phục", "downloading_comments": "đang tải xuống bình luận", "you_blocked_community": "Bạn đã chặn cộng đồng này", "show": "hiển thị", "plebbit_options": "tùy chọn plebbit", "general": "chung", - "own_communities": "cộng đồng của riêng tôi", - "invalid_community_address": "Địa chỉ cộng đồng không hợp lệ", - "newer_posts_available": "Bài viết mới có sẵn: <1>tải lại nguồn cấp dữ liệu", "more_posts_last_week": "{{count}} bài viết tuần trước {{currentTimeFilterName}}: <1>hiển thị thêm bài viết từ tuần trước", "more_posts_last_month": "{{count}} bài đăng trong {{currentTimeFilterName}}: <1>hiển thị thêm bài đăng từ tháng trước", - "sure_delete": "Bạn có chắc chắn muốn xóa bài viết này không?", - "sure_undelete": "Bạn có chắc chắn muốn khôi phục bài viết này không?", "profile_info": "Tài khoản của bạn u/{{shortAddress}} đã được tạo. <1>Đặt tên hiển thị, <2>xuất bản sao lưu, <3>tìm hiểu thêm.", "show_all_instead": "Đang hiển thị bài viết từ {{timeFilterName}}, <1>hiển thị tất cả thay vào đó", "subplebbit_offline_info": "Subplebbit có thể ngoại tuyến và việc xuất bản có thể thất bại.", "posts_last_synced_info": "Bài viết được đồng bộ lần cuối {{time}}, subplebbit có thể ngoại tuyến và việc xuất bản có thể thất bại.", - "stored_locally": "Lưu trữ cục bộ ({{location}}), không được đồng bộ qua các thiết bị", "import_account_backup": "<1>nhập sao lưu tài khoản", "export_account_backup": "<1>xuất sao lưu tài khoản", "save_reset_changes": "<1>lưu hoặc <2>đặt lại thay đổi", @@ -334,17 +275,11 @@ "communities_you_moderate": "Cộng đồng bạn quản lý", "blur_media": "Mờ phương tiện được đánh dấu là NSFW/18+", "nsfw_content": "Nội dung NSFW", - "nsfw_communities": "Cộng đồng NSFW", - "hide_adult": "Ẩn cộng đồng được gắn thẻ là \"người lớn\"", - "hide_gore": "Ẩn cộng đồng được gắn thẻ là \"gore\"", - "hide_anti": "Ẩn cộng đồng được gắn thẻ là \"anti\"", - "filters": "Bộ lọc", "see_nsfw": "Nhấp để xem NSFW", "see_nsfw_spoiler": "Nhấp để xem NSFW spoiler", "always_show_nsfw": "Luôn hiển thị media NSFW?", "always_show_nsfw_notice": "Được rồi, chúng tôi đã thay đổi sở thích của bạn để luôn hiển thị media NSFW.", "content_options": "Tùy chọn nội dung", - "hide_vulgar": "Ẩn cộng đồng được gắn thẻ là \"vulgar\"", "over_18": "Trên 18?", "must_be_over_18": "Bạn phải trên 18 tuổi để xem cộng đồng này", "must_be_over_18_explanation": "Bạn phải ít nhất mười tám tuổi để xem nội dung này. Bạn có trên mười tám tuổi và sẵn sàng xem nội dung người lớn không?", @@ -355,7 +290,6 @@ "block_user": "Chặn người dùng", "unblock_user": "Bỏ chặn người dùng", "filtering_by_tag": "Lọc theo thẻ: \"{{tag}}\"", - "read_only_community_settings": "Cài đặt cộng đồng chỉ đọc", "you_are_moderator": "Bạn là một người quản trị của cộng đồng này", "you_are_admin": "Bạn là quản trị viên của cộng đồng này", "you_are_owner": "Bạn là chủ sở hữu của cộng đồng này", @@ -377,7 +311,6 @@ "search_posts": "tìm kiếm bài viết", "found_n_results_for": "tìm thấy {{count}} bài đăng cho \"{{query}}\"", "clear_search": "xóa tìm kiếm", - "loading_iframe": "đang tải iframe", "no_matches_found_for": "không tìm thấy kết quả cho \"{{query}}\"", "searching": "đang tìm kiếm", "hide_default_communities_from_topbar": "Ẩn cộng đồng mặc định từ thanh trên", @@ -410,42 +343,48 @@ "expand_media_previews_based_on_community_media_preferences": "Mở rộng bản xem trước phương tiện dựa trên sở thích phương tiện của cộng đồng đó", "show_all_nsfw": "hiển thị tất cả NSFW", "hide_all_nsfw": "ẩn tất cả NSFW", - "unstoppable_by_design": "...không thể ngăn chặn theo thiết kế.", - "servers_are_overrated": "...máy chủ bị đánh giá quá cao.", - "cryptographic_playground": "... sân chơi mật mã.", - "where_you_own_the_keys": "...nơi bạn sở hữu chìa khóa.", - "no_middleman_here": "...không có người trung gian ở đây.", - "join_the_decentralution": "...tham gia decentralution.", - "because_privacy_matters": "...bởi vì quyền riêng tư quan trọng.", - "freedom_served_fresh_daily": "...tự do được phục vụ tươi mới hàng ngày.", - "your_community_your_rules": "...cộng đồng của bạn, quy tắc của bạn.", - "centralization_is_boring": "...tập trung là nhàm chán.", - "like_torrents_for_thoughts": "...như torrents, cho những suy nghĩ.", - "cant_stop_the_signal": "...không thể ngăn tín hiệu.", - "fully_yours_forever": "...hoàn toàn thuộc về bạn, mãi mãi.", - "powered_by_caffeine": "...được vận hành bởi caffein.", - "speech_wants_to_be_free": "...lời nói muốn được tự do.", - "crypto_certified_community": "...cộng đồng được chứng nhận crypto.", - "take_ownership_literally": "...thực sự chịu trách nhiệm.", - "your_ideas_decentralized": "...ý tưởng của bạn, phi tập trung.", - "for_digital_sovereignty": "...cho chủ quyền kỹ thuật số.", - "for_your_movement": "...cho chuyển động của bạn.", - "because_you_love_freedom": "...bởi vì bạn yêu tự do.", - "decentralized_but_for_real": "...phi tập trung, nhưng thật sự.", - "for_your_peace_of_mind": "...cho sự yên tâm của bạn.", - "no_corporation_to_answer_to": "...không có tập đoàn nào phải chịu trách nhiệm.", - "your_tokenized_sovereignty": "...chủ quyền được mã hóa của bạn.", - "for_text_only_wonders": "...cho những điều kỳ diệu chỉ có văn bản.", - "because_open_source_rulez": "...bởi vì mã nguồn mở là số 1.", - "truly_peer_to_peer": "...thực sự peer to peer.", - "no_hidden_fees": "...không có phí ẩn.", - "no_global_rules": "...không có quy tắc toàn cầu.", - "for_reddits_downfall": "...cho sự sụp đổ của Reddit.", - "evil_corp_cant_stop_us": "...Evil Corp™ không thể ngăn chúng tôi.", - "no_gods_no_global_admins": "...không có thần, không có quản trị viên toàn cầu.", "tags": "Thẻ", "moderator_of": "quản trị viên của", "not_subscriber_nor_moderator": "Bạn không phải là người đăng ký cũng không phải là người điều hành của bất kỳ cộng đồng nào.", "more_posts_last_year": "{{count}} bài viết trong {{currentTimeFilterName}} vừa qua: <1>hiển thị thêm bài viết từ năm ngoái", - "editor_fallback_warning": "trình soạn thảo nâng cao không tải được, đang sử dụng trình soạn thảo văn bản cơ bản làm phương án dự phòng." + "editor_fallback_warning": "trình soạn thảo nâng cao không tải được, đang sử dụng trình soạn thảo văn bản cơ bản làm phương án dự phòng.", + "hot": "hot", + "new": "new", + "active": "active", + "top": "top", + "best": "best", + "old": "old", + "unstoppable_by_design": "...unstoppable by design.", + "servers_are_overrated": "...servers are overrated.", + "cryptographic_playground": "... cryptographic playground.", + "where_you_own_the_keys": "...where you own the keys.", + "no_middleman_here": "...no middleman here.", + "join_the_decentralution": "...join the decentralution.", + "because_privacy_matters": "...because privacy matters.", + "freedom_served_fresh_daily": "...freedom served fresh daily.", + "your_community_your_rules": "...your community, your rules.", + "centralization_is_boring": "...centralization is boring.", + "like_torrents_for_thoughts": "...like torrents, for thoughts.", + "cant_stop_the_signal": "...can't stop the signal.", + "fully_yours_forever": "...fully yours, forever.", + "powered_by_caffeine": "...powered by caffeine.", + "speech_wants_to_be_free": "...speech wants to be free.", + "crypto_certified_community": "...crypto-certified community.", + "take_ownership_literally": "...take ownership literally.", + "your_ideas_decentralized": "...your ideas, decentralized.", + "for_digital_sovereignty": "...for digital sovereignty.", + "for_your_movement": "...for your movement.", + "because_you_love_freedom": "...because you love freedom.", + "decentralized_but_for_real": "...decentralized, but for real.", + "for_your_peace_of_mind": "...for your peace of mind.", + "no_corporation_to_answer_to": "...no corporation to answer to.", + "your_tokenized_sovereignty": "...your tokenized sovereignty.", + "for_text_only_wonders": "...for text-only wonders.", + "because_open_source_rulez": "...because open source rulez.", + "truly_peer_to_peer": "...truly peer to peer.", + "no_hidden_fees": "...no hidden fees.", + "no_global_rules": "...no global rules.", + "for_reddits_downfall": "...for Reddit's downfall.", + "evil_corp_cant_stop_us": "...Evil Corp™ can't stop us.", + "no_gods_no_global_admins": "...no gods, no global admins." } diff --git a/public/translations/zh/default.json b/public/translations/zh/default.json index 989e248cd..2ec69ccd8 100644 --- a/public/translations/zh/default.json +++ b/public/translations/zh/default.json @@ -1,13 +1,7 @@ { - "hot": "热门", - "new": "新的", - "active": "活跃", - "controversial": "有争议的", - "top": "最高票", "about": "关于", "comments": "评论", "preferences": "偏好设置", - "account_bar_language": "简体中文", "submit": "提交", "dark": "暗", "light": "浅色", @@ -22,7 +16,6 @@ "post_comments": "评论", "share": "分享", "save": "保存", - "unsave": "取消保存", "hide": "隐藏", "report": "举报", "crosspost": "跨贴", @@ -37,11 +30,7 @@ "time_1_year_ago": "1年前", "time_x_years_ago": "{{count}}年前", "spoiler": "剧透", - "unspoiler": "取消剧透", - "reply_permalink": "永久链接", - "embed": "嵌入", "reply_reply": "回复", - "best": "最好的", "reply_sorted_by": "排序方式", "all_comments": "全部 {{count}} 个评论", "no_comments": "暂无评论(还)", @@ -66,11 +55,10 @@ "next": "下一个", "loading": "加载中", "pending": "待审批", - "or": "或", "submit_subscriptions_notice": "建议的社区", "submit_subscriptions": "您订阅的社区", "rules_for": "规则适用于", - "no_communities_found": "在<1>https://github.com/plebbit/lists上未找到任何社区", + "no_communities_found": "在<1>https://github.com/bitsocialhq/lists上未找到任何社区", "connect_community_notice": "要连接到社区,请在右上角使用 🔎", "options": "选项", "hide_options": "隐藏选项", @@ -85,7 +73,6 @@ "time_x_months": "{{count}} 个月", "time_1_year": "1 年", "time_x_years": "{{count}} 年", - "search": "搜索", "submit_post": "提交新帖", "create_your_community": "创建您自己的社区", "moderators": "版主", @@ -95,7 +82,6 @@ "created_by": "创建者:{{creatorAddress}}", "community_for": "一个社区{{date}}", "post_submitted_on": "此帖子提交于{{postDate}}", - "readers_count": "{{count}} 读者", "users_online": "现在有{{count}}用户在这里", "point": "点", "points": "点数", @@ -107,26 +93,15 @@ "moderation": "管理", "interface_language": "界面语言", "theme": "主题", - "profile": "个人资料", "account": "帐户", "display_name": "显示名称", "crypto_address": "加密地址", - "reset": "重置", - "changes": "更改", "check": "检查", "crypto_address_verification": "如果加密地址是p2p解决的", - "is_current_account": "这是当前帐户吗", - "account_data_preview": "帐户数据预览", "create": "创建", - "a_new_account": "一个新帐户", - "import": "导入", - "export": "导出", "delete": "删除", - "full_account_data": "完整帐户数据", - "this_account": "此帐户", "locked": "已锁定", "reason": "原因", - "no_posts_found": "未找到帖子", "sorted_by": "排序方式", "downvoted": "负投票", "hidden": "隐藏", @@ -138,21 +113,14 @@ "full_comments": "完整评论", "context": "上下文", "block": "封锁", - "hide_post": "隐藏帖子", "post": "帖子", "unhide": "显示", "unblock": "解锁", "undo": "撤销", "post_hidden": "隐藏帖子", - "old": "旧的", - "copy_link": "复制链接", "link_copied": "链接已复制", - "view_on": "查看{{destination}}", "block_community": "封锁社区", "unblock_community": "解锁社区", - "block_community_alert": "您确定要阻止此社区吗?", - "unblock_community_alert": "您确定要解锁此社区吗?", - "search_community_address": "搜索社区地址", "search_feed_post": "在此订阅中搜索帖子", "from": "从", "via": "通过", @@ -169,15 +137,12 @@ "no_posts": "没有帖子", "media_url": "媒体链接", "post_locked_info": "此帖子{{state}}。 您将无法发表评论。", - "no_subscriptions_notice": "您尚未加入任何社区。", "members_count": "{{count}} 成员", "communities": "社区", "edit": "编辑", "moderator": "版主", "description": "描述", "rules": "规则", - "challenge": "挑战", - "settings": "设置", "save_options": "保存选项", "logo": "标志", "address": "地址", @@ -188,26 +153,15 @@ "moderation_tools": "管理工具", "submit_to": "提交至 <1>{{link}}", "edit_subscriptions": "编辑订阅", - "last_account_notice": "您不能删除您的最后一个帐户,请先创建一个新帐户。", "delete_confirm": "您确定要删除 {{value}} 吗?", "saving": "正在保存", "deleted": "已删除", - "mark_spoiler": "标记为剧透", - "remove_spoiler": "移除剧透", - "delete_post": "删除帖子", - "undo_delete": "撤销删除", - "edit_content": "编辑内容", "online": "在线", "offline": "离线", - "download_app": "下载应用程序", - "approved_user": "已批准用户", "subscriber": "订阅者", - "approved": "已批准", - "proposed": "提出", "join_communities_notice": "点击 <1>{{join}} 或 <2>{{leave}} 按钮选择在主页上显示哪些社区。", "below_subscribed": "以下是您订阅的社区。", "not_subscribed": "您尚未订阅任何社区。", - "below_approved_user": "下面是您是批准用户的社区。", "below_moderator_access": "以下是您作为版主拥有访问权限的社区。", "not_moderator": "您不是任何社区的版主。", "create_community": "创建社区", @@ -228,7 +182,6 @@ "address_setting_info": "使用加密域名设置可读的社区地址", "enter_crypto_address": "请输入有效的加密货币地址。", "check_for_updates": "<1>检查 更新", - "general_settings": "一般设置", "refresh_to_update": "刷新页面以更新", "latest_development_version": "您正在使用最新的开发版本,提交 {{commit}}。要使用稳定版本,请前往 {{link}}。", "latest_stable_version": "您正在使用最新的稳定版本,seedit v{{version}}。", @@ -236,7 +189,6 @@ "new_stable_version": "新的稳定版可用,seedit v{{newVersion}}。您正在使用seedit v{{oldVersion}}。", "download_latest_desktop": "在这里下载最新的桌面版本: {{link}}", "contribute_on_github": "在 GitHub 上贡献", - "create_community_not_available": "尚未在Web上提供。您可以使用桌面应用程序创建社区,在此处下载:{{desktopLink}}。如果您熟悉命令行,请查看此处:{{cliLink}}", "no_media_found": "未找到媒体", "no_image_found": "未找到图像", "warning_spam": "警告:未选择任何挑战,社区容易受到垃圾邮件攻击。", @@ -254,7 +206,6 @@ "owner": "所有者", "admin": "管理员", "settings_saved": "已保存 p/{{subplebbitAddress}} 的设置", - "mod_edit": "mod 编辑", "continue_thread": "继续这个主题", "mod_edit_reason": "版主编辑原因", "double_confirm": "您真的确定吗?此操作不可逆转。", @@ -266,12 +217,10 @@ "not_found_description": "您请求的页面不存在", "last_edited": "上次编辑时间:{{timestamp}}", "view_spoiler": "查看剧透", - "more": "更多", "default_communities": "默认社区", "avatar": "头像", "pending_edit": "待处理的编辑", "failed_edit": "编辑失败", - "copy_full_address": "<1>复制完整地址", "node_stats": "节点统计", "version": "版本", "edit_reason": "编辑原因", @@ -291,30 +240,22 @@ "ban_user_for": "封禁用户 <1> 天", "crypto_wallets": "加密货币钱包", "wallet_address": "钱包地址", - "save_wallets": "<1>保存钱包到账户", "remove": "删除", "add_wallet": "<1>添加一个加密货币钱包", "show_settings": "显示设置", "hide_settings": "隐藏设置", - "wallet": "钱包", "undelete": "取消删除", "downloading_comments": "正在下载评论", "you_blocked_community": "您已封锁了此社区", "show": "显示", "plebbit_options": "plebbit选项", "general": "一般", - "own_communities": "自己的社区", - "invalid_community_address": "无效的社区地址", - "newer_posts_available": "有新的帖子可用: <1>重新加载源", "more_posts_last_week": "{{count}} 帖子上个 {{currentTimeFilterName}}: <1>显示更多上周的帖子", "more_posts_last_month": "{{count}} 帖子在 {{currentTimeFilterName}}:<1>显示更多来自上个月的帖子", - "sure_delete": "您确定要删除此帖子吗?", - "sure_undelete": "您确定要恢复此帖子吗?", "profile_info": "您的账户 u/{{shortAddress}} 已创建。 <1>设置显示名称, <2>导出备份, <3>了解更多。", "show_all_instead": "显示自 {{timeFilterName}} 以来的帖子,<1>显示所有帖子", "subplebbit_offline_info": "子维基可能离线,发布可能失败。", "posts_last_synced_info": "最后同步的帖子 {{time}}, 子维基可能离线,发布可能失败。", - "stored_locally": "本地存储 ({{location}}),未在设备之间同步", "import_account_backup": "<1>导入账户备份", "export_account_backup": "<1>导出账户备份", "save_reset_changes": "<1>保存或<2>重置更改", @@ -334,17 +275,11 @@ "communities_you_moderate": "您管理的社区", "blur_media": "模糊标记为NSFW/18+的媒体", "nsfw_content": "NSFW 内容", - "nsfw_communities": "NSFW 社区", - "hide_adult": "隐藏标记为“成人”的社区", - "hide_gore": "隐藏标记为“gore”的社区", - "hide_anti": "隐藏标记为“anti”的社区", - "filters": "过滤器", "see_nsfw": "点击查看 NSFW", "see_nsfw_spoiler": "点击查看 NSFW 剧透", "always_show_nsfw": "始终显示NSFW媒体?", "always_show_nsfw_notice": "好的,我们已将您的偏好更改为始终显示NSFW媒体。", "content_options": "内容选项", - "hide_vulgar": "隐藏标记为“vulgar”的社区", "over_18": "超过18岁?", "must_be_over_18": "您必须年满18岁才能查看此社区", "must_be_over_18_explanation": "您必须至少年满18岁才能查看此内容。您是否已超过18岁并愿意查看成人内容?", @@ -355,7 +290,6 @@ "block_user": "屏蔽用户", "unblock_user": "解除屏蔽用户", "filtering_by_tag": "按标签过滤:\"{{tag}}\"", - "read_only_community_settings": "只读社区设置", "you_are_moderator": "您是这个社区的管理员", "you_are_admin": "您是这个社区的管理员", "you_are_owner": "您是这个社区的拥有者", @@ -377,7 +311,6 @@ "search_posts": "搜索帖子", "found_n_results_for": "找到 \"{{query}}\" 的 {{count}} 条帖子", "clear_search": "清除搜索", - "loading_iframe": "正在加载 iframe", "no_matches_found_for": "未找到 \"{{query}}\" 的匹配项", "searching": "搜索中", "hide_default_communities_from_topbar": "从顶部栏中隐藏默认社区", @@ -410,42 +343,48 @@ "expand_media_previews_based_on_community_media_preferences": "根据该社区的媒体偏好展开媒体预览", "show_all_nsfw": "显示所有 NSFW", "hide_all_nsfw": "隐藏所有NSFW", - "unstoppable_by_design": "...设计上不可阻挡。", - "servers_are_overrated": "...服务器被高估了。", - "cryptographic_playground": "... 密码学游乐场。", - "where_you_own_the_keys": "...在那里你拥有钥匙。", - "no_middleman_here": "...这里没有中间人。", - "join_the_decentralution": "...加入去中心化革命。", - "because_privacy_matters": "...因为隐私很重要。", - "freedom_served_fresh_daily": "...自由每日新鲜供应。", - "your_community_your_rules": "...你的社区,你的规则。", - "centralization_is_boring": "...中心化很无聊。", - "like_torrents_for_thoughts": "...像种子一样,传递思想。", - "cant_stop_the_signal": "...无法阻止信号。", - "fully_yours_forever": "...永远属于你。", - "powered_by_caffeine": "...由咖啡因驱动。", - "speech_wants_to_be_free": "...言论想要自由。", - "crypto_certified_community": "...加密认证社区。", - "take_ownership_literally": "...字面上承担所有权。", - "your_ideas_decentralized": "...你的想法,去中心化。", - "for_digital_sovereignty": "...为了数字主权。", - "for_your_movement": "...为了你的行动。", - "because_you_love_freedom": "...因为你热爱自由。", - "decentralized_but_for_real": "...去中心化,但是真正的。", - "for_your_peace_of_mind": "...為了您的安心。", - "no_corporation_to_answer_to": "...没有公司需要负责。", - "your_tokenized_sovereignty": "...你的代币化主权。", - "for_text_only_wonders": "...仅供纯文本奇迹。", - "because_open_source_rulez": "...因为开源才是王道。", - "truly_peer_to_peer": "...真正的点对点。", - "no_hidden_fees": "...无隐藏费用。", - "no_global_rules": "...没有全局规则。", - "for_reddits_downfall": "...为了Reddit的衰落。", - "evil_corp_cant_stop_us": "...Evil Corp™ 无法阻止我们。", - "no_gods_no_global_admins": "...没有神,没有全局管理员。", "tags": "标签", "moderator_of": "版主", "not_subscriber_nor_moderator": "您既不是任何社区的订阅者,也不是管理员。", "more_posts_last_year": "{{count}} 篇帖子在过去的 {{currentTimeFilterName}}:<1>显示去年的更多帖子", - "editor_fallback_warning": "高级编辑器加载失败,使用基础文本编辑器作为备用。" + "editor_fallback_warning": "高级编辑器加载失败,使用基础文本编辑器作为备用。", + "hot": "hot", + "new": "new", + "active": "active", + "top": "top", + "best": "best", + "old": "old", + "unstoppable_by_design": "...unstoppable by design.", + "servers_are_overrated": "...servers are overrated.", + "cryptographic_playground": "... cryptographic playground.", + "where_you_own_the_keys": "...where you own the keys.", + "no_middleman_here": "...no middleman here.", + "join_the_decentralution": "...join the decentralution.", + "because_privacy_matters": "...because privacy matters.", + "freedom_served_fresh_daily": "...freedom served fresh daily.", + "your_community_your_rules": "...your community, your rules.", + "centralization_is_boring": "...centralization is boring.", + "like_torrents_for_thoughts": "...like torrents, for thoughts.", + "cant_stop_the_signal": "...can't stop the signal.", + "fully_yours_forever": "...fully yours, forever.", + "powered_by_caffeine": "...powered by caffeine.", + "speech_wants_to_be_free": "...speech wants to be free.", + "crypto_certified_community": "...crypto-certified community.", + "take_ownership_literally": "...take ownership literally.", + "your_ideas_decentralized": "...your ideas, decentralized.", + "for_digital_sovereignty": "...for digital sovereignty.", + "for_your_movement": "...for your movement.", + "because_you_love_freedom": "...because you love freedom.", + "decentralized_but_for_real": "...decentralized, but for real.", + "for_your_peace_of_mind": "...for your peace of mind.", + "no_corporation_to_answer_to": "...no corporation to answer to.", + "your_tokenized_sovereignty": "...your tokenized sovereignty.", + "for_text_only_wonders": "...for text-only wonders.", + "because_open_source_rulez": "...because open source rulez.", + "truly_peer_to_peer": "...truly peer to peer.", + "no_hidden_fees": "...no hidden fees.", + "no_global_rules": "...no global rules.", + "for_reddits_downfall": "...for Reddit's downfall.", + "evil_corp_cant_stop_us": "...Evil Corp™ can't stop us.", + "no_gods_no_global_admins": "...no gods, no global admins." } diff --git a/scripts/deploy.sh b/scripts/deploy.sh index 95e5f1a12..e609e41e8 100755 --- a/scripts/deploy.sh +++ b/scripts/deploy.sh @@ -25,7 +25,7 @@ SCRIPT=" cd ~ rm $SEEDIT_HTML_NAME.zip rm -fr $SEEDIT_HTML_NAME -wget https://github.com/plebbit/seedit/releases/download/v$SEEDIT_VERSION/$SEEDIT_HTML_NAME.zip || exit +wget https://github.com/bitsocialhq/seedit/releases/download/v$SEEDIT_VERSION/$SEEDIT_HTML_NAME.zip || exit # extract html unzip $SEEDIT_HTML_NAME.zip || exit @@ -38,7 +38,7 @@ do # download previous version SEEDIT_PREVIOUS_VERSION_HTML_NAME="seedit-html-\$SEEDIT_PREVIOUS_VERSION" echo downloading \$SEEDIT_PREVIOUS_VERSION_HTML_NAME... - wget --quiet https://github.com/plebbit/seedit/releases/download/v\$SEEDIT_PREVIOUS_VERSION/\$SEEDIT_PREVIOUS_VERSION_HTML_NAME.zip + wget --quiet https://github.com/bitsocialhq/seedit/releases/download/v\$SEEDIT_PREVIOUS_VERSION/\$SEEDIT_PREVIOUS_VERSION_HTML_NAME.zip # extract previous version html unzip -qq \$SEEDIT_PREVIOUS_VERSION_HTML_NAME.zip rm \$SEEDIT_PREVIOUS_VERSION_HTML_NAME.zip diff --git a/scripts/release-body.js b/scripts/release-body.js index bb8a75136..9b438fac6 100644 --- a/scripts/release-body.js +++ b/scripts/release-body.js @@ -47,7 +47,7 @@ if (remoteFiles.length) { files = remoteFiles; } -const linkTo = (file) => `https://github.com/plebbit/seedit/releases/download/v${version}/${file}`; +const linkTo = (file) => `https://github.com/bitsocialhq/seedit/releases/download/v${version}/${file}`; const has = (s, sub) => s.toLowerCase().includes(sub); const isArm = (s) => has(s, 'arm64') || has(s, 'aarch64'); const isX64 = (s) => (has(s, 'x64') || has(s, 'x86_64')) || !isArm(s); diff --git a/scripts/update-translations.js b/scripts/update-translations.js index c5b0353f1..5879d368e 100644 --- a/scripts/update-translations.js +++ b/scripts/update-translations.js @@ -19,8 +19,18 @@ - Delete a key from all languages (actually delete): node scripts/update-translations.js --key obsolete_key --delete --write + - Audit for unused keys (dry run): + node scripts/update-translations.js --audit --dry + + - Remove all unused keys: + node scripts/update-translations.js --audit --write + + - Force removal even when dynamic keys detected: + node scripts/update-translations.js --audit --write --force + Flags: - --key Required. The translation key to update/delete. + --key Required (except for --audit). The translation key to update/delete. + --audit Scan codebase for unused translation keys and report/remove them. --delete Delete the key from all languages instead of updating. --from Source language to read value from if --value/--map are not provided (default: en). --value Literal value to set for targets (use with caution, no auto-translate). @@ -30,6 +40,26 @@ --include-en Include the source language (e.g. en) in updates. --dry|--dry-run Show changes but do not write files (default). --write Actually write the files. + --force Force --audit --write even when dynamic translation keys are detected. + Use with caution: dynamic keys (e.g. t(`prefix_${var}`)) cannot be + statically analyzed, so some "unused" keys may actually be in use. + + ⚠️ LIMITATIONS (audit mode): + This script uses static analysis to find translation keys. It can only detect string literals like: + - t('key') or t("key") + - i18nKey="key" or i18nKey={'key'} + + It CANNOT detect dynamic keys such as: + - t(`prefix_${variable}`) + - t(someVariable) + - i18nKey={dynamicValue} + + When dynamic key usage is detected, the script will: + 1. Warn you about the files/lines containing dynamic keys + 2. Block --write unless --force is also passed + 3. Recommend manual review before deletion + + Always review the dynamic key warnings before using --force! */ import fs from 'fs/promises' @@ -41,7 +71,7 @@ function parseArgs(argv) { const arg = argv[i] const next = i + 1 < argv.length ? argv[i + 1] : undefined if (arg.startsWith('--')) { - if (['--dry', '--dry-run', '--write', '--include-en', '--delete'].includes(arg)) { + if (['--dry', '--dry-run', '--write', '--include-en', '--delete', '--audit', '--force'].includes(arg)) { out.flags.add(arg) continue } @@ -145,6 +175,222 @@ async function handleDelete(key, translationsRoot, only, exclude, dryRun, write) } } +/** + * Recursively get all files in a directory matching given extensions + */ +async function getFilesRecursive(dir, extensions) { + const files = [] + const entries = await fs.readdir(dir, { withFileTypes: true }) + for (const entry of entries) { + const fullPath = path.join(dir, entry.name) + if (entry.isDirectory()) { + // Skip node_modules and hidden directories + if (entry.name === 'node_modules' || entry.name.startsWith('.')) continue + files.push(...(await getFilesRecursive(fullPath, extensions))) + } else if (extensions.some((ext) => entry.name.endsWith(ext))) { + files.push(fullPath) + } + } + return files +} + +/** + * Scan source files and extract all translation keys used in the codebase. + * Also detects dynamic key usage that cannot be statically analyzed. + * + * Returns: { usedKeys: Set, dynamicUsages: Array<{file, line, code, type}> } + */ +async function extractUsedKeys(srcDir) { + const usedKeys = new Set() + const dynamicUsages = [] + const extensions = ['.ts', '.tsx', '.js', '.jsx'] + const files = await getFilesRecursive(srcDir, extensions) + + // Patterns to match static translation key usage: + // - t('key') or t("key") with optional params + // - i18nKey="key" or i18nKey={'key'} or i18nKey={"key"} for Trans components + const staticPatterns = [ + /\bt\(\s*['"]([^'"]+)['"]/g, // t('key') or t("key") + /i18nKey\s*=\s*['"]([^'"]+)['"]/g, // i18nKey="key" + /i18nKey\s*=\s*\{\s*['"]([^'"]+)['"]\s*\}/g, // i18nKey={'key'} + ] + + // Patterns to detect dynamic/unknown key usage (cannot extract concrete keys): + // - t(`...`) template literals with interpolations + // - t(variable) where variable is not a string literal + // - i18nKey={variable} where variable is not a string literal + // Note: We use (? matchStart) { + lineNum = i + 1 + break + } + } + + dynamicUsages.push({ + file, + line: lineNum, + code: match[0].trim().substring(0, 60), + type, + }) + } + } + } + + return { usedKeys, dynamicUsages } +} + +async function handleAudit(translationsRoot, srcDir, dryRun, write, force) { + console.log('Scanning codebase for translation key usage...\n') + + // Get all keys used in the codebase (and dynamic usage warnings) + const { usedKeys, dynamicUsages } = await extractUsedKeys(srcDir) + console.log(`Found ${usedKeys.size} static translation keys used in the codebase.`) + + // Report dynamic key usages (these could reference any key at runtime) + const hasDynamicUsages = dynamicUsages.length > 0 + if (hasDynamicUsages) { + console.log(`\n⚠️ WARNING: Found ${dynamicUsages.length} dynamic translation key usage(s):\n`) + console.log('These use variables or template literals, so the actual keys cannot be determined statically.') + console.log('Some "unused" keys below may actually be used at runtime!\n') + + // Group by file for cleaner output + const byFile = new Map() + for (const usage of dynamicUsages) { + if (!byFile.has(usage.file)) byFile.set(usage.file, []) + byFile.get(usage.file).push(usage) + } + + for (const [file, usages] of byFile) { + const relPath = path.relative(process.cwd(), file) + console.log(` ${relPath}:`) + for (const u of usages) { + console.log(` Line ${u.line}: ${u.code}${u.code.length >= 60 ? '...' : ''}`) + console.log(` (${u.type})`) + } + } + console.log('') + } + + // Load the English translation file as the reference + const enPath = path.join(translationsRoot, 'en', 'default.json') + if (!(await fileExists(enPath))) { + console.error(`English translation file not found: ${enPath}`) + process.exit(1) + } + const enJson = await loadJson(enPath) + const definedKeys = Object.keys(enJson) + + // Find unused keys (defined but not used statically) + const unusedKeys = definedKeys.filter((key) => !usedKeys.has(key)) + + if (unusedKeys.length === 0) { + console.log('No unused translation keys found. All keys are in use.') + return + } + + console.log(`Found ${unusedKeys.length} unused translation key(s):\n`) + for (const key of unusedKeys) { + const value = enJson[key] + const preview = String(value).substring(0, 50) + console.log(` - ${key}: "${preview}${String(value).length > 50 ? '...' : ''}"`) + } + + if (dryRun) { + console.log(`\nDry run complete. ${unusedKeys.length} key(s) would be removed from all language files.`) + if (hasDynamicUsages) { + console.log('\n⚠️ Dynamic key usage detected! Review the warnings above before removing keys.') + console.log('Re-run with --write --force to remove them anyway (after manual review).') + } else { + console.log('Re-run with --write to remove them.') + } + return + } + + // Block --write if dynamic usages detected and --force not provided + if (hasDynamicUsages && !force) { + console.log('\n❌ BLOCKED: Cannot remove keys automatically when dynamic key usage is detected.') + console.log('Some "unused" keys may actually be referenced by dynamic expressions at runtime.') + console.log('') + console.log('Please:') + console.log(' 1. Review the dynamic key warnings above') + console.log(' 2. Manually verify that the "unused" keys are truly not needed') + console.log(' 3. Re-run with --write --force to proceed with deletion') + console.log('') + console.log('Alternatively, refactor dynamic keys to use static strings where possible.') + process.exit(1) + } + + if (hasDynamicUsages && force) { + console.log('\n⚠️ Proceeding with --force despite dynamic key usage warnings...') + } + + // Remove unused keys from all language files + const dirents = await fs.readdir(translationsRoot, { withFileTypes: true }) + const langs = dirents.filter((d) => d.isDirectory()).map((d) => d.name) + + let filesChanged = 0 + for (const lang of langs) { + const filePath = path.join(translationsRoot, lang, 'default.json') + if (!(await fileExists(filePath))) continue + + const json = await loadJson(filePath) + let changed = false + + for (const key of unusedKeys) { + if (Object.prototype.hasOwnProperty.call(json, key)) { + delete json[key] + changed = true + } + } + + if (changed) { + await writeJson(filePath, json) + filesChanged++ + console.log(`\n[${lang}] Removed ${unusedKeys.length} unused key(s).`) + } + } + + console.log(`\nRemoved unused keys from ${filesChanged} language file(s).`) +} + async function handleUpdate(key, translationsRoot, fromLang, includeEn, only, exclude, literalValue, mapFile, map, dryRun, write) { let sourceValue = undefined if (!literalValue && !map) { @@ -220,19 +466,29 @@ async function main() { const argv = process.argv.slice(2) const args = parseArgs(argv) - const key = args['--key'] - if (!key) usage(1, 'Missing required --key') - const translationsRoot = path.join(process.cwd(), 'public', 'translations') if (!(await fileExists(translationsRoot))) { usage(1, `Translations directory not found: ${translationsRoot}`) } + const isAudit = args.flags.has('--audit') const isDelete = args.flags.has('--delete') - const fromLang = args['--from'] || 'en' - const includeEn = args.flags.has('--include-en') const dryRun = args.flags.has('--dry') || args.flags.has('--dry-run') || !args.flags.has('--write') const write = args.flags.has('--write') + const force = args.flags.has('--force') + + if (isAudit) { + // Audit mode: scan codebase and remove unused keys + const srcDir = path.join(process.cwd(), 'src') + await handleAudit(translationsRoot, srcDir, dryRun, write, force) + return + } + + const key = args['--key'] + if (!key) usage(1, 'Missing required --key') + + const fromLang = args['--from'] || 'en' + const includeEn = args.flags.has('--include-en') const only = parseCsv(args['--only']) const exclude = parseCsv(args['--exclude']) @@ -260,6 +516,3 @@ main().catch((err) => { console.error(err) process.exit(1) }) - - - diff --git a/src/components/comment-edit-form/comment-edit-form.tsx b/src/components/comment-edit-form/comment-edit-form.tsx index b2fb5915a..30784740c 100644 --- a/src/components/comment-edit-form/comment-edit-form.tsx +++ b/src/components/comment-edit-form/comment-edit-form.tsx @@ -73,7 +73,7 @@ const CommentEditForm = ({ commentCid, hideCommentEditForm }: CommentEditFormPro useEffect(() => { if (shouldPublish) { publishCommentEdit(); - hideCommentEditForm && hideCommentEditForm(); + if (hideCommentEditForm) hideCommentEditForm(); setShouldPublish(false); } }, [shouldPublish, publishCommentEdit, hideCommentEditForm]); @@ -171,7 +171,7 @@ const CommentEditForm = ({ commentCid, hideCommentEditForm }: CommentEditFormPro